diff --git a/doc/Addons.md b/doc/Addons.md index c1861c7913..be9dd42189 100644 --- a/doc/Addons.md +++ b/doc/Addons.md @@ -551,10 +551,6 @@ Here is a complete list of all hook callbacks with file locations (as of 24-Sep- Hook::callAll('about_hook', $o); -### mod/subthread.php - - Hook::callAll('post_local_end', $arr); - ### mod/profiles.php Hook::callAll('profile_post', $_POST); diff --git a/doc/de/Addons.md b/doc/de/Addons.md index 2ff7495497..a0ab58de8e 100644 --- a/doc/de/Addons.md +++ b/doc/de/Addons.md @@ -259,10 +259,6 @@ Eine komplette Liste aller Hook-Callbacks mit den zugehörigen Dateien (am 01-Ap Hook::callAll('about_hook', $o); -### mod/subthread.php - - Hook::callAll('post_local_end', $arr); - ### mod/profiles.php Hook::callAll('profile_post', $_POST); diff --git a/include/conversation.php b/include/conversation.php index b2353db2a3..5b49bc9dc1 100644 --- a/include/conversation.php +++ b/include/conversation.php @@ -894,7 +894,7 @@ function item_photo_menu($item) { $ignore_link = ''; if (local_user() && local_user() == $item['uid'] && $item['gravity'] == GRAVITY_PARENT && !$item['self']) { - $sub_link = 'javascript:dosubthread(' . $item['id'] . '); return false;'; + $sub_link = 'javascript:doFollowThread(' . $item['id'] . '); return false;'; } $author = ['uid' => 0, 'id' => $item['author-id'], diff --git a/mod/subthread.php b/mod/subthread.php deleted file mode 100644 index 93992d8daa..0000000000 --- a/mod/subthread.php +++ /dev/null @@ -1,43 +0,0 @@ -. - * - */ - -use Friendica\App; -use Friendica\Network\HTTPException; -use Friendica\Core\Logger; -use Friendica\Core\Session; -use Friendica\Model\Item; -use Friendica\Util\Strings; - -function subthread_content(App $a) -{ - if (!Session::isAuthenticated()) { - throw new HTTPException\ForbiddenException(); - } - - $item_id = (($a->argc > 1) ? Strings::escapeTags(trim($a->argv[1])) : 0); - - if (!Item::performActivity($item_id, 'follow', local_user())) { - Logger::info('Following item failed', ['item' => $item_id]); - throw new HTTPException\BadRequestException(); - } - Logger::info('Followed item', ['item' => $item_id]); - return; -} diff --git a/src/Module/Item/Follow.php b/src/Module/Item/Follow.php new file mode 100644 index 0000000000..ca8aac72bd --- /dev/null +++ b/src/Module/Item/Follow.php @@ -0,0 +1,77 @@ +. + * + */ + +namespace Friendica\Module\Item; + +use Friendica\BaseModule; +use Friendica\Core\Session; +use Friendica\Core\System; +use Friendica\DI; +use Friendica\Model\Item; +use Friendica\Model\Post; +use Friendica\Network\HTTPException; + +/** + * Module for following threads + */ +class Follow extends BaseModule +{ + public static function rawContent(array $parameters = []) + { + $l10n = DI::l10n(); + + if (!Session::isAuthenticated()) { + throw new HttpException\ForbiddenException($l10n->t('Access denied.')); + } + + if (empty($parameters['id'])) { + throw new HTTPException\BadRequestException(); + } + + $itemId = intval($parameters['id']); + + if (!Item::performActivity($itemId, 'follow', local_user())) { + throw new HTTPException\BadRequestException($l10n->t('Unable to follow this item.')); + } + + // See if we've been passed a return path to redirect to + $return_path = $_REQUEST['return'] ?? ''; + if (!empty($return_path)) { + $rand = '_=' . time(); + if (strpos($return_path, '?')) { + $rand = "&$rand"; + } else { + $rand = "?$rand"; + } + + DI::baseUrl()->redirect($return_path . $rand); + } + + $return = [ + 'status' => 'ok', + 'item_id' => $itemId, + 'verb' => 'follow', + 'state' => 1 + ]; + + System::jsonExit($return); + } +} diff --git a/src/Module/Starred.php b/src/Module/Item/Star.php similarity index 60% rename from src/Module/Starred.php rename to src/Module/Item/Star.php index 8bc0fa3e4e..fb1a5d2044 100644 --- a/src/Module/Starred.php +++ b/src/Module/Item/Star.php @@ -19,33 +19,38 @@ * */ -namespace Friendica\Module; +namespace Friendica\Module\Item; use Friendica\BaseModule; +use Friendica\Core\Session; +use Friendica\Core\System; use Friendica\DI; use Friendica\Model\Item; use Friendica\Model\Post; +use Friendica\Network\HTTPException; /** * Toggle starred items */ -class Starred extends BaseModule +class Star extends BaseModule { public static function rawContent(array $parameters = []) { - if (!local_user()) { - throw new \Friendica\Network\HTTPException\ForbiddenException(); + $l10n = DI::l10n(); + + if (!Session::isAuthenticated()) { + throw new HttpException\ForbiddenException($l10n->t('Access denied.')); } - if (empty($parameters['item'])) { - throw new \Friendica\Network\HTTPException\BadRequestException(); + if (empty($parameters['id'])) { + throw new HTTPException\BadRequestException(); } - $itemId = intval($parameters['item']); + $itemId = intval($parameters['id']); $item = Post::selectFirstForUser(local_user(), ['starred'], ['uid' => local_user(), 'id' => $itemId]); if (empty($item)) { - throw new \Friendica\Network\HTTPException\NotFoundException(); + throw new HTTPException\NotFoundException(); } $starred = !(bool)$item['starred']; @@ -53,14 +58,25 @@ class Starred extends BaseModule Item::update(['starred' => $starred], ['id' => $itemId]); // See if we've been passed a return path to redirect to - $returnPath = $_REQUEST['return'] ?? ''; - if (!empty($returnPath)) { - $rand = '_=' . time() . (strpos($returnPath, '?') ? '&' : '?') . 'rand'; - DI::baseUrl()->redirect($returnPath . $rand); + $return_path = $_REQUEST['return'] ?? ''; + if (!empty($return_path)) { + $rand = '_=' . time(); + if (strpos($return_path, '?')) { + $rand = "&$rand"; + } else { + $rand = "?$rand"; + } + + DI::baseUrl()->redirect($return_path . $rand); } - // the json doesn't really matter, it will either be 0 or 1 - echo json_encode((int)$starred); - exit(); + $return = [ + 'status' => 'ok', + 'item_id' => $itemId, + 'verb' => 'star', + 'state' => (int)$starred, + ]; + + System::jsonExit($return); } } diff --git a/static/routes.config.php b/static/routes.config.php index 6acad3827e..afb8ee12f8 100644 --- a/static/routes.config.php +++ b/static/routes.config.php @@ -290,10 +290,12 @@ return [ '/testrewrite' => [Module\Install::class, [R::GET]], ], - '/item' => [ - '/{id:\d+}/activity/{verb}' => [Module\Item\Activity::class, [ R::POST]], - '/{id:\d+}/ignore' => [Module\Item\Ignore::class, [ R::POST]], - '/{id:\d+}/pin' => [Module\Item\Pin::class, [ R::POST]], + '/item/{id:\d+}' => [ + '/activity/{verb}' => [Module\Item\Activity::class, [ R::POST]], + '/follow' => [Module\Item\Follow::class, [ R::POST]], + '/ignore' => [Module\Item\Ignore::class, [ R::POST]], + '/pin' => [Module\Item\Pin::class, [ R::POST]], + '/star' => [Module\Item\Star::class, [ R::POST]], ], '/localtime' => [Module\Debug\Localtime::class, [R::GET, R::POST]], @@ -412,7 +414,6 @@ return [ '/rsd.xml' => [Module\ReallySimpleDiscovery::class, [R::GET]], '/smilies[/json]' => [Module\Smilies::class, [R::GET]], '/statistics.json' => [Module\Statistics::class, [R::GET]], - '/starred/{item:\d+}' => [Module\Starred::class, [R::GET]], '/toggle_mobile' => [Module\ToggleMobile::class, [R::GET]], '/tos' => [Module\Tos::class, [R::GET]], diff --git a/view/js/main.js b/view/js/main.js index 4921ea94f7..4db78f6652 100644 --- a/view/js/main.js +++ b/view/js/main.js @@ -675,28 +675,33 @@ function doActivityItem(ident, verb, un) { update_item = ident.toString(); } -function dosubthread(ident) { +function doFollowThread(ident) { unpause(); $('#like-rotator-' + ident.toString()).show(); - $.get('subthread/' + ident.toString(), NavUpdate); + $.post('item/' + ident.toString() + '/follow', NavUpdate); liking = 1; } -function dostar(ident) { +function doStar(ident) { ident = ident.toString(); $('#like-rotator-' + ident).show(); - $.get('starred/' + ident, function(data) { - if (data.match(/1/)) { - $('#starred-' + ident).addClass('starred'); - $('#starred-' + ident).removeClass('unstarred'); + $.post('item/' + ident + '/star') + .then(function(data) { + if (data.state === 1) { + $('#starred-' + ident) + .addClass('starred') + .removeClass('unstarred'); $('#star-' + ident).addClass('hidden'); $('#unstar-' + ident).removeClass('hidden'); } else { - $('#starred-' + ident).addClass('unstarred'); - $('#starred-' + ident).removeClass('starred'); + $('#starred-' + ident) + .addClass('unstarred') + .removeClass('starred'); $('#star-' + ident).removeClass('hidden'); $('#unstar-' + ident).addClass('hidden'); } + }) + .always(function () { $('#like-rotator-' + ident).hide(); }); } diff --git a/view/lang/bg/messages.po b/view/lang/bg/messages.po index b22d6918e7..6381392608 100644 --- a/view/lang/bg/messages.po +++ b/view/lang/bg/messages.po @@ -1,17 +1,18 @@ # FRIENDICA Distributed Social Network -# Copyright (C) 2010, 2011, 2012, 2013 the Friendica Project +# Copyright (C) 2010-2021 the Friendica Project # This file is distributed under the same license as the Friendica package. # # Translators: # Mike Macgirvin, 2010 +# Rafael Kalachev , 2021 # Yasen Pramatarov , 2013 msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-12-19 07:46+0100\n" -"PO-Revision-Date: 2016-12-19 10:01+0000\n" -"Last-Translator: fabrixxm \n" +"POT-Creation-Date: 2021-01-23 05:36-0500\n" +"PO-Revision-Date: 2021-01-23 12:32+0000\n" +"Last-Translator: Transifex Bot <>\n" "Language-Team: Bulgarian (http://www.transifex.com/Friendica/friendica/language/bg/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,3046 +20,5048 @@ msgstr "" "Language: bg\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: 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 "Пример: bob@example.com, http://example.com/barbara" - -#: include/contact_widgets.php:10 include/identity.php:218 -#: mod/allfriends.php:82 mod/dirfind.php:201 mod/match.php:87 -#: mod/suggest.php:101 -msgid "Connect" -msgstr "Свързване! " - -#: include/contact_widgets.php:24 +#: include/api.php:1129 #, php-format -msgid "%d invitation available" -msgid_plural "%d invitations available" -msgstr[0] "" -msgstr[1] "" +msgid "Daily posting limit of %d post reached. The post was rejected." +msgid_plural "Daily posting limit of %d posts reached. The post was rejected." +msgstr[0] "Дневният лимит от %dпост е достигнат. Постът беше отхвърлен." +msgstr[1] "Дневният лимит от %d поста е достигнат. Постът беше отхвърлен." -#: 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 include/Contact.php:354 -#: include/conversation.php:981 mod/allfriends.php:66 mod/dirfind.php:204 -#: mod/match.php:72 mod/suggest.php:83 mod/contacts.php:602 mod/follow.php:103 -msgid "Connect/Follow" -msgstr "Свържете се / последваща" - -#: include/contact_widgets.php:33 -msgid "Examples: Robert Morgenstein, Fishing" -msgstr "Примери: Робърт Morgenstein, Риболов" - -#: include/contact_widgets.php:34 mod/directory.php:204 mod/contacts.php:798 -msgid "Find" -msgstr "Търсене" - -#: include/contact_widgets.php:35 mod/suggest.php:114 -#: view/theme/vier/theme.php:203 -msgid "Friend Suggestions" -msgstr "Предложения за приятели" - -#: include/contact_widgets.php:36 view/theme/vier/theme.php:202 -msgid "Similar Interests" -msgstr "Сходни интереси" - -#: include/contact_widgets.php:37 -msgid "Random Profile" -msgstr "Случайна Профил" - -#: include/contact_widgets.php:38 view/theme/vier/theme.php:204 -msgid "Invite Friends" -msgstr "Покани приятели" - -#: include/contact_widgets.php:108 -msgid "Networks" -msgstr "Мрежи" - -#: include/contact_widgets.php:111 -msgid "All Networks" -msgstr "Всички мрежи" - -#: include/contact_widgets.php:141 include/features.php:110 -msgid "Saved Folders" -msgstr "Записани папки" - -#: include/contact_widgets.php:144 include/contact_widgets.php:176 -msgid "Everything" -msgstr "Всичко" - -#: include/contact_widgets.php:173 -msgid "Categories" -msgstr "Категории" - -#: include/contact_widgets.php:237 +#: include/api.php:1143 #, php-format -msgid "%d contact in common" -msgid_plural "%d contacts in common" -msgstr[0] "" -msgstr[1] "" +msgid "Weekly posting limit of %d post reached. The post was rejected." +msgid_plural "" +"Weekly posting limit of %d posts reached. The post was rejected." +msgstr[0] "Седмичният лимит от %d пост е достигнат. Постът беше отказан." +msgstr[1] "Седмичният лимит от %d поста е достигнат. Постът беше отказан." -#: include/contact_widgets.php:242 include/ForumManager.php:119 -#: include/items.php:2245 mod/content.php:624 object/Item.php:432 -#: view/theme/vier/theme.php:260 boot.php:972 -msgid "show more" -msgstr "покажи още" - -#: include/ForumManager.php:114 include/nav.php:131 include/text.php:1025 -#: view/theme/vier/theme.php:255 -msgid "Forums" -msgstr "" - -#: include/ForumManager.php:116 view/theme/vier/theme.php:257 -msgid "External link to forum" -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 "Intersex" - -#: include/profile_selectors.php:6 -msgid "Transsexual" -msgstr "Транссексуален" - -#: include/profile_selectors.php:6 -msgid "Hermaphrodite" -msgstr "Хермафродит" - -#: include/profile_selectors.php:6 -msgid "Neuter" -msgstr "Среден род" - -#: include/profile_selectors.php:6 -msgid "Non-specific" -msgstr "Неспецифичен" - -#: include/profile_selectors.php:6 -msgid "Other" -msgstr "Друг" - -#: include/profile_selectors.php:6 include/conversation.php:1487 -msgid "Undecided" -msgid_plural "Undecided" -msgstr[0] "" -msgstr[1] "" - -#: 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 "Autosexual" - -#: 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 "Nonsexual" - -#: 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:280 include/user.php:284 -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/dba_pdo.php:72 include/dba.php:56 +#: include/api.php:1157 #, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "Не може да намери DNS информация за сървъра на базата данни \" %s \"" +msgid "Monthly posting limit of %d post reached. The post was rejected." +msgstr "Месечният лимит от %d пост е достигнат. Постът беше отказан." -#: include/auth.php:45 -msgid "Logged out." -msgstr "Изход" +#: include/api.php:4454 mod/photos.php:107 mod/photos.php:211 +#: mod/photos.php:639 mod/photos.php:1043 mod/photos.php:1060 +#: mod/photos.php:1607 src/Model/User.php:1045 src/Model/User.php:1053 +#: src/Model/User.php:1061 src/Module/Settings/Profile/Photo/Crop.php:97 +#: src/Module/Settings/Profile/Photo/Crop.php:113 +#: src/Module/Settings/Profile/Photo/Crop.php:129 +#: src/Module/Settings/Profile/Photo/Crop.php:178 +#: src/Module/Settings/Profile/Photo/Index.php:96 +#: src/Module/Settings/Profile/Photo/Index.php:102 +msgid "Profile Photos" +msgstr "Снимка на профила" -#: include/auth.php:116 include/auth.php:178 mod/openid.php:100 -msgid "Login failed." -msgstr "Влез не успя." - -#: include/auth.php:132 include/user.php:75 -msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "Ние се натъкна на проблем, докато влезете с OpenID, който сте посочили. Моля, проверете правилното изписване на идентификацията." - -#: include/auth.php:132 include/user.php:75 -msgid "The error message was:" -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:209 -msgid "Default privacy group for new contacts" -msgstr "Неприкосновеността на личния живот на група по подразбиране за нови контакти" - -#: include/group.php:242 -msgid "Everybody" -msgstr "Всички" - -#: include/group.php:265 -msgid "edit" -msgstr "редактиране" - -#: include/group.php:286 mod/newmember.php:61 -msgid "Groups" -msgstr "Групи" - -#: include/group.php:288 -msgid "Edit groups" -msgstr "" - -#: include/group.php:290 -msgid "Edit group" -msgstr "Редактиране на групата" - -#: include/group.php:291 -msgid "Create a new group" -msgstr "Създайте нова група" - -#: include/group.php:292 mod/group.php:94 mod/group.php:178 -msgid "Group Name: " -msgstr "Име на група: " - -#: include/group.php:294 -msgid "Contacts not in any group" -msgstr "Контакти, не във всяка група" - -#: include/group.php:296 mod/network.php:201 -msgid "add" -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 "Shady, спамър, самостоятелно маркетолог" - -#: 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:890 -msgid "Frequently" -msgstr "Често" - -#: include/contact_selectors.php:57 mod/admin.php:891 -msgid "Hourly" -msgstr "Всеки час" - -#: include/contact_selectors.php:58 mod/admin.php:892 -msgid "Twice daily" -msgstr "Два пъти дневно" - -#: include/contact_selectors.php:59 mod/admin.php:893 -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:868 -msgid "Friendica" -msgstr "Friendica" - -#: include/contact_selectors.php:77 -msgid "OStatus" -msgstr "OStatus" - -#: include/contact_selectors.php:78 -msgid "RSS/Atom" -msgstr "RSS / Atom" - -#: include/contact_selectors.php:79 include/contact_selectors.php:86 -#: mod/admin.php:1396 mod/admin.php:1409 mod/admin.php:1422 mod/admin.php:1440 -msgid "Email" -msgstr "Е-поща" - -#: include/contact_selectors.php:80 mod/settings.php:842 -#: mod/dfrn_request.php:870 -msgid "Diaspora" -msgstr "Диаспора" - -#: include/contact_selectors.php:81 -msgid "Facebook" -msgstr "Facebook" - -#: include/contact_selectors.php:82 -msgid "Zot!" -msgstr "ZOT!" - -#: include/contact_selectors.php:83 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: include/contact_selectors.php:84 -msgid "XMPP/IM" -msgstr "XMPP / IM" - -#: include/contact_selectors.php:85 -msgid "MySpace" -msgstr "MySpace" - -#: include/contact_selectors.php:87 -msgid "Google+" -msgstr "Google+" - -#: include/contact_selectors.php:88 -msgid "pump.io" -msgstr "" - -#: include/contact_selectors.php:89 -msgid "Twitter" -msgstr "" - -#: include/contact_selectors.php:90 -msgid "Diaspora Connector" -msgstr "" - -#: include/contact_selectors.php:91 -msgid "GNU Social" -msgstr "" - -#: include/contact_selectors.php:92 -msgid "App.net" -msgstr "" - -#: include/contact_selectors.php:103 -msgid "Hubzilla/Redmatrix" -msgstr "" - -#: include/acl_selectors.php:327 -msgid "Post to Email" -msgstr "Коментар на e-mail" - -#: include/acl_selectors.php:332 +#: include/conversation.php:190 #, php-format -msgid "Connectors disabled, since \"%s\" is enabled." +msgid "%1$s poked %2$s" msgstr "" -#: include/acl_selectors.php:333 mod/settings.php:1181 -msgid "Hide your profile details from unknown viewers?" -msgstr "Скриване на детайли от профила си от неизвестни зрители?" - -#: include/acl_selectors.php:338 -msgid "Visible to everybody" -msgstr "Видими за всички" - -#: include/acl_selectors.php:339 view/theme/vier/config.php:103 -msgid "show" -msgstr "Покажи:" - -#: include/acl_selectors.php:340 view/theme/vier/config.php:103 -msgid "don't show" -msgstr "не показват" - -#: include/acl_selectors.php:346 mod/editpost.php:133 -msgid "CC: email addresses" -msgstr "CC: имейл адреси" - -#: include/acl_selectors.php:347 mod/editpost.php:140 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Пример: bob@example.com, mary@example.com" - -#: include/acl_selectors.php:349 mod/events.php:509 mod/photos.php:1156 -#: mod/photos.php:1535 -msgid "Permissions" -msgstr "права" - -#: include/acl_selectors.php:350 -msgid "Close" -msgstr "Затвори" - -#: include/like.php:163 include/conversation.php:130 -#: include/conversation.php:266 include/text.php:1804 mod/subthread.php:87 -#: mod/tagger.php:62 -msgid "photo" -msgstr "снимка" - -#: include/like.php:163 include/diaspora.php:1406 include/conversation.php:125 -#: include/conversation.php:134 include/conversation.php:261 -#: include/conversation.php:270 mod/subthread.php:87 mod/tagger.php:62 -msgid "status" -msgstr "статус" - -#: include/like.php:165 include/conversation.php:122 -#: include/conversation.php:258 include/text.php:1802 +#: include/conversation.php:222 src/Model/Item.php:2763 msgid "event" msgstr "събитието." -#: include/like.php:182 include/diaspora.php:1402 include/conversation.php:141 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s харесва %2$s %3$s" +#: include/conversation.php:225 include/conversation.php:234 mod/tagger.php:90 +msgid "status" +msgstr "статус" -#: include/like.php:184 include/conversation.php:144 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s не като %2$s - %3$s" +#: include/conversation.php:230 mod/tagger.php:90 src/Model/Item.php:2765 +msgid "photo" +msgstr "снимка" -#: include/like.php:186 +#: include/conversation.php:244 mod/tagger.php:123 #, php-format -msgid "%1$s is attending %2$s's %3$s" +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s сложи етикет с %2$s - %3$s %4$s" + +#: include/conversation.php:560 mod/photos.php:1468 src/Object/Post.php:238 +msgid "Select" +msgstr "избор" + +#: include/conversation.php:561 mod/photos.php:1469 mod/settings.php:564 +#: mod/settings.php:706 src/Module/Admin/Users/Active.php:139 +#: src/Module/Admin/Users/Blocked.php:140 src/Module/Admin/Users/Index.php:153 +#: src/Module/Contact.php:886 src/Module/Contact.php:1190 +msgid "Delete" +msgstr "Изтриване" + +#: include/conversation.php:596 src/Object/Post.php:457 +#: src/Object/Post.php:458 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Преглед профила на %s в %s" + +#: include/conversation.php:609 src/Object/Post.php:445 +msgid "Categories:" +msgstr "Категории:" + +#: include/conversation.php:610 src/Object/Post.php:446 +msgid "Filed under:" +msgstr "Записано в:" + +#: include/conversation.php:617 src/Object/Post.php:471 +#, php-format +msgid "%s from %s" +msgstr "%s от %s" + +#: include/conversation.php:632 +msgid "View in context" +msgstr "Поглед в контекста" + +#: include/conversation.php:634 include/conversation.php:1216 +#: mod/editpost.php:104 mod/message.php:205 mod/message.php:375 +#: mod/photos.php:1534 mod/wallmessage.php:155 src/Module/Item/Compose.php:159 +#: src/Object/Post.php:505 +msgid "Please wait" +msgstr "Моля, изчакайте" + +#: include/conversation.php:698 +msgid "remove" +msgstr "Премахване" + +#: include/conversation.php:703 +msgid "Delete Selected Items" +msgstr "Изтриване на избраните елементи" + +#: include/conversation.php:740 include/conversation.php:743 +#: include/conversation.php:746 include/conversation.php:749 +#, php-format +msgid "You had been addressed (%s)." msgstr "" -#: include/like.php:188 +#: include/conversation.php:752 #, php-format -msgid "%1$s is not attending %2$s's %3$s" +msgid "You are following %s." msgstr "" -#: include/like.php:190 +#: include/conversation.php:755 +msgid "Tagged" +msgstr "" + +#: include/conversation.php:766 include/conversation.php:1109 +#: include/conversation.php:1147 #, php-format -msgid "%1$s may attend %2$s's %3$s" +msgid "%s reshared this." msgstr "" -#: include/message.php:15 include/message.php:173 -msgid "[no subject]" -msgstr "[Без тема]" - -#: include/message.php:145 include/Photo.php:1040 include/Photo.php:1056 -#: include/Photo.php:1064 include/Photo.php:1089 mod/wall_upload.php:218 -#: mod/wall_upload.php:232 mod/wall_upload.php:239 mod/item.php:478 -msgid "Wall Photos" -msgstr "Стена снимки" - -#: include/plugin.php:526 include/plugin.php:528 -msgid "Click here to upgrade." -msgstr "Натиснете тук за обновяване." - -#: include/plugin.php:534 -msgid "This action exceeds the limits set by your subscription plan." +#: include/conversation.php:768 +msgid "Reshared" msgstr "" -#: include/plugin.php:539 -msgid "This action is not available under your subscription plan." -msgstr "" - -#: include/uimport.php:94 -msgid "Error decoding account file" -msgstr "" - -#: include/uimport.php:100 -msgid "Error! No version data in file! This is not a Friendica account file?" -msgstr "" - -#: include/uimport.php:116 include/uimport.php:127 -msgid "Error! Cannot check nickname" -msgstr "" - -#: include/uimport.php:120 include/uimport.php:131 +#: include/conversation.php:768 #, php-format -msgid "User '%s' already exists on this server!" +msgid "Reshared by %s" msgstr "" -#: include/uimport.php:153 -msgid "User creation error" -msgstr "Грешка при създаване на потребителя" - -#: include/uimport.php:173 -msgid "User profile creation error" -msgstr "Грешка при създаване профила на потребителя" - -#: include/uimport.php:222 +#: include/conversation.php:771 #, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" -msgstr[0] "" -msgstr[1] "" - -#: include/uimport.php:292 -msgid "Done. You can now login with your username and password" +msgid "%s is participating in this thread." msgstr "" -#: include/datetime.php:57 include/datetime.php:59 mod/profiles.php:705 -msgid "Miscellaneous" -msgstr "Разни" +#: include/conversation.php:774 +msgid "Stored" +msgstr "запазено" -#: include/datetime.php:183 include/identity.php:629 -msgid "Birthday:" -msgstr "Дата на раждане:" - -#: include/datetime.php:185 mod/profiles.php:728 -msgid "Age: " -msgstr "Възраст: " - -#: include/datetime.php:187 -msgid "YYYY-MM-DD or MM-DD" +#: include/conversation.php:777 +msgid "Global" msgstr "" -#: include/datetime.php:341 -msgid "never" -msgstr "никога" - -#: include/datetime.php:347 -msgid "less than a second ago" -msgstr "по-малко, отколкото преди секунда" - -#: include/datetime.php:350 -msgid "year" -msgstr "година" - -#: include/datetime.php:350 -msgid "years" -msgstr "година" - -#: include/datetime.php:351 include/event.php:480 mod/cal.php:284 -#: mod/events.php:389 -msgid "month" -msgstr "месец." - -#: include/datetime.php:351 -msgid "months" -msgstr "месеца" - -#: include/datetime.php:352 include/event.php:481 mod/cal.php:285 -#: mod/events.php:390 -msgid "week" -msgstr "седмица" - -#: include/datetime.php:352 -msgid "weeks" -msgstr "седмица" - -#: include/datetime.php:353 include/event.php:482 mod/cal.php:286 -#: mod/events.php:391 -msgid "day" -msgstr "Ден:" - -#: include/datetime.php:353 -msgid "days" -msgstr "дни." - -#: include/datetime.php:354 -msgid "hour" -msgstr "Час:" - -#: include/datetime.php:354 -msgid "hours" -msgstr "часа" - -#: include/datetime.php:355 -msgid "minute" -msgstr "Минута" - -#: include/datetime.php:355 -msgid "minutes" -msgstr "протокол" - -#: include/datetime.php:356 -msgid "second" -msgstr "секунди. " - -#: include/datetime.php:356 -msgid "seconds" -msgstr "секунди. " - -#: include/datetime.php:365 -#, php-format -msgid "%1$d %2$s ago" -msgstr "%1$d %2$s преди" - -#: include/datetime.php:572 -#, php-format -msgid "%s's birthday" +#: include/conversation.php:780 +msgid "Relayed" msgstr "" -#: include/datetime.php:573 include/dfrn.php:1109 +#: include/conversation.php:780 #, php-format -msgid "Happy Birthday %s" -msgstr "Честит рожден ден, %s!" - -#: include/enotify.php:24 -msgid "Friendica Notification" -msgstr "Friendica Уведомление" - -#: include/enotify.php:27 -msgid "Thank You," -msgstr "Благодаря Ви." - -#: include/enotify.php:30 -#, php-format -msgid "%s Administrator" -msgstr "%s администратор" - -#: include/enotify.php:32 -#, php-format -msgid "%1$s, %2$s Administrator" +msgid "Relayed by %s." msgstr "" -#: include/enotify.php:43 include/delivery.php:457 -msgid "noreply" -msgstr "noreply" +#: include/conversation.php:783 +msgid "Fetched" +msgstr "" -#: include/enotify.php:70 +#: include/conversation.php:783 #, php-format -msgid "%s " -msgstr "%s " +msgid "Fetched because of %s" +msgstr "" -#: include/enotify.php:83 +#: include/conversation.php:942 view/theme/frio/theme.php:321 +msgid "Follow Thread" +msgstr "" + +#: include/conversation.php:943 src/Model/Contact.php:984 +msgid "View Status" +msgstr "Показване на състоянието" + +#: include/conversation.php:944 include/conversation.php:966 +#: src/Model/Contact.php:910 src/Model/Contact.php:976 +#: src/Model/Contact.php:985 src/Module/Directory.php:166 +#: src/Module/Settings/Profile/Index.php:240 +msgid "View Profile" +msgstr "Преглед на профил" + +#: include/conversation.php:945 src/Model/Contact.php:986 +msgid "View Photos" +msgstr "Вижте снимки" + +#: include/conversation.php:946 src/Model/Contact.php:977 +#: src/Model/Contact.php:987 +msgid "Network Posts" +msgstr "Мрежови Мнения" + +#: include/conversation.php:947 src/Model/Contact.php:978 +#: src/Model/Contact.php:988 +msgid "View Contact" +msgstr "Преглед на Контакта" + +#: include/conversation.php:948 src/Model/Contact.php:990 +msgid "Send PM" +msgstr "Изпратете PM" + +#: include/conversation.php:949 src/Module/Admin/Blocklist/Contact.php:84 +#: src/Module/Admin/Users/Active.php:140 src/Module/Admin/Users/Index.php:154 +#: src/Module/Contact.php:625 src/Module/Contact.php:883 +#: src/Module/Contact.php:1165 +msgid "Block" +msgstr "Блокиране" + +#: include/conversation.php:950 src/Module/Contact.php:626 +#: src/Module/Contact.php:884 src/Module/Contact.php:1173 +#: src/Module/Notifications/Introductions.php:113 +#: src/Module/Notifications/Introductions.php:191 +#: src/Module/Notifications/Notification.php:59 +msgid "Ignore" +msgstr "Пренебрегване" + +#: include/conversation.php:954 src/Object/Post.php:434 +msgid "Languages" +msgstr "Езици" + +#: include/conversation.php:958 src/Model/Contact.php:991 +msgid "Poke" +msgstr "Сръчкай" + +#: include/conversation.php:963 mod/follow.php:146 src/Content/Widget.php:75 +#: src/Model/Contact.php:979 src/Model/Contact.php:992 +#: view/theme/vier/theme.php:172 +msgid "Connect/Follow" +msgstr "Свържете се / последваща" + +#: include/conversation.php:1094 #, php-format -msgid "[Friendica:Notify] New mail received at %s" -msgstr "[Friendica: Извести] Нова поща, получена в %s" +msgid "%s likes this." +msgstr "%s харесва това." -#: include/enotify.php:85 +#: include/conversation.php:1097 +#, php-format +msgid "%s doesn't like this." +msgstr "%s не харесва това." + +#: include/conversation.php:1100 +#, php-format +msgid "%s attends." +msgstr "" + +#: include/conversation.php:1103 +#, php-format +msgid "%s doesn't attend." +msgstr "" + +#: include/conversation.php:1106 +#, php-format +msgid "%s attends maybe." +msgstr "" + +#: include/conversation.php:1115 +msgid "and" +msgstr "и" + +#: include/conversation.php:1118 +#, php-format +msgid "and %d other people" +msgstr "" + +#: include/conversation.php:1126 +#, php-format +msgid "%2$d people like this" +msgstr "" + +#: include/conversation.php:1127 +#, php-format +msgid "%s like this." +msgstr "" + +#: include/conversation.php:1130 +#, php-format +msgid "%2$d people don't like this" +msgstr "" + +#: include/conversation.php:1131 +#, php-format +msgid "%s don't like this." +msgstr "" + +#: include/conversation.php:1134 +#, php-format +msgid "%2$d people attend" +msgstr "" + +#: include/conversation.php:1135 +#, php-format +msgid "%s attend." +msgstr "" + +#: include/conversation.php:1138 +#, php-format +msgid "%2$d people don't attend" +msgstr "" + +#: include/conversation.php:1139 +#, php-format +msgid "%s don't attend." +msgstr "" + +#: include/conversation.php:1142 +#, php-format +msgid "%2$d people attend maybe" +msgstr "" + +#: include/conversation.php:1143 +#, php-format +msgid "%s attend maybe." +msgstr "" + +#: include/conversation.php:1146 +#, php-format +msgid "%2$d people reshared this" +msgstr "" + +#: include/conversation.php:1176 +msgid "Visible to everybody" +msgstr "Видим всички " + +#: include/conversation.php:1177 src/Module/Item/Compose.php:153 +#: src/Object/Post.php:972 +msgid "Please enter a image/video/audio/webpage URL:" +msgstr "" + +#: include/conversation.php:1178 +msgid "Tag term:" +msgstr "Tag термин:" + +#: include/conversation.php:1179 src/Module/Filer/SaveTag.php:69 +msgid "Save to Folder:" +msgstr "Запиши в папка:" + +#: include/conversation.php:1180 +msgid "Where are you right now?" +msgstr "Къде сте в момента?" + +#: include/conversation.php:1181 +msgid "Delete item(s)?" +msgstr "" + +#: include/conversation.php:1191 +msgid "New Post" +msgstr "Нов пост" + +#: include/conversation.php:1194 +msgid "Share" +msgstr "Споделяне" + +#: include/conversation.php:1195 mod/editpost.php:89 mod/photos.php:1382 +#: src/Module/Contact/Poke.php:154 src/Object/Post.php:963 +msgid "Loading..." +msgstr "Зареждане..." + +#: include/conversation.php:1196 mod/editpost.php:90 mod/message.php:203 +#: mod/message.php:372 mod/wallmessage.php:153 +msgid "Upload photo" +msgstr "Качване на снимка" + +#: include/conversation.php:1197 mod/editpost.php:91 +msgid "upload photo" +msgstr "качване на снимка" + +#: include/conversation.php:1198 mod/editpost.php:92 +msgid "Attach file" +msgstr "Прикачване на файл" + +#: include/conversation.php:1199 mod/editpost.php:93 +msgid "attach file" +msgstr "Прикачване на файл" + +#: include/conversation.php:1200 src/Module/Item/Compose.php:145 +#: src/Object/Post.php:964 +msgid "Bold" +msgstr "Получер" + +#: include/conversation.php:1201 src/Module/Item/Compose.php:146 +#: src/Object/Post.php:965 +msgid "Italic" +msgstr "Курсив" + +#: include/conversation.php:1202 src/Module/Item/Compose.php:147 +#: src/Object/Post.php:966 +msgid "Underline" +msgstr "Подчертан" + +#: include/conversation.php:1203 src/Module/Item/Compose.php:148 +#: src/Object/Post.php:967 +msgid "Quote" +msgstr "Цитат" + +#: include/conversation.php:1204 src/Module/Item/Compose.php:149 +#: src/Object/Post.php:968 +msgid "Code" +msgstr "Код" + +#: include/conversation.php:1205 src/Module/Item/Compose.php:150 +#: src/Object/Post.php:969 +msgid "Image" +msgstr "Изображение" + +#: include/conversation.php:1206 src/Module/Item/Compose.php:151 +#: src/Object/Post.php:970 +msgid "Link" +msgstr "Връзка" + +#: include/conversation.php:1207 src/Module/Item/Compose.php:152 +#: src/Object/Post.php:971 +msgid "Link or Media" +msgstr "" + +#: include/conversation.php:1208 mod/editpost.php:100 +#: src/Module/Item/Compose.php:155 +msgid "Set your location" +msgstr "Задайте местоположението си" + +#: include/conversation.php:1209 mod/editpost.php:101 +msgid "set location" +msgstr "Задаване на местоположението" + +#: include/conversation.php:1210 mod/editpost.php:102 +msgid "Clear browser location" +msgstr "Изчистване на браузъра място" + +#: include/conversation.php:1211 mod/editpost.php:103 +msgid "clear location" +msgstr "ясно място" + +#: include/conversation.php:1213 mod/editpost.php:117 +#: src/Module/Item/Compose.php:160 +msgid "Set title" +msgstr "Задайте заглавие" + +#: include/conversation.php:1215 mod/editpost.php:119 +#: src/Module/Item/Compose.php:161 +msgid "Categories (comma-separated list)" +msgstr "Категории (разделен със запетаи списък)" + +#: include/conversation.php:1217 mod/editpost.php:105 +msgid "Permission settings" +msgstr "Настройките за достъп" + +#: include/conversation.php:1218 mod/editpost.php:134 mod/events.php:578 +#: mod/photos.php:969 mod/photos.php:1335 +msgid "Permissions" +msgstr "права" + +#: include/conversation.php:1227 mod/editpost.php:114 +msgid "Public post" +msgstr "Обществена длъжност" + +#: include/conversation.php:1231 mod/editpost.php:125 mod/events.php:573 +#: mod/photos.php:1381 mod/photos.php:1438 mod/photos.php:1511 +#: src/Module/Item/Compose.php:154 src/Object/Post.php:973 +msgid "Preview" +msgstr "Преглед" + +#: include/conversation.php:1235 mod/dfrn_request.php:643 mod/editpost.php:128 +#: mod/fbrowser.php:105 mod/fbrowser.php:134 mod/follow.php:152 +#: mod/photos.php:1037 mod/photos.php:1143 mod/settings.php:504 +#: mod/settings.php:530 mod/tagrm.php:37 mod/tagrm.php:127 +#: mod/unfollow.php:100 src/Module/Contact.php:459 +#: src/Module/RemoteFollow.php:110 +msgid "Cancel" +msgstr "Отмени" + +#: include/conversation.php:1242 mod/editpost.php:132 +#: src/Model/Profile.php:445 src/Module/Contact.php:344 +msgid "Message" +msgstr "Съобщение" + +#: include/conversation.php:1243 mod/editpost.php:133 +msgid "Browser" +msgstr "Браузър" + +#: include/conversation.php:1245 mod/editpost.php:136 +msgid "Open Compose page" +msgstr "" + +#: include/enotify.php:52 +msgid "[Friendica:Notify]" +msgstr "" + +#: include/enotify.php:138 +#, php-format +msgid "%s New mail received at %s" +msgstr "" + +#: include/enotify.php:140 #, php-format msgid "%1$s sent you a new private message at %2$s." msgstr "%1$s в %2$s ви изпрати ново лично съобщение ." -#: include/enotify.php:86 +#: include/enotify.php:141 +msgid "a private message" +msgstr "лично съобщение" + +#: include/enotify.php:141 #, php-format msgid "%1$s sent you %2$s." msgstr "Ви изпрати %2$s %1$s %2$s ." -#: include/enotify.php:86 -msgid "a private message" -msgstr "лично съобщение" - -#: include/enotify.php:88 +#: include/enotify.php:143 #, php-format msgid "Please visit %s to view and/or reply to your private messages." msgstr "Моля, посетете %s да видите и / или да отговорите на Вашите лични съобщения." -#: include/enotify.php:134 +#: include/enotify.php:190 #, php-format -msgid "%1$s commented on [url=%2$s]a %3$s[/url]" -msgstr "%1$s коментира [URL = %2$s %3$s [/ URL]" - -#: include/enotify.php:141 -#, php-format -msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" -msgstr "%1$s коментира [URL = %2$s ] %3$s %4$s [/ URL]" - -#: include/enotify.php:149 -#, php-format -msgid "%1$s commented on [url=%2$s]your %3$s[/url]" -msgstr "%1$s коментира [URL = %2$s %3$s [/ URL]" - -#: include/enotify.php:159 -#, php-format -msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" -msgstr "[Friendica: Изпращайте] коментар към разговор # %1$d от %2$s" - -#: include/enotify.php:161 -#, php-format -msgid "%s commented on an item/conversation you have been following." -msgstr "%s коментира артикул / разговор, който са били." - -#: include/enotify.php:164 include/enotify.php:178 include/enotify.php:192 -#: include/enotify.php:206 include/enotify.php:224 include/enotify.php:238 -#, php-format -msgid "Please visit %s to view and/or reply to the conversation." -msgstr "Моля, посетете %s да видите и / или да отговорите на разговор." - -#: include/enotify.php:171 -#, php-format -msgid "[Friendica:Notify] %s posted to your profile wall" -msgstr "[Friendica: Извести] %s публикуван вашия профил стена" - -#: include/enotify.php:173 -#, php-format -msgid "%1$s posted to your profile wall at %2$s" -msgstr "%1$s публикуван вашия профил стена при %2$s" - -#: include/enotify.php:174 -#, php-format -msgid "%1$s posted to [url=%2$s]your wall[/url]" +msgid "%1$s replied to you on %2$s's %3$s %4$s" msgstr "" -#: include/enotify.php:185 +#: include/enotify.php:192 #, php-format -msgid "[Friendica:Notify] %s tagged you" -msgstr "[Friendica: Извести] %s сложи етикет с вас" - -#: include/enotify.php:187 -#, php-format -msgid "%1$s tagged you at %2$s" -msgstr "%1$s те маркира при %2$s" - -#: include/enotify.php:188 -#, php-format -msgid "%1$s [url=%2$s]tagged you[/url]." -msgstr "%1$s [URL = %2$s ] сложи етикет [/ URL]." - -#: include/enotify.php:199 -#, php-format -msgid "[Friendica:Notify] %s shared a new post" +msgid "%1$s tagged you on %2$s's %3$s %4$s" msgstr "" -#: include/enotify.php:201 +#: include/enotify.php:194 #, php-format -msgid "%1$s shared a new post at %2$s" +msgid "%1$s commented on %2$s's %3$s %4$s" msgstr "" -#: include/enotify.php:202 +#: include/enotify.php:204 #, php-format -msgid "%1$s [url=%2$s]shared a post[/url]." +msgid "%1$s replied to you on your %2$s %3$s" msgstr "" -#: include/enotify.php:213 +#: include/enotify.php:206 #, php-format -msgid "[Friendica:Notify] %1$s poked you" +msgid "%1$s tagged you on your %2$s %3$s" +msgstr "" + +#: include/enotify.php:208 +#, php-format +msgid "%1$s commented on your %2$s %3$s" msgstr "" #: include/enotify.php:215 #, php-format +msgid "%1$s replied to you on their %2$s %3$s" +msgstr "" + +#: include/enotify.php:217 +#, php-format +msgid "%1$s tagged you on their %2$s %3$s" +msgstr "" + +#: include/enotify.php:219 +#, php-format +msgid "%1$s commented on their %2$s %3$s" +msgstr "" + +#: include/enotify.php:230 +#, php-format +msgid "%s %s tagged you" +msgstr "" + +#: include/enotify.php:232 +#, php-format +msgid "%1$s tagged you at %2$s" +msgstr "%1$s те маркира при %2$s" + +#: include/enotify.php:234 +#, php-format +msgid "%1$s Comment to conversation #%2$d by %3$s" +msgstr "" + +#: include/enotify.php:236 +#, php-format +msgid "%s commented on an item/conversation you have been following." +msgstr "%s коментира артикул / разговор, който са били." + +#: include/enotify.php:241 include/enotify.php:256 include/enotify.php:281 +#: include/enotify.php:300 include/enotify.php:316 +#, php-format +msgid "Please visit %s to view and/or reply to the conversation." +msgstr "Моля, посетете %s да видите и / или да отговорите на разговор." + +#: include/enotify.php:248 +#, php-format +msgid "%s %s posted to your profile wall" +msgstr "" + +#: include/enotify.php:250 +#, php-format +msgid "%1$s posted to your profile wall at %2$s" +msgstr "%1$s публикуван вашия профил стена при %2$s" + +#: include/enotify.php:251 +#, php-format +msgid "%1$s posted to [url=%2$s]your wall[/url]" +msgstr "" + +#: include/enotify.php:264 +#, php-format +msgid "%s %s shared a new post" +msgstr "" + +#: include/enotify.php:266 +#, php-format +msgid "%1$s shared a new post at %2$s" +msgstr "" + +#: include/enotify.php:267 +#, php-format +msgid "%1$s [url=%2$s]shared a post[/url]." +msgstr "" + +#: include/enotify.php:272 +#, php-format +msgid "%s %s shared a post from %s" +msgstr "" + +#: include/enotify.php:274 +#, php-format +msgid "%1$s shared a post from %2$s at %3$s" +msgstr "" + +#: include/enotify.php:275 +#, php-format +msgid "%1$s [url=%2$s]shared a post[/url] from %3$s." +msgstr "" + +#: include/enotify.php:288 +#, php-format +msgid "%1$s %2$s poked you" +msgstr "" + +#: include/enotify.php:290 +#, php-format msgid "%1$s poked you at %2$s" msgstr "" -#: include/enotify.php:216 +#: include/enotify.php:291 #, php-format msgid "%1$s [url=%2$s]poked you[/url]." msgstr "" -#: include/enotify.php:231 +#: include/enotify.php:308 #, php-format -msgid "[Friendica:Notify] %s tagged your post" -msgstr "[Friendica: Извести] %s сложи етикет с вашия пост" +msgid "%s %s tagged your post" +msgstr "" -#: include/enotify.php:233 +#: include/enotify.php:310 #, php-format msgid "%1$s tagged your post at %2$s" msgstr "%1$s маркира твоя пост в %2$s" -#: include/enotify.php:234 +#: include/enotify.php:311 #, php-format msgid "%1$s tagged [url=%2$s]your post[/url]" msgstr "%1$s маркира [URL = %2$s ] Публикацията ви [/ URL]" -#: include/enotify.php:245 -msgid "[Friendica:Notify] Introduction received" -msgstr "[Friendica: Извести] Въведение получи" +#: include/enotify.php:323 +#, php-format +msgid "%s Introduction received" +msgstr "" -#: include/enotify.php:247 +#: include/enotify.php:325 #, php-format msgid "You've received an introduction from '%1$s' at %2$s" msgstr "Получили сте въведения от %1$s в %2$s" -#: include/enotify.php:248 +#: include/enotify.php:326 #, php-format msgid "You've received [url=%1$s]an introduction[/url] from %2$s." msgstr "Получили сте [URL = %1$s ] въведение [/ URL] от %2$s ." -#: include/enotify.php:252 include/enotify.php:295 +#: include/enotify.php:331 include/enotify.php:377 #, php-format msgid "You may visit their profile at %s" msgstr "Можете да посетите техния профил в %s" -#: include/enotify.php:254 +#: include/enotify.php:333 #, php-format msgid "Please visit %s to approve or reject the introduction." msgstr "Моля, посетете %s да одобри или да отхвърли въвеждането." -#: include/enotify.php:262 -msgid "[Friendica:Notify] A new person is sharing with you" +#: include/enotify.php:340 +#, php-format +msgid "%s A new person is sharing with you" msgstr "" -#: include/enotify.php:264 include/enotify.php:265 +#: include/enotify.php:342 include/enotify.php:343 #, php-format msgid "%1$s is sharing with you at %2$s" msgstr "" -#: include/enotify.php:271 -msgid "[Friendica:Notify] You have a new follower" +#: include/enotify.php:350 +#, php-format +msgid "%s You have a new follower" msgstr "" -#: include/enotify.php:273 include/enotify.php:274 +#: include/enotify.php:352 include/enotify.php:353 #, php-format msgid "You have a new follower at %2$s : %1$s" msgstr "" -#: include/enotify.php:285 -msgid "[Friendica:Notify] Friend suggestion received" -msgstr "[Friendica: Извести] приятел предложение получи" +#: include/enotify.php:366 +#, php-format +msgid "%s Friend suggestion received" +msgstr "" -#: include/enotify.php:287 +#: include/enotify.php:368 #, php-format msgid "You've received a friend suggestion from '%1$s' at %2$s" msgstr "Получили сте приятел предложение от %1$s в %2$s" -#: include/enotify.php:288 +#: include/enotify.php:369 #, php-format msgid "" "You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." msgstr "Получили сте [URL = %1$s ] предложение приятел [/ URL] %2$s от %3$s ." -#: include/enotify.php:293 +#: include/enotify.php:375 msgid "Name:" msgstr "Наименование:" -#: include/enotify.php:294 +#: include/enotify.php:376 msgid "Photo:" msgstr "Снимка:" -#: include/enotify.php:297 +#: include/enotify.php:379 #, php-format msgid "Please visit %s to approve or reject the suggestion." msgstr "Моля, посетете %s да одобри или отхвърли предложението." -#: include/enotify.php:305 include/enotify.php:319 -msgid "[Friendica:Notify] Connection accepted" +#: include/enotify.php:387 include/enotify.php:402 +#, php-format +msgid "%s Connection accepted" msgstr "" -#: include/enotify.php:307 include/enotify.php:321 +#: include/enotify.php:389 include/enotify.php:404 #, php-format msgid "'%1$s' has accepted your connection request at %2$s" msgstr "" -#: include/enotify.php:308 include/enotify.php:322 +#: include/enotify.php:390 include/enotify.php:405 #, php-format msgid "%2$s has accepted your [url=%1$s]connection request[/url]." msgstr "" -#: include/enotify.php:312 +#: include/enotify.php:395 msgid "" "You are now mutual friends and may exchange status updates, photos, and " "email without restriction." msgstr "" -#: include/enotify.php:314 +#: include/enotify.php:397 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." msgstr "" -#: include/enotify.php:326 +#: include/enotify.php:410 #, php-format msgid "" -"'%1$s' has chosen to accept you a \"fan\", which restricts some forms of " +"'%1$s' has chosen to accept you a fan, which restricts some forms of " "communication - such as private messaging and some profile interactions. If " "this is a celebrity or community page, these settings were applied " "automatically." msgstr "" -#: include/enotify.php:328 +#: include/enotify.php:412 #, php-format msgid "" "'%1$s' may choose to extend this into a two-way or more permissive " "relationship in the future." msgstr "" -#: include/enotify.php:330 +#: include/enotify.php:414 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." msgstr "" -#: include/enotify.php:340 -msgid "[Friendica System:Notify] registration request" +#: include/enotify.php:424 mod/removeme.php:63 +msgid "[Friendica System Notify]" msgstr "" -#: include/enotify.php:342 +#: include/enotify.php:424 +msgid "registration request" +msgstr "" + +#: include/enotify.php:426 #, php-format msgid "You've received a registration request from '%1$s' at %2$s" msgstr "" -#: include/enotify.php:343 +#: include/enotify.php:427 #, php-format msgid "You've received a [url=%1$s]registration request[/url] from %2$s." msgstr "" -#: include/enotify.php:347 +#: include/enotify.php:432 #, php-format -msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" +msgid "" +"Full Name:\t%s\n" +"Site Location:\t%s\n" +"Login Name:\t%s (%s)" msgstr "" -#: include/enotify.php:350 +#: include/enotify.php:438 #, php-format msgid "Please visit %s to approve or reject the request." msgstr "" -#: include/event.php:16 include/bb2diaspora.php:152 mod/localtime.php:12 -msgid "l F d, Y \\@ g:i A" -msgstr "L F г, Y \\ @ G: I A" +#: mod/api.php:52 mod/api.php:57 mod/dfrn_confirm.php:79 mod/editpost.php:37 +#: mod/events.php:231 mod/follow.php:55 mod/follow.php:135 mod/item.php:183 +#: mod/item.php:188 mod/item.php:905 mod/message.php:70 mod/message.php:113 +#: mod/notes.php:44 mod/ostatus_subscribe.php:30 mod/photos.php:176 +#: mod/photos.php:922 mod/repair_ostatus.php:31 mod/settings.php:47 +#: mod/settings.php:65 mod/settings.php:493 mod/suggest.php:34 +#: mod/uimport.php:32 mod/unfollow.php:35 mod/unfollow.php:50 +#: mod/unfollow.php:82 mod/wallmessage.php:35 mod/wallmessage.php:59 +#: mod/wallmessage.php:96 mod/wallmessage.php:120 mod/wall_attach.php:78 +#: mod/wall_attach.php:81 mod/wall_upload.php:99 mod/wall_upload.php:102 +#: src/Module/Attach.php:56 src/Module/BaseApi.php:59 +#: src/Module/BaseApi.php:65 src/Module/BaseNotifications.php:88 +#: src/Module/Contact/Advanced.php:43 src/Module/Contact.php:385 +#: src/Module/Delegation.php:118 src/Module/FollowConfirm.php:16 +#: src/Module/FriendSuggest.php:44 src/Module/Group.php:45 +#: src/Module/Group.php:90 src/Module/Invite.php:40 src/Module/Invite.php:128 +#: src/Module/Notifications/Notification.php:47 +#: src/Module/Notifications/Notification.php:76 +#: src/Module/Profile/Common.php:57 src/Module/Profile/Contacts.php:57 +#: src/Module/Register.php:62 src/Module/Register.php:75 +#: src/Module/Register.php:193 src/Module/Register.php:232 +#: src/Module/Search/Directory.php:38 src/Module/Settings/Delegation.php:42 +#: src/Module/Settings/Delegation.php:70 src/Module/Settings/Display.php:42 +#: src/Module/Settings/Display.php:118 +#: src/Module/Settings/Profile/Photo/Crop.php:157 +#: src/Module/Settings/Profile/Photo/Index.php:113 +msgid "Permission denied." +msgstr "Разрешението е отказано." -#: include/event.php:33 include/event.php:51 include/event.php:487 -#: include/bb2diaspora.php:158 -msgid "Starts:" -msgstr "Започва:" +#: mod/api.php:102 mod/api.php:124 +msgid "Authorize application connection" +msgstr "Разрешава връзка с прилагането" -#: include/event.php:36 include/event.php:57 include/event.php:488 -#: include/bb2diaspora.php:166 -msgid "Finishes:" -msgstr "Играчи:" +#: mod/api.php:103 +msgid "Return to your app and insert this Securty Code:" +msgstr "Назад към приложението ти и поставите този Securty код:" -#: include/event.php:39 include/event.php:63 include/event.php:489 -#: include/bb2diaspora.php:174 include/identity.php:328 -#: mod/notifications.php:232 mod/directory.php:137 mod/events.php:494 -#: mod/contacts.php:628 -msgid "Location:" -msgstr "Място:" +#: mod/api.php:112 src/Module/BaseAdmin.php:54 src/Module/BaseAdmin.php:58 +msgid "Please login to continue." +msgstr "Моля, влезте, за да продължите." -#: include/event.php:441 -msgid "Sun" +#: mod/api.php:126 +msgid "" +"Do you want to authorize this application to access your posts and contacts," +" and/or create new posts for you?" +msgstr "Искате ли да се разреши това приложение за достъп до вашите мнения и контакти, и / или създаване на нови длъжности за вас?" + +#: mod/api.php:127 src/Module/Contact.php:456 +#: src/Module/Notifications/Introductions.php:123 src/Module/Register.php:115 +msgid "Yes" +msgstr "Yes" + +#: mod/api.php:128 src/Module/Notifications/Introductions.php:123 +#: src/Module/Register.php:116 +msgid "No" +msgstr "Не" + +#: mod/cal.php:46 mod/cal.php:50 mod/follow.php:38 mod/redir.php:34 +#: mod/redir.php:203 src/Module/Conversation/Community.php:194 +#: src/Module/Debug/ItemBody.php:38 src/Module/Diaspora/Receive.php:51 +#: src/Module/Item/Ignore.php:41 +msgid "Access denied." +msgstr "Отказан достъп." + +#: mod/cal.php:72 mod/cal.php:133 src/Module/HoverCard.php:53 +#: src/Module/Profile/Common.php:41 src/Module/Profile/Common.php:53 +#: src/Module/Profile/Contacts.php:40 src/Module/Profile/Contacts.php:51 +#: src/Module/Profile/Status.php:58 src/Module/Register.php:258 +msgid "User not found." msgstr "" -#: include/event.php:442 -msgid "Mon" -msgstr "" +#: mod/cal.php:143 mod/display.php:287 src/Module/Profile/Profile.php:94 +#: src/Module/Profile/Profile.php:109 src/Module/Profile/Status.php:109 +#: src/Module/Update/Profile.php:55 +msgid "Access to this profile has been restricted." +msgstr "Достъпът до този профил е ограничен." -#: include/event.php:443 -msgid "Tue" -msgstr "" - -#: include/event.php:444 -msgid "Wed" -msgstr "" - -#: include/event.php:445 -msgid "Thu" -msgstr "" - -#: include/event.php:446 -msgid "Fri" -msgstr "" - -#: include/event.php:447 -msgid "Sat" -msgstr "" - -#: include/event.php:448 include/text.php:1130 mod/settings.php:972 -msgid "Sunday" -msgstr "Неделя" - -#: include/event.php:449 include/text.php:1130 mod/settings.php:972 -msgid "Monday" -msgstr "Понеделник" - -#: include/event.php:450 include/text.php:1130 -msgid "Tuesday" -msgstr "Вторник" - -#: include/event.php:451 include/text.php:1130 -msgid "Wednesday" -msgstr "Сряда" - -#: include/event.php:452 include/text.php:1130 -msgid "Thursday" -msgstr "Четвъртък" - -#: include/event.php:453 include/text.php:1130 -msgid "Friday" -msgstr "Петък" - -#: include/event.php:454 include/text.php:1130 -msgid "Saturday" -msgstr "Събота" - -#: include/event.php:455 -msgid "Jan" -msgstr "" - -#: include/event.php:456 -msgid "Feb" -msgstr "" - -#: include/event.php:457 -msgid "Mar" -msgstr "" - -#: include/event.php:458 -msgid "Apr" -msgstr "" - -#: include/event.php:459 include/event.php:471 include/text.php:1134 -msgid "May" -msgstr "Май" - -#: include/event.php:460 -msgid "Jun" -msgstr "" - -#: include/event.php:461 -msgid "Jul" -msgstr "" - -#: include/event.php:462 -msgid "Aug" -msgstr "" - -#: include/event.php:463 -msgid "Sept" -msgstr "" - -#: include/event.php:464 -msgid "Oct" -msgstr "" - -#: include/event.php:465 -msgid "Nov" -msgstr "" - -#: include/event.php:466 -msgid "Dec" -msgstr "" - -#: include/event.php:467 include/text.php:1134 -msgid "January" -msgstr "януари" - -#: include/event.php:468 include/text.php:1134 -msgid "February" -msgstr "февруари" - -#: include/event.php:469 include/text.php:1134 -msgid "March" -msgstr "март" - -#: include/event.php:470 include/text.php:1134 -msgid "April" -msgstr "април" - -#: include/event.php:472 include/text.php:1134 -msgid "June" -msgstr "юни" - -#: include/event.php:473 include/text.php:1134 -msgid "July" -msgstr "юли" - -#: include/event.php:474 include/text.php:1134 -msgid "August" -msgstr "август" - -#: include/event.php:475 include/text.php:1134 -msgid "September" -msgstr "септември" - -#: include/event.php:476 include/text.php:1134 -msgid "October" -msgstr "октомври" - -#: include/event.php:477 include/text.php:1134 -msgid "November" -msgstr "ноември" - -#: include/event.php:478 include/text.php:1134 -msgid "December" -msgstr "декември" - -#: include/event.php:479 mod/cal.php:283 mod/events.php:388 -msgid "today" -msgstr "" - -#: include/event.php:483 -msgid "all-day" -msgstr "" - -#: include/event.php:485 -msgid "No events to display" -msgstr "" - -#: include/event.php:574 -msgid "l, F j" -msgstr "л, F J" - -#: include/event.php:593 -msgid "Edit event" -msgstr "Редактиране на Събитието" - -#: include/event.php:615 include/text.php:1532 include/text.php:1539 -msgid "link to source" -msgstr "връзка източник" - -#: include/event.php:850 -msgid "Export" -msgstr "" - -#: include/event.php:851 -msgid "Export calendar as ical" -msgstr "" - -#: include/event.php:852 -msgid "Export calendar as csv" -msgstr "" - -#: include/nav.php:35 mod/navigation.php:19 -msgid "Nothing new here" -msgstr "Нищо ново тук" - -#: include/nav.php:39 mod/navigation.php:23 -msgid "Clear notifications" -msgstr "Изчистване на уведомленията" - -#: include/nav.php:40 include/text.php:1015 -msgid "@name, !forum, #tags, content" -msgstr "" - -#: include/nav.php:78 view/theme/frio/theme.php:246 boot.php:1792 -msgid "Logout" -msgstr "изход" - -#: include/nav.php:78 view/theme/frio/theme.php:246 -msgid "End this session" -msgstr "Край на тази сесия" - -#: include/nav.php:81 include/identity.php:714 mod/contacts.php:637 -#: mod/contacts.php:833 view/theme/frio/theme.php:249 -msgid "Status" -msgstr "Състояние:" - -#: include/nav.php:81 include/nav.php:161 view/theme/frio/theme.php:249 -msgid "Your posts and conversations" -msgstr "Вашите мнения и разговори" - -#: include/nav.php:82 include/identity.php:605 include/identity.php:691 -#: include/identity.php:722 mod/profperm.php:104 mod/newmember.php:32 -#: mod/contacts.php:639 mod/contacts.php:841 view/theme/frio/theme.php:250 -msgid "Profile" -msgstr "Височина на профила" - -#: include/nav.php:82 view/theme/frio/theme.php:250 -msgid "Your profile page" -msgstr "Вашият профил страница" - -#: include/nav.php:83 include/identity.php:730 mod/fbrowser.php:32 -#: view/theme/frio/theme.php:251 -msgid "Photos" -msgstr "Снимки" - -#: include/nav.php:83 view/theme/frio/theme.php:251 -msgid "Your photos" -msgstr "Вашите снимки" - -#: include/nav.php:84 include/identity.php:738 include/identity.php:741 -#: view/theme/frio/theme.php:252 -msgid "Videos" -msgstr "Видеоклипове" - -#: include/nav.php:84 view/theme/frio/theme.php:252 -msgid "Your videos" -msgstr "" - -#: include/nav.php:85 include/nav.php:149 include/identity.php:750 -#: include/identity.php:761 mod/cal.php:275 mod/events.php:379 -#: view/theme/frio/theme.php:253 view/theme/frio/theme.php:257 +#: mod/cal.php:274 mod/events.php:417 src/Content/Nav.php:181 +#: src/Content/Nav.php:248 src/Module/BaseProfile.php:88 +#: src/Module/BaseProfile.php:99 view/theme/frio/theme.php:229 +#: view/theme/frio/theme.php:233 msgid "Events" msgstr "Събития" -#: include/nav.php:85 view/theme/frio/theme.php:253 -msgid "Your events" -msgstr "Събитията си" - -#: include/nav.php:86 -msgid "Personal notes" -msgstr "Личните бележки" - -#: include/nav.php:86 -msgid "Your personal notes" +#: mod/cal.php:275 mod/events.php:418 +msgid "View" msgstr "" -#: include/nav.php:95 mod/bookmarklet.php:12 boot.php:1793 -msgid "Login" -msgstr "Вход" +#: mod/cal.php:276 mod/events.php:420 +msgid "Previous" +msgstr "Предишна" -#: include/nav.php:95 -msgid "Sign in" -msgstr "Вход" +#: mod/cal.php:277 mod/events.php:421 src/Module/Install.php:196 +msgid "Next" +msgstr "Следваща" -#: include/nav.php:105 include/nav.php:161 -#: include/NotificationsManager.php:174 -msgid "Home" -msgstr "Начало" - -#: include/nav.php:105 -msgid "Home Page" -msgstr "Начална страница" - -#: include/nav.php:109 mod/register.php:289 boot.php:1768 -msgid "Register" -msgstr "Регистратор" - -#: include/nav.php:109 -msgid "Create an account" -msgstr "Създаване на сметка" - -#: include/nav.php:115 mod/help.php:47 view/theme/vier/theme.php:298 -msgid "Help" -msgstr "Помощ" - -#: include/nav.php:115 -msgid "Help and documentation" -msgstr "Помощ и документация" - -#: include/nav.php:119 -msgid "Apps" -msgstr "Apps" - -#: include/nav.php:119 -msgid "Addon applications, utilities, games" -msgstr "Адон приложения, помощни програми, игри" - -#: include/nav.php:123 include/text.php:1012 mod/search.php:149 -msgid "Search" -msgstr "Търсене" - -#: include/nav.php:123 -msgid "Search site content" -msgstr "Търсене в сайта съдържание" - -#: include/nav.php:126 include/text.php:1020 -msgid "Full Text" +#: mod/cal.php:280 mod/events.php:426 src/Model/Event.php:460 +msgid "today" msgstr "" -#: include/nav.php:127 include/text.php:1021 -msgid "Tags" +#: mod/cal.php:281 mod/events.php:427 src/Model/Event.php:461 +#: src/Util/Temporal.php:330 +msgid "month" +msgstr "месец." + +#: mod/cal.php:282 mod/events.php:428 src/Model/Event.php:462 +#: src/Util/Temporal.php:331 +msgid "week" +msgstr "седмица" + +#: mod/cal.php:283 mod/events.php:429 src/Model/Event.php:463 +#: src/Util/Temporal.php:332 +msgid "day" +msgstr "Ден:" + +#: mod/cal.php:284 mod/events.php:430 +msgid "list" msgstr "" -#: include/nav.php:128 include/nav.php:192 include/identity.php:783 -#: include/identity.php:786 include/text.php:1022 mod/contacts.php:792 -#: mod/contacts.php:853 mod/viewcontacts.php:116 view/theme/frio/theme.php:260 -msgid "Contacts" -msgstr "Контакти " - -#: include/nav.php:143 include/nav.php:145 mod/community.php:36 -msgid "Community" -msgstr "Общност" - -#: include/nav.php:143 -msgid "Conversations on this site" -msgstr "Разговори на този сайт" - -#: include/nav.php:145 -msgid "Conversations on the network" +#: mod/cal.php:297 src/Console/User.php:152 src/Console/User.php:250 +#: src/Console/User.php:283 src/Console/User.php:309 src/Model/User.php:607 +#: src/Module/Admin/Users/Active.php:73 src/Module/Admin/Users/Blocked.php:74 +#: src/Module/Admin/Users/Index.php:80 src/Module/Admin/Users/Pending.php:71 +#: src/Module/Api/Twitter/ContactEndpoint.php:73 +msgid "User not found" msgstr "" -#: include/nav.php:149 include/identity.php:753 include/identity.php:764 -#: view/theme/frio/theme.php:257 -msgid "Events and Calendar" -msgstr "Събития и календарни" - -#: include/nav.php:152 -msgid "Directory" -msgstr "директория" - -#: include/nav.php:152 -msgid "People directory" -msgstr "Хората директория" - -#: include/nav.php:154 -msgid "Information" +#: mod/cal.php:306 +msgid "This calendar format is not supported" msgstr "" -#: include/nav.php:154 -msgid "Information about this friendica instance" +#: mod/cal.php:308 +msgid "No exportable data found" msgstr "" -#: include/nav.php:158 include/NotificationsManager.php:160 mod/admin.php:411 -#: view/theme/frio/theme.php:256 -msgid "Network" -msgstr "Мрежа" - -#: include/nav.php:158 view/theme/frio/theme.php:256 -msgid "Conversations from your friends" -msgstr "Разговори от вашите приятели" - -#: include/nav.php:159 -msgid "Network Reset" +#: mod/cal.php:325 +msgid "calendar" msgstr "" -#: include/nav.php:159 -msgid "Load Network page with no filters" +#: mod/dfrn_confirm.php:85 src/Module/Profile/Profile.php:82 +msgid "Profile not found." +msgstr "Профил не е намерен." + +#: mod/dfrn_confirm.php:140 mod/redir.php:56 mod/redir.php:157 +#: src/Module/Contact/Advanced.php:53 src/Module/Contact/Advanced.php:104 +#: src/Module/Contact/Contacts.php:36 src/Module/FriendSuggest.php:54 +#: src/Module/FriendSuggest.php:93 src/Module/Group.php:105 +msgid "Contact not found." +msgstr "Контактът не е намерен." + +#: mod/dfrn_confirm.php:141 +msgid "" +"This may occasionally happen if contact was requested by both persons and it" +" has already been approved." +msgstr "Това понякога може да се случи, ако контакт е поискано от двете лица и вече е одобрен." + +#: mod/dfrn_confirm.php:242 +msgid "Response from remote site was not understood." +msgstr "Отговор от отдалечен сайт не е бил разбран." + +#: mod/dfrn_confirm.php:249 mod/dfrn_confirm.php:255 +msgid "Unexpected response from remote site: " +msgstr "Неочакван отговор от отдалечения сайт: " + +#: mod/dfrn_confirm.php:264 +msgid "Confirmation completed successfully." +msgstr "Потвърждение приключи успешно." + +#: mod/dfrn_confirm.php:276 +msgid "Temporary failure. Please wait and try again." +msgstr "Временен неуспех. Моля изчакайте и опитайте отново." + +#: mod/dfrn_confirm.php:279 +msgid "Introduction failed or was revoked." +msgstr "Въведение не успя или е анулиран." + +#: mod/dfrn_confirm.php:284 +msgid "Remote site reported: " +msgstr "Отдалеченият сайт докладвани: " + +#: mod/dfrn_confirm.php:389 +#, php-format +msgid "No user record found for '%s' " +msgstr "Нито един потребител не запис за ' %s" + +#: mod/dfrn_confirm.php:399 +msgid "Our site encryption key is apparently messed up." +msgstr "Основният ни сайт криптиране е очевидно побъркани." + +#: mod/dfrn_confirm.php:410 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "Празен сайт URL е предоставена или URL не може да бъде разшифрован от нас." + +#: mod/dfrn_confirm.php:426 +msgid "Contact record was not found for you on our site." +msgstr "Контакт с запис не е намерен за вас на нашия сайт." + +#: mod/dfrn_confirm.php:440 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "Site публичния ключ не е наличен в контакт рекорд за %s URL ." + +#: mod/dfrn_confirm.php:456 +msgid "" +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "ID, предоставена от вашата система, е дубликат на нашата система. Той трябва да работи, ако се опитате отново." + +#: mod/dfrn_confirm.php:467 +msgid "Unable to set your contact credentials on our system." +msgstr "Не може да се установи контакт с вас пълномощията на нашата система." + +#: mod/dfrn_confirm.php:523 +msgid "Unable to update your contact profile details on our system" +msgstr "Не може да актуализирате вашите данни за контакт на профил в нашата система" + +#: mod/dfrn_poll.php:135 mod/dfrn_poll.php:506 +#, php-format +msgid "%1$s welcomes %2$s" msgstr "" -#: include/nav.php:166 include/NotificationsManager.php:181 -msgid "Introductions" -msgstr "Представяне" +#: mod/dfrn_request.php:114 +msgid "This introduction has already been accepted." +msgstr "Това въведение е вече е приета." -#: include/nav.php:166 -msgid "Friend Requests" -msgstr "Молби за приятелство" +#: mod/dfrn_request.php:132 mod/dfrn_request.php:370 +msgid "Profile location is not valid or does not contain profile information." +msgstr "Профил местоположение не е валиден или не съдържа информация на профила." -#: include/nav.php:169 mod/notifications.php:96 -msgid "Notifications" -msgstr "Уведомления " +#: mod/dfrn_request.php:136 mod/dfrn_request.php:374 +msgid "Warning: profile location has no identifiable owner name." +msgstr "Внимание: профила място има няма установен име на собственика." -#: include/nav.php:170 -msgid "See all notifications" -msgstr "Вижте всички нотификации" +#: mod/dfrn_request.php:139 mod/dfrn_request.php:377 +msgid "Warning: profile location has no profile photo." +msgstr "Внимание: профила местоположение не е снимката на профила." -#: include/nav.php:171 mod/settings.php:902 -msgid "Mark as seen" -msgstr "Марк, както се вижда" +#: mod/dfrn_request.php:143 mod/dfrn_request.php:381 +#, 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] "" -#: include/nav.php:171 -msgid "Mark all system notifications seen" -msgstr "Марк виждали уведомления всички системни" +#: mod/dfrn_request.php:181 +msgid "Introduction complete." +msgstr "Въведение завърши." -#: include/nav.php:175 mod/message.php:190 view/theme/frio/theme.php:258 -msgid "Messages" -msgstr "Съобщения" +#: mod/dfrn_request.php:217 +msgid "Unrecoverable protocol error." +msgstr "Невъзстановима протокол грешка." -#: include/nav.php:175 view/theme/frio/theme.php:258 -msgid "Private mail" -msgstr "Частна поща" +#: mod/dfrn_request.php:244 src/Module/RemoteFollow.php:54 +msgid "Profile unavailable." +msgstr "Профил недостъпни." -#: include/nav.php:176 -msgid "Inbox" -msgstr "Вх. поща" +#: mod/dfrn_request.php:265 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s е получил твърде много заявки за свързване днес." -#: include/nav.php:177 -msgid "Outbox" -msgstr "Изходящи" +#: mod/dfrn_request.php:266 +msgid "Spam protection measures have been invoked." +msgstr "Мерките за защита срещу спам да бъдат изтъкнати." -#: include/nav.php:178 mod/message.php:16 +#: mod/dfrn_request.php:267 +msgid "Friends are advised to please try again in 24 hours." +msgstr "Приятели се препоръчва да се моля опитайте отново в рамките на 24 часа." + +#: mod/dfrn_request.php:291 src/Module/RemoteFollow.php:60 +msgid "Invalid locator" +msgstr "Невалиден локатор" + +#: mod/dfrn_request.php:327 +msgid "You have already introduced yourself here." +msgstr "Вие вече се въведе тук." + +#: mod/dfrn_request.php:330 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "Явно вече сте приятели с %s ." + +#: mod/dfrn_request.php:350 +msgid "Invalid profile URL." +msgstr "Невалиден URL адрес на профила." + +#: mod/dfrn_request.php:356 src/Model/Contact.php:2136 +msgid "Disallowed profile URL." +msgstr "Отхвърлен профила URL." + +#: mod/dfrn_request.php:362 src/Model/Contact.php:2141 +#: src/Module/Friendica.php:80 +msgid "Blocked domain" +msgstr "" + +#: mod/dfrn_request.php:429 src/Module/Contact.php:157 +msgid "Failed to update contact record." +msgstr "Неуспех да се актуализира рекорд за контакт." + +#: mod/dfrn_request.php:449 +msgid "Your introduction has been sent." +msgstr "Вашият въвеждането е било изпратено." + +#: mod/dfrn_request.php:481 src/Module/RemoteFollow.php:72 +msgid "" +"Remote subscription can't be done for your network. Please subscribe " +"directly on your system." +msgstr "" + +#: mod/dfrn_request.php:497 +msgid "Please login to confirm introduction." +msgstr "Моля, влезте, за да потвърди въвеждането." + +#: mod/dfrn_request.php:505 +msgid "" +"Incorrect identity currently logged in. Please login to " +"this profile." +msgstr "Неправилно идентичност, който в момента е логнат. Моля, влезте с потребителско име и парола на този профил ." + +#: mod/dfrn_request.php:519 mod/dfrn_request.php:534 +msgid "Confirm" +msgstr "Потвърждаване" + +#: mod/dfrn_request.php:530 +msgid "Hide this contact" +msgstr "Скриване на този контакт" + +#: mod/dfrn_request.php:532 +#, php-format +msgid "Welcome home %s." +msgstr "Добре дошли у дома %s ." + +#: mod/dfrn_request.php:533 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "Моля, потвърдете, въвеждане / заявката за свързване към %s ." + +#: mod/dfrn_request.php:601 mod/display.php:180 mod/photos.php:836 +#: mod/videos.php:129 src/Module/Conversation/Community.php:188 +#: src/Module/Debug/Probe.php:39 src/Module/Debug/WebFinger.php:38 +#: src/Module/Directory.php:49 src/Module/Search/Index.php:51 +#: src/Module/Search/Index.php:56 +msgid "Public access denied." +msgstr "Публичен достъп отказан." + +#: mod/dfrn_request.php:637 src/Module/RemoteFollow.php:104 +msgid "Friend/Connection Request" +msgstr "Приятел / заявка за връзка" + +#: mod/dfrn_request.php:638 +#, php-format +msgid "" +"Enter your Webfinger address (user@domain.tld) or profile URL here. If this " +"isn't supported by your system (for example it doesn't work with Diaspora), " +"you have to subscribe to %s directly on your system" +msgstr "" + +#: mod/dfrn_request.php:639 src/Module/RemoteFollow.php:106 +#, php-format +msgid "" +"If you are not yet a member of the free social web, follow " +"this link to find a public Friendica node and join us today." +msgstr "" + +#: mod/dfrn_request.php:640 src/Module/RemoteFollow.php:107 +msgid "Your Webfinger address or profile URL:" +msgstr "" + +#: mod/dfrn_request.php:641 mod/follow.php:147 src/Module/RemoteFollow.php:108 +msgid "Please answer the following:" +msgstr "Моля отговорете на следните:" + +#: mod/dfrn_request.php:642 mod/follow.php:74 mod/unfollow.php:99 +#: src/Module/RemoteFollow.php:109 +msgid "Submit Request" +msgstr "Изпращане на заявката" + +#: mod/dfrn_request.php:649 mod/follow.php:161 +#, php-format +msgid "%s knows you" +msgstr "" + +#: mod/dfrn_request.php:650 mod/follow.php:162 +msgid "Add a personal note:" +msgstr "Добавяне на лична бележка:" + +#: mod/display.php:239 mod/display.php:323 +msgid "The requested item doesn't exist or has been deleted." +msgstr "" + +#: mod/display.php:403 +msgid "The feed for this item is unavailable." +msgstr "" + +#: mod/editpost.php:44 mod/editpost.php:54 +msgid "Item not found" +msgstr "Елемент не е намерена" + +#: mod/editpost.php:61 +msgid "Edit post" +msgstr "Редактиране на мнение" + +#: mod/editpost.php:88 mod/notes.php:63 src/Content/Text/HTML.php:881 +#: src/Module/Filer/SaveTag.php:70 +msgid "Save" +msgstr "Запази" + +#: mod/editpost.php:94 mod/message.php:204 mod/message.php:373 +#: mod/wallmessage.php:154 +msgid "Insert web link" +msgstr "Вмъкване на връзка в Мрежата" + +#: mod/editpost.php:95 +msgid "web link" +msgstr "Уеб-линк" + +#: mod/editpost.php:96 +msgid "Insert video link" +msgstr "Поставете линка на видео" + +#: mod/editpost.php:97 +msgid "video link" +msgstr "видео връзка" + +#: mod/editpost.php:98 +msgid "Insert audio link" +msgstr "Поставете аудио връзка" + +#: mod/editpost.php:99 +msgid "audio link" +msgstr "аудио връзка" + +#: mod/editpost.php:113 src/Core/ACL.php:312 +msgid "CC: email addresses" +msgstr "CC: имейл адреси" + +#: mod/editpost.php:120 src/Core/ACL.php:313 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Пример: bob@example.com, mary@example.com" + +#: mod/events.php:138 mod/events.php:140 +msgid "Event can not end before it has started." +msgstr "" + +#: mod/events.php:147 mod/events.php:149 +msgid "Event title and start time are required." +msgstr "" + +#: mod/events.php:419 +msgid "Create New Event" +msgstr "Създаване на нов събитие" + +#: mod/events.php:531 +msgid "Event details" +msgstr "Подробности за събитието" + +#: mod/events.php:532 +msgid "Starting date and Title are required." +msgstr "" + +#: mod/events.php:533 mod/events.php:538 +msgid "Event Starts:" +msgstr "Събитие Започва:" + +#: mod/events.php:533 mod/events.php:565 +#: src/Module/Admin/Blocklist/Server.php:79 +#: src/Module/Admin/Blocklist/Server.php:80 +#: src/Module/Admin/Blocklist/Server.php:99 +#: src/Module/Admin/Blocklist/Server.php:100 +#: src/Module/Admin/Item/Delete.php:70 src/Module/Debug/Probe.php:57 +#: src/Module/Install.php:189 src/Module/Install.php:222 +#: src/Module/Install.php:227 src/Module/Install.php:246 +#: src/Module/Install.php:257 src/Module/Install.php:262 +#: src/Module/Install.php:268 src/Module/Install.php:273 +#: src/Module/Install.php:287 src/Module/Install.php:302 +#: src/Module/Install.php:329 src/Module/Register.php:135 +#: src/Module/Security/TwoFactor/Verify.php:85 +#: src/Module/Settings/TwoFactor/Index.php:128 +#: src/Module/Settings/TwoFactor/Verify.php:141 +msgid "Required" +msgstr "Задължително" + +#: mod/events.php:546 mod/events.php:571 +msgid "Finish date/time is not known or not relevant" +msgstr "Завършете дата / час не е известен или не е приложимо" + +#: mod/events.php:548 mod/events.php:553 +msgid "Event Finishes:" +msgstr "Събитие играчи:" + +#: mod/events.php:559 mod/events.php:572 +msgid "Adjust for viewer timezone" +msgstr "Настрои зрителя часовата зона" + +#: mod/events.php:561 src/Module/Profile/Profile.php:172 +#: src/Module/Settings/Profile/Index.php:253 +msgid "Description:" +msgstr "Описание:" + +#: mod/events.php:563 src/Model/Event.php:84 src/Model/Event.php:111 +#: src/Model/Event.php:469 src/Model/Event.php:954 src/Model/Profile.php:358 +#: src/Module/Contact.php:646 src/Module/Directory.php:156 +#: src/Module/Notifications/Introductions.php:172 +#: src/Module/Profile/Profile.php:190 +msgid "Location:" +msgstr "Място:" + +#: mod/events.php:565 mod/events.php:567 +msgid "Title:" +msgstr "Заглавие:" + +#: mod/events.php:568 mod/events.php:569 +msgid "Share this event" +msgstr "Споделете това събитие" + +#: mod/events.php:575 mod/message.php:206 mod/message.php:374 +#: mod/photos.php:951 mod/photos.php:1054 mod/photos.php:1339 +#: mod/photos.php:1380 mod/photos.php:1437 mod/photos.php:1510 +#: src/Module/Contact/Advanced.php:132 src/Module/Contact/Poke.php:155 +#: src/Module/Contact.php:604 src/Module/Debug/Localtime.php:64 +#: src/Module/Delegation.php:152 src/Module/FriendSuggest.php:129 +#: src/Module/Install.php:234 src/Module/Install.php:276 +#: src/Module/Install.php:313 src/Module/Invite.php:175 +#: src/Module/Item/Compose.php:144 src/Module/Profile/Profile.php:242 +#: src/Module/Settings/Profile/Index.php:237 src/Object/Post.php:962 +#: view/theme/duepuntozero/config.php:69 view/theme/frio/config.php:160 +#: view/theme/quattro/config.php:71 view/theme/vier/config.php:119 +msgid "Submit" +msgstr "Изпращане" + +#: mod/events.php:576 src/Module/Profile/Profile.php:243 +msgid "Basic" +msgstr "" + +#: mod/events.php:577 src/Module/Admin/Site.php:587 src/Module/Contact.php:953 +#: src/Module/Profile/Profile.php:244 +msgid "Advanced" +msgstr "Напреднал" + +#: mod/events.php:594 +msgid "Failed to remove event" +msgstr "" + +#: mod/fbrowser.php:43 src/Content/Nav.php:179 src/Module/BaseProfile.php:68 +#: view/theme/frio/theme.php:227 +msgid "Photos" +msgstr "Снимки" + +#: mod/fbrowser.php:107 mod/fbrowser.php:136 +#: src/Module/Settings/Profile/Photo/Index.php:130 +msgid "Upload" +msgstr "Качете в Мрежата " + +#: mod/fbrowser.php:131 +msgid "Files" +msgstr "Файлове" + +#: mod/follow.php:84 +msgid "You already added this contact." +msgstr "" + +#: mod/follow.php:100 +msgid "The network type couldn't be detected. Contact can't be added." +msgstr "" + +#: mod/follow.php:108 +msgid "Diaspora support isn't enabled. Contact can't be added." +msgstr "" + +#: mod/follow.php:113 +msgid "OStatus support is disabled. Contact can't be added." +msgstr "" + +#: mod/follow.php:148 mod/unfollow.php:97 +msgid "Your Identity Address:" +msgstr "Адрес на вашата самоличност:" + +#: mod/follow.php:149 mod/unfollow.php:103 +#: src/Module/Admin/Blocklist/Contact.php:100 src/Module/Contact.php:642 +#: src/Module/Notifications/Introductions.php:108 +#: src/Module/Notifications/Introductions.php:183 +msgid "Profile URL" +msgstr "" + +#: mod/follow.php:150 src/Module/Contact.php:652 +#: src/Module/Notifications/Introductions.php:176 +#: src/Module/Profile/Profile.php:202 +msgid "Tags:" +msgstr "Маркери:" + +#: mod/follow.php:171 mod/unfollow.php:113 src/Module/BaseProfile.php:63 +#: src/Module/Contact.php:931 +msgid "Status Messages and Posts" +msgstr "Съобщения за състоянието и пощи" + +#: mod/follow.php:203 +msgid "The contact could not be added." +msgstr "" + +#: mod/item.php:134 mod/item.php:138 +msgid "Unable to locate original post." +msgstr "Не може да се намери оригиналната публикация." + +#: mod/item.php:333 mod/item.php:338 +msgid "Empty post discarded." +msgstr "Empty мнение изхвърли." + +#: mod/item.php:700 +msgid "Post updated." +msgstr "" + +#: mod/item.php:717 mod/item.php:722 +msgid "Item wasn't stored." +msgstr "" + +#: mod/item.php:733 +msgid "Item couldn't be fetched." +msgstr "" + +#: mod/item.php:857 +#, php-format +msgid "Blocked on item with guid %s" +msgstr "" + +#: mod/item.php:884 src/Module/Admin/Themes/Details.php:39 +#: src/Module/Admin/Themes/Index.php:59 src/Module/Debug/ItemBody.php:47 +#: src/Module/Debug/ItemBody.php:60 +msgid "Item not found." +msgstr "Елемент не е намерен." + +#: mod/lostpass.php:40 +msgid "No valid account found." +msgstr "Не е валиден акаунт." + +#: mod/lostpass.php:52 +msgid "Password reset request issued. Check your email." +msgstr ", Издадено искане за възстановяване на паролата. Проверете Вашата електронна поща." + +#: mod/lostpass.php:58 +#, php-format +msgid "" +"\n" +"\t\tDear %1$s,\n" +"\t\t\tA request was recently received at \"%2$s\" to reset your account\n" +"\t\tpassword. In order to confirm this request, please select the verification link\n" +"\t\tbelow or paste it into your web browser address bar.\n" +"\n" +"\t\tIf you did NOT request this change, please DO NOT follow the link\n" +"\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n" +"\n" +"\t\tYour password will not be changed unless we can verify that you\n" +"\t\tissued this request." +msgstr "" + +#: mod/lostpass.php:69 +#, php-format +msgid "" +"\n" +"\t\tFollow this link soon to verify your identity:\n" +"\n" +"\t\t%1$s\n" +"\n" +"\t\tYou will then receive a follow-up message containing the new password.\n" +"\t\tYou may change that password from your account settings page after logging in.\n" +"\n" +"\t\tThe login details are as follows:\n" +"\n" +"\t\tSite Location:\t%2$s\n" +"\t\tLogin Name:\t%3$s" +msgstr "" + +#: mod/lostpass.php:84 +#, php-format +msgid "Password reset requested at %s" +msgstr "Исканото за нулиране на паролата на %s" + +#: mod/lostpass.php:100 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "Искането не може да бъде проверена. (Може да се преди това са го внесе.) За нулиране на паролата не успя." + +#: mod/lostpass.php:113 +msgid "Request has expired, please make a new one." +msgstr "" + +#: mod/lostpass.php:128 +msgid "Forgot your Password?" +msgstr "Забравена парола?" + +#: mod/lostpass.php:129 +msgid "" +"Enter your email address and submit to have your password reset. Then check " +"your email for further instructions." +msgstr "Въведете вашия имейл адрес и представя си за нулиране на паролата. След това проверявате електронната си поща за по-нататъшни инструкции." + +#: mod/lostpass.php:130 src/Module/Security/Login.php:144 +msgid "Nickname or Email: " +msgstr "Псевдоним или имейл адрес: " + +#: mod/lostpass.php:131 +msgid "Reset" +msgstr "Нулиране" + +#: mod/lostpass.php:146 src/Module/Security/Login.php:156 +msgid "Password Reset" +msgstr "Смяна на паролата" + +#: mod/lostpass.php:147 +msgid "Your password has been reset as requested." +msgstr "Вашата парола е променена, както беше поискано." + +#: mod/lostpass.php:148 +msgid "Your new password is" +msgstr "Вашата нова парола е" + +#: mod/lostpass.php:149 +msgid "Save or copy your new password - and then" +msgstr "Запазване или копиране на новата си парола и след това" + +#: mod/lostpass.php:150 +msgid "click here to login" +msgstr "Кликнете тук за Вход" + +#: mod/lostpass.php:151 +msgid "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Вашата парола може да бъде променена от Настройки , След успешен вход." + +#: mod/lostpass.php:155 +msgid "Your password has been reset." +msgstr "" + +#: mod/lostpass.php:158 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tYour password has been changed as requested. Please retain this\n" +"\t\t\tinformation for your records (or change your password immediately to\n" +"\t\t\tsomething that you will remember).\n" +"\t\t" +msgstr "" + +#: mod/lostpass.php:164 +#, php-format +msgid "" +"\n" +"\t\t\tYour login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%1$s\n" +"\t\t\tLogin Name:\t%2$s\n" +"\t\t\tPassword:\t%3$s\n" +"\n" +"\t\t\tYou may change that password from your account settings page after logging in.\n" +"\t\t" +msgstr "" + +#: mod/lostpass.php:176 +#, php-format +msgid "Your password has been changed at %s" +msgstr "" + +#: mod/match.php:62 +msgid "No keywords to match. Please add keywords to your profile." +msgstr "" + +#: mod/match.php:105 src/Content/Pager.php:216 +msgid "first" +msgstr "Първа" + +#: mod/match.php:110 src/Content/Pager.php:276 +msgid "next" +msgstr "следващ" + +#: mod/match.php:120 src/Module/BaseSearch.php:117 +msgid "No matches" +msgstr "Няма съответствия" + +#: mod/match.php:125 +msgid "Profile Match" +msgstr "Профил мач" + +#: mod/message.php:47 mod/message.php:128 src/Content/Nav.php:276 msgid "New Message" msgstr "Ново съобщение" -#: include/nav.php:181 -msgid "Manage" -msgstr "Управление" +#: mod/message.php:84 mod/wallmessage.php:76 +msgid "No recipient selected." +msgstr "Не е избран получател." -#: include/nav.php:181 -msgid "Manage other pages" -msgstr "Управление на други страници" +#: mod/message.php:88 +msgid "Unable to locate contact information." +msgstr "Не може да се намери информация за контакт." -#: include/nav.php:184 mod/settings.php:81 -msgid "Delegations" +#: mod/message.php:91 mod/wallmessage.php:82 +msgid "Message could not be sent." +msgstr "Писмото не може да бъде изпратена." + +#: mod/message.php:94 mod/wallmessage.php:85 +msgid "Message collection failure." +msgstr "Съобщение за събиране на неуспех." + +#: mod/message.php:122 src/Module/Notifications/Introductions.php:114 +#: src/Module/Notifications/Introductions.php:155 +#: src/Module/Notifications/Notification.php:56 +msgid "Discard" +msgstr "Отхвърляне" + +#: mod/message.php:135 src/Content/Nav.php:273 view/theme/frio/theme.php:234 +msgid "Messages" +msgstr "Съобщения" + +#: mod/message.php:148 +msgid "Conversation not found." msgstr "" -#: include/nav.php:184 mod/delegate.php:130 -msgid "Delegate Page Management" -msgstr "Участник, за управление на страница" +#: mod/message.php:153 +msgid "Message was not deleted." +msgstr "" -#: include/nav.php:186 mod/newmember.php:22 mod/settings.php:111 -#: mod/admin.php:1524 mod/admin.php:1782 view/theme/frio/theme.php:259 -msgid "Settings" -msgstr "Настройки" +#: mod/message.php:171 +msgid "Conversation was not removed." +msgstr "" -#: include/nav.php:186 view/theme/frio/theme.php:259 -msgid "Account settings" +#: mod/message.php:185 mod/message.php:298 mod/wallmessage.php:137 +msgid "Please enter a link URL:" +msgstr "Моля, въведете URL адреса за връзка:" + +#: mod/message.php:194 mod/wallmessage.php:142 +msgid "Send Private Message" +msgstr "Изпрати Лично Съобщение" + +#: mod/message.php:195 mod/message.php:364 mod/wallmessage.php:144 +msgid "To:" +msgstr "До:" + +#: mod/message.php:196 mod/message.php:365 mod/wallmessage.php:145 +msgid "Subject:" +msgstr "Относно:" + +#: mod/message.php:200 mod/message.php:368 mod/wallmessage.php:151 +#: src/Module/Invite.php:168 +msgid "Your message:" +msgstr "Ваше съобщение" + +#: mod/message.php:234 +msgid "No messages." +msgstr "Няма съобщения." + +#: mod/message.php:290 +msgid "Message not available." +msgstr "Съобщението не е посочена." + +#: mod/message.php:340 +msgid "Delete message" +msgstr "Изтриване на съобщение" + +#: mod/message.php:342 mod/message.php:469 +msgid "D, d M Y - g:i A" +msgstr "D, D MY - Г: А" + +#: mod/message.php:357 mod/message.php:466 +msgid "Delete conversation" +msgstr "Изтриване на разговор" + +#: mod/message.php:359 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "Няма сигурни комуникации. Можете май да бъде в състояние да отговори от страницата на профила на подателя." + +#: mod/message.php:363 +msgid "Send Reply" +msgstr "Изпратете Отговор" + +#: mod/message.php:445 +#, php-format +msgid "Unknown sender - %s" +msgstr "Непознат подател %s" + +#: mod/message.php:447 +#, php-format +msgid "You and %s" +msgstr "Вие и %s" + +#: mod/message.php:449 +#, php-format +msgid "%s and You" +msgstr "%s" + +#: mod/message.php:472 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "" +msgstr[1] "" + +#: mod/notes.php:51 src/Module/BaseProfile.php:110 +msgid "Personal Notes" +msgstr "Личните бележки" + +#: mod/notes.php:59 +msgid "Personal notes are visible only by yourself." +msgstr "" + +#: mod/ostatus_subscribe.php:35 +msgid "Subscribing to OStatus contacts" +msgstr "" + +#: mod/ostatus_subscribe.php:45 +msgid "No contact provided." +msgstr "" + +#: mod/ostatus_subscribe.php:51 +msgid "Couldn't fetch information for contact." +msgstr "" + +#: mod/ostatus_subscribe.php:61 +msgid "Couldn't fetch friends for contact." +msgstr "" + +#: mod/ostatus_subscribe.php:79 mod/repair_ostatus.php:65 +msgid "Done" +msgstr "" + +#: mod/ostatus_subscribe.php:93 +msgid "success" +msgstr "" + +#: mod/ostatus_subscribe.php:95 +msgid "failed" +msgstr "" + +#: mod/ostatus_subscribe.php:98 src/Object/Post.php:318 +msgid "ignored" +msgstr "" + +#: mod/ostatus_subscribe.php:103 mod/repair_ostatus.php:71 +msgid "Keep this window open until done." +msgstr "" + +#: mod/photos.php:129 src/Module/BaseProfile.php:71 +msgid "Photo Albums" +msgstr "Фотоалбуми" + +#: mod/photos.php:130 mod/photos.php:1636 +msgid "Recent Photos" +msgstr "Последни снимки" + +#: mod/photos.php:132 mod/photos.php:1105 mod/photos.php:1638 +msgid "Upload New Photos" +msgstr "Качване на нови снимки" + +#: mod/photos.php:150 src/Module/BaseSettings.php:37 +msgid "everybody" +msgstr "всички" + +#: mod/photos.php:183 +msgid "Contact information unavailable" +msgstr "Свържете се с информация недостъпна" + +#: mod/photos.php:222 +msgid "Album not found." +msgstr "Албумът не е намерен." + +#: mod/photos.php:280 +msgid "Album successfully deleted" +msgstr "" + +#: mod/photos.php:282 +msgid "Album was empty." +msgstr "" + +#: mod/photos.php:314 +msgid "Failed to delete the photo." +msgstr "" + +#: mod/photos.php:589 +msgid "a photo" +msgstr "" + +#: mod/photos.php:589 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "" + +#: mod/photos.php:672 mod/photos.php:675 mod/photos.php:702 +#: mod/wall_upload.php:174 src/Module/Settings/Profile/Photo/Index.php:61 +#, php-format +msgid "Image exceeds size limit of %s" +msgstr "" + +#: mod/photos.php:678 +msgid "Image upload didn't complete, please try again" +msgstr "" + +#: mod/photos.php:681 +msgid "Image file is missing" +msgstr "" + +#: mod/photos.php:686 +msgid "" +"Server can't accept new file upload at this time, please contact your " +"administrator" +msgstr "" + +#: mod/photos.php:710 +msgid "Image file is empty." +msgstr "Image файл е празен." + +#: mod/photos.php:725 mod/wall_upload.php:188 +#: src/Module/Settings/Profile/Photo/Index.php:70 +msgid "Unable to process image." +msgstr "Не може да се обработи." + +#: mod/photos.php:754 mod/wall_upload.php:227 +#: src/Module/Settings/Profile/Photo/Index.php:97 +msgid "Image upload failed." +msgstr "Image Upload неуспешно." + +#: mod/photos.php:841 +msgid "No photos selected" +msgstr "Няма избрани снимки" + +#: mod/photos.php:907 mod/videos.php:182 +msgid "Access to this item is restricted." +msgstr "Достъп до тази точка е ограничена." + +#: mod/photos.php:961 +msgid "Upload Photos" +msgstr "Качване на снимки" + +#: mod/photos.php:965 mod/photos.php:1050 +msgid "New album name: " +msgstr "Нов албум име: " + +#: mod/photos.php:966 +msgid "or select existing album:" +msgstr "" + +#: mod/photos.php:967 +msgid "Do not show a status post for this upload" +msgstr "Да не се показва след статут за това качване" + +#: mod/photos.php:1033 +msgid "Do you really want to delete this photo album and all its photos?" +msgstr "" + +#: mod/photos.php:1034 mod/photos.php:1055 +msgid "Delete Album" +msgstr "Изтриване на албума" + +#: mod/photos.php:1061 +msgid "Edit Album" +msgstr "Редактиране на албум" + +#: mod/photos.php:1062 +msgid "Drop Album" +msgstr "" + +#: mod/photos.php:1067 +msgid "Show Newest First" +msgstr "" + +#: mod/photos.php:1069 +msgid "Show Oldest First" +msgstr "" + +#: mod/photos.php:1090 mod/photos.php:1621 +msgid "View Photo" +msgstr "Преглед на снимка" + +#: mod/photos.php:1127 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Разрешението е отказано. Достъпът до тази точка може да бъде ограничено." + +#: mod/photos.php:1129 +msgid "Photo not available" +msgstr "Снимката не е" + +#: mod/photos.php:1139 +msgid "Do you really want to delete this photo?" +msgstr "" + +#: mod/photos.php:1140 mod/photos.php:1340 +msgid "Delete Photo" +msgstr "Изтриване на снимка" + +#: mod/photos.php:1231 +msgid "View photo" +msgstr "Преглед на снимка" + +#: mod/photos.php:1233 +msgid "Edit photo" +msgstr "Редактиране на снимка" + +#: mod/photos.php:1234 +msgid "Delete photo" +msgstr "" + +#: mod/photos.php:1235 +msgid "Use as profile photo" +msgstr "Използва се като снимката на профила" + +#: mod/photos.php:1242 +msgid "Private Photo" +msgstr "" + +#: mod/photos.php:1248 +msgid "View Full Size" +msgstr "Изглед в пълен размер" + +#: mod/photos.php:1308 +msgid "Tags: " +msgstr "Маркери: " + +#: mod/photos.php:1311 +msgid "[Select tags to remove]" +msgstr "" + +#: mod/photos.php:1326 +msgid "New album name" +msgstr "Ново име на албум" + +#: mod/photos.php:1327 +msgid "Caption" +msgstr "Надпис" + +#: mod/photos.php:1328 +msgid "Add a Tag" +msgstr "Добавите етикет" + +#: mod/photos.php:1328 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "Пример: @ Боб, @ Barbara_Jensen, jim@example.com @, # Калифорния, къмпинг" + +#: mod/photos.php:1329 +msgid "Do not rotate" +msgstr "" + +#: mod/photos.php:1330 +msgid "Rotate CW (right)" +msgstr "Rotate CW (вдясно)" + +#: mod/photos.php:1331 +msgid "Rotate CCW (left)" +msgstr "Завъртане ККО (вляво)" + +#: mod/photos.php:1377 mod/photos.php:1434 mod/photos.php:1507 +#: src/Module/Contact.php:1096 src/Module/Item/Compose.php:142 +#: src/Object/Post.php:959 +msgid "This is you" +msgstr "Това сте вие" + +#: mod/photos.php:1379 mod/photos.php:1436 mod/photos.php:1509 +#: src/Object/Post.php:499 src/Object/Post.php:961 +msgid "Comment" +msgstr "Коментар" + +#: mod/photos.php:1531 +msgid "Like" +msgstr "" + +#: mod/photos.php:1532 src/Object/Post.php:358 +msgid "I like this (toggle)" +msgstr "Харесва ми това (смяна)" + +#: mod/photos.php:1533 +msgid "Dislike" +msgstr "" + +#: mod/photos.php:1535 src/Object/Post.php:359 +msgid "I don't like this (toggle)" +msgstr "Не ми харесва това (смяна)" + +#: mod/photos.php:1557 +msgid "Map" +msgstr "" + +#: mod/photos.php:1627 mod/videos.php:259 +msgid "View Album" +msgstr "Вижте албуми" + +#: mod/ping.php:285 +msgid "{0} wants to be your friend" +msgstr "{0} иска да бъде твой приятел" + +#: mod/ping.php:302 +msgid "{0} requested registration" +msgstr "{0} исканата регистрация" + +#: mod/ping.php:315 +#, php-format +msgid "{0} and %d others requested registration" +msgstr "" + +#: mod/redir.php:50 mod/redir.php:130 +msgid "Bad Request." +msgstr "" + +#: mod/removeme.php:63 +msgid "User deleted their account" +msgstr "" + +#: mod/removeme.php:64 +msgid "" +"On your Friendica node an user deleted their account. Please ensure that " +"their data is removed from the backups." +msgstr "" + +#: mod/removeme.php:65 +#, php-format +msgid "The user id is %d" +msgstr "" + +#: mod/removeme.php:99 mod/removeme.php:102 +msgid "Remove My Account" +msgstr "Извадете Моят профил" + +#: mod/removeme.php:100 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "Това ще премахне изцяло сметката си. След като това е направено, не е възстановим." + +#: mod/removeme.php:101 +msgid "Please enter your password for verification:" +msgstr "Моля, въведете паролата си за проверка:" + +#: mod/repair_ostatus.php:36 +msgid "Resubscribing to OStatus contacts" +msgstr "" + +#: mod/repair_ostatus.php:50 src/Module/Debug/ActivityPubConversion.php:130 +#: src/Module/Debug/Babel.php:293 src/Module/Security/TwoFactor/Verify.php:82 +msgid "Error" +msgid_plural "Errors" +msgstr[0] "" +msgstr[1] "" + +#: mod/settings.php:90 +msgid "Missing some important data!" +msgstr "Липсват някои важни данни!" + +#: mod/settings.php:92 mod/settings.php:529 src/Module/Contact.php:882 +msgid "Update" +msgstr "Актуализиране" + +#: mod/settings.php:200 +msgid "Failed to connect with email account using the settings provided." +msgstr "Неуспех да се свърже с имейл акаунт, като използвате предоставените настройки." + +#: mod/settings.php:229 +msgid "Contact CSV file upload error" +msgstr "" + +#: mod/settings.php:246 +msgid "Importing Contacts done" +msgstr "" + +#: mod/settings.php:259 +msgid "Relocate message has been send to your contacts" +msgstr "" + +#: mod/settings.php:271 +msgid "Passwords do not match." +msgstr "" + +#: mod/settings.php:279 src/Console/User.php:166 +msgid "Password update failed. Please try again." +msgstr "Парола актуализация се провали. Моля, опитайте отново." + +#: mod/settings.php:282 src/Console/User.php:169 +msgid "Password changed." +msgstr "Парола промени." + +#: mod/settings.php:285 +msgid "Password unchanged." +msgstr "" + +#: mod/settings.php:368 +msgid "Please use a shorter name." +msgstr "" + +#: mod/settings.php:371 +msgid "Name too short." +msgstr "" + +#: mod/settings.php:378 +msgid "Wrong Password." +msgstr "" + +#: mod/settings.php:383 +msgid "Invalid email." +msgstr "" + +#: mod/settings.php:389 +msgid "Cannot change to that email." +msgstr "" + +#: mod/settings.php:426 +msgid "Private forum has no privacy permissions. Using default privacy group." +msgstr "Частен форум няма разрешения за неприкосновеността на личния живот. Използване подразбиране поверителност група." + +#: mod/settings.php:429 +msgid "Private forum has no privacy permissions and no default privacy group." +msgstr "Частен форум няма разрешения за неприкосновеността на личния живот и никоя група по подразбиране неприкосновеността на личния живот." + +#: mod/settings.php:446 +msgid "Settings were not updated." +msgstr "" + +#: mod/settings.php:502 mod/settings.php:528 mod/settings.php:562 +msgid "Add application" +msgstr "Добави приложение" + +#: mod/settings.php:503 mod/settings.php:610 mod/settings.php:708 +#: mod/settings.php:843 src/Module/Admin/Addons/Index.php:69 +#: src/Module/Admin/Features.php:87 src/Module/Admin/Logs/Settings.php:82 +#: src/Module/Admin/Site.php:582 src/Module/Admin/Themes/Index.php:113 +#: src/Module/Admin/Tos.php:66 src/Module/Settings/Delegation.php:170 +#: src/Module/Settings/Display.php:189 +msgid "Save Settings" +msgstr "" + +#: mod/settings.php:505 mod/settings.php:531 +#: src/Module/Admin/Blocklist/Contact.php:90 +#: src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 src/Module/Admin/Users/Create.php:71 +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:142 +#: src/Module/Admin/Users/Index.php:162 src/Module/Admin/Users/Pending.php:104 +#: src/Module/Contact/Advanced.php:134 +msgid "Name" +msgstr "Име" + +#: mod/settings.php:506 mod/settings.php:532 +msgid "Consumer Key" +msgstr "Ключ на консуматора:" + +#: mod/settings.php:507 mod/settings.php:533 +msgid "Consumer Secret" +msgstr "Тайна стойност на консуматора:" + +#: mod/settings.php:508 mod/settings.php:534 +msgid "Redirect" +msgstr "Пренасочвания:" + +#: mod/settings.php:509 mod/settings.php:535 +msgid "Icon url" +msgstr "Икона URL" + +#: mod/settings.php:520 +msgid "You can't edit this application." +msgstr "Вие не можете да редактирате тази кандидатура." + +#: mod/settings.php:561 +msgid "Connected Apps" +msgstr "Свързани Apps" + +#: mod/settings.php:563 src/Object/Post.php:192 src/Object/Post.php:194 +msgid "Edit" +msgstr "Редактиране" + +#: mod/settings.php:565 +msgid "Client key starts with" +msgstr "Ключ на клиента започва с" + +#: mod/settings.php:566 +msgid "No name" +msgstr "Без име" + +#: mod/settings.php:567 +msgid "Remove authorization" +msgstr "Премахване на разрешение" + +#: mod/settings.php:578 +msgid "No Addon settings configured" +msgstr "" + +#: mod/settings.php:587 +msgid "Addon Settings" +msgstr "" + +#: mod/settings.php:608 +msgid "Additional Features" +msgstr "Допълнителни възможности" + +#: mod/settings.php:633 +msgid "Diaspora (Socialhome, Hubzilla)" +msgstr "" + +#: mod/settings.php:633 mod/settings.php:634 +msgid "enabled" +msgstr "разрешен" + +#: mod/settings.php:633 mod/settings.php:634 +msgid "disabled" +msgstr "забранен" + +#: mod/settings.php:633 mod/settings.php:634 +#, php-format +msgid "Built-in support for %s connectivity is %s" +msgstr "Вградена поддръжка за връзка от %s %s" + +#: mod/settings.php:634 +msgid "OStatus (GNU Social)" +msgstr "" + +#: mod/settings.php:665 +msgid "Email access is disabled on this site." +msgstr "Достъп до електронна поща е забранен на този сайт." + +#: mod/settings.php:670 mod/settings.php:706 +msgid "None" +msgstr "Няма " + +#: mod/settings.php:676 src/Module/BaseSettings.php:80 +msgid "Social Networks" +msgstr "" + +#: mod/settings.php:681 +msgid "General Social Media Settings" +msgstr "" + +#: mod/settings.php:682 +msgid "Accept only top level posts by contacts you follow" +msgstr "" + +#: mod/settings.php:682 +msgid "" +"The system does an auto completion of threads when a comment arrives. This " +"has got the side effect that you can receive posts that had been started by " +"a non-follower but had been commented by someone you follow. This setting " +"deactivates this behaviour. When activated, you strictly only will receive " +"posts from people you really do follow." +msgstr "" + +#: mod/settings.php:683 +msgid "Disable Content Warning" +msgstr "" + +#: mod/settings.php:683 +msgid "" +"Users on networks like Mastodon or Pleroma are able to set a content warning" +" field which collapse their post by default. This disables the automatic " +"collapsing and sets the content warning as the post title. Doesn't affect " +"any other content filtering you eventually set up." +msgstr "" + +#: mod/settings.php:684 +msgid "Disable intelligent shortening" +msgstr "" + +#: mod/settings.php:684 +msgid "" +"Normally the system tries to find the best link to add to shortened posts. " +"If this option is enabled then every shortened post will always point to the" +" original friendica post." +msgstr "" + +#: mod/settings.php:685 +msgid "Attach the link title" +msgstr "" + +#: mod/settings.php:685 +msgid "" +"When activated, the title of the attached link will be added as a title on " +"posts to Diaspora. This is mostly helpful with \"remote-self\" contacts that" +" share feed content." +msgstr "" + +#: mod/settings.php:686 +msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" +msgstr "" + +#: mod/settings.php:686 +msgid "" +"If you receive a message from an unknown OStatus user, this option decides " +"what to do. If it is checked, a new contact will be created for every " +"unknown user." +msgstr "" + +#: mod/settings.php:687 +msgid "Default group for OStatus contacts" +msgstr "" + +#: mod/settings.php:688 +msgid "Your legacy GNU Social account" +msgstr "" + +#: mod/settings.php:688 +msgid "" +"If you enter your old GNU Social/Statusnet account name here (in the format " +"user@domain.tld), your contacts will be added automatically. The field will " +"be emptied when done." +msgstr "" + +#: mod/settings.php:691 +msgid "Repair OStatus subscriptions" +msgstr "" + +#: mod/settings.php:695 +msgid "Email/Mailbox Setup" +msgstr "Email / Mailbox Setup" + +#: mod/settings.php:696 +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:697 +msgid "Last successful email check:" +msgstr "Последна успешна проверка на електронната поща:" + +#: mod/settings.php:699 +msgid "IMAP server name:" +msgstr "Име на IMAP сървъра:" + +#: mod/settings.php:700 +msgid "IMAP port:" +msgstr "IMAP порта:" + +#: mod/settings.php:701 +msgid "Security:" +msgstr "Сигурност" + +#: mod/settings.php:702 +msgid "Email login name:" +msgstr "Email потребителско име:" + +#: mod/settings.php:703 +msgid "Email password:" +msgstr "Email парола:" + +#: mod/settings.php:704 +msgid "Reply-to address:" +msgstr "Адрес за отговор:" + +#: mod/settings.php:705 +msgid "Send public posts to all email contacts:" +msgstr "Изпратете публични длъжности за всички имейл контакти:" + +#: mod/settings.php:706 +msgid "Action after import:" +msgstr "Действия след вноса:" + +#: mod/settings.php:706 src/Content/Nav.php:270 +msgid "Mark as seen" +msgstr "Марк, както се вижда" + +#: mod/settings.php:706 +msgid "Move to folder" +msgstr "Премества избраното в папка" + +#: mod/settings.php:707 +msgid "Move to folder:" +msgstr "Премества избраното в папка" + +#: mod/settings.php:721 +msgid "Unable to find your profile. Please contact your admin." +msgstr "" + +#: mod/settings.php:757 src/Content/Widget.php:529 +msgid "Account Types" +msgstr "" + +#: mod/settings.php:758 +msgid "Personal Page Subtypes" +msgstr "" + +#: mod/settings.php:759 +msgid "Community Forum Subtypes" +msgstr "" + +#: mod/settings.php:766 src/Module/Admin/BaseUsers.php:106 +msgid "Personal Page" +msgstr "" + +#: mod/settings.php:767 +msgid "Account for a personal profile." +msgstr "" + +#: mod/settings.php:770 src/Module/Admin/BaseUsers.php:107 +msgid "Organisation Page" +msgstr "" + +#: mod/settings.php:771 +msgid "" +"Account for an organisation that automatically approves contact requests as " +"\"Followers\"." +msgstr "" + +#: mod/settings.php:774 src/Module/Admin/BaseUsers.php:108 +msgid "News Page" +msgstr "" + +#: mod/settings.php:775 +msgid "" +"Account for a news reflector that automatically approves contact requests as" +" \"Followers\"." +msgstr "" + +#: mod/settings.php:778 src/Module/Admin/BaseUsers.php:109 +msgid "Community Forum" +msgstr "" + +#: mod/settings.php:779 +msgid "Account for community discussions." +msgstr "" + +#: mod/settings.php:782 src/Module/Admin/BaseUsers.php:99 +msgid "Normal Account Page" +msgstr "Нормално страницата с профила" + +#: mod/settings.php:783 +msgid "" +"Account for a regular personal profile that requires manual approval of " +"\"Friends\" and \"Followers\"." +msgstr "" + +#: mod/settings.php:786 src/Module/Admin/BaseUsers.php:100 +msgid "Soapbox Page" +msgstr "Импровизирана трибуна Page" + +#: mod/settings.php:787 +msgid "" +"Account for a public profile that automatically approves contact requests as" +" \"Followers\"." +msgstr "" + +#: mod/settings.php:790 src/Module/Admin/BaseUsers.php:101 +msgid "Public Forum" +msgstr "" + +#: mod/settings.php:791 +msgid "Automatically approves all contact requests." +msgstr "" + +#: mod/settings.php:794 src/Module/Admin/BaseUsers.php:102 +msgid "Automatic Friend Page" +msgstr "Автоматично приятел Page" + +#: mod/settings.php:795 +msgid "" +"Account for a popular profile that automatically approves contact requests " +"as \"Friends\"." +msgstr "" + +#: mod/settings.php:798 +msgid "Private Forum [Experimental]" +msgstr "Частен форум [експериментална]" + +#: mod/settings.php:799 +msgid "Requires manual approval of contact requests." +msgstr "" + +#: mod/settings.php:810 +msgid "OpenID:" +msgstr "OpenID:" + +#: mod/settings.php:810 +msgid "(Optional) Allow this OpenID to login to this account." +msgstr "(По избор) позволяват това OpenID, за да влезете в тази сметка." + +#: mod/settings.php:818 +msgid "Publish your profile in your local site directory?" +msgstr "" + +#: mod/settings.php:818 +#, php-format +msgid "" +"Your profile will be published in this node's local " +"directory. Your profile details may be publicly visible depending on the" +" system settings." +msgstr "" + +#: mod/settings.php:824 +#, php-format +msgid "" +"Your profile will also be published in the global friendica directories " +"(e.g. %s)." +msgstr "" + +#: mod/settings.php:830 +#, php-format +msgid "Your Identity Address is '%s' or '%s'." +msgstr "" + +#: mod/settings.php:841 +msgid "Account Settings" msgstr "Настройки на профила" -#: include/nav.php:189 include/identity.php:282 -msgid "Profiles" -msgstr "Профили " +#: mod/settings.php:849 +msgid "Password Settings" +msgstr "Парола Настройки" -#: include/nav.php:189 -msgid "Manage/Edit Profiles" +#: mod/settings.php:850 src/Module/Register.php:149 +msgid "New Password:" +msgstr "нова парола" + +#: mod/settings.php:850 +msgid "" +"Allowed characters are a-z, A-Z, 0-9 and special characters except white " +"spaces, accentuated letters and colon (:)." msgstr "" -#: include/nav.php:192 view/theme/frio/theme.php:260 -msgid "Manage/edit friends and contacts" -msgstr "Управление / редактиране на приятели и контакти" +#: mod/settings.php:851 src/Module/Register.php:150 +msgid "Confirm:" +msgstr "Потвърждаване..." -#: include/nav.php:197 mod/admin.php:186 -msgid "Admin" -msgstr "admin" +#: mod/settings.php:851 +msgid "Leave password fields blank unless changing" +msgstr "Оставете паролите полета празни, освен ако промяна" -#: include/nav.php:197 -msgid "Site setup and configuration" -msgstr "Настройка и конфигуриране на сайта" +#: mod/settings.php:852 +msgid "Current Password:" +msgstr "Текуща парола:" -#: include/nav.php:200 -msgid "Navigation" -msgstr "Навигация" +#: mod/settings.php:852 +msgid "Your current password to confirm the changes" +msgstr "" -#: include/nav.php:200 -msgid "Site map" -msgstr "Карта на сайта" +#: mod/settings.php:853 +msgid "Password:" +msgstr "Парола" -#: include/photos.php:53 mod/fbrowser.php:41 mod/fbrowser.php:62 -#: mod/photos.php:180 mod/photos.php:1086 mod/photos.php:1211 -#: mod/photos.php:1232 mod/photos.php:1795 mod/photos.php:1807 -msgid "Contact Photos" -msgstr "Свържете снимки" +#: mod/settings.php:853 +msgid "Your current password to confirm the changes of the email address" +msgstr "" -#: include/security.php:22 -msgid "Welcome " -msgstr "Добре дошли " +#: mod/settings.php:856 +msgid "Delete OpenID URL" +msgstr "" -#: include/security.php:23 -msgid "Please upload a profile photo." -msgstr "Моля, да качите снимка профил." +#: mod/settings.php:858 +msgid "Basic Settings" +msgstr "Основни настройки" -#: include/security.php:26 -msgid "Welcome back " -msgstr "Здравейте отново! " +#: mod/settings.php:859 src/Module/Profile/Profile.php:144 +msgid "Full Name:" +msgstr "Собствено и фамилно име" -#: include/security.php:373 +#: mod/settings.php:860 +msgid "Email Address:" +msgstr "Електронна поща:" + +#: mod/settings.php:861 +msgid "Your Timezone:" +msgstr "Вашият Часовата зона:" + +#: mod/settings.php:862 +msgid "Your Language:" +msgstr "" + +#: mod/settings.php:862 +msgid "" +"Set the language we use to show you friendica interface and to send you " +"emails" +msgstr "" + +#: mod/settings.php:863 +msgid "Default Post Location:" +msgstr "Мнение местоположението по подразбиране:" + +#: mod/settings.php:864 +msgid "Use Browser Location:" +msgstr "Използвайте Browser Местоположение:" + +#: mod/settings.php:866 +msgid "Security and Privacy Settings" +msgstr "Сигурност и и лични настройки" + +#: mod/settings.php:868 +msgid "Maximum Friend Requests/Day:" +msgstr "Максимален брой молби за приятелство / ден:" + +#: mod/settings.php:868 mod/settings.php:878 +msgid "(to prevent spam abuse)" +msgstr "(Да се ​​предотврати спама злоупотреба)" + +#: mod/settings.php:870 +msgid "Allow your profile to be searchable globally?" +msgstr "" + +#: mod/settings.php:870 +msgid "" +"Activate this setting if you want others to easily find and follow you. Your" +" profile will be searchable on remote systems. This setting also determines " +"whether Friendica will inform search engines that your profile should be " +"indexed or not." +msgstr "" + +#: mod/settings.php:871 +msgid "Hide your contact/friend list from viewers of your profile?" +msgstr "" + +#: mod/settings.php:871 +msgid "" +"A list of your contacts is displayed on your profile page. Activate this " +"option to disable the display of your contact list." +msgstr "" + +#: mod/settings.php:872 +msgid "Hide your profile details from anonymous viewers?" +msgstr "" + +#: mod/settings.php:872 +msgid "" +"Anonymous visitors will only see your profile picture, your display name and" +" the nickname you are using on your profile page. Your public posts and " +"replies will still be accessible by other means." +msgstr "" + +#: mod/settings.php:873 +msgid "Make public posts unlisted" +msgstr "" + +#: mod/settings.php:873 +msgid "" +"Your public posts will not appear on the community pages or in search " +"results, nor be sent to relay servers. However they can still appear on " +"public feeds on remote servers." +msgstr "" + +#: mod/settings.php:874 +msgid "Make all posted pictures accessible" +msgstr "" + +#: mod/settings.php:874 +msgid "" +"This option makes every posted picture accessible via the direct link. This " +"is a workaround for the problem that most other networks can't handle " +"permissions on pictures. Non public pictures still won't be visible for the " +"public on your photo albums though." +msgstr "" + +#: mod/settings.php:875 +msgid "Allow friends to post to your profile page?" +msgstr "Оставете приятели, които да публикувате в страницата с вашия профил?" + +#: mod/settings.php:875 +msgid "" +"Your contacts may write posts on your profile wall. These posts will be " +"distributed to your contacts" +msgstr "" + +#: mod/settings.php:876 +msgid "Allow friends to tag your posts?" +msgstr "Оставете приятели, за да маркирам собствените си мнения?" + +#: mod/settings.php:876 +msgid "Your contacts can add additional tags to your posts." +msgstr "" + +#: mod/settings.php:877 +msgid "Permit unknown people to send you private mail?" +msgstr "Разрешение непознати хора, за да ви Изпратете лично поща?" + +#: mod/settings.php:877 +msgid "" +"Friendica network users may send you private messages even if they are not " +"in your contact list." +msgstr "" + +#: mod/settings.php:878 +msgid "Maximum private messages per day from unknown people:" +msgstr "Максимални лични съобщения на ден от непознати хора:" + +#: mod/settings.php:880 +msgid "Default Post Permissions" +msgstr "Разрешения по подразбиране и" + +#: mod/settings.php:884 +msgid "Expiration settings" +msgstr "" + +#: mod/settings.php:885 +msgid "Automatically expire posts after this many days:" +msgstr "Автоматично изтича мнения след толкова много дни:" + +#: mod/settings.php:885 +msgid "If empty, posts will not expire. Expired posts will be deleted" +msgstr "Ако е празна, мнението няма да изтече. Изтекли мнения ще бъдат изтрити" + +#: mod/settings.php:886 +msgid "Expire posts" +msgstr "" + +#: mod/settings.php:886 +msgid "When activated, posts and comments will be expired." +msgstr "" + +#: mod/settings.php:887 +msgid "Expire personal notes" +msgstr "" + +#: mod/settings.php:887 +msgid "" +"When activated, the personal notes on your profile page will be expired." +msgstr "" + +#: mod/settings.php:888 +msgid "Expire starred posts" +msgstr "" + +#: mod/settings.php:888 +msgid "" +"Starring posts keeps them from being expired. That behaviour is overwritten " +"by this setting." +msgstr "" + +#: mod/settings.php:889 +msgid "Expire photos" +msgstr "" + +#: mod/settings.php:889 +msgid "When activated, photos will be expired." +msgstr "" + +#: mod/settings.php:890 +msgid "Only expire posts by others" +msgstr "" + +#: mod/settings.php:890 +msgid "" +"When activated, your own posts never expire. Then the settings above are " +"only valid for posts you received." +msgstr "" + +#: mod/settings.php:893 +msgid "Notification Settings" +msgstr "Настройки за уведомяване" + +#: mod/settings.php:894 +msgid "Send a notification email when:" +msgstr "Изпращане на известие по имейл, когато:" + +#: mod/settings.php:895 +msgid "You receive an introduction" +msgstr "Вие получавате въведение" + +#: mod/settings.php:896 +msgid "Your introductions are confirmed" +msgstr "Вашите въвеждания са потвърдени" + +#: mod/settings.php:897 +msgid "Someone writes on your profile wall" +msgstr "Някой пише в профила ви стена" + +#: mod/settings.php:898 +msgid "Someone writes a followup comment" +msgstr "Някой пише последващ коментар" + +#: mod/settings.php:899 +msgid "You receive a private message" +msgstr "Ще получите лично съобщение" + +#: mod/settings.php:900 +msgid "You receive a friend suggestion" +msgstr "Ще получите предложение приятел" + +#: mod/settings.php:901 +msgid "You are tagged in a post" +msgstr "Са маркирани в един пост" + +#: mod/settings.php:902 +msgid "You are poked/prodded/etc. in a post" +msgstr "" + +#: mod/settings.php:904 +msgid "Activate desktop notifications" +msgstr "" + +#: mod/settings.php:904 +msgid "Show desktop popup on new notifications" +msgstr "" + +#: mod/settings.php:906 +msgid "Text-only notification emails" +msgstr "" + +#: mod/settings.php:908 +msgid "Send text only notification emails, without the html part" +msgstr "" + +#: mod/settings.php:910 +msgid "Show detailled notifications" +msgstr "" + +#: mod/settings.php:912 +msgid "" +"Per default, notifications are condensed to a single notification per item. " +"When enabled every notification is displayed." +msgstr "" + +#: mod/settings.php:914 +msgid "Advanced Account/Page Type Settings" +msgstr "Разширено сметка / Настройки на вид страница" + +#: mod/settings.php:915 +msgid "Change the behaviour of this account for special situations" +msgstr "Промяна на поведението на тази сметка за специални ситуации" + +#: mod/settings.php:918 +msgid "Import Contacts" +msgstr "" + +#: mod/settings.php:919 +msgid "" +"Upload a CSV file that contains the handle of your followed accounts in the " +"first column you exported from the old account." +msgstr "" + +#: mod/settings.php:920 +msgid "Upload File" +msgstr "" + +#: mod/settings.php:922 +msgid "Relocate" +msgstr "" + +#: mod/settings.php:923 +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:924 +msgid "Resend relocate message to contacts" +msgstr "" + +#: mod/suggest.php:44 +msgid "" +"No suggestions available. If this is a new site, please try again in 24 " +"hours." +msgstr "Няма предложения. Ако това е нов сайт, моля опитайте отново в рамките на 24 часа." + +#: mod/suggest.php:55 src/Content/Widget.php:78 view/theme/vier/theme.php:175 +msgid "Friend Suggestions" +msgstr "Предложения за приятели" + +#: mod/tagrm.php:113 +msgid "Remove Item Tag" +msgstr "Извадете Tag т." + +#: mod/tagrm.php:115 +msgid "Select a tag to remove: " +msgstr "Изберете етикет, за да премахнете: " + +#: mod/tagrm.php:126 src/Module/Settings/Delegation.php:179 +msgid "Remove" +msgstr "Премахване" + +#: mod/uimport.php:45 +msgid "User imports on closed servers can only be done by an administrator." +msgstr "" + +#: mod/uimport.php:54 src/Module/Register.php:84 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "Този сайт е надвишил броя на разрешените дневни регистрации сметка. Моля, опитайте отново утре." + +#: mod/uimport.php:61 src/Module/Register.php:160 +msgid "Import" +msgstr "Внасяне" + +#: mod/uimport.php:63 +msgid "Move account" +msgstr "" + +#: mod/uimport.php:64 +msgid "You can import an account from another Friendica server." +msgstr "" + +#: mod/uimport.php:65 +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:66 +msgid "" +"This feature is experimental. We can't import contacts from the OStatus " +"network (GNU Social/Statusnet) or from Diaspora" +msgstr "" + +#: mod/uimport.php:67 +msgid "Account file" +msgstr "" + +#: mod/uimport.php:67 +msgid "" +"To export your account, go to \"Settings->Export your personal data\" and " +"select \"Export account\"" +msgstr "" + +#: mod/unfollow.php:65 mod/unfollow.php:133 +msgid "You aren't following this contact." +msgstr "" + +#: mod/unfollow.php:71 mod/unfollow.php:139 +msgid "Unfollowing is currently not supported by your network." +msgstr "" + +#: mod/unfollow.php:95 +msgid "Disconnect/Unfollow" +msgstr "" + +#: mod/videos.php:134 +msgid "No videos selected" +msgstr "Няма избрани видеоклипове" + +#: mod/videos.php:252 src/Model/Item.php:2952 +msgid "View Video" +msgstr "Преглед на видеоклип" + +#: mod/videos.php:267 +msgid "Recent Videos" +msgstr "Скорошни видеоклипове" + +#: mod/videos.php:269 +msgid "Upload New Videos" +msgstr "Качване на нови видеоклипове" + +#: mod/wallmessage.php:68 mod/wallmessage.php:129 +#, php-format +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "Брой на ежедневните съобщения за стена за %s е превишен. Съобщение не успя." + +#: mod/wallmessage.php:79 +msgid "Unable to check your home location." +msgstr "Не може да проверите вашето местоположение." + +#: mod/wallmessage.php:103 mod/wallmessage.php:112 +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/wall_attach.php:42 mod/wall_attach.php:49 mod/wall_attach.php:87 +#: mod/wall_upload.php:52 mod/wall_upload.php:63 mod/wall_upload.php:108 +#: mod/wall_upload.php:159 mod/wall_upload.php:162 +msgid "Invalid request." +msgstr "" + +#: mod/wall_attach.php:105 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +msgstr "" + +#: mod/wall_attach.php:105 +msgid "Or - did you try to upload an empty file?" +msgstr "" + +#: mod/wall_attach.php:116 +#, php-format +msgid "File exceeds size limit of %s" +msgstr "" + +#: mod/wall_attach.php:131 +msgid "File upload failed." +msgstr "Файл за качване не успя." + +#: mod/wall_upload.php:219 +msgid "Wall Photos" +msgstr "Стена снимки" + +#: src/App/Module.php:241 +msgid "You must be logged in to use addons. " +msgstr "" + +#: src/App/Page.php:250 +msgid "Delete this item?" +msgstr "Изтриване на тази бележка?" + +#: src/App/Page.php:251 +msgid "" +"Block this author? They won't be able to follow you nor see your public " +"posts, and you won't be able to see their posts and their notifications." +msgstr "" + +#: src/App/Page.php:299 +msgid "toggle mobile" +msgstr "" + +#: src/App/Router.php:234 +#, php-format +msgid "Method not allowed for this module. Allowed method(s): %s" +msgstr "" + +#: src/App/Router.php:236 src/Module/HTTPException/PageNotFound.php:32 +msgid "Page not found." +msgstr "Страницата не е намерена." + +#: src/App.php:309 +msgid "No system theme config value set." +msgstr "" + +#: src/BaseModule.php:150 msgid "" "The form security token was not correct. This probably happened because the " "form has been opened for too long (>3 hours) before submitting it." msgstr "Маркера за сигурност не е вярна. Това вероятно е станало, тъй като формата е била отворена за прекалено дълго време (> 3 часа) преди да го представи." -#: include/NotificationsManager.php:153 -msgid "System" -msgstr "Система" +#: src/BaseModule.php:179 +msgid "All contacts" +msgstr "" -#: include/NotificationsManager.php:167 mod/profiles.php:703 -#: mod/network.php:845 -msgid "Personal" -msgstr "Лично" +#: src/BaseModule.php:184 src/Content/Widget.php:237 src/Core/ACL.php:182 +#: src/Module/Contact.php:852 src/Module/PermissionTooltip.php:77 +#: src/Module/PermissionTooltip.php:99 +msgid "Followers" +msgstr "" -#: include/NotificationsManager.php:234 include/NotificationsManager.php:244 +#: src/BaseModule.php:189 src/Content/Widget.php:238 +#: src/Module/Contact.php:853 +msgid "Following" +msgstr "" + +#: src/BaseModule.php:194 src/Content/Widget.php:239 +#: src/Module/Contact.php:854 +msgid "Mutual friends" +msgstr "" + +#: src/BaseModule.php:202 +msgid "Common" +msgstr "" + +#: src/Console/ArchiveContact.php:105 #, php-format -msgid "%s commented on %s's post" -msgstr "%s коментира %s е след" +msgid "Could not find any unarchived contact entry for this URL (%s)" +msgstr "" -#: include/NotificationsManager.php:243 +#: src/Console/ArchiveContact.php:108 +msgid "The contact entries have been archived" +msgstr "" + +#: src/Console/GlobalCommunityBlock.php:96 +#: src/Module/Admin/Blocklist/Contact.php:49 #, php-format -msgid "%s created a new post" -msgstr "%s създаден нов пост" +msgid "Could not find any contact entry for this URL (%s)" +msgstr "" -#: include/NotificationsManager.php:256 +#: src/Console/GlobalCommunityBlock.php:101 +#: src/Module/Admin/Blocklist/Contact.php:47 +msgid "The contact has been blocked from the node" +msgstr "" + +#: src/Console/PostUpdate.php:87 #, php-format -msgid "%s liked %s's post" -msgstr "%s харесва %s е след" +msgid "Post update version number has been set to %s." +msgstr "" -#: include/NotificationsManager.php:267 +#: src/Console/PostUpdate.php:95 +msgid "Check for pending update actions." +msgstr "" + +#: src/Console/PostUpdate.php:97 +msgid "Done." +msgstr "" + +#: src/Console/PostUpdate.php:99 +msgid "Execute pending post updates." +msgstr "" + +#: src/Console/PostUpdate.php:105 +msgid "All pending post updates are done." +msgstr "" + +#: src/Console/User.php:158 +msgid "Enter new password: " +msgstr "" + +#: src/Console/User.php:193 +msgid "Enter user name: " +msgstr "" + +#: src/Console/User.php:201 src/Console/User.php:241 src/Console/User.php:274 +#: src/Console/User.php:300 +msgid "Enter user nickname: " +msgstr "" + +#: src/Console/User.php:209 +msgid "Enter user email address: " +msgstr "" + +#: src/Console/User.php:217 +msgid "Enter a language (optional): " +msgstr "" + +#: src/Console/User.php:255 +msgid "User is not pending." +msgstr "" + +#: src/Console/User.php:313 +msgid "User has already been marked for deletion." +msgstr "" + +#: src/Console/User.php:318 #, php-format -msgid "%s disliked %s's post" -msgstr "%s не харесвал %s е след" +msgid "Type \"yes\" to delete %s" +msgstr "" -#: include/NotificationsManager.php:278 +#: src/Console/User.php:320 +msgid "Deletion aborted." +msgstr "" + +#: src/Content/BoundariesPager.php:116 src/Content/Pager.php:171 +msgid "newer" +msgstr "" + +#: src/Content/BoundariesPager.php:124 src/Content/Pager.php:176 +msgid "older" +msgstr "" + +#: src/Content/ContactSelector.php:48 +msgid "Frequently" +msgstr "" + +#: src/Content/ContactSelector.php:49 +msgid "Hourly" +msgstr "" + +#: src/Content/ContactSelector.php:50 +msgid "Twice daily" +msgstr "" + +#: src/Content/ContactSelector.php:51 +msgid "Daily" +msgstr "" + +#: src/Content/ContactSelector.php:52 +msgid "Weekly" +msgstr "" + +#: src/Content/ContactSelector.php:53 +msgid "Monthly" +msgstr "" + +#: src/Content/ContactSelector.php:99 +msgid "DFRN" +msgstr "" + +#: src/Content/ContactSelector.php:100 +msgid "OStatus" +msgstr "" + +#: src/Content/ContactSelector.php:101 +msgid "RSS/Atom" +msgstr "" + +#: src/Content/ContactSelector.php:102 src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 src/Module/Admin/Users/Create.php:73 +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:142 +#: src/Module/Admin/Users/Index.php:162 src/Module/Admin/Users/Pending.php:104 +msgid "Email" +msgstr "Е-поща" + +#: src/Content/ContactSelector.php:103 src/Module/Debug/Babel.php:306 +msgid "Diaspora" +msgstr "Диаспора" + +#: src/Content/ContactSelector.php:104 +msgid "Zot!" +msgstr "" + +#: src/Content/ContactSelector.php:105 +msgid "LinkedIn" +msgstr "" + +#: src/Content/ContactSelector.php:106 +msgid "XMPP/IM" +msgstr "" + +#: src/Content/ContactSelector.php:107 +msgid "MySpace" +msgstr "" + +#: src/Content/ContactSelector.php:108 +msgid "Google+" +msgstr "" + +#: src/Content/ContactSelector.php:109 +msgid "pump.io" +msgstr "" + +#: src/Content/ContactSelector.php:110 +msgid "Twitter" +msgstr "" + +#: src/Content/ContactSelector.php:111 +msgid "Discourse" +msgstr "" + +#: src/Content/ContactSelector.php:112 +msgid "Diaspora Connector" +msgstr "" + +#: src/Content/ContactSelector.php:113 +msgid "GNU Social Connector" +msgstr "" + +#: src/Content/ContactSelector.php:114 +msgid "ActivityPub" +msgstr "" + +#: src/Content/ContactSelector.php:115 +msgid "pnut" +msgstr "" + +#: src/Content/ContactSelector.php:149 #, php-format -msgid "%s is attending %s's event" +msgid "%s (via %s)" msgstr "" -#: include/NotificationsManager.php:289 -#, php-format -msgid "%s is not attending %s's event" -msgstr "" - -#: include/NotificationsManager.php:300 -#, php-format -msgid "%s may attend %s's event" -msgstr "" - -#: include/NotificationsManager.php:315 -#, php-format -msgid "%s is now friends with %s" -msgstr "%s вече е приятел с %s" - -#: include/NotificationsManager.php:748 -msgid "Friend Suggestion" -msgstr "Приятел за предложения" - -#: include/NotificationsManager.php:781 -msgid "Friend/Connect Request" -msgstr "Приятел / заявка за свързване" - -#: include/NotificationsManager.php:781 -msgid "New Follower" -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:183 -msgid "Errors encountered creating database tables." -msgstr "Грешки, възникнали създаване на таблиците в базата данни." - -#: include/dbstructure.php:260 -msgid "Errors encountered performing database changes." -msgstr "" - -#: include/delivery.php:446 -msgid "(no subject)" -msgstr "(Без тема)" - -#: include/diaspora.php:1958 -msgid "Sharing notification from Diaspora network" -msgstr "Споделяне на уведомление от диаспората мрежа" - -#: include/diaspora.php:2864 -msgid "Attachments:" -msgstr "Приложения" - -#: include/network.php:595 -msgid "view full size" -msgstr "видите в пълен размер" - -#: include/Contact.php:340 include/Contact.php:353 include/Contact.php:398 -#: include/conversation.php:968 include/conversation.php:984 -#: mod/allfriends.php:65 mod/directory.php:155 mod/dirfind.php:203 -#: mod/match.php:71 mod/suggest.php:82 -msgid "View Profile" -msgstr "Преглед на профил" - -#: include/Contact.php:397 include/conversation.php:967 -msgid "View Status" -msgstr "Показване на състоянието" - -#: include/Contact.php:399 include/conversation.php:969 -msgid "View Photos" -msgstr "Вижте снимки" - -#: include/Contact.php:400 include/conversation.php:970 -msgid "Network Posts" -msgstr "Мрежови Мнения" - -#: include/Contact.php:401 include/conversation.php:971 -msgid "View Contact" -msgstr "" - -#: include/Contact.php:402 -msgid "Drop Contact" -msgstr "" - -#: include/Contact.php:403 include/conversation.php:972 -msgid "Send PM" -msgstr "Изпратете PM" - -#: include/Contact.php:404 include/conversation.php:976 -msgid "Poke" -msgstr "" - -#: include/Contact.php:775 -msgid "Organisation" -msgstr "" - -#: include/Contact.php:778 -msgid "News" -msgstr "" - -#: include/Contact.php:781 -msgid "Forum" -msgstr "" - -#: include/api.php:1018 -#, php-format -msgid "Daily posting limit of %d posts reached. The post was rejected." -msgstr "" - -#: include/api.php:1038 -#, php-format -msgid "Weekly posting limit of %d posts reached. The post was rejected." -msgstr "" - -#: include/api.php:1059 -#, php-format -msgid "Monthly posting limit of %d posts reached. The post was rejected." -msgstr "" - -#: include/bbcode.php:350 include/bbcode.php:1057 include/bbcode.php:1058 -msgid "Image/photo" -msgstr "Изображение / снимка" - -#: include/bbcode.php:467 -#, php-format -msgid "%2$s %3$s" -msgstr "" - -#: include/bbcode.php:1017 include/bbcode.php:1037 -msgid "$1 wrote:" -msgstr "$ 1 пише:" - -#: include/bbcode.php:1066 include/bbcode.php:1067 -msgid "Encrypted content" -msgstr "Шифрирано съдържание" - -#: include/bbcode.php:1169 -msgid "Invalid source protocol" -msgstr "" - -#: include/bbcode.php:1179 -msgid "Invalid link protocol" -msgstr "" - -#: include/conversation.php:147 -#, php-format -msgid "%1$s attends %2$s's %3$s" -msgstr "" - -#: include/conversation.php:150 -#, php-format -msgid "%1$s doesn't attend %2$s's %3$s" -msgstr "" - -#: include/conversation.php:153 -#, php-format -msgid "%1$s attends maybe %2$s's %3$s" -msgstr "" - -#: include/conversation.php:185 mod/dfrn_confirm.php:477 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s вече е приятел с %2$s" - -#: include/conversation.php:219 -#, php-format -msgid "%1$s poked %2$s" -msgstr "" - -#: include/conversation.php:239 mod/mood.php:62 -#, php-format -msgid "%1$s is currently %2$s" -msgstr "" - -#: include/conversation.php:278 mod/tagger.php:95 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s сложи етикет с %2$s - %3$s %4$s" - -#: include/conversation.php:303 -msgid "post/item" -msgstr "длъжност / позиция" - -#: include/conversation.php:304 -#, php-format -msgid "%1$s marked %2$s's %3$s as favorite" -msgstr "%1$s маркираната %2$s - %3$s като предпочитано" - -#: include/conversation.php:585 mod/content.php:372 mod/profiles.php:346 -#: mod/photos.php:1607 -msgid "Likes" -msgstr "Харесвания" - -#: include/conversation.php:585 mod/content.php:372 mod/profiles.php:350 -#: mod/photos.php:1607 -msgid "Dislikes" -msgstr "Нехаресвания" - -#: include/conversation.php:586 include/conversation.php:1481 -#: mod/content.php:373 mod/photos.php:1608 -msgid "Attending" -msgid_plural "Attending" -msgstr[0] "" -msgstr[1] "" - -#: include/conversation.php:586 mod/content.php:373 mod/photos.php:1608 -msgid "Not attending" -msgstr "" - -#: include/conversation.php:586 mod/content.php:373 mod/photos.php:1608 -msgid "Might attend" -msgstr "" - -#: include/conversation.php:708 mod/content.php:453 mod/content.php:758 -#: mod/photos.php:1681 object/Item.php:133 -msgid "Select" -msgstr "избор" - -#: include/conversation.php:709 mod/group.php:171 mod/content.php:454 -#: mod/content.php:759 mod/photos.php:1682 mod/settings.php:741 -#: mod/admin.php:1414 mod/contacts.php:808 mod/contacts.php:1007 -#: object/Item.php:134 -msgid "Delete" -msgstr "Изтриване" - -#: include/conversation.php:753 mod/content.php:487 mod/content.php:910 -#: mod/content.php:911 object/Item.php:367 object/Item.php:368 -#, php-format -msgid "View %s's profile @ %s" -msgstr "Преглед профила на %s в %s" - -#: include/conversation.php:765 object/Item.php:355 -msgid "Categories:" -msgstr "Категории:" - -#: include/conversation.php:766 object/Item.php:356 -msgid "Filed under:" -msgstr "Записано в:" - -#: include/conversation.php:773 mod/content.php:497 mod/content.php:923 -#: object/Item.php:381 -#, php-format -msgid "%s from %s" -msgstr "%s от %s" - -#: include/conversation.php:789 mod/content.php:513 -msgid "View in context" -msgstr "Поглед в контекста" - -#: include/conversation.php:791 include/conversation.php:1264 -#: mod/editpost.php:124 mod/wallmessage.php:156 mod/message.php:356 -#: mod/message.php:548 mod/content.php:515 mod/content.php:948 -#: mod/photos.php:1570 object/Item.php:406 -msgid "Please wait" -msgstr "Моля, изчакайте" - -#: include/conversation.php:870 -msgid "remove" -msgstr "Премахване" - -#: include/conversation.php:874 -msgid "Delete Selected Items" -msgstr "Изтриване на избраните елементи" - -#: include/conversation.php:966 -msgid "Follow Thread" -msgstr "" - -#: include/conversation.php:1097 -#, php-format -msgid "%s likes this." -msgstr "%s харесва това." - -#: include/conversation.php:1100 -#, php-format -msgid "%s doesn't like this." -msgstr "%s не харесва това." - -#: include/conversation.php:1103 -#, php-format -msgid "%s attends." -msgstr "" - -#: include/conversation.php:1106 -#, php-format -msgid "%s doesn't attend." -msgstr "" - -#: include/conversation.php:1109 -#, php-format -msgid "%s attends maybe." -msgstr "" - -#: include/conversation.php:1119 -msgid "and" -msgstr "и" - -#: include/conversation.php:1125 -#, php-format -msgid ", and %d other people" -msgstr ", И %d други хора" - -#: include/conversation.php:1134 -#, php-format -msgid "%2$d people like this" -msgstr "" - -#: include/conversation.php:1135 -#, php-format -msgid "%s like this." -msgstr "" - -#: include/conversation.php:1138 -#, php-format -msgid "%2$d people don't like this" -msgstr "" - -#: include/conversation.php:1139 -#, php-format -msgid "%s don't like this." -msgstr "" - -#: include/conversation.php:1142 -#, php-format -msgid "%2$d people attend" -msgstr "" - -#: include/conversation.php:1143 -#, php-format -msgid "%s attend." -msgstr "" - -#: include/conversation.php:1146 -#, php-format -msgid "%2$d people don't attend" -msgstr "" - -#: include/conversation.php:1147 -#, php-format -msgid "%s don't attend." -msgstr "" - -#: include/conversation.php:1150 -#, php-format -msgid "%2$d people attend maybe" -msgstr "" - -#: include/conversation.php:1151 -#, php-format -msgid "%s anttend maybe." -msgstr "" - -#: include/conversation.php:1190 include/conversation.php:1208 -msgid "Visible to everybody" -msgstr "Видим всички " - -#: include/conversation.php:1191 include/conversation.php:1209 -#: mod/wallmessage.php:127 mod/wallmessage.php:135 mod/message.php:291 -#: mod/message.php:299 mod/message.php:442 mod/message.php:450 -msgid "Please enter a link URL:" -msgstr "Моля, въведете URL адреса за връзка:" - -#: include/conversation.php:1192 include/conversation.php:1210 -msgid "Please enter a video link/URL:" -msgstr "Моля въведете видео връзка / URL:" - -#: include/conversation.php:1193 include/conversation.php:1211 -msgid "Please enter an audio link/URL:" -msgstr "Моля въведете аудио връзка / URL:" - -#: include/conversation.php:1194 include/conversation.php:1212 -msgid "Tag term:" -msgstr "Tag термин:" - -#: include/conversation.php:1195 include/conversation.php:1213 -#: mod/filer.php:30 -msgid "Save to Folder:" -msgstr "Запиши в папка:" - -#: include/conversation.php:1196 include/conversation.php:1214 -msgid "Where are you right now?" -msgstr "Къде сте в момента?" - -#: include/conversation.php:1197 -msgid "Delete item(s)?" -msgstr "" - -#: include/conversation.php:1245 mod/photos.php:1569 -msgid "Share" -msgstr "дял,%" - -#: include/conversation.php:1246 mod/editpost.php:110 mod/wallmessage.php:154 -#: mod/message.php:354 mod/message.php:545 -msgid "Upload photo" -msgstr "Качване на снимка" - -#: include/conversation.php:1247 mod/editpost.php:111 -msgid "upload photo" -msgstr "качване на снимка" - -#: include/conversation.php:1248 mod/editpost.php:112 -msgid "Attach file" -msgstr "Прикачване на файл" - -#: include/conversation.php:1249 mod/editpost.php:113 -msgid "attach file" -msgstr "Прикачване на файл" - -#: include/conversation.php:1250 mod/editpost.php:114 mod/wallmessage.php:155 -#: mod/message.php:355 mod/message.php:546 -msgid "Insert web link" -msgstr "Вмъкване на връзка в Мрежата" - -#: include/conversation.php:1251 mod/editpost.php:115 -msgid "web link" -msgstr "Уеб-линк" - -#: include/conversation.php:1252 mod/editpost.php:116 -msgid "Insert video link" -msgstr "Поставете линка на видео" - -#: include/conversation.php:1253 mod/editpost.php:117 -msgid "video link" -msgstr "видео връзка" - -#: include/conversation.php:1254 mod/editpost.php:118 -msgid "Insert audio link" -msgstr "Поставете аудио връзка" - -#: include/conversation.php:1255 mod/editpost.php:119 -msgid "audio link" -msgstr "аудио връзка" - -#: include/conversation.php:1256 mod/editpost.php:120 -msgid "Set your location" -msgstr "Задайте местоположението си" - -#: include/conversation.php:1257 mod/editpost.php:121 -msgid "set location" -msgstr "Задаване на местоположението" - -#: include/conversation.php:1258 mod/editpost.php:122 -msgid "Clear browser location" -msgstr "Изчистване на браузъра място" - -#: include/conversation.php:1259 mod/editpost.php:123 -msgid "clear location" -msgstr "ясно място" - -#: include/conversation.php:1261 mod/editpost.php:137 -msgid "Set title" -msgstr "Задайте заглавие" - -#: include/conversation.php:1263 mod/editpost.php:139 -msgid "Categories (comma-separated list)" -msgstr "Категории (разделен със запетаи списък)" - -#: include/conversation.php:1265 mod/editpost.php:125 -msgid "Permission settings" -msgstr "Настройките за достъп" - -#: include/conversation.php:1266 mod/editpost.php:154 -msgid "permissions" -msgstr "права" - -#: include/conversation.php:1274 mod/editpost.php:134 -msgid "Public post" -msgstr "Обществена длъжност" - -#: include/conversation.php:1279 mod/editpost.php:145 mod/content.php:737 -#: mod/events.php:504 mod/photos.php:1591 mod/photos.php:1639 -#: mod/photos.php:1725 object/Item.php:729 -msgid "Preview" -msgstr "Преглед" - -#: include/conversation.php:1283 include/items.php:1974 mod/fbrowser.php:101 -#: mod/fbrowser.php:136 mod/tagrm.php:11 mod/tagrm.php:94 mod/editpost.php:148 -#: mod/message.php:220 mod/suggest.php:32 mod/photos.php:235 -#: mod/photos.php:322 mod/settings.php:679 mod/settings.php:705 -#: mod/videos.php:128 mod/contacts.php:445 mod/dfrn_request.php:876 -#: mod/follow.php:121 -msgid "Cancel" -msgstr "Отмени" - -#: include/conversation.php:1289 -msgid "Post to Groups" -msgstr "" - -#: include/conversation.php:1290 -msgid "Post to Contacts" -msgstr "" - -#: include/conversation.php:1291 -msgid "Private post" -msgstr "" - -#: include/conversation.php:1296 include/identity.php:256 mod/editpost.php:152 -msgid "Message" -msgstr "Съобщение" - -#: include/conversation.php:1297 mod/editpost.php:153 -msgid "Browser" -msgstr "" - -#: include/conversation.php:1453 -msgid "View all" -msgstr "" - -#: include/conversation.php:1475 -msgid "Like" -msgid_plural "Likes" -msgstr[0] "" -msgstr[1] "" - -#: include/conversation.php:1478 -msgid "Dislike" -msgid_plural "Dislikes" -msgstr[0] "" -msgstr[1] "" - -#: include/conversation.php:1484 -msgid "Not Attending" -msgid_plural "Not Attending" -msgstr[0] "" -msgstr[1] "" - -#: include/dfrn.php:1108 -#, php-format -msgid "%s\\'s birthday" -msgstr "" - -#: include/features.php:70 +#: src/Content/Feature.php:96 msgid "General Features" msgstr "" -#: include/features.php:72 -msgid "Multiple Profiles" -msgstr "" - -#: include/features.php:72 -msgid "Ability to create multiple profiles" -msgstr "" - -#: include/features.php:73 +#: src/Content/Feature.php:98 msgid "Photo Location" msgstr "" -#: include/features.php:73 +#: src/Content/Feature.php:98 msgid "" "Photo metadata is normally stripped. This extracts the location (if present)" " prior to stripping metadata and links it to a map." msgstr "" -#: include/features.php:74 -msgid "Export Public Calendar" +#: src/Content/Feature.php:99 +msgid "Trending Tags" msgstr "" -#: include/features.php:74 -msgid "Ability for visitors to download the public calendar" +#: src/Content/Feature.php:99 +msgid "" +"Show a community page widget with a list of the most popular tags in recent " +"public posts." msgstr "" -#: include/features.php:79 +#: src/Content/Feature.php:104 msgid "Post Composition Features" msgstr "" -#: include/features.php:80 -msgid "Richtext Editor" -msgstr "" - -#: include/features.php:80 -msgid "Enable richtext editor" -msgstr "" - -#: include/features.php:81 -msgid "Post Preview" -msgstr "" - -#: include/features.php:81 -msgid "Allow previewing posts and comments before publishing them" -msgstr "" - -#: include/features.php:82 +#: src/Content/Feature.php:105 msgid "Auto-mention Forums" msgstr "" -#: include/features.php:82 +#: src/Content/Feature.php:105 msgid "" "Add/remove mention when a forum page is selected/deselected in ACL window." msgstr "" -#: include/features.php:87 -msgid "Network Sidebar Widgets" +#: src/Content/Feature.php:106 +msgid "Explicit Mentions" msgstr "" -#: include/features.php:88 -msgid "Search by Date" -msgstr "Търсене по дата" - -#: include/features.php:88 -msgid "Ability to select posts by date ranges" +#: src/Content/Feature.php:106 +msgid "" +"Add explicit mentions to comment box for manual control over who gets " +"mentioned in replies." msgstr "" -#: include/features.php:89 include/features.php:119 -msgid "List Forums" -msgstr "" - -#: include/features.php:89 -msgid "Enable widget to display the forums your are connected with" -msgstr "" - -#: include/features.php:90 -msgid "Group Filter" -msgstr "" - -#: include/features.php:90 -msgid "Enable widget to display Network posts only from selected group" -msgstr "" - -#: include/features.php:91 -msgid "Network Filter" -msgstr "Мрежов филтър" - -#: include/features.php:91 -msgid "Enable widget to display Network posts only from selected network" -msgstr "" - -#: include/features.php:92 mod/search.php:34 mod/network.php:200 -msgid "Saved Searches" -msgstr "Запазени търсения" - -#: include/features.php:92 -msgid "Save search terms for re-use" -msgstr "" - -#: include/features.php:97 -msgid "Network Tabs" -msgstr "" - -#: include/features.php:98 -msgid "Network Personal Tab" -msgstr "" - -#: include/features.php:98 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "" - -#: include/features.php:99 -msgid "Network New Tab" -msgstr "" - -#: include/features.php:99 -msgid "Enable tab to display only new Network posts (from the last 12 hours)" -msgstr "" - -#: include/features.php:100 -msgid "Network Shared Links Tab" -msgstr "" - -#: include/features.php:100 -msgid "Enable tab to display only Network posts with links in them" -msgstr "" - -#: include/features.php:105 +#: src/Content/Feature.php:111 msgid "Post/Comment Tools" msgstr "" -#: include/features.php:106 -msgid "Multiple Deletion" -msgstr "" - -#: include/features.php:106 -msgid "Select and delete multiple posts/comments at once" -msgstr "" - -#: include/features.php:107 -msgid "Edit Sent Posts" -msgstr "" - -#: include/features.php:107 -msgid "Edit and correct posts and comments after sending" -msgstr "" - -#: include/features.php:108 -msgid "Tagging" -msgstr "" - -#: include/features.php:108 -msgid "Ability to tag existing posts" -msgstr "" - -#: include/features.php:109 +#: src/Content/Feature.php:112 msgid "Post Categories" msgstr "" -#: include/features.php:109 +#: src/Content/Feature.php:112 msgid "Add categories to your posts" msgstr "" -#: include/features.php:110 -msgid "Ability to file posts under folders" -msgstr "" - -#: include/features.php:111 -msgid "Dislike Posts" -msgstr "" - -#: include/features.php:111 -msgid "Ability to dislike posts/comments" -msgstr "" - -#: include/features.php:112 -msgid "Star Posts" -msgstr "" - -#: include/features.php:112 -msgid "Ability to mark special posts with a star indicator" -msgstr "" - -#: include/features.php:113 -msgid "Mute Post Notifications" -msgstr "" - -#: include/features.php:113 -msgid "Ability to mute notifications for a thread" -msgstr "" - -#: include/features.php:118 +#: src/Content/Feature.php:117 msgid "Advanced Profile Settings" msgstr "" -#: include/features.php:119 +#: src/Content/Feature.php:118 +msgid "List Forums" +msgstr "" + +#: src/Content/Feature.php:118 msgid "Show visitors public community forums at the Advanced Profile Page" msgstr "" -#: include/follow.php:81 mod/dfrn_request.php:509 -msgid "Disallowed profile URL." -msgstr "Отхвърлен профила URL." - -#: include/follow.php:86 -msgid "Connect URL missing." -msgstr "Свързване URL липсва." - -#: include/follow.php:113 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "Този сайт не е конфигуриран да позволява комуникация с други мрежи." - -#: include/follow.php:114 include/follow.php:134 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "Няма съвместими комуникационни протоколи или фуражите не са били открити." - -#: include/follow.php:132 -msgid "The profile address specified does not provide adequate information." -msgstr "Профилът на посочения адрес не предоставя достатъчна информация." - -#: include/follow.php:136 -msgid "An author or name was not found." -msgstr "Един автор или име не е намерен." - -#: include/follow.php:138 -msgid "No browser URL could be matched to this address." -msgstr "Не браузър URL може да съвпадне с този адрес." - -#: include/follow.php:140 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "Не мога да съответства @ стил Адрес идентичност с известен протокол или се свържете с имейл." - -#: include/follow.php:141 -msgid "Use mailto: in front of address to force email check." -msgstr "Използвайте mailto: пред адрес, за да принуди проверка на имейл." - -#: include/follow.php:147 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "Профилът адрес принадлежи към мрежа, която е била забранена в този сайт." - -#: include/follow.php:157 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Limited профил. Този човек ще бъде в състояние да получат преки / лична уведомления от вас." - -#: include/follow.php:258 -msgid "Unable to retrieve contact information." -msgstr "Не мога да получа информация за контакт." - -#: include/identity.php:42 -msgid "Requested account is not available." +#: src/Content/Feature.php:119 +msgid "Tag Cloud" msgstr "" -#: include/identity.php:51 mod/profile.php:21 -msgid "Requested profile is not available." -msgstr "Замолената профила не е достъпна." - -#: include/identity.php:95 include/identity.php:311 include/identity.php:688 -msgid "Edit profile" -msgstr "Редактиране на потребителския профил" - -#: include/identity.php:251 -msgid "Atom feed" +#: src/Content/Feature.php:119 +msgid "Provide a personal tag cloud on your profile page" msgstr "" -#: include/identity.php:282 -msgid "Manage/edit profiles" -msgstr "Управление / редактиране на профили" +#: src/Content/Feature.php:120 +msgid "Display Membership Date" +msgstr "" -#: include/identity.php:287 include/identity.php:313 mod/profiles.php:795 -msgid "Change profile photo" -msgstr "Промяна на снимката на профил" +#: src/Content/Feature.php:120 +msgid "Display membership date in profile" +msgstr "" -#: include/identity.php:288 mod/profiles.php:796 -msgid "Create New Profile" -msgstr "Създай нов профил" +#: src/Content/ForumManager.php:145 src/Content/Nav.php:229 +#: src/Content/Text/HTML.php:902 src/Content/Widget.php:526 +msgid "Forums" +msgstr "" -#: include/identity.php:298 mod/profiles.php:785 -msgid "Profile Image" -msgstr "Профил на изображението" +#: src/Content/ForumManager.php:147 +msgid "External link to forum" +msgstr "" -#: include/identity.php:301 mod/profiles.php:787 -msgid "visible to everybody" -msgstr "видими за всички" +#: src/Content/ForumManager.php:150 src/Content/Widget.php:505 +msgid "show less" +msgstr "" -#: include/identity.php:302 mod/profiles.php:691 mod/profiles.php:788 -msgid "Edit visibility" -msgstr "Редактиране на видимост" +#: src/Content/ForumManager.php:151 src/Content/Widget.php:410 +#: src/Content/Widget.php:506 +msgid "show more" +msgstr "покажи още" -#: include/identity.php:330 include/identity.php:616 mod/notifications.php:238 -#: mod/directory.php:139 -msgid "Gender:" -msgstr "Пол:" +#: src/Content/Nav.php:90 +msgid "Nothing new here" +msgstr "Нищо ново тук" -#: include/identity.php:333 include/identity.php:636 mod/directory.php:141 -msgid "Status:" +#: src/Content/Nav.php:94 src/Module/Special/HTTPException.php:75 +msgid "Go back" +msgstr "" + +#: src/Content/Nav.php:95 +msgid "Clear notifications" +msgstr "Изчистване на уведомленията" + +#: src/Content/Nav.php:96 src/Content/Text/HTML.php:889 +msgid "@name, !forum, #tags, content" +msgstr "" + +#: src/Content/Nav.php:169 src/Module/Security/Login.php:141 +msgid "Logout" +msgstr "изход" + +#: src/Content/Nav.php:169 +msgid "End this session" +msgstr "Край на тази сесия" + +#: src/Content/Nav.php:171 src/Module/Bookmarklet.php:46 +#: src/Module/Security/Login.php:142 +msgid "Login" +msgstr "Вход" + +#: src/Content/Nav.php:171 +msgid "Sign in" +msgstr "Вход" + +#: src/Content/Nav.php:177 src/Module/BaseProfile.php:60 +#: src/Module/Contact.php:655 src/Module/Contact.php:920 +#: src/Module/Settings/TwoFactor/Index.php:107 view/theme/frio/theme.php:225 +msgid "Status" msgstr "Състояние:" -#: include/identity.php:335 include/identity.php:647 mod/directory.php:143 -msgid "Homepage:" -msgstr "Начална страница:" +#: src/Content/Nav.php:177 src/Content/Nav.php:263 +#: view/theme/frio/theme.php:225 +msgid "Your posts and conversations" +msgstr "Вашите мнения и разговори" -#: include/identity.php:337 include/identity.php:657 mod/notifications.php:234 -#: mod/directory.php:145 mod/contacts.php:632 -msgid "About:" -msgstr "това ?" +#: src/Content/Nav.php:178 src/Module/BaseProfile.php:52 +#: src/Module/BaseSettings.php:57 src/Module/Contact.php:657 +#: src/Module/Contact.php:936 src/Module/Profile/Profile.php:236 +#: src/Module/Welcome.php:57 view/theme/frio/theme.php:226 +msgid "Profile" +msgstr "Височина на профила" -#: include/identity.php:339 mod/contacts.php:630 -msgid "XMPP:" +#: src/Content/Nav.php:178 view/theme/frio/theme.php:226 +msgid "Your profile page" +msgstr "Вашият профил страница" + +#: src/Content/Nav.php:179 view/theme/frio/theme.php:227 +msgid "Your photos" +msgstr "Вашите снимки" + +#: src/Content/Nav.php:180 src/Module/BaseProfile.php:76 +#: src/Module/BaseProfile.php:79 view/theme/frio/theme.php:228 +msgid "Videos" +msgstr "Видеоклипове" + +#: src/Content/Nav.php:180 view/theme/frio/theme.php:228 +msgid "Your videos" msgstr "" -#: include/identity.php:422 mod/notifications.php:246 mod/contacts.php:50 -msgid "Network:" -msgstr "" +#: src/Content/Nav.php:181 view/theme/frio/theme.php:229 +msgid "Your events" +msgstr "Събитията си" -#: include/identity.php:451 include/identity.php:535 -msgid "g A l F d" -msgstr "грама Л Е г" - -#: include/identity.php:452 include/identity.php:536 -msgid "F d" -msgstr "F г" - -#: include/identity.php:497 include/identity.php:582 -msgid "[today]" -msgstr "Днес" - -#: include/identity.php:509 -msgid "Birthday Reminders" -msgstr "Напомняния за рождени дни" - -#: include/identity.php:510 -msgid "Birthdays this week:" -msgstr "Рождени дни този Седмица:" - -#: include/identity.php:569 -msgid "[No description]" -msgstr "[Няма описание]" - -#: include/identity.php:593 -msgid "Event Reminders" -msgstr "Напомняния" - -#: include/identity.php:594 -msgid "Events this week:" -msgstr "Събития тази седмица:" - -#: include/identity.php:614 mod/settings.php:1279 -msgid "Full Name:" -msgstr "Собствено и фамилно име" - -#: include/identity.php:621 -msgid "j F, Y" -msgstr "J F, Y" - -#: include/identity.php:622 -msgid "j F" -msgstr "J F" - -#: include/identity.php:633 -msgid "Age:" -msgstr "Възраст:" - -#: include/identity.php:642 -#, php-format -msgid "for %1$d %2$s" -msgstr "за %1$d %2$s" - -#: include/identity.php:645 mod/profiles.php:710 -msgid "Sexual Preference:" -msgstr "Сексуални предпочитания:" - -#: include/identity.php:649 mod/profiles.php:737 -msgid "Hometown:" -msgstr "Hometown:" - -#: include/identity.php:651 mod/notifications.php:236 mod/contacts.php:634 -#: mod/follow.php:134 -msgid "Tags:" -msgstr "Маркери:" - -#: include/identity.php:653 mod/profiles.php:738 -msgid "Political Views:" -msgstr "Политически възгледи:" - -#: include/identity.php:655 -msgid "Religion:" -msgstr "Вероизповедание:" - -#: include/identity.php:659 -msgid "Hobbies/Interests:" -msgstr "Хобита / Интереси:" - -#: include/identity.php:661 mod/profiles.php:742 -msgid "Likes:" -msgstr "Харесвания:" - -#: include/identity.php:663 mod/profiles.php:743 -msgid "Dislikes:" -msgstr "Нехаресвания:" - -#: include/identity.php:666 -msgid "Contact information and Social Networks:" -msgstr "Информация за контакти и социални мрежи:" - -#: include/identity.php:668 -msgid "Musical interests:" -msgstr "Музикални интереси:" - -#: include/identity.php:670 -msgid "Books, literature:" -msgstr "Книги, литература:" - -#: include/identity.php:672 -msgid "Television:" -msgstr "Телевизия:" - -#: include/identity.php:674 -msgid "Film/dance/culture/entertainment:" -msgstr "Филм / танц / Култура / развлечения:" - -#: include/identity.php:676 -msgid "Love/Romance:" -msgstr "Любов / Romance:" - -#: include/identity.php:678 -msgid "Work/employment:" -msgstr "Работа / заетост:" - -#: include/identity.php:680 -msgid "School/education:" -msgstr "Училище / образование:" - -#: include/identity.php:684 -msgid "Forums:" -msgstr "" - -#: include/identity.php:692 mod/events.php:507 -msgid "Basic" -msgstr "" - -#: include/identity.php:693 mod/events.php:508 mod/admin.php:959 -#: mod/contacts.php:870 -msgid "Advanced" -msgstr "Напреднал" - -#: include/identity.php:717 mod/contacts.php:836 mod/follow.php:142 -msgid "Status Messages and Posts" -msgstr "Съобщения за състоянието и пощи" - -#: include/identity.php:725 mod/contacts.php:844 -msgid "Profile Details" -msgstr "Детайли от профила" - -#: include/identity.php:733 mod/photos.php:87 -msgid "Photo Albums" -msgstr "Фотоалбуми" - -#: include/identity.php:772 mod/notes.php:46 -msgid "Personal Notes" +#: src/Content/Nav.php:182 +msgid "Personal notes" msgstr "Личните бележки" -#: include/identity.php:775 -msgid "Only You Can See This" -msgstr "Можете да видите това" - -#: include/items.php:1575 mod/dfrn_confirm.php:730 mod/dfrn_request.php:746 -msgid "[Name Withheld]" -msgstr "[Име, удържани]" - -#: include/items.php:1930 mod/viewsrc.php:15 mod/notice.php:15 -#: mod/display.php:103 mod/display.php:279 mod/display.php:478 -#: mod/admin.php:234 mod/admin.php:1471 mod/admin.php:1705 -msgid "Item not found." -msgstr "Елемент не е намерен." - -#: include/items.php:1969 -msgid "Do you really want to delete this item?" +#: src/Content/Nav.php:182 +msgid "Your personal notes" msgstr "" -#: include/items.php:1971 mod/api.php:105 mod/message.php:217 -#: mod/profiles.php:648 mod/profiles.php:651 mod/profiles.php:677 -#: mod/suggest.php:29 mod/register.php:245 mod/settings.php:1163 -#: mod/settings.php:1169 mod/settings.php:1177 mod/settings.php:1181 -#: mod/settings.php:1186 mod/settings.php:1192 mod/settings.php:1198 -#: mod/settings.php:1204 mod/settings.php:1230 mod/settings.php:1231 -#: mod/settings.php:1232 mod/settings.php:1233 mod/settings.php:1234 -#: mod/contacts.php:442 mod/dfrn_request.php:862 mod/follow.php:110 -msgid "Yes" -msgstr "Yes" +#: src/Content/Nav.php:202 src/Content/Nav.php:263 +msgid "Home" +msgstr "Начало" -#: include/items.php:2134 mod/notes.php:22 mod/uimport.php:23 -#: mod/nogroup.php:25 mod/invite.php:15 mod/invite.php:101 -#: mod/repair_ostatus.php:9 mod/delegate.php:12 mod/attach.php:33 -#: mod/editpost.php:10 mod/group.php:19 mod/wallmessage.php:9 -#: mod/wallmessage.php:33 mod/wallmessage.php:79 mod/wallmessage.php:103 -#: mod/api.php:26 mod/api.php:31 mod/ostatus_subscribe.php:9 -#: mod/message.php:46 mod/message.php:182 mod/manage.php:96 -#: mod/crepair.php:100 mod/fsuggest.php:78 mod/mood.php:114 mod/poke.php:150 -#: mod/profile_photo.php:19 mod/profile_photo.php:175 -#: mod/profile_photo.php:186 mod/profile_photo.php:199 mod/regmod.php:110 -#: mod/notifications.php:71 mod/profiles.php:166 mod/profiles.php:605 -#: mod/allfriends.php:12 mod/cal.php:304 mod/common.php:18 mod/dirfind.php:11 -#: mod/display.php:475 mod/events.php:190 mod/suggest.php:58 -#: mod/photos.php:159 mod/photos.php:1072 mod/register.php:42 -#: mod/settings.php:22 mod/settings.php:128 mod/settings.php:665 -#: mod/wall_attach.php:67 mod/wall_attach.php:70 mod/wall_upload.php:77 -#: mod/wall_upload.php:80 mod/contacts.php:350 mod/dfrn_confirm.php:61 -#: mod/follow.php:11 mod/follow.php:73 mod/follow.php:155 mod/item.php:199 -#: mod/item.php:211 mod/network.php:4 mod/viewcontacts.php:45 index.php:401 -msgid "Permission denied." -msgstr "Разрешението е отказано." +#: src/Content/Nav.php:202 +msgid "Home Page" +msgstr "Начална страница" -#: include/items.php:2239 -msgid "Archives" -msgstr "Архиви" +#: src/Content/Nav.php:206 src/Module/Register.php:155 +#: src/Module/Security/Login.php:102 +msgid "Register" +msgstr "Регистратор" -#: include/oembed.php:264 -msgid "Embedded content" -msgstr "Вградени съдържание" +#: src/Content/Nav.php:206 +msgid "Create an account" +msgstr "Създаване на сметка" -#: include/oembed.php:272 +#: src/Content/Nav.php:212 src/Module/Help.php:69 +#: src/Module/Settings/TwoFactor/AppSpecific.php:115 +#: src/Module/Settings/TwoFactor/Index.php:106 +#: src/Module/Settings/TwoFactor/Recovery.php:93 +#: src/Module/Settings/TwoFactor/Verify.php:132 view/theme/vier/theme.php:217 +msgid "Help" +msgstr "Помощ" + +#: src/Content/Nav.php:212 +msgid "Help and documentation" +msgstr "Помощ и документация" + +#: src/Content/Nav.php:216 +msgid "Apps" +msgstr "Apps" + +#: src/Content/Nav.php:216 +msgid "Addon applications, utilities, games" +msgstr "Адон приложения, помощни програми, игри" + +#: src/Content/Nav.php:220 src/Content/Text/HTML.php:887 +#: src/Module/Search/Index.php:100 +msgid "Search" +msgstr "Търсене" + +#: src/Content/Nav.php:220 +msgid "Search site content" +msgstr "Търсене в сайта съдържание" + +#: src/Content/Nav.php:223 src/Content/Text/HTML.php:896 +msgid "Full Text" +msgstr "" + +#: src/Content/Nav.php:224 src/Content/Text/HTML.php:897 +#: src/Content/Widget/TagCloud.php:68 +msgid "Tags" +msgstr "" + +#: src/Content/Nav.php:225 src/Content/Nav.php:284 +#: src/Content/Text/HTML.php:898 src/Module/BaseProfile.php:121 +#: src/Module/BaseProfile.php:124 src/Module/Contact.php:855 +#: src/Module/Contact.php:943 view/theme/frio/theme.php:236 +msgid "Contacts" +msgstr "Контакти " + +#: src/Content/Nav.php:244 +msgid "Community" +msgstr "Общност" + +#: src/Content/Nav.php:244 +msgid "Conversations on this and other servers" +msgstr "" + +#: src/Content/Nav.php:248 src/Module/BaseProfile.php:91 +#: src/Module/BaseProfile.php:102 view/theme/frio/theme.php:233 +msgid "Events and Calendar" +msgstr "Събития и календарни" + +#: src/Content/Nav.php:251 +msgid "Directory" +msgstr "директория" + +#: src/Content/Nav.php:251 +msgid "People directory" +msgstr "Хората директория" + +#: src/Content/Nav.php:253 src/Module/BaseAdmin.php:85 +msgid "Information" +msgstr "" + +#: src/Content/Nav.php:253 +msgid "Information about this friendica instance" +msgstr "" + +#: src/Content/Nav.php:256 src/Module/Admin/Tos.php:59 +#: src/Module/BaseAdmin.php:95 src/Module/Register.php:163 +#: src/Module/Tos.php:84 +msgid "Terms of Service" +msgstr "" + +#: src/Content/Nav.php:256 +msgid "Terms of Service of this Friendica instance" +msgstr "" + +#: src/Content/Nav.php:261 view/theme/frio/theme.php:232 +msgid "Network" +msgstr "Мрежа" + +#: src/Content/Nav.php:261 view/theme/frio/theme.php:232 +msgid "Conversations from your friends" +msgstr "Разговори от вашите приятели" + +#: src/Content/Nav.php:267 +msgid "Introductions" +msgstr "Представяне" + +#: src/Content/Nav.php:267 +msgid "Friend Requests" +msgstr "Молби за приятелство" + +#: src/Content/Nav.php:268 src/Module/BaseNotifications.php:139 +#: src/Module/Notifications/Introductions.php:54 +msgid "Notifications" +msgstr "Уведомления " + +#: src/Content/Nav.php:269 +msgid "See all notifications" +msgstr "Вижте всички нотификации" + +#: src/Content/Nav.php:270 +msgid "Mark all system notifications seen" +msgstr "Марк виждали уведомления всички системни" + +#: src/Content/Nav.php:273 view/theme/frio/theme.php:234 +msgid "Private mail" +msgstr "Частна поща" + +#: src/Content/Nav.php:274 +msgid "Inbox" +msgstr "Вх. поща" + +#: src/Content/Nav.php:275 +msgid "Outbox" +msgstr "Изходящи" + +#: src/Content/Nav.php:279 +msgid "Accounts" +msgstr "" + +#: src/Content/Nav.php:279 +msgid "Manage other pages" +msgstr "Управление на други страници" + +#: src/Content/Nav.php:282 src/Module/Admin/Addons/Details.php:114 +#: src/Module/Admin/Themes/Details.php:93 src/Module/BaseSettings.php:124 +#: src/Module/Welcome.php:52 view/theme/frio/theme.php:235 +msgid "Settings" +msgstr "Настройки" + +#: src/Content/Nav.php:282 view/theme/frio/theme.php:235 +msgid "Account settings" +msgstr "Настройки на профила" + +#: src/Content/Nav.php:284 view/theme/frio/theme.php:236 +msgid "Manage/edit friends and contacts" +msgstr "Управление / редактиране на приятели и контакти" + +#: src/Content/Nav.php:289 src/Module/BaseAdmin.php:125 +msgid "Admin" +msgstr "admin" + +#: src/Content/Nav.php:289 +msgid "Site setup and configuration" +msgstr "Настройка и конфигуриране на сайта" + +#: src/Content/Nav.php:292 +msgid "Navigation" +msgstr "Навигация" + +#: src/Content/Nav.php:292 +msgid "Site map" +msgstr "Карта на сайта" + +#: src/Content/OEmbed.php:267 msgid "Embedding disabled" msgstr "Вграждане на инвалиди" -#: include/ostatus.php:1825 -#, php-format -msgid "%s is now following %s." -msgstr "" +#: src/Content/OEmbed.php:389 +msgid "Embedded content" +msgstr "Вградени съдържание" -#: include/ostatus.php:1826 -msgid "following" -msgstr "следните условия:" - -#: include/ostatus.php:1829 -#, php-format -msgid "%s stopped following %s." -msgstr "" - -#: include/ostatus.php:1830 -msgid "stopped following" -msgstr "спря след" - -#: include/text.php:304 -msgid "newer" -msgstr "" - -#: include/text.php:306 -msgid "older" -msgstr "" - -#: include/text.php:311 +#: src/Content/Pager.php:221 msgid "prev" msgstr "Пред." -#: include/text.php:313 -msgid "first" -msgstr "Първа" - -#: include/text.php:345 +#: src/Content/Pager.php:281 msgid "last" msgstr "Дата на последния одит. " -#: include/text.php:348 -msgid "next" -msgstr "следващ" +#: src/Content/Text/BBCode.php:961 src/Content/Text/BBCode.php:1605 +#: src/Content/Text/BBCode.php:1606 +msgid "Image/photo" +msgstr "Изображение / снимка" -#: include/text.php:403 +#: src/Content/Text/BBCode.php:1063 +#, php-format +msgid "%2$s %3$s" +msgstr "" + +#: src/Content/Text/BBCode.php:1088 src/Model/Item.php:3020 +#: src/Model/Item.php:3026 +msgid "link to source" +msgstr "връзка източник" + +#: src/Content/Text/BBCode.php:1523 src/Content/Text/HTML.php:939 +msgid "Click to open/close" +msgstr "Кликнете за отваряне / затваряне" + +#: src/Content/Text/BBCode.php:1554 +msgid "$1 wrote:" +msgstr "$ 1 пише:" + +#: src/Content/Text/BBCode.php:1608 src/Content/Text/BBCode.php:1609 +msgid "Encrypted content" +msgstr "Шифрирано съдържание" + +#: src/Content/Text/BBCode.php:1821 +msgid "Invalid source protocol" +msgstr "" + +#: src/Content/Text/BBCode.php:1836 +msgid "Invalid link protocol" +msgstr "" + +#: src/Content/Text/HTML.php:787 msgid "Loading more entries..." msgstr "" -#: include/text.php:404 +#: src/Content/Text/HTML.php:788 msgid "The end" msgstr "" -#: include/text.php:889 +#: src/Content/Text/HTML.php:881 src/Model/Profile.php:439 +#: src/Module/Contact.php:340 +msgid "Follow" +msgstr "" + +#: src/Content/Widget/CalendarExport.php:63 +msgid "Export" +msgstr "" + +#: src/Content/Widget/CalendarExport.php:64 +msgid "Export calendar as ical" +msgstr "" + +#: src/Content/Widget/CalendarExport.php:65 +msgid "Export calendar as csv" +msgstr "" + +#: src/Content/Widget/ContactBlock.php:73 msgid "No contacts" msgstr "Няма контакти" -#: include/text.php:912 +#: src/Content/Widget/ContactBlock.php:105 #, php-format msgid "%d Contact" msgid_plural "%d Contacts" msgstr[0] "" msgstr[1] "" -#: include/text.php:925 +#: src/Content/Widget/ContactBlock.php:124 msgid "View Contacts" msgstr "Вижте Контакти" -#: include/text.php:1013 mod/notes.php:61 mod/filer.php:31 -#: mod/editpost.php:109 -msgid "Save" -msgstr "Запази" +#: src/Content/Widget/SavedSearches.php:47 +msgid "Remove term" +msgstr "Премахване мандат" -#: include/text.php:1076 +#: src/Content/Widget/SavedSearches.php:60 +msgid "Saved Searches" +msgstr "Запазени търсения" + +#: src/Content/Widget/TrendingTags.php:51 +#, php-format +msgid "Trending Tags (last %d hour)" +msgid_plural "Trending Tags (last %d hours)" +msgstr[0] "" +msgstr[1] "" + +#: src/Content/Widget/TrendingTags.php:52 +msgid "More Trending Tags" +msgstr "" + +#: src/Content/Widget.php:48 +msgid "Add New Contact" +msgstr "Добавяне на нов контакт" + +#: src/Content/Widget.php:49 +msgid "Enter address or web location" +msgstr "Въведете местоположение на адрес или уеб" + +#: src/Content/Widget.php:50 +msgid "Example: bob@example.com, http://example.com/barbara" +msgstr "Пример: bob@example.com, http://example.com/barbara" + +#: src/Content/Widget.php:52 +msgid "Connect" +msgstr "Свързване! " + +#: src/Content/Widget.php:67 +#, php-format +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "" +msgstr[1] "" + +#: src/Content/Widget.php:73 view/theme/vier/theme.php:170 +msgid "Find People" +msgstr "Намерете хора," + +#: src/Content/Widget.php:74 view/theme/vier/theme.php:171 +msgid "Enter name or interest" +msgstr "Въведете името или интерес" + +#: src/Content/Widget.php:76 view/theme/vier/theme.php:173 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "Примери: Робърт Morgenstein, Риболов" + +#: src/Content/Widget.php:77 src/Module/Contact.php:876 +#: src/Module/Directory.php:105 view/theme/vier/theme.php:174 +msgid "Find" +msgstr "Търсене" + +#: src/Content/Widget.php:79 view/theme/vier/theme.php:176 +msgid "Similar Interests" +msgstr "Сходни интереси" + +#: src/Content/Widget.php:80 view/theme/vier/theme.php:177 +msgid "Random Profile" +msgstr "Случайна Профил" + +#: src/Content/Widget.php:81 view/theme/vier/theme.php:178 +msgid "Invite Friends" +msgstr "Покани приятели" + +#: src/Content/Widget.php:82 src/Module/Directory.php:97 +#: view/theme/vier/theme.php:179 +msgid "Global Directory" +msgstr "Глобален справочник" + +#: src/Content/Widget.php:84 view/theme/vier/theme.php:181 +msgid "Local Directory" +msgstr "Локалната директория" + +#: src/Content/Widget.php:213 src/Model/Group.php:535 +#: src/Module/Contact.php:839 src/Module/Welcome.php:76 +msgid "Groups" +msgstr "Групи" + +#: src/Content/Widget.php:215 +msgid "Everyone" +msgstr "" + +#: src/Content/Widget.php:244 +msgid "Relationships" +msgstr "" + +#: src/Content/Widget.php:246 src/Module/Contact.php:791 +#: src/Module/Group.php:292 +msgid "All Contacts" +msgstr "Всички Контакти" + +#: src/Content/Widget.php:285 +msgid "Protocols" +msgstr "" + +#: src/Content/Widget.php:287 +msgid "All Protocols" +msgstr "" + +#: src/Content/Widget.php:315 +msgid "Saved Folders" +msgstr "Записани папки" + +#: src/Content/Widget.php:317 src/Content/Widget.php:351 +msgid "Everything" +msgstr "Всичко" + +#: src/Content/Widget.php:349 +msgid "Categories" +msgstr "Категории" + +#: src/Content/Widget.php:406 +#, php-format +msgid "%d contact in common" +msgid_plural "%d contacts in common" +msgstr[0] "" +msgstr[1] "" + +#: src/Content/Widget.php:499 +msgid "Archives" +msgstr "Архиви" + +#: src/Content/Widget.php:523 +msgid "Persons" +msgstr "" + +#: src/Content/Widget.php:524 +msgid "Organisations" +msgstr "" + +#: src/Content/Widget.php:525 src/Model/Contact.php:1402 +msgid "News" +msgstr "" + +#: src/Content/Widget.php:530 src/Module/Admin/BaseUsers.php:50 +msgid "All" +msgstr "" + +#: src/Core/ACL.php:153 src/Module/Profile/Profile.php:237 +msgid "Yourself" +msgstr "" + +#: src/Core/ACL.php:189 src/Module/PermissionTooltip.php:83 +#: src/Module/PermissionTooltip.php:105 +msgid "Mutuals" +msgstr "" + +#: src/Core/ACL.php:279 +msgid "Post to Email" +msgstr "Коментар на e-mail" + +#: src/Core/ACL.php:306 +msgid "Public" +msgstr "" + +#: src/Core/ACL.php:307 +msgid "" +"This content will be shown to all your followers and can be seen in the " +"community pages and by anyone with its link." +msgstr "" + +#: src/Core/ACL.php:308 +msgid "Limited/Private" +msgstr "" + +#: src/Core/ACL.php:309 +msgid "" +"This content will be shown only to the people in the first box, to the " +"exception of the people mentioned in the second box. It won't appear " +"anywhere public." +msgstr "" + +#: src/Core/ACL.php:310 +msgid "Show to:" +msgstr "" + +#: src/Core/ACL.php:311 +msgid "Except to:" +msgstr "" + +#: src/Core/ACL.php:314 +msgid "Connectors" +msgstr "" + +#: src/Core/Installer.php:179 +msgid "" +"The database configuration file \"config/local.config.php\" could not be " +"written. Please use the enclosed text to create a configuration file in your" +" web server root." +msgstr "" + +#: src/Core/Installer.php:198 +msgid "" +"You may need to import the file \"database.sql\" manually using phpmyadmin " +"or mysql." +msgstr "Може да се наложи да импортирате файла \"database.sql\" ръчно чрез настървение или MySQL." + +#: src/Core/Installer.php:199 src/Module/Install.php:195 +msgid "Please see the file \"doc/INSTALL.md\"." +msgstr "" + +#: src/Core/Installer.php:260 +msgid "Could not find a command line version of PHP in the web server PATH." +msgstr "Не може да се намери командния ред версия на PHP в PATH уеб сървър." + +#: src/Core/Installer.php:261 +msgid "" +"If you don't have a command line version of PHP installed on your server, " +"you will not be able to run the background processing. See 'Setup the worker'" +msgstr "" + +#: src/Core/Installer.php:266 +msgid "PHP executable path" +msgstr "PHP изпълним път" + +#: src/Core/Installer.php:266 +msgid "" +"Enter full path to php executable. You can leave this blank to continue the " +"installation." +msgstr "Въведете пълния път до изпълнимия файл на PHP. Можете да оставите полето празно, за да продължите инсталацията." + +#: src/Core/Installer.php:271 +msgid "Command line PHP" +msgstr "Команден ред PHP" + +#: src/Core/Installer.php:280 +msgid "PHP executable is not the php cli binary (could be cgi-fgci version)" +msgstr "" + +#: src/Core/Installer.php:281 +msgid "Found PHP version: " +msgstr "" + +#: src/Core/Installer.php:283 +msgid "PHP cli binary" +msgstr "" + +#: src/Core/Installer.php:296 +msgid "" +"The command line version of PHP on your system does not have " +"\"register_argc_argv\" enabled." +msgstr "В командния ред версия на PHP на вашата система не трябва \"register_argc_argv\" дадоха възможност." + +#: src/Core/Installer.php:297 +msgid "This is required for message delivery to work." +msgstr "Това е необходимо за доставка на съобщение, за да работят." + +#: src/Core/Installer.php:302 +msgid "PHP register_argc_argv" +msgstr "PHP register_argc_argv" + +#: src/Core/Installer.php:334 +msgid "" +"Error: the \"openssl_pkey_new\" function on this system is not able to " +"generate encryption keys" +msgstr "Грешка: \"openssl_pkey_new\" функция на тази система не е в състояние да генерира криптиращи ключове" + +#: src/Core/Installer.php:335 +msgid "" +"If running under Windows, please see " +"\"http://www.php.net/manual/en/openssl.installation.php\"." +msgstr "Ако работите под Windows, моля, вижте \"http://www.php.net/manual/en/openssl.installation.php\"." + +#: src/Core/Installer.php:338 +msgid "Generate encryption keys" +msgstr "Генериране на криптиращи ключове" + +#: src/Core/Installer.php:390 +msgid "" +"Error: Apache webserver mod-rewrite module is required but not installed." +msgstr "Грешка: МОД-пренаписване модул на Apache уеб сървър е необходимо, но не е инсталиран." + +#: src/Core/Installer.php:395 +msgid "Apache mod_rewrite module" +msgstr "Apache mod_rewrite модул" + +#: src/Core/Installer.php:401 +msgid "Error: PDO or MySQLi PHP module required but not installed." +msgstr "" + +#: src/Core/Installer.php:406 +msgid "Error: The MySQL driver for PDO is not installed." +msgstr "" + +#: src/Core/Installer.php:410 +msgid "PDO or MySQLi PHP module" +msgstr "" + +#: src/Core/Installer.php:418 +msgid "Error, XML PHP module required but not installed." +msgstr "" + +#: src/Core/Installer.php:422 +msgid "XML PHP module" +msgstr "" + +#: src/Core/Installer.php:425 +msgid "libCurl PHP module" +msgstr "libCurl PHP модул" + +#: src/Core/Installer.php:426 +msgid "Error: libCURL PHP module required but not installed." +msgstr "Грешка: libCURL PHP модул, но не е инсталирана." + +#: src/Core/Installer.php:432 +msgid "GD graphics PHP module" +msgstr "GD графика PHP модул" + +#: src/Core/Installer.php:433 +msgid "" +"Error: GD graphics PHP module with JPEG support required but not installed." +msgstr "Грешка: GD графика PHP модул с поддръжка на JPEG, но не е инсталирана." + +#: src/Core/Installer.php:439 +msgid "OpenSSL PHP module" +msgstr "OpenSSL PHP модул" + +#: src/Core/Installer.php:440 +msgid "Error: openssl PHP module required but not installed." +msgstr "Грешка: OpenSSL PHP модул са необходими, но не е инсталирана." + +#: src/Core/Installer.php:446 +msgid "mb_string PHP module" +msgstr "mb_string PHP модул" + +#: src/Core/Installer.php:447 +msgid "Error: mb_string PHP module required but not installed." +msgstr "Грешка: mb_string PHP модул, но не е инсталирана." + +#: src/Core/Installer.php:453 +msgid "iconv PHP module" +msgstr "" + +#: src/Core/Installer.php:454 +msgid "Error: iconv PHP module required but not installed." +msgstr "" + +#: src/Core/Installer.php:460 +msgid "POSIX PHP module" +msgstr "" + +#: src/Core/Installer.php:461 +msgid "Error: POSIX PHP module required but not installed." +msgstr "" + +#: src/Core/Installer.php:467 +msgid "Program execution functions" +msgstr "" + +#: src/Core/Installer.php:468 +msgid "Error: Program execution functions required but not enabled." +msgstr "" + +#: src/Core/Installer.php:474 +msgid "JSON PHP module" +msgstr "" + +#: src/Core/Installer.php:475 +msgid "Error: JSON PHP module required but not installed." +msgstr "" + +#: src/Core/Installer.php:481 +msgid "File Information PHP module" +msgstr "" + +#: src/Core/Installer.php:482 +msgid "Error: File Information PHP module required but not installed." +msgstr "" + +#: src/Core/Installer.php:505 +msgid "" +"The web installer needs to be able to create a file called " +"\"local.config.php\" in the \"config\" folder of your web server and it is " +"unable to do so." +msgstr "" + +#: src/Core/Installer.php:506 +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 "Това е най-често настройка разрешение, тъй като уеб сървъра не може да бъде в състояние да записва файлове във вашата папка - дори и ако можете." + +#: src/Core/Installer.php:507 +msgid "" +"At the end of this procedure, we will give you a text to save in a file " +"named local.config.php in your Friendica \"config\" folder." +msgstr "" + +#: src/Core/Installer.php:508 +msgid "" +"You can alternatively skip this procedure and perform a manual installation." +" Please see the file \"INSTALL.txt\" for instructions." +msgstr "Можете като алтернатива да пропуснете тази процедура и да извърши ръчно инсталиране. Моля, вижте файла \"INSTALL.txt\", за инструкции." + +#: src/Core/Installer.php:511 +msgid "config/local.config.php is writable" +msgstr "" + +#: src/Core/Installer.php:531 +msgid "" +"Friendica uses the Smarty3 template engine to render its web views. Smarty3 " +"compiles templates to PHP to speed up rendering." +msgstr "" + +#: src/Core/Installer.php:532 +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 "" + +#: src/Core/Installer.php:533 +msgid "" +"Please ensure that the user that your web server runs as (e.g. www-data) has" +" write access to this folder." +msgstr "" + +#: src/Core/Installer.php:534 +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 "" + +#: src/Core/Installer.php:537 +msgid "view/smarty3 is writable" +msgstr "" + +#: src/Core/Installer.php:566 +msgid "" +"Url rewrite in .htaccess is not working. Make sure you copied .htaccess-dist" +" to .htaccess." +msgstr "" + +#: src/Core/Installer.php:568 +msgid "Error message from Curl when fetching" +msgstr "" + +#: src/Core/Installer.php:573 +msgid "Url rewrite is working" +msgstr ", Url пренаписванията работи" + +#: src/Core/Installer.php:602 +msgid "ImageMagick PHP extension is not installed" +msgstr "" + +#: src/Core/Installer.php:604 +msgid "ImageMagick PHP extension is installed" +msgstr "" + +#: src/Core/Installer.php:606 +msgid "ImageMagick supports GIF" +msgstr "" + +#: src/Core/Installer.php:628 +msgid "Database already in use." +msgstr "" + +#: src/Core/Installer.php:633 +msgid "Could not connect to database." +msgstr "Не може да се свърже с базата данни." + +#: src/Core/L10n.php:371 src/Model/Event.php:428 +#: src/Module/Settings/Display.php:178 +msgid "Monday" +msgstr "Понеделник" + +#: src/Core/L10n.php:371 src/Model/Event.php:429 +msgid "Tuesday" +msgstr "Вторник" + +#: src/Core/L10n.php:371 src/Model/Event.php:430 +msgid "Wednesday" +msgstr "Сряда" + +#: src/Core/L10n.php:371 src/Model/Event.php:431 +msgid "Thursday" +msgstr "Четвъртък" + +#: src/Core/L10n.php:371 src/Model/Event.php:432 +msgid "Friday" +msgstr "Петък" + +#: src/Core/L10n.php:371 src/Model/Event.php:433 +msgid "Saturday" +msgstr "Събота" + +#: src/Core/L10n.php:371 src/Model/Event.php:427 +#: src/Module/Settings/Display.php:178 +msgid "Sunday" +msgstr "Неделя" + +#: src/Core/L10n.php:375 src/Model/Event.php:448 +msgid "January" +msgstr "януари" + +#: src/Core/L10n.php:375 src/Model/Event.php:449 +msgid "February" +msgstr "февруари" + +#: src/Core/L10n.php:375 src/Model/Event.php:450 +msgid "March" +msgstr "март" + +#: src/Core/L10n.php:375 src/Model/Event.php:451 +msgid "April" +msgstr "април" + +#: src/Core/L10n.php:375 src/Core/L10n.php:395 src/Model/Event.php:439 +msgid "May" +msgstr "Май" + +#: src/Core/L10n.php:375 src/Model/Event.php:452 +msgid "June" +msgstr "юни" + +#: src/Core/L10n.php:375 src/Model/Event.php:453 +msgid "July" +msgstr "юли" + +#: src/Core/L10n.php:375 src/Model/Event.php:454 +msgid "August" +msgstr "август" + +#: src/Core/L10n.php:375 src/Model/Event.php:455 +msgid "September" +msgstr "септември" + +#: src/Core/L10n.php:375 src/Model/Event.php:456 +msgid "October" +msgstr "октомври" + +#: src/Core/L10n.php:375 src/Model/Event.php:457 +msgid "November" +msgstr "ноември" + +#: src/Core/L10n.php:375 src/Model/Event.php:458 +msgid "December" +msgstr "декември" + +#: src/Core/L10n.php:391 src/Model/Event.php:420 +msgid "Mon" +msgstr "" + +#: src/Core/L10n.php:391 src/Model/Event.php:421 +msgid "Tue" +msgstr "" + +#: src/Core/L10n.php:391 src/Model/Event.php:422 +msgid "Wed" +msgstr "" + +#: src/Core/L10n.php:391 src/Model/Event.php:423 +msgid "Thu" +msgstr "" + +#: src/Core/L10n.php:391 src/Model/Event.php:424 +msgid "Fri" +msgstr "" + +#: src/Core/L10n.php:391 src/Model/Event.php:425 +msgid "Sat" +msgstr "" + +#: src/Core/L10n.php:391 src/Model/Event.php:419 +msgid "Sun" +msgstr "" + +#: src/Core/L10n.php:395 src/Model/Event.php:435 +msgid "Jan" +msgstr "" + +#: src/Core/L10n.php:395 src/Model/Event.php:436 +msgid "Feb" +msgstr "" + +#: src/Core/L10n.php:395 src/Model/Event.php:437 +msgid "Mar" +msgstr "" + +#: src/Core/L10n.php:395 src/Model/Event.php:438 +msgid "Apr" +msgstr "" + +#: src/Core/L10n.php:395 src/Model/Event.php:440 +msgid "Jun" +msgstr "" + +#: src/Core/L10n.php:395 src/Model/Event.php:441 +msgid "Jul" +msgstr "" + +#: src/Core/L10n.php:395 src/Model/Event.php:442 +msgid "Aug" +msgstr "" + +#: src/Core/L10n.php:395 +msgid "Sep" +msgstr "" + +#: src/Core/L10n.php:395 src/Model/Event.php:444 +msgid "Oct" +msgstr "" + +#: src/Core/L10n.php:395 src/Model/Event.php:445 +msgid "Nov" +msgstr "" + +#: src/Core/L10n.php:395 src/Model/Event.php:446 +msgid "Dec" +msgstr "" + +#: src/Core/L10n.php:414 msgid "poke" msgstr "" -#: include/text.php:1076 +#: src/Core/L10n.php:414 msgid "poked" msgstr "" -#: include/text.php:1077 +#: src/Core/L10n.php:415 msgid "ping" msgstr "" -#: include/text.php:1077 +#: src/Core/L10n.php:415 msgid "pinged" msgstr "" -#: include/text.php:1078 +#: src/Core/L10n.php:416 msgid "prod" msgstr "" -#: include/text.php:1078 +#: src/Core/L10n.php:416 msgid "prodded" msgstr "" -#: include/text.php:1079 +#: src/Core/L10n.php:417 msgid "slap" msgstr "" -#: include/text.php:1079 +#: src/Core/L10n.php:417 msgid "slapped" msgstr "" -#: include/text.php:1080 +#: src/Core/L10n.php:418 msgid "finger" msgstr "" -#: include/text.php:1080 +#: src/Core/L10n.php:418 msgid "fingered" msgstr "" -#: include/text.php:1081 +#: src/Core/L10n.php:419 msgid "rebuff" msgstr "" -#: include/text.php:1081 +#: src/Core/L10n.php:419 msgid "rebuffed" msgstr "" -#: include/text.php:1095 -msgid "happy" +#: src/Core/Renderer.php:90 src/Core/Renderer.php:119 +#: src/Core/Renderer.php:146 src/Core/Renderer.php:180 +#: src/Render/FriendicaSmartyEngine.php:56 +msgid "" +"Friendica can't display this page at the moment, please contact the " +"administrator." msgstr "" -#: include/text.php:1096 -msgid "sad" +#: src/Core/Renderer.php:142 +msgid "template engine cannot be registered without a name." msgstr "" -#: include/text.php:1097 -msgid "mellow" +#: src/Core/Renderer.php:176 +msgid "template engine is not registered!" msgstr "" -#: include/text.php:1098 -msgid "tired" +#: src/Core/Update.php:66 +#, php-format +msgid "" +"Updates from version %s are not supported. Please update at least to version" +" 2021.01 and wait until the postupdate finished version 1383." msgstr "" -#: include/text.php:1099 -msgid "perky" +#: src/Core/Update.php:77 +#, php-format +msgid "" +"Updates from postupdate version %s are not supported. Please update at least" +" to version 2021.01 and wait until the postupdate finished version 1383." msgstr "" -#: include/text.php:1100 -msgid "angry" +#: src/Core/Update.php:244 +#, php-format +msgid "Update %s failed. See error logs." +msgstr "Актуализация %s не успя. Виж логовете за грешки." + +#: src/Core/Update.php:297 +#, php-format +msgid "" +"\n" +"\t\t\t\tThe friendica developers released update %s recently,\n" +"\t\t\t\tbut when I tried to install it, something went terribly wrong.\n" +"\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n" +"\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid." msgstr "" -#: include/text.php:1101 -msgid "stupified" +#: src/Core/Update.php:303 +#, php-format +msgid "The error message is\\n[pre]%s[/pre]" msgstr "" -#: include/text.php:1102 -msgid "puzzled" +#: src/Core/Update.php:307 src/Core/Update.php:349 +msgid "[Friendica Notify] Database update" msgstr "" -#: include/text.php:1103 -msgid "interested" +#: src/Core/Update.php:343 +#, php-format +msgid "" +"\n" +"\t\t\t\t\tThe friendica database was successfully updated from %s to %s." msgstr "" -#: include/text.php:1104 -msgid "bitter" +#: src/Core/UserImport.php:126 +msgid "Error decoding account file" msgstr "" -#: include/text.php:1105 -msgid "cheerful" +#: src/Core/UserImport.php:132 +msgid "Error! No version data in file! This is not a Friendica account file?" msgstr "" -#: include/text.php:1106 -msgid "alive" +#: src/Core/UserImport.php:140 +#, php-format +msgid "User '%s' already exists on this server!" msgstr "" -#: include/text.php:1107 -msgid "annoyed" +#: src/Core/UserImport.php:176 +msgid "User creation error" +msgstr "Грешка при създаване на потребителя" + +#: src/Core/UserImport.php:221 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" +msgstr[0] "" +msgstr[1] "" + +#: src/Core/UserImport.php:274 +msgid "User profile creation error" +msgstr "Грешка при създаване профила на потребителя" + +#: src/Core/UserImport.php:330 +msgid "Done. You can now login with your username and password" msgstr "" -#: include/text.php:1108 -msgid "anxious" +#: src/Database/DBStructure.php:64 +#, php-format +msgid "The database version had been set to %s." msgstr "" -#: include/text.php:1109 -msgid "cranky" +#: src/Database/DBStructure.php:82 +msgid "No unused tables found." msgstr "" -#: include/text.php:1110 -msgid "disturbed" +#: src/Database/DBStructure.php:87 +msgid "" +"These tables are not used for friendica and will be deleted when you execute" +" \"dbstructure drop -e\":" msgstr "" -#: include/text.php:1111 -msgid "frustrated" +#: src/Database/DBStructure.php:125 +msgid "There are no tables on MyISAM or InnoDB with the Antelope file format." msgstr "" -#: include/text.php:1112 -msgid "motivated" +#: src/Database/DBStructure.php:149 +#, php-format +msgid "" +"\n" +"Error %d occurred during database update:\n" +"%s\n" msgstr "" -#: include/text.php:1113 -msgid "relaxed" +#: src/Database/DBStructure.php:152 +msgid "Errors encountered performing database changes: " msgstr "" -#: include/text.php:1114 -msgid "surprised" +#: src/Database/DBStructure.php:380 +msgid "Another database update is currently running." msgstr "" -#: include/text.php:1324 mod/videos.php:380 -msgid "View Video" -msgstr "Преглед на видеоклип" - -#: include/text.php:1356 -msgid "bytes" -msgstr "байта" - -#: include/text.php:1388 include/text.php:1400 -msgid "Click to open/close" -msgstr "Кликнете за отваряне / затваряне" - -#: include/text.php:1526 -msgid "View on separate page" +#: src/Database/DBStructure.php:384 +#, php-format +msgid "%s: Database update" msgstr "" -#: include/text.php:1527 -msgid "view on separate page" +#: src/Database/DBStructure.php:684 +#, php-format +msgid "%s: updating %s table." msgstr "" -#: include/text.php:1806 +#: src/Factory/Api/Mastodon/Error.php:32 +msgid "Record not found" +msgstr "" + +#: src/Factory/Notification/Introduction.php:135 +msgid "Friend Suggestion" +msgstr "Приятел за предложения" + +#: src/Factory/Notification/Introduction.php:161 +msgid "Friend/Connect Request" +msgstr "Приятел / заявка за свързване" + +#: src/Factory/Notification/Introduction.php:161 +msgid "New Follower" +msgstr "Нов последовател" + +#: src/Factory/Notification/Notification.php:103 +#, php-format +msgid "%s created a new post" +msgstr "%s създаден нов пост" + +#: src/Factory/Notification/Notification.php:104 +#: src/Factory/Notification/Notification.php:362 +#, php-format +msgid "%s commented on %s's post" +msgstr "%s коментира %s е след" + +#: src/Factory/Notification/Notification.php:130 +#, php-format +msgid "%s liked %s's post" +msgstr "%s харесва %s е след" + +#: src/Factory/Notification/Notification.php:141 +#, php-format +msgid "%s disliked %s's post" +msgstr "%s не харесвал %s е след" + +#: src/Factory/Notification/Notification.php:152 +#, php-format +msgid "%s is attending %s's event" +msgstr "" + +#: src/Factory/Notification/Notification.php:163 +#, php-format +msgid "%s is not attending %s's event" +msgstr "" + +#: src/Factory/Notification/Notification.php:174 +#, php-format +msgid "%s may attending %s's event" +msgstr "" + +#: src/Factory/Notification/Notification.php:201 +#, php-format +msgid "%s is now friends with %s" +msgstr "%s вече е приятел с %s" + +#: src/LegacyModule.php:49 +#, php-format +msgid "Legacy module file not found: %s" +msgstr "" + +#: src/Model/Contact.php:980 src/Model/Contact.php:993 +msgid "UnFollow" +msgstr "" + +#: src/Model/Contact.php:989 +msgid "Drop Contact" +msgstr "" + +#: src/Model/Contact.php:999 src/Module/Admin/Users/Pending.php:107 +#: src/Module/Notifications/Introductions.php:111 +#: src/Module/Notifications/Introductions.php:189 +msgid "Approve" +msgstr "Одобряване" + +#: src/Model/Contact.php:1398 +msgid "Organisation" +msgstr "" + +#: src/Model/Contact.php:1406 +msgid "Forum" +msgstr "" + +#: src/Model/Contact.php:2146 +msgid "Connect URL missing." +msgstr "Свързване URL липсва." + +#: src/Model/Contact.php:2155 +msgid "" +"The contact could not be added. Please check the relevant network " +"credentials in your Settings -> Social Networks page." +msgstr "" + +#: src/Model/Contact.php:2196 +msgid "" +"This site is not configured to allow communications with other networks." +msgstr "Този сайт не е конфигуриран да позволява комуникация с други мрежи." + +#: src/Model/Contact.php:2197 src/Model/Contact.php:2210 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "Няма съвместими комуникационни протоколи или фуражите не са били открити." + +#: src/Model/Contact.php:2208 +msgid "The profile address specified does not provide adequate information." +msgstr "Профилът на посочения адрес не предоставя достатъчна информация." + +#: src/Model/Contact.php:2213 +msgid "An author or name was not found." +msgstr "Един автор или име не е намерен." + +#: src/Model/Contact.php:2216 +msgid "No browser URL could be matched to this address." +msgstr "Не браузър URL може да съвпадне с този адрес." + +#: src/Model/Contact.php:2219 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "Не мога да съответства @ стил Адрес идентичност с известен протокол или се свържете с имейл." + +#: src/Model/Contact.php:2220 +msgid "Use mailto: in front of address to force email check." +msgstr "Използвайте mailto: пред адрес, за да принуди проверка на имейл." + +#: src/Model/Contact.php:2226 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "Профилът адрес принадлежи към мрежа, която е била забранена в този сайт." + +#: src/Model/Contact.php:2231 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Limited профил. Този човек ще бъде в състояние да получат преки / лична уведомления от вас." + +#: src/Model/Contact.php:2290 +msgid "Unable to retrieve contact information." +msgstr "Не мога да получа информация за контакт." + +#: src/Model/Event.php:50 src/Model/Event.php:868 +#: src/Module/Debug/Localtime.php:36 +msgid "l F d, Y \\@ g:i A" +msgstr "L F г, Y \\ @ G: I A" + +#: src/Model/Event.php:77 src/Model/Event.php:94 src/Model/Event.php:467 +#: src/Model/Event.php:936 +msgid "Starts:" +msgstr "Започва:" + +#: src/Model/Event.php:80 src/Model/Event.php:100 src/Model/Event.php:468 +#: src/Model/Event.php:940 +msgid "Finishes:" +msgstr "Играчи:" + +#: src/Model/Event.php:417 +msgid "all-day" +msgstr "" + +#: src/Model/Event.php:443 +msgid "Sept" +msgstr "" + +#: src/Model/Event.php:465 +msgid "No events to display" +msgstr "" + +#: src/Model/Event.php:584 +msgid "l, F j" +msgstr "л, F J" + +#: src/Model/Event.php:615 +msgid "Edit event" +msgstr "Редактиране на Събитието" + +#: src/Model/Event.php:616 +msgid "Duplicate event" +msgstr "" + +#: src/Model/Event.php:617 +msgid "Delete event" +msgstr "" + +#: src/Model/Event.php:869 +msgid "D g:i A" +msgstr "" + +#: src/Model/Event.php:870 +msgid "g:i A" +msgstr "" + +#: src/Model/Event.php:955 src/Model/Event.php:957 +msgid "Show map" +msgstr "" + +#: src/Model/Event.php:956 +msgid "Hide map" +msgstr "" + +#: src/Model/Event.php:1048 +#, php-format +msgid "%s's birthday" +msgstr "" + +#: src/Model/Event.php:1049 +#, php-format +msgid "Happy Birthday %s" +msgstr "Честит рожден ден, %s!" + +#: src/Model/Group.php:92 +msgid "" +"A deleted group with this name was revived. Existing item permissions " +"may apply to this group and any future members. If this is " +"not what you intended, please create another group with a different name." +msgstr "Изтрита група с това име се възражда. Съществуващ елемент от разрешения май се прилагат към тази група и всички бъдещи членове. Ако това не е това, което сте възнамерявали, моля да се създаде друга група с различно име." + +#: src/Model/Group.php:451 +msgid "Default privacy group for new contacts" +msgstr "Неприкосновеността на личния живот на група по подразбиране за нови контакти" + +#: src/Model/Group.php:483 +msgid "Everybody" +msgstr "Всички" + +#: src/Model/Group.php:502 +msgid "edit" +msgstr "редактиране" + +#: src/Model/Group.php:534 +msgid "add" +msgstr "добави" + +#: src/Model/Group.php:539 +msgid "Edit group" +msgstr "Редактиране на групата" + +#: src/Model/Group.php:540 src/Module/Group.php:193 +msgid "Contacts not in any group" +msgstr "Контакти, не във всяка група" + +#: src/Model/Group.php:542 +msgid "Create a new group" +msgstr "Създайте нова група" + +#: src/Model/Group.php:543 src/Module/Group.php:178 src/Module/Group.php:201 +#: src/Module/Group.php:276 +msgid "Group Name: " +msgstr "Име на група: " + +#: src/Model/Group.php:544 +msgid "Edit groups" +msgstr "" + +#: src/Model/Item.php:1760 +#, php-format +msgid "Detected languages in this post:\\n%s" +msgstr "" + +#: src/Model/Item.php:2767 msgid "activity" msgstr "дейност" -#: include/text.php:1808 mod/content.php:623 object/Item.php:431 -#: object/Item.php:444 +#: src/Model/Item.php:2769 src/Object/Post.php:558 msgid "comment" msgid_plural "comments" msgstr[0] "" msgstr[1] "" -#: include/text.php:1809 +#: src/Model/Item.php:2772 msgid "post" msgstr "след" -#: include/text.php:1977 -msgid "Item filed" -msgstr "Т. подава" - -#: include/user.php:39 mod/settings.php:373 -msgid "Passwords do not match. Password unchanged." -msgstr "Паролите не съвпадат. Парола непроменен." - -#: include/user.php:48 -msgid "An invitation is required." -msgstr "Се изисква покана." - -#: include/user.php:53 -msgid "Invitation could not be verified." -msgstr "Покана не може да бъде проверена." - -#: include/user.php:61 -msgid "Invalid OpenID url" -msgstr "Невалиден URL OpenID" - -#: include/user.php:82 -msgid "Please enter the required information." -msgstr "Моля, въведете необходимата информация." - -#: include/user.php:96 -msgid "Please use a shorter name." -msgstr "Моля, използвайте по-кратко име." - -#: include/user.php:98 -msgid "Name too short." -msgstr "Името е твърде кратко." - -#: include/user.php:113 -msgid "That doesn't appear to be your full (First Last) name." -msgstr "Това не изглежда да е пълен (първи Последно) име." - -#: include/user.php:118 -msgid "Your email domain is not among those allowed on this site." -msgstr "Вашият имейл домейн не е сред тези, разрешени на този сайт." - -#: include/user.php:121 -msgid "Not a valid email address." -msgstr "Не е валиден имейл адрес." - -#: include/user.php:134 -msgid "Cannot use that email." -msgstr "Не може да се използва този имейл." - -#: include/user.php:140 -msgid "Your \"nickname\" can only contain \"a-z\", \"0-9\" and \"_\"." +#: src/Model/Item.php:2896 +#, php-format +msgid "Content warning: %s" msgstr "" -#: include/user.php:147 include/user.php:245 -msgid "Nickname is already registered. Please choose another." -msgstr "Псевдоним вече е регистрирано. Моля, изберете друга." +#: src/Model/Item.php:2969 +msgid "bytes" +msgstr "байта" -#: include/user.php:157 +#: src/Model/Item.php:3014 +msgid "View on separate page" +msgstr "" + +#: src/Model/Item.php:3015 +msgid "view on separate page" +msgstr "" + +#: src/Model/Mail.php:121 src/Model/Mail.php:259 +msgid "[no subject]" +msgstr "[Без тема]" + +#: src/Model/Profile.php:346 src/Module/Profile/Profile.php:251 +#: src/Module/Profile/Profile.php:253 +msgid "Edit profile" +msgstr "Редактиране на потребителския профил" + +#: src/Model/Profile.php:348 +msgid "Change profile photo" +msgstr "Промяна на снимката на профил" + +#: src/Model/Profile.php:361 src/Module/Directory.php:161 +#: src/Module/Profile/Profile.php:180 +msgid "Homepage:" +msgstr "Начална страница:" + +#: src/Model/Profile.php:362 src/Module/Contact.php:650 +#: src/Module/Notifications/Introductions.php:174 +msgid "About:" +msgstr "това ?" + +#: src/Model/Profile.php:363 src/Module/Contact.php:648 +#: src/Module/Profile/Profile.php:176 +msgid "XMPP:" +msgstr "" + +#: src/Model/Profile.php:441 src/Module/Contact.php:342 +msgid "Unfollow" +msgstr "" + +#: src/Model/Profile.php:443 +msgid "Atom feed" +msgstr "" + +#: src/Model/Profile.php:451 src/Module/Contact.php:338 +#: src/Module/Notifications/Introductions.php:186 +msgid "Network:" +msgstr "" + +#: src/Model/Profile.php:481 src/Model/Profile.php:578 +msgid "g A l F d" +msgstr "грама Л Е г" + +#: src/Model/Profile.php:482 +msgid "F d" +msgstr "F г" + +#: src/Model/Profile.php:544 src/Model/Profile.php:629 +msgid "[today]" +msgstr "Днес" + +#: src/Model/Profile.php:554 +msgid "Birthday Reminders" +msgstr "Напомняния за рождени дни" + +#: src/Model/Profile.php:555 +msgid "Birthdays this week:" +msgstr "Рождени дни този Седмица:" + +#: src/Model/Profile.php:616 +msgid "[No description]" +msgstr "[Няма описание]" + +#: src/Model/Profile.php:642 +msgid "Event Reminders" +msgstr "Напомняния" + +#: src/Model/Profile.php:643 +msgid "Upcoming events the next 7 days:" +msgstr "" + +#: src/Model/Profile.php:818 +#, php-format +msgid "OpenWebAuth: %1$s welcomes %2$s" +msgstr "" + +#: src/Model/Storage/Database.php:74 +#, php-format +msgid "Database storage failed to update %s" +msgstr "" + +#: src/Model/Storage/Database.php:82 +msgid "Database storage failed to insert data" +msgstr "" + +#: src/Model/Storage/Filesystem.php:100 +#, php-format +msgid "Filesystem storage failed to create \"%s\". Check you write permissions." +msgstr "" + +#: src/Model/Storage/Filesystem.php:148 +#, php-format msgid "" -"Nickname was once registered here and may not be re-used. Please choose " -"another." -msgstr "Псевдоним някога е бил регистриран тук и не могат да се използват повторно. Моля, изберете друга." +"Filesystem storage failed to save data to \"%s\". Check your write " +"permissions" +msgstr "" -#: include/user.php:173 +#: src/Model/Storage/Filesystem.php:176 +msgid "Storage base path" +msgstr "" + +#: src/Model/Storage/Filesystem.php:178 +msgid "" +"Folder where uploaded files are saved. For maximum security, This should be " +"a path outside web server folder tree" +msgstr "" + +#: src/Model/Storage/Filesystem.php:191 +msgid "Enter a valid existing folder" +msgstr "" + +#: src/Model/User.php:186 src/Model/User.php:931 msgid "SERIOUS ERROR: Generation of security keys failed." msgstr "Сериозна грешка: генериране на ключове за защита не успя." -#: include/user.php:231 +#: src/Model/User.php:549 +msgid "Login failed" +msgstr "" + +#: src/Model/User.php:581 +msgid "Not enough information to authenticate" +msgstr "" + +#: src/Model/User.php:676 +msgid "Password can't be empty" +msgstr "" + +#: src/Model/User.php:695 +msgid "Empty passwords are not allowed." +msgstr "" + +#: src/Model/User.php:699 +msgid "" +"The new password has been exposed in a public data dump, please choose " +"another." +msgstr "" + +#: src/Model/User.php:705 +msgid "" +"The password can't contain accentuated letters, white spaces or colons (:)" +msgstr "" + +#: src/Model/User.php:811 +msgid "Passwords do not match. Password unchanged." +msgstr "Паролите не съвпадат. Парола непроменен." + +#: src/Model/User.php:818 +msgid "An invitation is required." +msgstr "Се изисква покана." + +#: src/Model/User.php:822 +msgid "Invitation could not be verified." +msgstr "Покана не може да бъде проверена." + +#: src/Model/User.php:830 +msgid "Invalid OpenID url" +msgstr "Невалиден URL OpenID" + +#: src/Model/User.php:843 src/Security/Authentication.php:224 +msgid "" +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "Ние се натъкна на проблем, докато влезете с OpenID, който сте посочили. Моля, проверете правилното изписване на идентификацията." + +#: src/Model/User.php:843 src/Security/Authentication.php:224 +msgid "The error message was:" +msgstr "Съобщението за грешка е:" + +#: src/Model/User.php:849 +msgid "Please enter the required information." +msgstr "Моля, въведете необходимата информация." + +#: src/Model/User.php:863 +#, php-format +msgid "" +"system.username_min_length (%s) and system.username_max_length (%s) are " +"excluding each other, swapping values." +msgstr "" + +#: src/Model/User.php:870 +#, php-format +msgid "Username should be at least %s character." +msgid_plural "Username should be at least %s characters." +msgstr[0] "" +msgstr[1] "" + +#: src/Model/User.php:874 +#, php-format +msgid "Username should be at most %s character." +msgid_plural "Username should be at most %s characters." +msgstr[0] "" +msgstr[1] "" + +#: src/Model/User.php:882 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "Това не изглежда да е пълен (първи Последно) име." + +#: src/Model/User.php:887 +msgid "Your email domain is not among those allowed on this site." +msgstr "Вашият имейл домейн не е сред тези, разрешени на този сайт." + +#: src/Model/User.php:891 +msgid "Not a valid email address." +msgstr "Не е валиден имейл адрес." + +#: src/Model/User.php:894 +msgid "The nickname was blocked from registration by the nodes admin." +msgstr "" + +#: src/Model/User.php:898 src/Model/User.php:906 +msgid "Cannot use that email." +msgstr "Не може да се използва този имейл." + +#: src/Model/User.php:913 +msgid "Your nickname can only contain a-z, 0-9 and _." +msgstr "" + +#: src/Model/User.php:921 src/Model/User.php:978 +msgid "Nickname is already registered. Please choose another." +msgstr "Псевдоним вече е регистрирано. Моля, изберете друга." + +#: src/Model/User.php:965 src/Model/User.php:969 msgid "An error occurred during registration. Please try again." msgstr "Възникна грешка по време на регистрацията. Моля, опитайте отново." -#: include/user.php:256 view/theme/duepuntozero/config.php:44 -msgid "default" -msgstr "預設值" - -#: include/user.php:266 +#: src/Model/User.php:992 msgid "An error occurred creating your default profile. Please try again." msgstr "Възникна грешка при създаването на своя профил по подразбиране. Моля, опитайте отново." -#: include/user.php:326 include/user.php:333 include/user.php:340 -#: mod/profile_photo.php:74 mod/profile_photo.php:81 mod/profile_photo.php:88 -#: mod/profile_photo.php:210 mod/profile_photo.php:302 -#: mod/profile_photo.php:311 mod/photos.php:66 mod/photos.php:180 -#: mod/photos.php:751 mod/photos.php:1211 mod/photos.php:1232 -#: mod/photos.php:1819 -msgid "Profile Photos" -msgstr "Снимка на профила" +#: src/Model/User.php:999 +msgid "An error occurred creating your self contact. Please try again." +msgstr "" -#: include/user.php:414 +#: src/Model/User.php:1004 +msgid "Friends" +msgstr "Приятели" + +#: src/Model/User.php:1008 +msgid "" +"An error occurred creating your default contact group. Please try again." +msgstr "" + +#: src/Model/User.php:1199 #, php-format msgid "" "\n" "\t\tDear %1$s,\n" -"\t\t\tThank you for registering at %2$s. Your account is pending for approval by the administrator.\n" -"\t" +"\t\t\tthe administrator of %2$s has set up an account for you." msgstr "" -#: include/user.php:424 -#, php-format -msgid "Registration at %s" -msgstr "" - -#: include/user.php:434 -#, 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:438 +#: src/Model/User.php:1202 #, 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\tSite Location:\t%1$s\n" +"\t\tLogin Name:\t\t%2$s\n" +"\t\tPassword:\t\t%3$s\n" "\n" "\t\tYou may change your password from your account \"Settings\" page after logging\n" "\t\tin.\n" @@ -3077,4275 +5080,54 @@ msgid "" "\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" +"\t\tIf you ever want to delete your account, you can do so at %1$s/removeme\n" "\n" -"\t\tThank you and welcome to %2$s." +"\t\tThank you and welcome to %4$s." msgstr "" -#: include/user.php:470 mod/admin.php:1213 +#: src/Model/User.php:1235 src/Model/User.php:1342 #, php-format msgid "Registration details for %s" msgstr "Регистрационни данни за %s" -#: mod/oexchange.php:25 -msgid "Post successful." -msgstr "Мнение успешно." - -#: mod/viewsrc.php:7 -msgid "Access denied." -msgstr "Отказан достъп." - -#: mod/home.php:35 -#, php-format -msgid "Welcome to %s" -msgstr "Добре дошли %s" - -#: mod/notify.php:60 -msgid "No more system notifications." -msgstr "Не повече системни известия." - -#: mod/notify.php:64 mod/notifications.php:111 -msgid "System Notifications" -msgstr "Системни известия" - -#: mod/search.php:25 mod/network.php:191 -msgid "Remove term" -msgstr "Премахване мандат" - -#: mod/search.php:93 mod/search.php:99 mod/community.php:22 -#: mod/directory.php:37 mod/display.php:200 mod/photos.php:944 -#: mod/videos.php:194 mod/dfrn_request.php:791 mod/viewcontacts.php:35 -msgid "Public access denied." -msgstr "Публичен достъп отказан." - -#: mod/search.php:100 -msgid "Only logged in users are permitted to perform a search." -msgstr "" - -#: mod/search.php:124 -msgid "Too Many Requests" -msgstr "" - -#: mod/search.php:125 -msgid "Only one search per minute is permitted for not logged in users." -msgstr "" - -#: mod/search.php:224 mod/community.php:66 mod/community.php:75 -msgid "No results." -msgstr "Няма резултати." - -#: mod/search.php:230 -#, php-format -msgid "Items tagged with: %s" -msgstr "" - -#: mod/search.php:232 mod/contacts.php:797 mod/network.php:146 -#, php-format -msgid "Results for: %s" -msgstr "" - -#: mod/friendica.php:70 -msgid "This is Friendica, version" -msgstr "Това е Friendica, версия" - -#: mod/friendica.php:71 -msgid "running at web location" -msgstr "работи в уеб сайта," - -#: mod/friendica.php:73 -msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "Моля, посетете Friendica.com , за да научите повече за проекта на Friendica." - -#: mod/friendica.php:75 -msgid "Bug reports and issues: please visit" -msgstr "Доклади за грешки и проблеми: моля посетете" - -#: mod/friendica.php:75 -msgid "the bugtracker at github" -msgstr "" - -#: mod/friendica.php:76 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "Предложения, похвали, дарения и т.н. - моля пишете \"Инфо\" в Friendica - Dot Com" - -#: mod/friendica.php:90 -msgid "Installed plugins/addons/apps:" -msgstr "Инсталираните приставки / Addons / Apps:" - -#: mod/friendica.php:103 -msgid "No installed plugins/addons/apps" -msgstr "Няма инсталирани плъгини / Addons / приложения" - -#: 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:109 boot.php:1807 -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 boot.php:1795 -msgid "Nickname or Email: " -msgstr "Псевдоним или имейл адрес: " - -#: mod/lostpass.php:162 -msgid "Reset" -msgstr "Нулиране" - -#: mod/hcard.php:10 -msgid "No profile" -msgstr "Няма профил" - -#: mod/help.php:41 -msgid "Help:" -msgstr "Помощ" - -#: mod/help.php:53 mod/p.php:16 mod/p.php:43 mod/p.php:52 mod/fetch.php:12 -#: mod/fetch.php:39 mod/fetch.php:48 index.php:288 -msgid "Not Found" -msgstr "Не е намерено" - -#: mod/help.php:56 index.php:291 -msgid "Page not found." -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/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "OpenID протокол грешка. Не ID върна." - -#: mod/openid.php:60 -msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "Кутия не е намерена и, OpenID регистрация не е разрешено на този сайт." - -#: mod/uimport.php:50 mod/register.php:198 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "Този сайт е надвишил броя на разрешените дневни регистрации сметка. Моля, опитайте отново утре." - -#: mod/uimport.php:64 mod/register.php:295 -msgid "Import" -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 (GNU Social/Statusnet) or from Diaspora" -msgstr "" - -#: mod/uimport.php:70 -msgid "Account file" -msgstr "" - -#: mod/uimport.php:70 -msgid "" -"To export your account, go to \"Settings->Export your personal data\" and " -"select \"Export account\"" -msgstr "" - -#: mod/nogroup.php:41 mod/contacts.php:586 mod/contacts.php:930 -#: mod/viewcontacts.php:97 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "Посетете %s Профилът на [ %s ]" - -#: mod/nogroup.php:42 mod/contacts.php:931 -msgid "Edit contact" -msgstr "Редактиране на контакт" - -#: mod/nogroup.php:63 -msgid "Contacts who are not members of a group" -msgstr "Контакти, които не са членове на една група" - -#: mod/uexport.php:29 -msgid "Export account" -msgstr "" - -#: mod/uexport.php:29 -msgid "" -"Export your account info and contacts. Use this to make a backup of your " -"account and/or to move it to another server." -msgstr "" - -#: mod/uexport.php:30 -msgid "Export all" -msgstr "Изнасяне на всичко" - -#: mod/uexport.php:30 -msgid "" -"Export your accout info, contacts and all your items as json. Could be a " -"very big file, and could take a lot of time. Use this to make a full backup " -"of your account (photos are not exported)" -msgstr "" - -#: mod/uexport.php:37 mod/settings.php:95 -msgid "Export personal data" -msgstr "Експортиране на личните данни" - -#: 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] "" -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 "Посетете %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:134 mod/wallmessage.php:151 mod/message.php:351 -#: mod/message.php:541 -msgid "Your message:" -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/invite.php:140 mod/localtime.php:45 mod/message.php:357 -#: mod/message.php:547 mod/manage.php:143 mod/crepair.php:154 -#: mod/content.php:728 mod/fsuggest.php:107 mod/mood.php:137 mod/poke.php:199 -#: mod/profiles.php:688 mod/events.php:506 mod/photos.php:1104 -#: mod/photos.php:1226 mod/photos.php:1539 mod/photos.php:1590 -#: mod/photos.php:1638 mod/photos.php:1724 mod/contacts.php:577 -#: mod/install.php:272 mod/install.php:312 object/Item.php:720 -#: view/theme/frio/config.php:59 view/theme/quattro/config.php:64 -#: view/theme/vier/config.php:107 view/theme/duepuntozero/config.php:59 -msgid "Submit" -msgstr "Изпращане" - -#: mod/fbrowser.php:133 -msgid "Files" -msgstr "Файлове" - -#: mod/profperm.php:19 mod/group.php:72 index.php:400 -msgid "Permission denied" -msgstr "Разрешението е отказано" - -#: mod/profperm.php:25 mod/profperm.php:56 -msgid "Invalid profile identifier." -msgstr "Невалиден идентификатор на профила." - -#: mod/profperm.php:102 -msgid "Profile Visibility Editor" -msgstr "Редактор профил Видимост" - -#: mod/profperm.php:106 mod/group.php:223 -msgid "Click on a contact to add or remove." -msgstr "Щракнете върху контакт, за да добавите или премахнете." - -#: mod/profperm.php:115 -msgid "Visible To" -msgstr "Вижда се от" - -#: mod/profperm.php:131 -msgid "All Contacts (with secure profile access)" -msgstr "Всички контакти с охраняем достъп до профил)" - -#: mod/tagrm.php:41 -msgid "Tag removed" -msgstr "Отстранява маркировката" - -#: mod/tagrm.php:79 -msgid "Remove Item Tag" -msgstr "Извадете Tag т." - -#: mod/tagrm.php:81 -msgid "Select a tag to remove: " -msgstr "Изберете етикет, за да премахнете: " - -#: mod/tagrm.php:93 mod/delegate.php:139 -msgid "Remove" -msgstr "Премахване" - -#: mod/repair_ostatus.php:14 -msgid "Resubscribing to OStatus contacts" -msgstr "" - -#: mod/repair_ostatus.php:30 -msgid "Error" -msgstr "" - -#: mod/repair_ostatus.php:44 mod/ostatus_subscribe.php:51 -msgid "Done" -msgstr "" - -#: mod/repair_ostatus.php:50 mod/ostatus_subscribe.php:73 -msgid "Keep this window open until done." -msgstr "" - -#: mod/delegate.php:101 -msgid "No potential page delegates located." -msgstr "Няма потенциални делегати на страницата намира." - -#: 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/credits.php:16 -msgid "Credits" -msgstr "" - -#: mod/credits.php:17 -msgid "" -"Friendica is a community project, that would not be possible without the " -"help of many people. Here is a list of those who have contributed to the " -"code or the translation of Friendica. Thank you all!" -msgstr "" - -#: mod/filer.php:30 -msgid "- select -" -msgstr "избор" - -#: mod/subthread.php:103 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "" - -#: mod/attach.php:8 -msgid "Item not available." -msgstr "Които не са на разположение." - -#: mod/attach.php:20 -msgid "Item was not found." -msgstr "Елемент не е намерен." - -#: mod/apps.php:7 index.php:244 -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/p.php:9 -msgid "Not Extended" -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 "" - -#: 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 mod/profile_photo.php:250 mod/profiles.php:707 -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:51 -msgid "Importing Emails" -msgstr "Внасяне на е-пощи" - -#: mod/newmember.php:51 -msgid "" -"Enter your email access information on your Connector Settings page if you " -"wish to import and interact with friends or mailing lists from your email " -"INBOX" -msgstr "Въведете своя имейл достъп до информация на страницата Настройки на Connector, ако желаете да внасят и да взаимодейства с приятели или списъци с адреси от електронната си поща Входящи" - -#: mod/newmember.php:53 -msgid "Go to Your Contacts Page" -msgstr "" - -#: mod/newmember.php:53 -msgid "" -"Your Contacts page is your gateway to managing friendships and connecting " -"with friends on other networks. Typically you enter their address or site " -"URL in the Add New Contact dialog." -msgstr "Контакти страница е вашата врата към управлението на приятелства и свързване с приятели в други мрежи. Обикновено можете да въведете адрес или адрес на сайта в Добавяне на нов контакт диалоговия." - -#: mod/newmember.php:55 -msgid "Go to Your Site's Directory" -msgstr "" - -#: mod/newmember.php:55 -msgid "" -"The Directory page lets you find other people in this network or other " -"federated sites. Look for a Connect or Follow link on " -"their profile page. Provide your own Identity Address if requested." -msgstr "Страницата на справочника ви позволява да намерите други хора в тази мрежа или други сайтове Федерални. Потърсете Свържете или Следвайте в профила си страница. Предоставяне на вашия собствен адрес за самоличност, ако това бъде поискано." - -#: mod/newmember.php:57 -msgid "Finding New People" -msgstr "Откриване на нови хора" - -#: mod/newmember.php:57 -msgid "" -"On the side panel of the Contacts page are several tools to find new " -"friends. We can match people by interest, look up people by name or " -"interest, and provide suggestions based on network relationships. On a brand" -" new site, friend suggestions will usually begin to be populated within 24 " -"hours." -msgstr "На страничния панел на страницата \"Контакти\" са няколко инструмента, да намерите нови приятели. Ние можем да съчетаем хора по интереси, потърсете хора по име или интерес, и да предостави предложения на базата на мрежови връзки. На чисто нов сайт, приятел предложения ще обикновено започват да се населена в рамките на 24 часа." - -#: mod/newmember.php:65 -msgid "Group Your Contacts" -msgstr "" - -#: mod/newmember.php:65 -msgid "" -"Once you have made some friends, organize them into private conversation " -"groups from the sidebar of your Contacts page and then you can interact with" -" each group privately on your Network page." -msgstr "След като сте направили някои приятели, да ги организирате в групи от частния разговор от страничната лента на страницата с контакти и след това можете да взаимодействате с всяка група частно във вашата мрежа." - -#: mod/newmember.php:68 -msgid "Why Aren't My Posts Public?" -msgstr "Защо публикациите ми не са публични?" - -#: mod/newmember.php:68 -msgid "" -"Friendica respects your privacy. By default, your posts will only show up to" -" people you've added as friends. For more information, see the help section " -"from the link above." -msgstr "" - -#: mod/newmember.php:73 -msgid "Getting Help" -msgstr "" - -#: mod/newmember.php:77 -msgid "Go to the Help Section" -msgstr "" - -#: mod/newmember.php:77 -msgid "" -"Our help pages may be consulted for detail on other program" -" features and resources." -msgstr "Нашата помощ страницата може да бъде консултиран за подробности относно други характеристики, програма и ресурси." - -#: 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/editpost.php:17 mod/editpost.php:27 -msgid "Item not found" -msgstr "Елемент не е намерена" - -#: mod/editpost.php:40 -msgid "Edit post" -msgstr "Редактиране на мнение" - -#: mod/localtime.php:24 -msgid "Time Conversion" -msgstr "Време за преобразуване" - -#: mod/localtime.php:26 -msgid "" -"Friendica provides this service for sharing events with other networks and " -"friends in unknown timezones." -msgstr "" - -#: mod/localtime.php:30 -#, php-format -msgid "UTC time: %s" -msgstr "UTC време: %s" - -#: mod/localtime.php:33 -#, php-format -msgid "Current timezone: %s" -msgstr "Текуща часова зона: %s" - -#: mod/localtime.php:36 -#, php-format -msgid "Converted localtime: %s" -msgstr "Превърнат localtime: %s" - -#: mod/localtime.php:41 -msgid "Please select your timezone:" -msgstr "Моля изберете вашия часовата зона:" - -#: mod/bookmarklet.php:41 -msgid "The post was created" -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:113 -msgid "Group removed." -msgstr "Група отстранени." - -#: mod/group.php:115 -msgid "Unable to remove group." -msgstr "Не може да премахнете група." - -#: mod/group.php:177 -msgid "Group Editor" -msgstr "Група Editor" - -#: mod/group.php:190 -msgid "Members" -msgstr "Членове" - -#: mod/group.php:192 mod/contacts.php:692 -msgid "All Contacts" -msgstr "Всички Контакти" - -#: mod/group.php:193 mod/content.php:130 mod/network.php:496 -msgid "Group is empty" -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:71 -msgid "No recipient selected." -msgstr "Не е избран получател." - -#: mod/wallmessage.php:59 -msgid "Unable to check your home location." -msgstr "Не може да проверите вашето местоположение." - -#: mod/wallmessage.php:62 mod/message.php:78 -msgid "Message could not be sent." -msgstr "Писмото не може да бъде изпратена." - -#: mod/wallmessage.php:65 mod/message.php:81 -msgid "Message collection failure." -msgstr "Съобщение за събиране на неуспех." - -#: mod/wallmessage.php:68 mod/message.php:84 -msgid "Message sent." -msgstr "Изпратено съобщение." - -#: mod/wallmessage.php:86 mod/wallmessage.php:95 -msgid "No recipient." -msgstr "Не получателя." - -#: mod/wallmessage.php:142 mod/message.php:341 -msgid "Send Private Message" -msgstr "Изпрати Лично Съобщение" - -#: 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:342 mod/message.php:536 -msgid "To:" -msgstr "До:" - -#: mod/wallmessage.php:145 mod/message.php:347 mod/message.php:538 -msgid "Subject:" -msgstr "Относно:" - -#: mod/share.php:38 -msgid "link" -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 "Назад към приложението ти и поставите този Securty код:" - -#: 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/api.php:106 mod/profiles.php:648 mod/profiles.php:652 -#: mod/profiles.php:677 mod/register.php:246 mod/settings.php:1163 -#: mod/settings.php:1169 mod/settings.php:1177 mod/settings.php:1181 -#: mod/settings.php:1186 mod/settings.php:1192 mod/settings.php:1198 -#: mod/settings.php:1204 mod/settings.php:1230 mod/settings.php:1231 -#: mod/settings.php:1232 mod/settings.php:1233 mod/settings.php:1234 -#: mod/dfrn_request.php:862 mod/follow.php:110 -msgid "No" -msgstr "Не" - -#: 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/ostatus_subscribe.php:14 -msgid "Subscribing to OStatus contacts" -msgstr "" - -#: mod/ostatus_subscribe.php:25 -msgid "No contact provided." -msgstr "" - -#: mod/ostatus_subscribe.php:30 -msgid "Couldn't fetch information for contact." -msgstr "" - -#: mod/ostatus_subscribe.php:38 -msgid "Couldn't fetch friends for contact." -msgstr "" - -#: mod/ostatus_subscribe.php:65 -msgid "success" -msgstr "" - -#: mod/ostatus_subscribe.php:67 -msgid "failed" -msgstr "" - -#: mod/ostatus_subscribe.php:69 mod/content.php:792 object/Item.php:245 -msgid "ignored" -msgstr "" - -#: mod/dfrn_poll.php:104 mod/dfrn_poll.php:537 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "" - -#: mod/message.php:75 -msgid "Unable to locate contact information." -msgstr "Не може да се намери информация за контакт." - -#: mod/message.php:215 -msgid "Do you really want to delete this message?" -msgstr "" - -#: mod/message.php:235 -msgid "Message deleted." -msgstr "Съобщение заличават." - -#: mod/message.php:266 -msgid "Conversation removed." -msgstr "Разговор отстранени." - -#: mod/message.php:383 -msgid "No messages." -msgstr "Няма съобщения." - -#: mod/message.php:426 -msgid "Message not available." -msgstr "Съобщението не е посочена." - -#: mod/message.php:503 -msgid "Delete message" -msgstr "Изтриване на съобщение" - -#: mod/message.php:529 mod/message.php:609 -msgid "Delete conversation" -msgstr "Изтриване на разговор" - -#: mod/message.php:531 -msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "Няма сигурни комуникации. Можете май да бъде в състояние да отговори от страницата на профила на подателя." - -#: mod/message.php:535 -msgid "Send Reply" -msgstr "Изпратете Отговор" - -#: mod/message.php:579 -#, php-format -msgid "Unknown sender - %s" -msgstr "Непознат подател %s" - -#: mod/message.php:581 -#, php-format -msgid "You and %s" -msgstr "Вие и %s" - -#: mod/message.php:583 -#, php-format -msgid "%s and You" -msgstr "%s" - -#: mod/message.php:612 -msgid "D, d M Y - g:i A" -msgstr "D, D MY - Г: А" - -#: mod/message.php:615 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "" -msgstr[1] "" - -#: mod/manage.php:139 -msgid "Manage Identities and/or Pages" -msgstr "Управление на идентичността и / или страници" - -#: mod/manage.php:140 -msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "Превключвате между различните идентичности или общността / групата страници, които споделят данните на акаунта ви, или които сте получили \"управление\" разрешения" - -#: mod/manage.php:141 -msgid "Select an identity to manage: " -msgstr "Изберете идентичност, за да управлява: " - -#: mod/crepair.php:87 -msgid "Contact settings applied." -msgstr "Контактни настройки прилага." - -#: mod/crepair.php:89 -msgid "Contact update failed." -msgstr "Свържете се актуализира провали." - -#: mod/crepair.php:114 mod/fsuggest.php:20 mod/fsuggest.php:92 -#: mod/dfrn_confirm.php:126 -msgid "Contact not found." -msgstr "Контактът не е намерен." - -#: mod/crepair.php:120 -msgid "" -"WARNING: This is highly advanced and if you enter incorrect" -" information your communications with this contact may stop working." -msgstr " ВНИМАНИЕ: Това е силно напреднали и ако въведете невярна информация вашите комуникации с този контакт може да спре да работи." - -#: mod/crepair.php:121 -msgid "" -"Please use your browser 'Back' button now if you are " -"uncertain what to do on this page." -msgstr "Моля, използвайте Назад на вашия браузър бутон сега, ако не сте сигурни какво да правят на тази страница." - -#: mod/crepair.php:134 mod/crepair.php:136 -msgid "No mirroring" -msgstr "" - -#: mod/crepair.php:134 -msgid "Mirror as forwarded posting" -msgstr "" - -#: mod/crepair.php:134 mod/crepair.php:136 -msgid "Mirror as my own posting" -msgstr "" - -#: mod/crepair.php:150 -msgid "Return to contact editor" -msgstr "Назад, за да се свържете с редактор" - -#: mod/crepair.php:152 -msgid "Refetch contact data" -msgstr "" - -#: mod/crepair.php:156 -msgid "Remote Self" -msgstr "" - -#: mod/crepair.php:159 -msgid "Mirror postings from this contact" -msgstr "" - -#: mod/crepair.php:161 -msgid "" -"Mark this contact as remote_self, this will cause friendica to repost new " -"entries from this contact." -msgstr "" - -#: mod/crepair.php:165 mod/settings.php:680 mod/settings.php:706 -#: mod/admin.php:1396 mod/admin.php:1409 mod/admin.php:1422 mod/admin.php:1438 -msgid "Name" -msgstr "Име" - -#: 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 адрес на Уведомление Endpoint" - -#: mod/crepair.php:172 -msgid "Poll/Feed URL" -msgstr "Анкета / URL Feed" - -#: mod/crepair.php:173 -msgid "New photo from this URL" -msgstr "Нова снимка от този адрес" - -#: mod/content.php:119 mod/network.php:469 -msgid "No such group" -msgstr "Няма такава група" - -#: mod/content.php:135 mod/network.php:500 -#, php-format -msgid "Group: %s" -msgstr "" - -#: mod/content.php:325 object/Item.php:95 -msgid "This entry was edited" -msgstr "Записът е редактиран" - -#: mod/content.php:621 object/Item.php:429 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "" -msgstr[1] "" - -#: mod/content.php:638 mod/photos.php:1379 object/Item.php:117 -msgid "Private Message" -msgstr "Лично съобщение" - -#: mod/content.php:702 mod/photos.php:1567 object/Item.php:263 -msgid "I like this (toggle)" -msgstr "Харесва ми това (смяна)" - -#: mod/content.php:702 object/Item.php:263 -msgid "like" -msgstr "харесвам" - -#: mod/content.php:703 mod/photos.php:1568 object/Item.php:264 -msgid "I don't like this (toggle)" -msgstr "Не ми харесва това (смяна)" - -#: mod/content.php:703 object/Item.php:264 -msgid "dislike" -msgstr "не харесвам" - -#: mod/content.php:705 object/Item.php:266 -msgid "Share this" -msgstr "Споделете това" - -#: mod/content.php:705 object/Item.php:266 -msgid "share" -msgstr "споделяне" - -#: mod/content.php:725 mod/photos.php:1587 mod/photos.php:1635 -#: mod/photos.php:1721 object/Item.php:717 -msgid "This is you" -msgstr "Това сте вие" - -#: mod/content.php:727 mod/content.php:945 mod/photos.php:1589 -#: mod/photos.php:1637 mod/photos.php:1723 object/Item.php:403 -#: object/Item.php:719 boot.php:971 -msgid "Comment" -msgstr "Коментар" - -#: mod/content.php:729 object/Item.php:721 -msgid "Bold" -msgstr "Получер" - -#: mod/content.php:730 object/Item.php:722 -msgid "Italic" -msgstr "Курсив" - -#: mod/content.php:731 object/Item.php:723 -msgid "Underline" -msgstr "Подчертан" - -#: mod/content.php:732 object/Item.php:724 -msgid "Quote" -msgstr "Цитат" - -#: mod/content.php:733 object/Item.php:725 -msgid "Code" -msgstr "Код" - -#: mod/content.php:734 object/Item.php:726 -msgid "Image" -msgstr "Изображение" - -#: mod/content.php:735 object/Item.php:727 -msgid "Link" -msgstr "Връзка" - -#: mod/content.php:736 object/Item.php:728 -msgid "Video" -msgstr "Видеоклип" - -#: mod/content.php:746 mod/settings.php:740 object/Item.php:122 -#: object/Item.php:124 -msgid "Edit" -msgstr "Редактиране" - -#: mod/content.php:771 object/Item.php:227 -msgid "add star" -msgstr "Добавяне на звезда" - -#: mod/content.php:772 object/Item.php:228 -msgid "remove star" -msgstr "Премахване на звездата" - -#: mod/content.php:773 object/Item.php:229 -msgid "toggle star status" -msgstr "превключване звезда статус" - -#: mod/content.php:776 object/Item.php:232 -msgid "starred" -msgstr "звезда" - -#: mod/content.php:777 mod/content.php:798 object/Item.php:252 -msgid "add tag" -msgstr "добавяне на етикет" - -#: mod/content.php:787 object/Item.php:240 -msgid "ignore thread" -msgstr "" - -#: mod/content.php:788 object/Item.php:241 -msgid "unignore thread" -msgstr "" - -#: mod/content.php:789 object/Item.php:242 -msgid "toggle ignore status" -msgstr "" - -#: mod/content.php:803 object/Item.php:137 -msgid "save to folder" -msgstr "запишете в папка" - -#: mod/content.php:848 object/Item.php:201 -msgid "I will attend" -msgstr "" - -#: mod/content.php:848 object/Item.php:201 -msgid "I will not attend" -msgstr "" - -#: mod/content.php:848 object/Item.php:201 -msgid "I might attend" -msgstr "" - -#: mod/content.php:912 object/Item.php:369 -msgid "to" -msgstr "за" - -#: mod/content.php:913 object/Item.php:371 -msgid "Wall-to-Wall" -msgstr "От стена до стена" - -#: mod/content.php:914 object/Item.php:372 -msgid "via Wall-To-Wall:" -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/mood.php:133 -msgid "Mood" -msgstr "Настроение" - -#: mod/mood.php:134 -msgid "Set your current mood and tell your friends" -msgstr "" - -#: mod/poke.php:192 -msgid "Poke/Prod" -msgstr "" - -#: mod/poke.php:193 -msgid "poke, prod or do other things to somebody" -msgstr "" - -#: mod/poke.php:194 -msgid "Recipient" -msgstr "Получател" - -#: mod/poke.php:195 -msgid "Choose what you wish to do to recipient" -msgstr "" - -#: mod/poke.php:198 -msgid "Make this post private" -msgstr "" - -#: mod/profile_photo.php:44 -msgid "Image uploaded but image cropping failed." -msgstr "Качени изображения, но изображението изрязване не успя." - -#: mod/profile_photo.php:77 mod/profile_photo.php:84 mod/profile_photo.php:91 -#: mod/profile_photo.php:314 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "Намаляване на размер [ %s ] не успя." - -#: mod/profile_photo.php:124 -msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Shift-презаредите страницата или ясно, кеша на браузъра, ако новата снимка не показва веднага." - -#: mod/profile_photo.php:134 -msgid "Unable to process image" -msgstr "Не може да се обработи" - -#: mod/profile_photo.php:150 mod/photos.php:786 mod/wall_upload.php:151 -#, php-format -msgid "Image exceeds size limit of %s" -msgstr "" - -#: mod/profile_photo.php:159 mod/photos.php:826 mod/wall_upload.php:188 -msgid "Unable to process image." -msgstr "Не може да се обработи." - -#: mod/profile_photo.php:248 -msgid "Upload File:" -msgstr "прикрепи файл" - -#: mod/profile_photo.php:249 -msgid "Select a profile:" -msgstr "Избор на профил:" - -#: mod/profile_photo.php:251 -msgid "Upload" -msgstr "Качете в Мрежата " - -#: mod/profile_photo.php:254 -msgid "or" -msgstr "или" - -#: mod/profile_photo.php:254 -msgid "skip this step" -msgstr "пропуснете тази стъпка" - -#: mod/profile_photo.php:254 -msgid "select a photo from your photo albums" -msgstr "изберете снимка от вашите фото албуми" - -#: mod/profile_photo.php:268 -msgid "Crop Image" -msgstr "Изрязване на изображението" - -#: mod/profile_photo.php:269 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "Моля, настроите образа на изрязване за оптимално гледане." - -#: mod/profile_photo.php:271 -msgid "Done Editing" -msgstr "Съставено редактиране" - -#: mod/profile_photo.php:305 -msgid "Image uploaded successfully." -msgstr "Качени изображения успешно." - -#: mod/profile_photo.php:307 mod/photos.php:853 mod/wall_upload.php:221 -msgid "Image upload failed." -msgstr "Image Upload неуспешно." - -#: 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/notifications.php:35 -msgid "Invalid request identifier." -msgstr "Невалидна заявка идентификатор." - -#: mod/notifications.php:44 mod/notifications.php:180 -#: mod/notifications.php:252 -msgid "Discard" -msgstr "Отхвърляне" - -#: mod/notifications.php:60 mod/notifications.php:179 -#: mod/notifications.php:251 mod/contacts.php:606 mod/contacts.php:806 -#: mod/contacts.php:991 -msgid "Ignore" -msgstr "Пренебрегване" - -#: mod/notifications.php:105 -msgid "Network Notifications" -msgstr "Мрежа Известия" - -#: mod/notifications.php:117 -msgid "Personal Notifications" -msgstr "Лични Известия" - -#: mod/notifications.php:123 -msgid "Home Notifications" -msgstr "Начало Известия" - -#: mod/notifications.php:152 -msgid "Show Ignored Requests" -msgstr "Показване на пренебрегнатите заявки" - -#: mod/notifications.php:152 -msgid "Hide Ignored Requests" -msgstr "Скриване на пренебрегнатите заявки" - -#: mod/notifications.php:164 mod/notifications.php:222 -msgid "Notification type: " -msgstr "Вид на уведомлението: " - -#: mod/notifications.php:167 -#, php-format -msgid "suggested by %s" -msgstr "предложено от %s" - -#: mod/notifications.php:172 mod/notifications.php:239 mod/contacts.php:613 -msgid "Hide this contact from others" -msgstr "Скриване на този контакт от другите" - -#: mod/notifications.php:173 mod/notifications.php:240 -msgid "Post a new friend activity" -msgstr "Публикувай нова дейност приятел" - -#: mod/notifications.php:173 mod/notifications.php:240 -msgid "if applicable" -msgstr "ако е приложимо" - -#: mod/notifications.php:176 mod/notifications.php:249 mod/admin.php:1412 -msgid "Approve" -msgstr "Одобряване" - -#: mod/notifications.php:195 -msgid "Claims to be known to you: " -msgstr "Искания, да се знае за вас: " - -#: mod/notifications.php:196 -msgid "yes" -msgstr "да" - -#: mod/notifications.php:196 -msgid "no" -msgstr "не" - -#: mod/notifications.php:197 -msgid "" -"Shall your connection be bidirectional or not? \"Friend\" implies that you " -"allow to read and you subscribe to their posts. \"Fan/Admirer\" means that " -"you allow to read but you do not want to read theirs. Approve as: " -msgstr "" - -#: mod/notifications.php:200 -msgid "" -"Shall your connection be bidirectional or not? \"Friend\" implies that you " -"allow to read and you subscribe to their posts. \"Sharer\" means that you " -"allow to read but you do not want to read theirs. Approve as: " -msgstr "" - -#: mod/notifications.php:209 -msgid "Friend" -msgstr "Приятел" - -#: mod/notifications.php:210 -msgid "Sharer" -msgstr "Споделящ" - -#: mod/notifications.php:210 -msgid "Fan/Admirer" -msgstr "Почитател" - -#: mod/notifications.php:243 mod/contacts.php:624 mod/follow.php:126 -msgid "Profile URL" -msgstr "" - -#: mod/notifications.php:260 -msgid "No introductions." -msgstr "Няма въвеждане." - -#: mod/notifications.php:299 -msgid "Show unread" -msgstr "" - -#: mod/notifications.php:299 -msgid "Show all" -msgstr "" - -#: mod/notifications.php:305 -#, php-format -msgid "No more %s notifications." -msgstr "" - -#: mod/profiles.php:19 mod/profiles.php:134 mod/profiles.php:180 -#: mod/profiles.php:617 mod/dfrn_confirm.php:70 -msgid "Profile not found." -msgstr "Профил не е намерен." - -#: mod/profiles.php:38 -msgid "Profile deleted." -msgstr "Изтрит профил." - -#: mod/profiles.php:56 mod/profiles.php:90 -msgid "Profile-" -msgstr "Височина на профила" - -#: mod/profiles.php:75 mod/profiles.php:118 -msgid "New profile created." -msgstr "Нов профил е създаден." - -#: mod/profiles.php:96 -msgid "Profile unavailable to clone." -msgstr "Профил недостъпна да се клонират." - -#: mod/profiles.php:190 -msgid "Profile Name is required." -msgstr "Име на профил се изисква." - -#: mod/profiles.php:338 -msgid "Marital Status" -msgstr "Семейно положение" - -#: mod/profiles.php:342 -msgid "Romantic Partner" -msgstr "Романтичен партньор" - -#: mod/profiles.php:354 -msgid "Work/Employment" -msgstr "Работа / заетост" - -#: mod/profiles.php:357 -msgid "Religion" -msgstr "Вероизповедание:" - -#: mod/profiles.php:361 -msgid "Political Views" -msgstr "Политически възгледи" - -#: mod/profiles.php:365 -msgid "Gender" -msgstr "Пол" - -#: mod/profiles.php:369 -msgid "Sexual Preference" -msgstr "Сексуални предпочитания" - -#: mod/profiles.php:373 -msgid "XMPP" -msgstr "" - -#: mod/profiles.php:377 -msgid "Homepage" -msgstr "Начална страница" - -#: mod/profiles.php:381 mod/profiles.php:702 -msgid "Interests" -msgstr "Интереси" - -#: mod/profiles.php:385 -msgid "Address" -msgstr "Адрес" - -#: mod/profiles.php:392 mod/profiles.php:698 -msgid "Location" -msgstr "Местоположение " - -#: mod/profiles.php:477 -msgid "Profile updated." -msgstr "Профил актуализиран." - -#: mod/profiles.php:564 -msgid " and " -msgstr " и " - -#: mod/profiles.php:572 -msgid "public profile" -msgstr "публичен профил" - -#: mod/profiles.php:575 -#, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "%1$s променя %2$s %3$s 3 $ S " - -#: mod/profiles.php:576 -#, php-format -msgid " - Visit %1$s's %2$s" -msgstr " - Посещение %1$s на %2$s" - -#: mod/profiles.php:579 -#, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "%1$s има актуализиран %2$s , промяна %3$s ." - -#: mod/profiles.php:645 -msgid "Hide contacts and friends:" -msgstr "" - -#: mod/profiles.php:650 -msgid "Hide your contact/friend list from viewers of this profile?" -msgstr "Скриване на вашия контакт / списък приятел от зрителите на този профил?" - -#: mod/profiles.php:674 -msgid "Show more profile fields:" -msgstr "" - -#: mod/profiles.php:686 -msgid "Profile Actions" -msgstr "" - -#: mod/profiles.php:687 -msgid "Edit Profile Details" -msgstr "Редактиране на детайли от профила" - -#: mod/profiles.php:689 -msgid "Change Profile Photo" -msgstr "Промяна снимката на профила" - -#: mod/profiles.php:690 -msgid "View this profile" -msgstr "Виж този профил" - -#: mod/profiles.php:692 -msgid "Create a new profile using these settings" -msgstr "Създаване на нов профил, използвайки тези настройки" - -#: mod/profiles.php:693 -msgid "Clone this profile" -msgstr "Клонираме тази профила" - -#: mod/profiles.php:694 -msgid "Delete this profile" -msgstr "Изтриване на този профил" - -#: mod/profiles.php:696 -msgid "Basic information" -msgstr "" - -#: mod/profiles.php:697 -msgid "Profile picture" -msgstr "" - -#: mod/profiles.php:699 -msgid "Preferences" -msgstr "" - -#: mod/profiles.php:700 -msgid "Status information" -msgstr "" - -#: mod/profiles.php:701 -msgid "Additional information" -msgstr "" - -#: mod/profiles.php:704 -msgid "Relation" -msgstr "" - -#: mod/profiles.php:708 -msgid "Your Gender:" -msgstr "Пол:" - -#: mod/profiles.php:709 -msgid " Marital Status:" -msgstr " Семейно положение:" - -#: mod/profiles.php:711 -msgid "Example: fishing photography software" -msgstr "Пример: софтуер за риболов фотография" - -#: mod/profiles.php:716 -msgid "Profile Name:" -msgstr "Име на профила" - -#: mod/profiles.php:716 mod/events.php:484 mod/events.php:496 -msgid "Required" -msgstr "Задължително" - -#: mod/profiles.php:718 -msgid "" -"This is your public profile.
It may " -"be visible to anybody using the internet." -msgstr "Това е вашата публично профил.
Май да бъде видим за всеки, който с помощта на интернет." - -#: mod/profiles.php:719 -msgid "Your Full Name:" -msgstr "Пълното си име:" - -#: mod/profiles.php:720 -msgid "Title/Description:" -msgstr "Наименование/Описание" - -#: mod/profiles.php:723 -msgid "Street Address:" -msgstr "Адрес:" - -#: mod/profiles.php:724 -msgid "Locality/City:" -msgstr "Махала / Град:" - -#: mod/profiles.php:725 -msgid "Region/State:" -msgstr "Регион / Щат:" - -#: mod/profiles.php:726 -msgid "Postal/Zip Code:" -msgstr "Postal / Zip Code:" - -#: mod/profiles.php:727 -msgid "Country:" -msgstr "Държава:" - -#: mod/profiles.php:731 -msgid "Who: (if applicable)" -msgstr "Кой: (ако е приложимо)" - -#: mod/profiles.php:731 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "Примери: cathy123, Кати Уилямс, cathy@example.com" - -#: mod/profiles.php:732 -msgid "Since [date]:" -msgstr "От [дата]:" - -#: mod/profiles.php:734 -msgid "Tell us about yourself..." -msgstr "Разкажете ни за себе си ..." - -#: mod/profiles.php:735 -msgid "XMPP (Jabber) address:" -msgstr "" - -#: mod/profiles.php:735 -msgid "" -"The XMPP address will be propagated to your contacts so that they can follow" -" you." -msgstr "" - -#: mod/profiles.php:736 -msgid "Homepage URL:" -msgstr "Електронна страница:" - -#: mod/profiles.php:739 -msgid "Religious Views:" -msgstr "Религиозни възгледи:" - -#: mod/profiles.php:740 -msgid "Public Keywords:" -msgstr "Публичните Ключови думи:" - -#: mod/profiles.php:740 -msgid "(Used for suggesting potential friends, can be seen by others)" -msgstr "(Използва се за предполагайки потенциален приятели, може да се види от други)" - -#: mod/profiles.php:741 -msgid "Private Keywords:" -msgstr "Частни Ключови думи:" - -#: mod/profiles.php:741 -msgid "(Used for searching profiles, never shown to others)" -msgstr "(Използва се за търсене на профилите, никога не показва и на други)" - -#: mod/profiles.php:744 -msgid "Musical interests" -msgstr "Музикални интереси" - -#: mod/profiles.php:745 -msgid "Books, literature" -msgstr "Книги, литература" - -#: mod/profiles.php:746 -msgid "Television" -msgstr "Телевизия" - -#: mod/profiles.php:747 -msgid "Film/dance/culture/entertainment" -msgstr "Филм / танц / Култура / забавления" - -#: mod/profiles.php:748 -msgid "Hobbies/Interests" -msgstr "Хобита / интереси" - -#: mod/profiles.php:749 -msgid "Love/romance" -msgstr "Любов / романтика" - -#: mod/profiles.php:750 -msgid "Work/employment" -msgstr "Работа / заетост" - -#: mod/profiles.php:751 -msgid "School/education" -msgstr "Училище / образование" - -#: mod/profiles.php:752 -msgid "Contact information and Social Networks" -msgstr "Информация за контакти и социални мрежи" - -#: mod/profiles.php:794 -msgid "Edit/Manage Profiles" -msgstr "Редактиране / Управление на профили" - -#: mod/allfriends.php:43 -msgid "No friends to display." -msgstr "Нямате приятели в листата." - -#: mod/cal.php:149 mod/display.php:328 mod/profile.php:155 -msgid "Access to this profile has been restricted." -msgstr "Достъпът до този профил е ограничен." - -#: mod/cal.php:276 mod/events.php:380 -msgid "View" -msgstr "" - -#: mod/cal.php:277 mod/events.php:382 -msgid "Previous" -msgstr "Предишна" - -#: mod/cal.php:278 mod/events.php:383 mod/install.php:231 -msgid "Next" -msgstr "Следваща" - -#: mod/cal.php:287 mod/events.php:392 -msgid "list" -msgstr "" - -#: mod/cal.php:297 -msgid "User not found" -msgstr "" - -#: mod/cal.php:313 -msgid "This calendar format is not supported" -msgstr "" - -#: mod/cal.php:315 -msgid "No exportable data found" -msgstr "" - -#: mod/cal.php:330 -msgid "calendar" -msgstr "" - -#: mod/common.php:86 -msgid "No contacts in common." -msgstr "Няма контакти по-чести." - -#: mod/common.php:134 mod/contacts.php:863 -msgid "Common Friends" -msgstr "Общи приятели" - -#: mod/community.php:27 -msgid "Not available." -msgstr "Няма налични" - -#: mod/directory.php:197 view/theme/vier/theme.php:201 -msgid "Global Directory" -msgstr "Глобален справочник" - -#: mod/directory.php:199 -msgid "Find on this site" -msgstr "Търсене в този сайт" - -#: mod/directory.php:201 -msgid "Results for:" -msgstr "" - -#: mod/directory.php:203 -msgid "Site Directory" -msgstr "Site Directory" - -#: mod/directory.php:210 -msgid "No entries (some entries may be hidden)." -msgstr "Няма записи (някои вписвания, могат да бъдат скрити)." - -#: mod/dirfind.php:36 -#, php-format -msgid "People Search - %s" -msgstr "" - -#: mod/dirfind.php:47 -#, php-format -msgid "Forum Search - %s" -msgstr "" - -#: mod/dirfind.php:240 mod/match.php:107 -msgid "No matches" -msgstr "Няма съответствия" - -#: mod/display.php:473 -msgid "Item has been removed." -msgstr ", Т. е била отстранена." - -#: mod/events.php:95 mod/events.php:97 -msgid "Event can not end before it has started." -msgstr "" - -#: mod/events.php:104 mod/events.php:106 -msgid "Event title and start time are required." -msgstr "" - -#: mod/events.php:381 -msgid "Create New Event" -msgstr "Създаване на нов събитие" - -#: mod/events.php:482 -msgid "Event details" -msgstr "Подробности за събитието" - -#: mod/events.php:483 -msgid "Starting date and Title are required." -msgstr "" - -#: mod/events.php:484 mod/events.php:485 -msgid "Event Starts:" -msgstr "Събитие Започва:" - -#: mod/events.php:486 mod/events.php:502 -msgid "Finish date/time is not known or not relevant" -msgstr "Завършете дата / час не е известен или не е приложимо" - -#: mod/events.php:488 mod/events.php:489 -msgid "Event Finishes:" -msgstr "Събитие играчи:" - -#: mod/events.php:490 mod/events.php:503 -msgid "Adjust for viewer timezone" -msgstr "Настрои зрителя часовата зона" - -#: mod/events.php:492 -msgid "Description:" -msgstr "Описание:" - -#: mod/events.php:496 mod/events.php:498 -msgid "Title:" -msgstr "Заглавие:" - -#: mod/events.php:499 mod/events.php:500 -msgid "Share this event" -msgstr "Споделете това събитие" - -#: mod/maintenance.php:9 -msgid "System down for maintenance" -msgstr "" - -#: mod/match.php:33 -msgid "No keywords to match. Please add keywords to your default profile." -msgstr "Няма ключови думи, които да съвпадат. Моля, да добавяте ключови думи към вашия профил по подразбиране." - -#: mod/match.php:86 -msgid "is interested in:" -msgstr "се интересува от:" - -#: mod/match.php:100 -msgid "Profile Match" -msgstr "Профил мач" - -#: mod/profile.php:179 -msgid "Tips for New Members" -msgstr "Съвети за нови членове" - -#: mod/suggest.php:27 -msgid "Do you really want to delete this suggestion?" -msgstr "Наистина ли искате да изтриете това предложение?" - -#: mod/suggest.php:71 -msgid "" -"No suggestions available. If this is a new site, please try again in 24 " -"hours." -msgstr "Няма предложения. Ако това е нов сайт, моля опитайте отново в рамките на 24 часа." - -#: mod/suggest.php:84 mod/suggest.php:104 -msgid "Ignore/Hide" -msgstr "Игнорирай / Скрий" - -#: mod/update_community.php:19 mod/update_display.php:23 -#: mod/update_network.php:27 mod/update_notes.php:36 mod/update_profile.php:35 -msgid "[Embedded content - reload page to view]" -msgstr "[Вградени съдържание - презареждане на страницата, за да видите]" - -#: mod/photos.php:88 mod/photos.php:1856 -msgid "Recent Photos" -msgstr "Последни снимки" - -#: mod/photos.php:91 mod/photos.php:1283 mod/photos.php:1858 -msgid "Upload New Photos" -msgstr "Качване на нови снимки" - -#: mod/photos.php:105 mod/settings.php:36 -msgid "everybody" -msgstr "всички" - -#: mod/photos.php:169 -msgid "Contact information unavailable" -msgstr "Свържете се с информация недостъпна" - -#: mod/photos.php:190 -msgid "Album not found." -msgstr "Албумът не е намерен." - -#: mod/photos.php:220 mod/photos.php:232 mod/photos.php:1227 -msgid "Delete Album" -msgstr "Изтриване на албума" - -#: mod/photos.php:230 -msgid "Do you really want to delete this photo album and all its photos?" -msgstr "" - -#: mod/photos.php:308 mod/photos.php:319 mod/photos.php:1540 -msgid "Delete Photo" -msgstr "Изтриване на снимка" - -#: mod/photos.php:317 -msgid "Do you really want to delete this photo?" -msgstr "" - -#: mod/photos.php:688 -#, php-format -msgid "%1$s was tagged in %2$s by %3$s" -msgstr "" - -#: mod/photos.php:688 -msgid "a photo" -msgstr "" - -#: mod/photos.php:794 -msgid "Image file is empty." -msgstr "Image файл е празен." - -#: mod/photos.php:954 -msgid "No photos selected" -msgstr "Няма избрани снимки" - -#: mod/photos.php:1054 mod/videos.php:305 -msgid "Access to this item is restricted." -msgstr "Достъп до тази точка е ограничена." - -#: mod/photos.php:1114 -#, php-format -msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." -msgstr "" - -#: mod/photos.php:1148 -msgid "Upload Photos" -msgstr "Качване на снимки" - -#: mod/photos.php:1152 mod/photos.php:1222 -msgid "New album name: " -msgstr "Нов албум име: " - -#: mod/photos.php:1153 -msgid "or existing album name: " -msgstr "или съществуващо име на албума: " - -#: mod/photos.php:1154 -msgid "Do not show a status post for this upload" -msgstr "Да не се показва след статут за това качване" - -#: mod/photos.php:1165 mod/photos.php:1544 mod/settings.php:1300 -msgid "Show to Groups" -msgstr "Показване на групи" - -#: mod/photos.php:1166 mod/photos.php:1545 mod/settings.php:1301 -msgid "Show to Contacts" -msgstr "Показване на контакти" - -#: mod/photos.php:1167 -msgid "Private Photo" -msgstr "Частна снимка" - -#: mod/photos.php:1168 -msgid "Public Photo" -msgstr "Публична снимка" - -#: mod/photos.php:1234 -msgid "Edit Album" -msgstr "Редактиране на албум" - -#: mod/photos.php:1240 -msgid "Show Newest First" -msgstr "" - -#: mod/photos.php:1242 -msgid "Show Oldest First" -msgstr "" - -#: mod/photos.php:1269 mod/photos.php:1841 -msgid "View Photo" -msgstr "Преглед на снимка" - -#: mod/photos.php:1315 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Разрешението е отказано. Достъпът до тази точка може да бъде ограничено." - -#: mod/photos.php:1317 -msgid "Photo not available" -msgstr "Снимката не е" - -#: mod/photos.php:1372 -msgid "View photo" -msgstr "Преглед на снимка" - -#: mod/photos.php:1372 -msgid "Edit photo" -msgstr "Редактиране на снимка" - -#: mod/photos.php:1373 -msgid "Use as profile photo" -msgstr "Използва се като снимката на профила" - -#: mod/photos.php:1398 -msgid "View Full Size" -msgstr "Изглед в пълен размер" - -#: mod/photos.php:1484 -msgid "Tags: " -msgstr "Маркери: " - -#: mod/photos.php:1487 -msgid "[Remove any tag]" -msgstr "Премахване на всякаква маркировка]" - -#: mod/photos.php:1526 -msgid "New album name" -msgstr "Ново име на албум" - -#: mod/photos.php:1527 -msgid "Caption" -msgstr "Надпис" - -#: mod/photos.php:1528 -msgid "Add a Tag" -msgstr "Добавите етикет" - -#: mod/photos.php:1528 -msgid "" -"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -msgstr "Пример: @ Боб, @ Barbara_Jensen, jim@example.com @, # Калифорния, къмпинг" - -#: mod/photos.php:1529 -msgid "Do not rotate" -msgstr "" - -#: mod/photos.php:1530 -msgid "Rotate CW (right)" -msgstr "Rotate CW (вдясно)" - -#: mod/photos.php:1531 -msgid "Rotate CCW (left)" -msgstr "Завъртане ККО (вляво)" - -#: mod/photos.php:1546 -msgid "Private photo" -msgstr "Частна снимка" - -#: mod/photos.php:1547 -msgid "Public photo" -msgstr "Публична снимка" - -#: mod/photos.php:1770 -msgid "Map" -msgstr "" - -#: mod/photos.php:1847 mod/videos.php:387 -msgid "View Album" -msgstr "Вижте албуми" - -#: mod/register.php:93 -msgid "" -"Registration successful. Please check your email for further instructions." -msgstr "Регистрация успешно. Моля, проверете електронната си поща за по-нататъшни инструкции." - -#: mod/register.php:98 -#, 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 "Registration successful." -msgstr "" - -#: mod/register.php:111 -msgid "Your registration can not be processed." -msgstr "Вашата регистрация не могат да бъдат обработени." - -#: mod/register.php:160 -msgid "Your registration is pending approval by the site owner." -msgstr "Вашата регистрация е в очакване на одобрение от собственика на сайта." - -#: mod/register.php:226 -msgid "" -"You may (optionally) fill in this form via OpenID by supplying your OpenID " -"and clicking 'Register'." -msgstr "Може да се (по желание) да попълните този формуляр, чрез OpenID чрез предоставяне на OpenID си и кликнете върху \"Регистрация\"." - -#: mod/register.php:227 -msgid "" -"If you are not familiar with OpenID, please leave that field blank and fill " -"in the rest of the items." -msgstr "Ако не сте запознати с OpenID, моля оставете това поле празно и попълнете останалата част от елементите." - -#: mod/register.php:228 -msgid "Your OpenID (optional): " -msgstr "Вашият OpenID (не е задължително): " - -#: mod/register.php:242 -msgid "Include your profile in member directory?" -msgstr "Включете вашия профил в член директория?" - -#: mod/register.php:267 -msgid "Note for the admin" -msgstr "" - -#: mod/register.php:267 -msgid "Leave a message for the admin, why you want to join this node" -msgstr "" - -#: mod/register.php:268 -msgid "Membership on this site is by invitation only." -msgstr "Членството на този сайт е само с покани." - -#: mod/register.php:269 -msgid "Your invitation ID: " -msgstr "Вашата покана ID: " - -#: mod/register.php:272 mod/admin.php:956 -msgid "Registration" -msgstr "Регистрация" - -#: mod/register.php:280 -msgid "Your Full Name (e.g. Joe Smith, real or real-looking): " -msgstr "" - -#: mod/register.php:281 -msgid "Your Email Address: " -msgstr "Вашият email адрес: " - -#: mod/register.php:283 mod/settings.php:1271 -msgid "New Password:" -msgstr "нова парола" - -#: mod/register.php:283 -msgid "Leave empty for an auto generated password." -msgstr "" - -#: mod/register.php:284 mod/settings.php:1272 -msgid "Confirm:" -msgstr "Потвърждаване..." - -#: mod/register.php:285 -msgid "" -"Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be " -"'nickname@$sitename'." -msgstr "Изберете прякор профил. Това трябва да започне с текст характер. Вашият профил адреса на този сайт ще бъде \" прякор @ $ на SITENAME \"." - -#: mod/register.php:286 -msgid "Choose a nickname: " -msgstr "Изберете прякор: " - -#: mod/register.php:296 -msgid "Import your profile to this friendica instance" -msgstr "" - -#: mod/settings.php:43 mod/admin.php:1396 -msgid "Account" -msgstr "профил" - -#: mod/settings.php:52 mod/admin.php:160 -msgid "Additional features" -msgstr "Допълнителни възможности" - -#: mod/settings.php:60 -msgid "Display" -msgstr "" - -#: mod/settings.php:67 mod/settings.php:886 -msgid "Social Networks" -msgstr "" - -#: mod/settings.php:74 mod/admin.php:158 mod/admin.php:1522 mod/admin.php:1582 -msgid "Plugins" -msgstr "Приставки" - -#: mod/settings.php:88 -msgid "Connected apps" -msgstr "Свързани приложения" - -#: mod/settings.php:102 -msgid "Remove account" -msgstr "Премахване сметка" - -#: mod/settings.php:155 -msgid "Missing some important data!" -msgstr "Липсват някои важни данни!" - -#: mod/settings.php:158 mod/settings.php:704 mod/contacts.php:804 -msgid "Update" -msgstr "Актуализиране" - -#: mod/settings.php:269 -msgid "Failed to connect with email account using the settings provided." -msgstr "Неуспех да се свърже с имейл акаунт, като използвате предоставените настройки." - -#: mod/settings.php:274 -msgid "Email settings updated." -msgstr "Имейл настройки актуализира." - -#: mod/settings.php:289 -msgid "Features updated" -msgstr "" - -#: mod/settings.php:359 -msgid "Relocate message has been send to your contacts" -msgstr "" - -#: mod/settings.php:378 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "Празните пароли не са разрешени. Парола непроменен." - -#: mod/settings.php:386 -msgid "Wrong password." -msgstr "Неправилна парола" - -#: mod/settings.php:397 -msgid "Password changed." -msgstr "Парола промени." - -#: mod/settings.php:399 -msgid "Password update failed. Please try again." -msgstr "Парола актуализация се провали. Моля, опитайте отново." - -#: mod/settings.php:479 -msgid " Please use a shorter name." -msgstr " Моля, използвайте по-кратко име." - -#: mod/settings.php:481 -msgid " Name too short." -msgstr " Името е твърде кратко." - -#: mod/settings.php:490 -msgid "Wrong Password" -msgstr "Неправилна парола" - -#: mod/settings.php:495 -msgid " Not valid email." -msgstr " Не валиден имейл." - -#: mod/settings.php:501 -msgid " Cannot change to that email." -msgstr " Не може да е този имейл." - -#: mod/settings.php:557 -msgid "Private forum has no privacy permissions. Using default privacy group." -msgstr "Частен форум няма разрешения за неприкосновеността на личния живот. Използване подразбиране поверителност група." - -#: mod/settings.php:561 -msgid "Private forum has no privacy permissions and no default privacy group." -msgstr "Частен форум няма разрешения за неприкосновеността на личния живот и никоя група по подразбиране неприкосновеността на личния живот." - -#: mod/settings.php:601 -msgid "Settings updated." -msgstr "Обновяването на настройките." - -#: mod/settings.php:677 mod/settings.php:703 mod/settings.php:739 -msgid "Add application" -msgstr "Добави приложение" - -#: mod/settings.php:678 mod/settings.php:788 mod/settings.php:835 -#: mod/settings.php:904 mod/settings.php:996 mod/settings.php:1264 -#: mod/admin.php:955 mod/admin.php:1583 mod/admin.php:1831 mod/admin.php:1905 -#: mod/admin.php:2055 -msgid "Save Settings" -msgstr "" - -#: mod/settings.php:681 mod/settings.php:707 -msgid "Consumer Key" -msgstr "Ключ на консуматора:" - -#: mod/settings.php:682 mod/settings.php:708 -msgid "Consumer Secret" -msgstr "Тайна стойност на консуматора:" - -#: mod/settings.php:683 mod/settings.php:709 -msgid "Redirect" -msgstr "Пренасочвания:" - -#: mod/settings.php:684 mod/settings.php:710 -msgid "Icon url" -msgstr "Икона URL" - -#: mod/settings.php:695 -msgid "You can't edit this application." -msgstr "Вие не можете да редактирате тази кандидатура." - -#: mod/settings.php:738 -msgid "Connected Apps" -msgstr "Свързани Apps" - -#: mod/settings.php:742 -msgid "Client key starts with" -msgstr "Ключ на клиента започва с" - -#: mod/settings.php:743 -msgid "No name" -msgstr "Без име" - -#: mod/settings.php:744 -msgid "Remove authorization" -msgstr "Премахване на разрешение" - -#: mod/settings.php:756 -msgid "No Plugin settings configured" -msgstr "Няма плъгин настройки, конфигурирани" - -#: mod/settings.php:764 -msgid "Plugin Settings" -msgstr "Plug-in Настройки" - -#: mod/settings.php:778 mod/admin.php:2044 mod/admin.php:2045 -msgid "Off" -msgstr "Изкл." - -#: mod/settings.php:778 mod/admin.php:2044 mod/admin.php:2045 -msgid "On" -msgstr "Вкл." - -#: mod/settings.php:786 -msgid "Additional Features" -msgstr "Допълнителни възможности" - -#: mod/settings.php:796 mod/settings.php:800 -msgid "General Social Media Settings" -msgstr "" - -#: mod/settings.php:806 -msgid "Disable intelligent shortening" -msgstr "" - -#: mod/settings.php:808 -msgid "" -"Normally the system tries to find the best link to add to shortened posts. " -"If this option is enabled then every shortened post will always point to the" -" original friendica post." -msgstr "" - -#: mod/settings.php:814 -msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" -msgstr "" - -#: mod/settings.php:816 -msgid "" -"If you receive a message from an unknown OStatus user, this option decides " -"what to do. If it is checked, a new contact will be created for every " -"unknown user." -msgstr "" - -#: mod/settings.php:822 -msgid "Default group for OStatus contacts" -msgstr "" - -#: mod/settings.php:828 -msgid "Your legacy GNU Social account" -msgstr "" - -#: mod/settings.php:830 -msgid "" -"If you enter your old GNU Social/Statusnet account name here (in the format " -"user@domain.tld), your contacts will be added automatically. The field will " -"be emptied when done." -msgstr "" - -#: mod/settings.php:833 -msgid "Repair OStatus subscriptions" -msgstr "" - -#: mod/settings.php:842 mod/settings.php:843 -#, php-format -msgid "Built-in support for %s connectivity is %s" -msgstr "Вградена поддръжка за връзка от %s %s" - -#: mod/settings.php:842 mod/settings.php:843 -msgid "enabled" -msgstr "разрешен" - -#: mod/settings.php:842 mod/settings.php:843 -msgid "disabled" -msgstr "забранен" - -#: mod/settings.php:843 -msgid "GNU Social (OStatus)" -msgstr "" - -#: mod/settings.php:879 -msgid "Email access is disabled on this site." -msgstr "Достъп до електронна поща е забранен на този сайт." - -#: mod/settings.php:891 -msgid "Email/Mailbox Setup" -msgstr "Email / Mailbox Setup" - -#: mod/settings.php:892 -msgid "" -"If you wish to communicate with email contacts using this service " -"(optional), please specify how to connect to your mailbox." -msgstr "Ако желаете да се комуникира с имейл контакти, които използват тази услуга (по желание), моля посочете как да се свържете с вашата пощенска кутия." - -#: mod/settings.php:893 -msgid "Last successful email check:" -msgstr "Последна успешна проверка на електронната поща:" - -#: mod/settings.php:895 -msgid "IMAP server name:" -msgstr "Име на IMAP сървъра:" - -#: mod/settings.php:896 -msgid "IMAP port:" -msgstr "IMAP порта:" - -#: mod/settings.php:897 -msgid "Security:" -msgstr "Сигурност" - -#: mod/settings.php:897 mod/settings.php:902 -msgid "None" -msgstr "Няма " - -#: mod/settings.php:898 -msgid "Email login name:" -msgstr "Email потребителско име:" - -#: mod/settings.php:899 -msgid "Email password:" -msgstr "Email парола:" - -#: mod/settings.php:900 -msgid "Reply-to address:" -msgstr "Адрес за отговор:" - -#: mod/settings.php:901 -msgid "Send public posts to all email contacts:" -msgstr "Изпратете публични длъжности за всички имейл контакти:" - -#: mod/settings.php:902 -msgid "Action after import:" -msgstr "Действия след вноса:" - -#: mod/settings.php:902 -msgid "Move to folder" -msgstr "Премества избраното в папка" - -#: mod/settings.php:903 -msgid "Move to folder:" -msgstr "Премества избраното в папка" - -#: mod/settings.php:934 mod/admin.php:862 -msgid "No special theme for mobile devices" -msgstr "" - -#: mod/settings.php:994 -msgid "Display Settings" -msgstr "Настройки на дисплея" - -#: mod/settings.php:1000 mod/settings.php:1023 -msgid "Display Theme:" -msgstr "Палитрата на дисплея:" - -#: mod/settings.php:1001 -msgid "Mobile Theme:" -msgstr "" - -#: mod/settings.php:1002 -msgid "Suppress warning of insecure networks" -msgstr "" - -#: mod/settings.php:1002 -msgid "" -"Should the system suppress the warning that the current group contains " -"members of networks that can't receive non public postings." -msgstr "" - -#: mod/settings.php:1003 -msgid "Update browser every xx seconds" -msgstr "Актуализиране на браузъра на всеки ХХ секунди" - -#: mod/settings.php:1003 -msgid "Minimum of 10 seconds. Enter -1 to disable it." -msgstr "" - -#: mod/settings.php:1004 -msgid "Number of items to display per page:" -msgstr "" - -#: mod/settings.php:1004 mod/settings.php:1005 -msgid "Maximum of 100 items" -msgstr "Максимум от 100 точки" - -#: mod/settings.php:1005 -msgid "Number of items to display per page when viewed from mobile device:" -msgstr "" - -#: mod/settings.php:1006 -msgid "Don't show emoticons" -msgstr "Да не се показват емотикони" - -#: mod/settings.php:1007 -msgid "Calendar" -msgstr "" - -#: mod/settings.php:1008 -msgid "Beginning of week:" -msgstr "" - -#: mod/settings.php:1009 -msgid "Don't show notices" -msgstr "" - -#: mod/settings.php:1010 -msgid "Infinite scroll" -msgstr "" - -#: mod/settings.php:1011 -msgid "Automatic updates only at the top of the network page" -msgstr "" - -#: mod/settings.php:1012 -msgid "Bandwith Saver Mode" -msgstr "" - -#: mod/settings.php:1012 -msgid "" -"When enabled, embedded content is not displayed on automatic updates, they " -"only show on page reload." -msgstr "" - -#: mod/settings.php:1014 -msgid "General Theme Settings" -msgstr "" - -#: mod/settings.php:1015 -msgid "Custom Theme Settings" -msgstr "" - -#: mod/settings.php:1016 -msgid "Content Settings" -msgstr "" - -#: mod/settings.php:1017 view/theme/frio/config.php:61 -#: view/theme/quattro/config.php:66 view/theme/vier/config.php:109 -#: view/theme/duepuntozero/config.php:61 -msgid "Theme settings" -msgstr "Тема Настройки" - -#: mod/settings.php:1099 -msgid "Account Types" -msgstr "" - -#: mod/settings.php:1100 -msgid "Personal Page Subtypes" -msgstr "" - -#: mod/settings.php:1101 -msgid "Community Forum Subtypes" -msgstr "" - -#: mod/settings.php:1108 -msgid "Personal Page" -msgstr "" - -#: mod/settings.php:1109 -msgid "This account is a regular personal profile" -msgstr "" - -#: mod/settings.php:1112 -msgid "Organisation Page" -msgstr "" - -#: mod/settings.php:1113 -msgid "This account is a profile for an organisation" -msgstr "" - -#: mod/settings.php:1116 -msgid "News Page" -msgstr "" - -#: mod/settings.php:1117 -msgid "This account is a news account/reflector" -msgstr "" - -#: mod/settings.php:1120 -msgid "Community Forum" -msgstr "" - -#: mod/settings.php:1121 -msgid "" -"This account is a community forum where people can discuss with each other" -msgstr "" - -#: mod/settings.php:1124 -msgid "Normal Account Page" -msgstr "Нормално страницата с профила" - -#: mod/settings.php:1125 -msgid "This account is a normal personal profile" -msgstr "Тази сметка е нормален личен профил" - -#: mod/settings.php:1128 -msgid "Soapbox Page" -msgstr "Импровизирана трибуна Page" - -#: mod/settings.php:1129 -msgid "Automatically approve all connection/friend requests as read-only fans" -msgstr "Автоматично одобрява всички / приятел искания само за четене фенове" - -#: mod/settings.php:1132 -msgid "Public Forum" -msgstr "" - -#: mod/settings.php:1133 -msgid "Automatically approve all contact requests" -msgstr "" - -#: mod/settings.php:1136 -msgid "Automatic Friend Page" -msgstr "Автоматично приятел Page" - -#: mod/settings.php:1137 -msgid "Automatically approve all connection/friend requests as friends" -msgstr "Автоматично одобрява всички / молби за приятелство, като приятели" - -#: mod/settings.php:1140 -msgid "Private Forum [Experimental]" -msgstr "Частен форум [експериментална]" - -#: mod/settings.php:1141 -msgid "Private forum - approved members only" -msgstr "Само частен форум - Одобрени членове" - -#: mod/settings.php:1153 -msgid "OpenID:" -msgstr "OpenID:" - -#: mod/settings.php:1153 -msgid "(Optional) Allow this OpenID to login to this account." -msgstr "(По избор) позволяват това OpenID, за да влезете в тази сметка." - -#: mod/settings.php:1163 -msgid "Publish your default profile in your local site directory?" -msgstr "Публикуване на вашия профил по подразбиране във вашата локална директория на сайта?" - -#: mod/settings.php:1169 -msgid "Publish your default profile in the global social directory?" -msgstr "Публикуване на вашия профил по подразбиране в глобалната социална директория?" - -#: mod/settings.php:1177 -msgid "Hide your contact/friend list from viewers of your default profile?" -msgstr "Скриване на вашия контакт / списък приятел от зрителите на вашия профил по подразбиране?" - -#: mod/settings.php:1181 -msgid "" -"If enabled, posting public messages to Diaspora and other networks isn't " -"possible." -msgstr "" - -#: mod/settings.php:1186 -msgid "Allow friends to post to your profile page?" -msgstr "Оставете приятели, които да публикувате в страницата с вашия профил?" - -#: mod/settings.php:1192 -msgid "Allow friends to tag your posts?" -msgstr "Оставете приятели, за да маркирам собствените си мнения?" - -#: mod/settings.php:1198 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "Позволете ни да Ви предложи като потенциален приятел за нови членове?" - -#: mod/settings.php:1204 -msgid "Permit unknown people to send you private mail?" -msgstr "Разрешение непознати хора, за да ви Изпратете лично поща?" - -#: mod/settings.php:1212 -msgid "Profile is not published." -msgstr "Профил не се публикува ." - -#: mod/settings.php:1220 -#, php-format -msgid "Your Identity Address is '%s' or '%s'." -msgstr "" - -#: mod/settings.php:1227 -msgid "Automatically expire posts after this many days:" -msgstr "Автоматично изтича мнения след толкова много дни:" - -#: mod/settings.php:1227 -msgid "If empty, posts will not expire. Expired posts will be deleted" -msgstr "Ако е празна, мнението няма да изтече. Изтекли мнения ще бъдат изтрити" - -#: mod/settings.php:1228 -msgid "Advanced expiration settings" -msgstr "Разширени настройки за изтичане на срока" - -#: mod/settings.php:1229 -msgid "Advanced Expiration" -msgstr "Разширено Изтичане" - -#: mod/settings.php:1230 -msgid "Expire posts:" -msgstr "Срок на мнения:" - -#: mod/settings.php:1231 -msgid "Expire personal notes:" -msgstr "Срок на лични бележки:" - -#: mod/settings.php:1232 -msgid "Expire starred posts:" -msgstr "Срок със звезда на мнения:" - -#: mod/settings.php:1233 -msgid "Expire photos:" -msgstr "Срок на снимки:" - -#: mod/settings.php:1234 -msgid "Only expire posts by others:" -msgstr "Само изтича мнения от други:" - -#: mod/settings.php:1262 -msgid "Account Settings" -msgstr "Настройки на профила" - -#: mod/settings.php:1270 -msgid "Password Settings" -msgstr "Парола Настройки" - -#: mod/settings.php:1272 -msgid "Leave password fields blank unless changing" -msgstr "Оставете паролите полета празни, освен ако промяна" - -#: mod/settings.php:1273 -msgid "Current Password:" -msgstr "Текуща парола:" - -#: mod/settings.php:1273 mod/settings.php:1274 -msgid "Your current password to confirm the changes" -msgstr "" - -#: mod/settings.php:1274 -msgid "Password:" -msgstr "Парола" - -#: mod/settings.php:1278 -msgid "Basic Settings" -msgstr "Основни настройки" - -#: mod/settings.php:1280 -msgid "Email Address:" -msgstr "Електронна поща:" - -#: mod/settings.php:1281 -msgid "Your Timezone:" -msgstr "Вашият Часовата зона:" - -#: mod/settings.php:1282 -msgid "Your Language:" -msgstr "" - -#: mod/settings.php:1282 -msgid "" -"Set the language we use to show you friendica interface and to send you " -"emails" -msgstr "" - -#: mod/settings.php:1283 -msgid "Default Post Location:" -msgstr "Мнение местоположението по подразбиране:" - -#: mod/settings.php:1284 -msgid "Use Browser Location:" -msgstr "Използвайте Browser Местоположение:" - -#: mod/settings.php:1287 -msgid "Security and Privacy Settings" -msgstr "Сигурност и и лични настройки" - -#: mod/settings.php:1289 -msgid "Maximum Friend Requests/Day:" -msgstr "Максимален брой молби за приятелство / ден:" - -#: mod/settings.php:1289 mod/settings.php:1319 -msgid "(to prevent spam abuse)" -msgstr "(Да се ​​предотврати спама злоупотреба)" - -#: mod/settings.php:1290 -msgid "Default Post Permissions" -msgstr "Разрешения по подразбиране и" - -#: mod/settings.php:1291 -msgid "(click to open/close)" -msgstr "(Щракнете за отваряне / затваряне)" - -#: mod/settings.php:1302 -msgid "Default Private Post" -msgstr "" - -#: mod/settings.php:1303 -msgid "Default Public Post" -msgstr "" - -#: mod/settings.php:1307 -msgid "Default Permissions for New Posts" -msgstr "" - -#: mod/settings.php:1319 -msgid "Maximum private messages per day from unknown people:" -msgstr "Максимални лични съобщения на ден от непознати хора:" - -#: mod/settings.php:1322 -msgid "Notification Settings" -msgstr "Настройки за уведомяване" - -#: mod/settings.php:1323 -msgid "By default post a status message when:" -msgstr "По подразбиране се публикуват съобщение за състояние, когато:" - -#: mod/settings.php:1324 -msgid "accepting a friend request" -msgstr "приемане на искането за приятел" - -#: mod/settings.php:1325 -msgid "joining a forum/community" -msgstr "присъединяване форум / общността" - -#: mod/settings.php:1326 -msgid "making an interesting profile change" -msgstr "един интересен Смяна на профил" - -#: mod/settings.php:1327 -msgid "Send a notification email when:" -msgstr "Изпращане на известие по имейл, когато:" - -#: mod/settings.php:1328 -msgid "You receive an introduction" -msgstr "Вие получавате въведение" - -#: mod/settings.php:1329 -msgid "Your introductions are confirmed" -msgstr "Вашите въвеждания са потвърдени" - -#: mod/settings.php:1330 -msgid "Someone writes on your profile wall" -msgstr "Някой пише в профила ви стена" - -#: mod/settings.php:1331 -msgid "Someone writes a followup comment" -msgstr "Някой пише последващ коментар" - -#: mod/settings.php:1332 -msgid "You receive a private message" -msgstr "Ще получите лично съобщение" - -#: mod/settings.php:1333 -msgid "You receive a friend suggestion" -msgstr "Ще получите предложение приятел" - -#: mod/settings.php:1334 -msgid "You are tagged in a post" -msgstr "Са маркирани в един пост" - -#: mod/settings.php:1335 -msgid "You are poked/prodded/etc. in a post" -msgstr "" - -#: mod/settings.php:1337 -msgid "Activate desktop notifications" -msgstr "" - -#: mod/settings.php:1337 -msgid "Show desktop popup on new notifications" -msgstr "" - -#: mod/settings.php:1339 -msgid "Text-only notification emails" -msgstr "" - -#: mod/settings.php:1341 -msgid "Send text only notification emails, without the html part" -msgstr "" - -#: mod/settings.php:1343 -msgid "Advanced Account/Page Type Settings" -msgstr "Разширено сметка / Настройки на вид страница" - -#: mod/settings.php:1344 -msgid "Change the behaviour of this account for special situations" -msgstr "Промяна на поведението на тази сметка за специални ситуации" - -#: mod/settings.php:1347 -msgid "Relocate" -msgstr "" - -#: mod/settings.php:1348 -msgid "" -"If you have moved this profile from another server, and some of your " -"contacts don't receive your updates, try pushing this button." -msgstr "" - -#: mod/settings.php:1349 -msgid "Resend relocate message to contacts" -msgstr "" - -#: mod/videos.php:120 -msgid "Do you really want to delete this video?" -msgstr "" - -#: mod/videos.php:125 -msgid "Delete Video" -msgstr "" - -#: mod/videos.php:204 -msgid "No videos selected" -msgstr "Няма избрани видеоклипове" - -#: mod/videos.php:396 -msgid "Recent Videos" -msgstr "Скорошни видеоклипове" - -#: mod/videos.php:398 -msgid "Upload New Videos" -msgstr "Качване на нови видеоклипове" - -#: mod/wall_attach.php:17 mod/wall_attach.php:25 mod/wall_attach.php:76 -#: mod/wall_upload.php:20 mod/wall_upload.php:33 mod/wall_upload.php:86 -#: mod/wall_upload.php:122 mod/wall_upload.php:125 -msgid "Invalid request." -msgstr "" - -#: mod/wall_attach.php:94 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" -msgstr "" - -#: mod/wall_attach.php:94 -msgid "Or - did you try to upload an empty file?" -msgstr "" - -#: mod/wall_attach.php:105 -#, php-format -msgid "File exceeds size limit of %s" -msgstr "" - -#: mod/wall_attach.php:156 mod/wall_attach.php:172 -msgid "File upload failed." -msgstr "Файл за качване не успя." - -#: mod/admin.php:92 -msgid "Theme settings updated." -msgstr "Тема Настройки актуализира." - -#: mod/admin.php:156 mod/admin.php:954 -msgid "Site" -msgstr "Сайт" - -#: mod/admin.php:157 mod/admin.php:898 mod/admin.php:1404 mod/admin.php:1420 -msgid "Users" -msgstr "Потребители" - -#: mod/admin.php:159 mod/admin.php:1780 mod/admin.php:1830 -msgid "Themes" -msgstr "Теми" - -#: mod/admin.php:161 -msgid "DB updates" -msgstr "Обновления на БД" - -#: mod/admin.php:162 mod/admin.php:406 -msgid "Inspect Queue" -msgstr "" - -#: mod/admin.php:163 mod/admin.php:372 -msgid "Federation Statistics" -msgstr "" - -#: mod/admin.php:177 mod/admin.php:188 mod/admin.php:1904 -msgid "Logs" -msgstr "Дневници" - -#: mod/admin.php:178 mod/admin.php:1972 -msgid "View Logs" -msgstr "" - -#: mod/admin.php:179 -msgid "probe address" -msgstr "" - -#: mod/admin.php:180 -msgid "check webfinger" -msgstr "" - -#: mod/admin.php:187 -msgid "Plugin Features" -msgstr "Настройки на приставките" - -#: mod/admin.php:189 -msgid "diagnostics" -msgstr "" - -#: mod/admin.php:190 -msgid "User registrations waiting for confirmation" -msgstr "Потребителски регистрации, чакащи за потвърждение" - -#: mod/admin.php:306 -msgid "unknown" -msgstr "" - -#: mod/admin.php:365 -msgid "" -"This page offers you some numbers to the known part of the federated social " -"network your Friendica node is part of. These numbers are not complete but " -"only reflect the part of the network your node is aware of." -msgstr "" - -#: mod/admin.php:366 -msgid "" -"The Auto Discovered Contact Directory feature is not enabled, it " -"will improve the data displayed here." -msgstr "" - -#: mod/admin.php:371 mod/admin.php:405 mod/admin.php:484 mod/admin.php:953 -#: mod/admin.php:1403 mod/admin.php:1521 mod/admin.php:1581 mod/admin.php:1779 -#: mod/admin.php:1829 mod/admin.php:1903 mod/admin.php:1971 -msgid "Administration" -msgstr "Администриране " - -#: mod/admin.php:378 -#, php-format -msgid "Currently this node is aware of %d nodes from the following platforms:" -msgstr "" - -#: mod/admin.php:408 -msgid "ID" -msgstr "" - -#: mod/admin.php:409 -msgid "Recipient Name" -msgstr "" - -#: mod/admin.php:410 -msgid "Recipient Profile" -msgstr "" - -#: mod/admin.php:412 -msgid "Created" -msgstr "" - -#: mod/admin.php:413 -msgid "Last Tried" -msgstr "" - -#: mod/admin.php:414 -msgid "" -"This page lists the content of the queue for outgoing postings. These are " -"postings the initial delivery failed for. They will be resend later and " -"eventually deleted if the delivery fails permanently." -msgstr "" - -#: mod/admin.php:439 -#, php-format -msgid "" -"Your DB still runs with MyISAM tables. You should change the engine type to " -"InnoDB. As Friendica will use InnoDB only features in the future, you should" -" change this! See
here for a guide that may be helpful " -"converting the table engines. You may also use the " -"convert_innodb.sql in the /util directory of your " -"Friendica installation.
" -msgstr "" - -#: mod/admin.php:444 -msgid "" -"You are using a MySQL version which does not support all features that " -"Friendica uses. You should consider switching to MariaDB." -msgstr "" - -#: mod/admin.php:448 mod/admin.php:1352 -msgid "Normal Account" -msgstr "Нормално профил" - -#: mod/admin.php:449 mod/admin.php:1353 -msgid "Soapbox Account" -msgstr "Импровизирана трибуна профил" - -#: mod/admin.php:450 mod/admin.php:1354 -msgid "Community/Celebrity Account" -msgstr "Общността / Celebrity" - -#: mod/admin.php:451 mod/admin.php:1355 -msgid "Automatic Friend Account" -msgstr "Автоматично приятел акаунт" - -#: mod/admin.php:452 -msgid "Blog Account" -msgstr "" - -#: mod/admin.php:453 -msgid "Private Forum" -msgstr "Частен форум" - -#: mod/admin.php:479 -msgid "Message queues" -msgstr "Съобщение опашки" - -#: mod/admin.php:485 -msgid "Summary" -msgstr "Резюме" - -#: mod/admin.php:488 -msgid "Registered users" -msgstr "Регистрираните потребители" - -#: mod/admin.php:490 -msgid "Pending registrations" -msgstr "Предстоящи регистрации" - -#: mod/admin.php:491 -msgid "Version" -msgstr "Версия " - -#: mod/admin.php:496 -msgid "Active plugins" -msgstr "Включени приставки" - -#: mod/admin.php:521 -msgid "Can not parse base url. Must have at least ://" -msgstr "" - -#: mod/admin.php:826 -msgid "RINO2 needs mcrypt php extension to work." -msgstr "" - -#: mod/admin.php:834 -msgid "Site settings updated." -msgstr "Настройките на сайта са обновени." - -#: mod/admin.php:881 -msgid "No community page" -msgstr "" - -#: mod/admin.php:882 -msgid "Public postings from users of this site" -msgstr "" - -#: mod/admin.php:883 -msgid "Global community page" -msgstr "" - -#: mod/admin.php:888 mod/contacts.php:530 -msgid "Never" -msgstr "Никога!" - -#: mod/admin.php:889 -msgid "At post arrival" -msgstr "" - -#: mod/admin.php:897 mod/contacts.php:557 -msgid "Disabled" -msgstr "" - -#: mod/admin.php:899 -msgid "Users, Global Contacts" -msgstr "" - -#: mod/admin.php:900 -msgid "Users, Global Contacts/fallback" -msgstr "" - -#: mod/admin.php:904 -msgid "One month" -msgstr "" - -#: mod/admin.php:905 -msgid "Three months" -msgstr "" - -#: mod/admin.php:906 -msgid "Half a year" -msgstr "" - -#: mod/admin.php:907 -msgid "One year" -msgstr "" - -#: mod/admin.php:912 -msgid "Multi user instance" -msgstr "" - -#: mod/admin.php:935 -msgid "Closed" -msgstr "Затворен" - -#: mod/admin.php:936 -msgid "Requires approval" -msgstr "Изисква одобрение" - -#: mod/admin.php:937 -msgid "Open" -msgstr "Отворена." - -#: mod/admin.php:941 -msgid "No SSL policy, links will track page SSL state" -msgstr "Не SSL политика, връзки ще следи страница SSL състояние" - -#: mod/admin.php:942 -msgid "Force all links to use SSL" -msgstr "Принуди всички връзки да се използва SSL" - -#: mod/admin.php:943 -msgid "Self-signed certificate, use SSL for local links only (discouraged)" -msgstr "Самоподписан сертификат, използвайте SSL за местни връзки единствено (обезкуражени)" - -#: mod/admin.php:957 -msgid "File upload" -msgstr "Прикачване на файлове" - -#: mod/admin.php:958 -msgid "Policies" -msgstr "Политики" - -#: mod/admin.php:960 -msgid "Auto Discovered Contact Directory" -msgstr "" - -#: mod/admin.php:961 -msgid "Performance" -msgstr "Производителност" - -#: mod/admin.php:962 -msgid "Worker" -msgstr "" - -#: mod/admin.php:963 -msgid "" -"Relocate - WARNING: advanced function. Could make this server unreachable." -msgstr "" - -#: mod/admin.php:966 -msgid "Site name" -msgstr "Име на сайта" - -#: mod/admin.php:967 -msgid "Host name" -msgstr "" - -#: mod/admin.php:968 -msgid "Sender Email" -msgstr "" - -#: mod/admin.php:968 -msgid "" -"The email address your server shall use to send notification emails from." -msgstr "" - -#: mod/admin.php:969 -msgid "Banner/Logo" -msgstr "Банер / лого" - -#: mod/admin.php:970 -msgid "Shortcut icon" -msgstr "" - -#: mod/admin.php:970 -msgid "Link to an icon that will be used for browsers." -msgstr "" - -#: mod/admin.php:971 -msgid "Touch icon" -msgstr "" - -#: mod/admin.php:971 -msgid "Link to an icon that will be used for tablets and mobiles." -msgstr "" - -#: mod/admin.php:972 -msgid "Additional Info" -msgstr "" - -#: mod/admin.php:972 -#, php-format -msgid "" -"For public servers: you can add additional information here that will be " -"listed at %s/siteinfo." -msgstr "" - -#: mod/admin.php:973 -msgid "System language" -msgstr "Системен език" - -#: mod/admin.php:974 -msgid "System theme" -msgstr "Системна тема" - -#: mod/admin.php:974 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "Тема по подразбиране система - може да бъде по-яздени потребителски профили - променяте настройки тема " - -#: mod/admin.php:975 -msgid "Mobile system theme" -msgstr "" - -#: mod/admin.php:975 -msgid "Theme for mobile devices" -msgstr "" - -#: mod/admin.php:976 -msgid "SSL link policy" -msgstr "SSL връзка политика" - -#: mod/admin.php:976 -msgid "Determines whether generated links should be forced to use SSL" -msgstr "Определя дали генерирани връзки трябва да бъдат принудени да се използва SSL" - -#: mod/admin.php:977 -msgid "Force SSL" -msgstr "" - -#: mod/admin.php:977 -msgid "" -"Force all Non-SSL requests to SSL - Attention: on some systems it could lead" -" to endless loops." -msgstr "" - -#: mod/admin.php:978 -msgid "Old style 'Share'" -msgstr "" - -#: mod/admin.php:978 -msgid "Deactivates the bbcode element 'share' for repeating items." -msgstr "" - -#: mod/admin.php:979 -msgid "Hide help entry from navigation menu" -msgstr "" - -#: mod/admin.php:979 -msgid "" -"Hides the menu entry for the Help pages from the navigation menu. You can " -"still access it calling /help directly." -msgstr "" - -#: mod/admin.php:980 -msgid "Single user instance" -msgstr "" - -#: mod/admin.php:980 -msgid "Make this instance multi-user or single-user for the named user" -msgstr "" - -#: mod/admin.php:981 -msgid "Maximum image size" -msgstr "Максимален размер на изображението" - -#: mod/admin.php:981 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "Максимален размер в байтове на качените изображения. По подразбиране е 0, което означава, няма граници." - -#: mod/admin.php:982 -msgid "Maximum image length" -msgstr "" - -#: mod/admin.php:982 -msgid "" -"Maximum length in pixels of the longest side of uploaded images. Default is " -"-1, which means no limits." -msgstr "" - -#: mod/admin.php:983 -msgid "JPEG image quality" -msgstr "" - -#: mod/admin.php:983 -msgid "" -"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " -"100, which is full quality." -msgstr "" - -#: mod/admin.php:985 -msgid "Register policy" -msgstr "Регистрирайте политика" - -#: mod/admin.php:986 -msgid "Maximum Daily Registrations" -msgstr "" - -#: mod/admin.php:986 -msgid "" -"If registration is permitted above, this sets the maximum number of new user" -" registrations to accept per day. If register is set to closed, this " -"setting has no effect." -msgstr "" - -#: mod/admin.php:987 -msgid "Register text" -msgstr "Регистрирайте се текст" - -#: mod/admin.php:987 -msgid "Will be displayed prominently on the registration page." -msgstr "Ще бъдат показани на видно място на страницата за регистрация." - -#: mod/admin.php:988 -msgid "Accounts abandoned after x days" -msgstr "Сметките изоставени след дни х" - -#: mod/admin.php:988 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "Няма да губи системните ресурси избирателните външни сайтове за abandonded сметки. Въведете 0 за без ограничение във времето." - -#: mod/admin.php:989 -msgid "Allowed friend domains" -msgstr "Позволи на домейни приятел" - -#: mod/admin.php:989 -msgid "" -"Comma separated list of domains which are allowed to establish friendships " -"with this site. Wildcards are accepted. Empty to allow any domains" -msgstr "Разделени със запетая списък на домейни, на които е разрешено да се създадат приятелства с този сайт. Заместващи символи са приети. На Empty да се даде възможност на всички домейни" - -#: mod/admin.php:990 -msgid "Allowed email domains" -msgstr "Позволи на домейни имейл" - -#: mod/admin.php:990 -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 "Разделени със запетая списък на домейни, които са разрешени в имейл адреси за регистрации в този сайт. Заместващи символи са приети. На Empty да се даде възможност на всички домейни" - -#: mod/admin.php:991 -msgid "Block public" -msgstr "Блокиране на обществения" - -#: mod/admin.php:991 -msgid "" -"Check to block public access to all otherwise public personal pages on this " -"site unless you are currently logged in." -msgstr "Тръгване за блокиране на публичен достъп до всички по друг начин публичните лични страници на този сайт, освен ако в момента сте влезли в системата." - -#: mod/admin.php:992 -msgid "Force publish" -msgstr "Принудително публикува" - -#: mod/admin.php:992 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "Проверете, за да се принудят всички профили на този сайт да бъдат изброени в директорията на сайта." - -#: mod/admin.php:993 -msgid "Global directory URL" -msgstr "" - -#: mod/admin.php:993 -msgid "" -"URL to the global directory. If this is not set, the global directory is " -"completely unavailable to the application." -msgstr "" - -#: mod/admin.php:994 -msgid "Allow threaded items" -msgstr "" - -#: mod/admin.php:994 -msgid "Allow infinite level threading for items on this site." -msgstr "" - -#: mod/admin.php:995 -msgid "Private posts by default for new users" -msgstr "" - -#: mod/admin.php:995 -msgid "" -"Set default post permissions for all new members to the default privacy " -"group rather than public." -msgstr "" - -#: mod/admin.php:996 -msgid "Don't include post content in email notifications" -msgstr "" - -#: mod/admin.php:996 -msgid "" -"Don't include the content of a post/comment/private message/etc. in the " -"email notifications that are sent out from this site, as a privacy measure." -msgstr "" - -#: mod/admin.php:997 -msgid "Disallow public access to addons listed in the apps menu." -msgstr "" - -#: mod/admin.php:997 -msgid "" -"Checking this box will restrict addons listed in the apps menu to members " -"only." -msgstr "" - -#: mod/admin.php:998 -msgid "Don't embed private images in posts" -msgstr "" - -#: mod/admin.php:998 -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:999 -msgid "Allow Users to set remote_self" -msgstr "" - -#: mod/admin.php:999 -msgid "" -"With checking this, every user is allowed to mark every contact as a " -"remote_self in the repair contact dialog. Setting this flag on a contact " -"causes mirroring every posting of that contact in the users stream." -msgstr "" - -#: mod/admin.php:1000 -msgid "Block multiple registrations" -msgstr "Блокиране на множество регистрации" - -#: mod/admin.php:1000 -msgid "Disallow users to register additional accounts for use as pages." -msgstr "Забраните на потребителите да се регистрират допълнителни сметки, за използване като страниците." - -#: mod/admin.php:1001 -msgid "OpenID support" -msgstr "Поддръжка на OpenID" - -#: mod/admin.php:1001 -msgid "OpenID support for registration and logins." -msgstr "Поддръжка на OpenID за регистрация и влизане." - -#: mod/admin.php:1002 -msgid "Fullname check" -msgstr "Fullname проверка" - -#: mod/admin.php:1002 -msgid "" -"Force users to register with a space between firstname and lastname in Full " -"name, as an antispam measure" -msgstr "Силите на потребителите да се регистрират в пространството между Име и фамилия в пълно име, като мярка за антиспам" - -#: mod/admin.php:1003 -msgid "UTF-8 Regular expressions" -msgstr "UTF-8 регулярни изрази" - -#: mod/admin.php:1003 -msgid "Use PHP UTF8 regular expressions" -msgstr "Използвате PHP UTF8 регулярни изрази" - -#: mod/admin.php:1004 -msgid "Community Page Style" -msgstr "" - -#: mod/admin.php:1004 -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:1005 -msgid "Posts per user on community page" -msgstr "" - -#: mod/admin.php:1005 -msgid "" -"The maximum number of posts per user on the community page. (Not valid for " -"'Global Community')" -msgstr "" - -#: mod/admin.php:1006 -msgid "Enable OStatus support" -msgstr "Активирайте OStatus подкрепа" - -#: mod/admin.php:1006 -msgid "" -"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " -"communications in OStatus are public, so privacy warnings will be " -"occasionally displayed." -msgstr "" - -#: mod/admin.php:1007 -msgid "OStatus conversation completion interval" -msgstr "" - -#: mod/admin.php:1007 -msgid "" -"How often shall the poller check for new entries in OStatus conversations? " -"This can be a very ressource task." -msgstr "" - -#: mod/admin.php:1008 -msgid "Only import OStatus threads from our contacts" -msgstr "" - -#: mod/admin.php:1008 -msgid "" -"Normally we import every content from our OStatus contacts. With this option" -" we only store threads that are started by a contact that is known on our " -"system." -msgstr "" - -#: mod/admin.php:1009 -msgid "OStatus support can only be enabled if threading is enabled." -msgstr "" - -#: mod/admin.php:1011 -msgid "" -"Diaspora support can't be enabled because Friendica was installed into a sub" -" directory." -msgstr "" - -#: mod/admin.php:1012 -msgid "Enable Diaspora support" -msgstr "Активирайте диаспора подкрепа" - -#: mod/admin.php:1012 -msgid "Provide built-in Diaspora network compatibility." -msgstr "Осигури вградена диаспора в мрежата съвместимост." - -#: mod/admin.php:1013 -msgid "Only allow Friendica contacts" -msgstr "Позволяват само Friendica контакти" - -#: mod/admin.php:1013 -msgid "" -"All contacts must use Friendica protocols. All other built-in communication " -"protocols disabled." -msgstr "Всички контакти трябва да използвате Friendica протоколи. Всички останали вградени комуникационни протоколи с увреждания." - -#: mod/admin.php:1014 -msgid "Verify SSL" -msgstr "Провери SSL" - -#: mod/admin.php:1014 -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:1015 -msgid "Proxy user" -msgstr "Proxy потребител" - -#: mod/admin.php:1016 -msgid "Proxy URL" -msgstr "Proxy URL" - -#: mod/admin.php:1017 -msgid "Network timeout" -msgstr "Мрежа изчакване" - -#: mod/admin.php:1017 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "Стойността е в секунди. Настройте на 0 за неограничен (не се препоръчва)." - -#: mod/admin.php:1018 -msgid "Delivery interval" -msgstr "Доставка интервал" - -#: mod/admin.php:1018 -msgid "" -"Delay background delivery processes by this many seconds to reduce system " -"load. Recommend: 4-5 for shared hosts, 2-3 for virtual private servers. 0-1 " -"for large dedicated servers." -msgstr "Забавяне процесите на доставка на заден план от това много секунди, за да се намали натоварването на системата. Препоръчай: 4-5 за споделени хостове, 2-3 за виртуални частни сървъри. 0-1 за големи наети сървъри." - -#: mod/admin.php:1019 -msgid "Poll interval" -msgstr "Анкета интервал" - -#: mod/admin.php:1019 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "Забавяне избирателните фонови процеси от това много секунди, за да се намали натоварването на системата. Ако 0, използвайте интервал доставка." - -#: mod/admin.php:1020 -msgid "Maximum Load Average" -msgstr "Максимално натоварване" - -#: mod/admin.php:1020 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "Максимално натоварване на системата преди раждането и анкета процеси са отложени - по подразбиране 50." - -#: mod/admin.php:1021 -msgid "Maximum Load Average (Frontend)" -msgstr "" - -#: mod/admin.php:1021 -msgid "Maximum system load before the frontend quits service - default 50." -msgstr "" - -#: mod/admin.php:1022 -msgid "Maximum table size for optimization" -msgstr "" - -#: mod/admin.php:1022 -msgid "" -"Maximum table size (in MB) for the automatic optimization - default 100 MB. " -"Enter -1 to disable it." -msgstr "" - -#: mod/admin.php:1023 -msgid "Minimum level of fragmentation" -msgstr "" - -#: mod/admin.php:1023 -msgid "" -"Minimum fragmenation level to start the automatic optimization - default " -"value is 30%." -msgstr "" - -#: mod/admin.php:1025 -msgid "Periodical check of global contacts" -msgstr "" - -#: mod/admin.php:1025 -msgid "" -"If enabled, the global contacts are checked periodically for missing or " -"outdated data and the vitality of the contacts and servers." -msgstr "" - -#: mod/admin.php:1026 -msgid "Days between requery" -msgstr "" - -#: mod/admin.php:1026 -msgid "Number of days after which a server is requeried for his contacts." -msgstr "" - -#: mod/admin.php:1027 -msgid "Discover contacts from other servers" -msgstr "" - -#: mod/admin.php:1027 -msgid "" -"Periodically query other servers for contacts. You can choose between " -"'users': the users on the remote system, 'Global Contacts': active contacts " -"that are known on the system. The fallback is meant for Redmatrix servers " -"and older friendica servers, where global contacts weren't available. The " -"fallback increases the server load, so the recommened setting is 'Users, " -"Global Contacts'." -msgstr "" - -#: mod/admin.php:1028 -msgid "Timeframe for fetching global contacts" -msgstr "" - -#: mod/admin.php:1028 -msgid "" -"When the discovery is activated, this value defines the timeframe for the " -"activity of the global contacts that are fetched from other servers." -msgstr "" - -#: mod/admin.php:1029 -msgid "Search the local directory" -msgstr "" - -#: mod/admin.php:1029 -msgid "" -"Search the local directory instead of the global directory. When searching " -"locally, every search will be executed on the global directory in the " -"background. This improves the search results when the search is repeated." -msgstr "" - -#: mod/admin.php:1031 -msgid "Publish server information" -msgstr "" - -#: mod/admin.php:1031 -msgid "" -"If enabled, general server and usage data will be published. The data " -"contains the name and version of the server, number of users with public " -"profiles, number of posts and the activated protocols and connectors. See the-federation.info for details." -msgstr "" - -#: mod/admin.php:1033 -msgid "Use MySQL full text engine" -msgstr "" - -#: mod/admin.php:1033 -msgid "" -"Activates the full text engine. Speeds up search - but can only search for " -"four and more characters." -msgstr "" - -#: mod/admin.php:1034 -msgid "Suppress Language" -msgstr "" - -#: mod/admin.php:1034 -msgid "Suppress language information in meta information about a posting." -msgstr "" - -#: mod/admin.php:1035 -msgid "Suppress Tags" -msgstr "" - -#: mod/admin.php:1035 -msgid "Suppress showing a list of hashtags at the end of the posting." -msgstr "" - -#: mod/admin.php:1036 -msgid "Path to item cache" -msgstr "" - -#: mod/admin.php:1036 -msgid "The item caches buffers generated bbcode and external images." -msgstr "" - -#: mod/admin.php:1037 -msgid "Cache duration in seconds" -msgstr "" - -#: mod/admin.php:1037 -msgid "" -"How long should the cache files be hold? Default value is 86400 seconds (One" -" day). To disable the item cache, set the value to -1." -msgstr "" - -#: mod/admin.php:1038 -msgid "Maximum numbers of comments per post" -msgstr "" - -#: mod/admin.php:1038 -msgid "How much comments should be shown for each post? Default value is 100." -msgstr "" - -#: mod/admin.php:1039 -msgid "Path for lock file" -msgstr "" - -#: mod/admin.php:1039 -msgid "" -"The lock file is used to avoid multiple pollers at one time. Only define a " -"folder here." -msgstr "" - -#: mod/admin.php:1040 -msgid "Temp path" -msgstr "" - -#: mod/admin.php:1040 -msgid "" -"If you have a restricted system where the webserver can't access the system " -"temp path, enter another path here." -msgstr "" - -#: mod/admin.php:1041 -msgid "Base path to installation" -msgstr "" - -#: mod/admin.php:1041 -msgid "" -"If the system cannot detect the correct path to your installation, enter the" -" correct path here. This setting should only be set if you are using a " -"restricted system and symbolic links to your webroot." -msgstr "" - -#: mod/admin.php:1042 -msgid "Disable picture proxy" -msgstr "" - -#: mod/admin.php:1042 -msgid "" -"The picture proxy increases performance and privacy. It shouldn't be used on" -" systems with very low bandwith." -msgstr "" - -#: mod/admin.php:1043 -msgid "Enable old style pager" -msgstr "" - -#: mod/admin.php:1043 -msgid "" -"The old style pager has page numbers but slows down massively the page " -"speed." -msgstr "" - -#: mod/admin.php:1044 -msgid "Only search in tags" -msgstr "" - -#: mod/admin.php:1044 -msgid "On large systems the text search can slow down the system extremely." -msgstr "" - -#: mod/admin.php:1046 -msgid "New base url" -msgstr "" - -#: mod/admin.php:1046 -msgid "" -"Change base url for this server. Sends relocate message to all DFRN contacts" -" of all users." -msgstr "" - -#: mod/admin.php:1048 -msgid "RINO Encryption" -msgstr "" - -#: mod/admin.php:1048 -msgid "Encryption layer between nodes." -msgstr "" - -#: mod/admin.php:1049 -msgid "Embedly API key" -msgstr "" - -#: mod/admin.php:1049 -msgid "" -"Embedly is used to fetch additional data for " -"web pages. This is an optional parameter." -msgstr "" - -#: mod/admin.php:1051 -msgid "Enable 'worker' background processing" -msgstr "" - -#: mod/admin.php:1051 -msgid "" -"The worker background processing limits the number of parallel background " -"jobs to a maximum number and respects the system load." -msgstr "" - -#: mod/admin.php:1052 -msgid "Maximum number of parallel workers" -msgstr "" - -#: mod/admin.php:1052 -msgid "" -"On shared hosters set this to 2. On larger systems, values of 10 are great. " -"Default value is 4." -msgstr "" - -#: mod/admin.php:1053 -msgid "Don't use 'proc_open' with the worker" -msgstr "" - -#: mod/admin.php:1053 -msgid "" -"Enable this if your system doesn't allow the use of 'proc_open'. This can " -"happen on shared hosters. If this is enabled you should increase the " -"frequency of poller calls in your crontab." -msgstr "" - -#: mod/admin.php:1054 -msgid "Enable fastlane" -msgstr "" - -#: mod/admin.php:1054 -msgid "" -"When enabed, the fastlane mechanism starts an additional worker if processes" -" with higher priority are blocked by processes of lower priority." -msgstr "" - -#: mod/admin.php:1055 -msgid "Enable frontend worker" -msgstr "" - -#: mod/admin.php:1055 -msgid "" -"When enabled the Worker process is triggered when backend access is " -"performed (e.g. messages being delivered). On smaller sites you might want " -"to call yourdomain.tld/worker on a regular basis via an external cron job. " -"You should only enable this option if you cannot utilize cron/scheduled jobs" -" on your server. The worker background process needs to be activated for " -"this." -msgstr "" - -#: mod/admin.php:1084 -msgid "Update has been marked successful" -msgstr "Update е маркиран успешно" - -#: mod/admin.php:1092 -#, php-format -msgid "Database structure update %s was successfully applied." -msgstr "" - -#: mod/admin.php:1095 -#, php-format -msgid "Executing of database structure update %s failed with error: %s" -msgstr "" - -#: mod/admin.php:1107 -#, php-format -msgid "Executing %s failed with error: %s" -msgstr "" - -#: mod/admin.php:1110 -#, php-format -msgid "Update %s was successfully applied." -msgstr "Актуализация %s бе успешно приложена." - -#: mod/admin.php:1114 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "Актуализация %s не се връща статус. Известно дали тя успя." - -#: mod/admin.php:1116 -#, php-format -msgid "There was no additional update function %s that needed to be called." -msgstr "" - -#: mod/admin.php:1135 -msgid "No failed updates." -msgstr "Няма провалени новини." - -#: mod/admin.php:1136 -msgid "Check database structure" -msgstr "" - -#: mod/admin.php:1141 -msgid "Failed Updates" -msgstr "Неуспешно Updates" - -#: mod/admin.php:1142 -msgid "" -"This does not include updates prior to 1139, which did not return a status." -msgstr "Това не включва актуализации, преди 1139, които не връщат статута." - -#: mod/admin.php:1143 -msgid "Mark success (if update was manually applied)" -msgstr "Марк успех (ако актуализация е ръчно прилага)" - -#: mod/admin.php:1144 -msgid "Attempt to execute this update step automatically" -msgstr "Опита да изпълни тази стъпка се обновяват автоматично" - -#: mod/admin.php:1178 +#: src/Model/User.php:1255 #, 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\t\tThank you for registering at %2$s. Your account is pending for approval by the administrator.\n" +"\n" +"\t\t\tYour login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%3$s\n" +"\t\t\tLogin Name:\t\t%4$s\n" +"\t\t\tPassword:\t\t%5$s\n" +"\t\t" msgstr "" -#: mod/admin.php:1181 +#: src/Model/User.php:1274 +#, php-format +msgid "Registration at %s" +msgstr "" + +#: src/Model/User.php:1298 +#, php-format +msgid "" +"\n" +"\t\t\t\tDear %1$s,\n" +"\t\t\t\tThank you for registering at %2$s. Your account has been created.\n" +"\t\t\t" +msgstr "" + +#: src/Model/User.php:1306 #, 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" +"\t\t\tSite Location:\t%3$s\n" +"\t\t\tLogin Name:\t\t%1$s\n" +"\t\t\tPassword:\t\t%5$s\n" "\n" "\t\t\tYou may change your password from your account \"Settings\" page after logging\n" "\t\t\tin.\n" @@ -7364,1538 +5146,5619 @@ msgid "" "\t\t\tIf you are new and do not know anybody here, they may help\n" "\t\t\tyou to make some new and interesting friends.\n" "\n" -"\t\t\tThank you and welcome to %4$s." +"\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n" +"\n" +"\t\t\tThank you and welcome to %2$s." msgstr "" -#: mod/admin.php:1225 +#: src/Module/Admin/Addons/Details.php:65 +msgid "Addon not found." +msgstr "" + +#: src/Module/Admin/Addons/Details.php:76 src/Module/Admin/Addons/Index.php:49 #, php-format -msgid "%s user blocked/unblocked" -msgid_plural "%s users blocked/unblocked" +msgid "Addon %s disabled." +msgstr "" + +#: src/Module/Admin/Addons/Details.php:79 src/Module/Admin/Addons/Index.php:51 +#, php-format +msgid "Addon %s enabled." +msgstr "" + +#: src/Module/Admin/Addons/Details.php:88 +#: src/Module/Admin/Themes/Details.php:46 +msgid "Disable" +msgstr "забрани" + +#: src/Module/Admin/Addons/Details.php:91 +#: src/Module/Admin/Themes/Details.php:49 +msgid "Enable" +msgstr "Да се активира ли?" + +#: src/Module/Admin/Addons/Details.php:111 +#: src/Module/Admin/Addons/Index.php:67 +#: src/Module/Admin/Blocklist/Contact.php:78 +#: src/Module/Admin/Blocklist/Server.php:88 +#: src/Module/Admin/Federation.php:140 src/Module/Admin/Item/Delete.php:65 +#: src/Module/Admin/Logs/Settings.php:80 src/Module/Admin/Logs/View.php:64 +#: src/Module/Admin/Queue.php:72 src/Module/Admin/Site.php:579 +#: src/Module/Admin/Summary.php:230 src/Module/Admin/Themes/Details.php:90 +#: src/Module/Admin/Themes/Index.php:111 src/Module/Admin/Tos.php:58 +#: src/Module/Admin/Users/Active.php:136 +#: src/Module/Admin/Users/Blocked.php:137 src/Module/Admin/Users/Create.php:61 +#: src/Module/Admin/Users/Deleted.php:85 src/Module/Admin/Users/Index.php:149 +#: src/Module/Admin/Users/Pending.php:101 +msgid "Administration" +msgstr "Администриране " + +#: src/Module/Admin/Addons/Details.php:112 +#: src/Module/Admin/Addons/Index.php:68 src/Module/BaseAdmin.php:92 +#: src/Module/BaseSettings.php:87 +msgid "Addons" +msgstr "" + +#: src/Module/Admin/Addons/Details.php:113 +#: src/Module/Admin/Themes/Details.php:92 +msgid "Toggle" +msgstr "切換" + +#: src/Module/Admin/Addons/Details.php:121 +#: src/Module/Admin/Themes/Details.php:101 +msgid "Author: " +msgstr "Автор: " + +#: src/Module/Admin/Addons/Details.php:122 +#: src/Module/Admin/Themes/Details.php:102 +msgid "Maintainer: " +msgstr "Отговорник: " + +#: src/Module/Admin/Addons/Index.php:42 +msgid "Addons reloaded" +msgstr "" + +#: src/Module/Admin/Addons/Index.php:53 +#, php-format +msgid "Addon %s failed to install." +msgstr "" + +#: src/Module/Admin/Addons/Index.php:70 +msgid "Reload active addons" +msgstr "" + +#: src/Module/Admin/Addons/Index.php:75 +#, php-format +msgid "" +"There are currently no addons available on your node. You can find the " +"official addon repository at %1$s and might find other interesting addons in" +" the open addon registry at %2$s" +msgstr "" + +#: src/Module/Admin/BaseUsers.php:53 +msgid "List of all users" +msgstr "" + +#: src/Module/Admin/BaseUsers.php:58 +msgid "Active" +msgstr "" + +#: src/Module/Admin/BaseUsers.php:61 +msgid "List of active accounts" +msgstr "" + +#: src/Module/Admin/BaseUsers.php:66 src/Module/Contact.php:799 +#: src/Module/Contact.php:859 +msgid "Pending" +msgstr "" + +#: src/Module/Admin/BaseUsers.php:69 +msgid "List of pending registrations" +msgstr "" + +#: src/Module/Admin/BaseUsers.php:74 src/Module/Contact.php:807 +#: src/Module/Contact.php:860 +msgid "Blocked" +msgstr "Блокиран" + +#: src/Module/Admin/BaseUsers.php:77 +msgid "List of blocked users" +msgstr "" + +#: src/Module/Admin/BaseUsers.php:82 +msgid "Deleted" +msgstr "" + +#: src/Module/Admin/BaseUsers.php:85 +msgid "List of pending user deletions" +msgstr "" + +#: src/Module/Admin/BaseUsers.php:103 +msgid "Private Forum" +msgstr "" + +#: src/Module/Admin/BaseUsers.php:110 +msgid "Relay" +msgstr "" + +#: src/Module/Admin/Blocklist/Contact.php:57 +#, php-format +msgid "%s contact unblocked" +msgid_plural "%s contacts unblocked" msgstr[0] "" msgstr[1] "" -#: mod/admin.php:1232 +#: src/Module/Admin/Blocklist/Contact.php:79 +msgid "Remote Contact Blocklist" +msgstr "" + +#: src/Module/Admin/Blocklist/Contact.php:80 +msgid "" +"This page allows you to prevent any message from a remote contact to reach " +"your node." +msgstr "" + +#: src/Module/Admin/Blocklist/Contact.php:81 +msgid "Block Remote Contact" +msgstr "" + +#: src/Module/Admin/Blocklist/Contact.php:82 +#: src/Module/Admin/Users/Active.php:138 +#: src/Module/Admin/Users/Blocked.php:139 src/Module/Admin/Users/Index.php:151 +#: src/Module/Admin/Users/Pending.php:103 +msgid "select all" +msgstr "Избор на всичко" + +#: src/Module/Admin/Blocklist/Contact.php:83 +msgid "select none" +msgstr "" + +#: src/Module/Admin/Blocklist/Contact.php:85 +#: src/Module/Admin/Users/Blocked.php:142 src/Module/Admin/Users/Index.php:156 +#: src/Module/Contact.php:625 src/Module/Contact.php:883 +#: src/Module/Contact.php:1165 +msgid "Unblock" +msgstr "Разблокиране" + +#: src/Module/Admin/Blocklist/Contact.php:86 +msgid "No remote contact is blocked from this node." +msgstr "" + +#: src/Module/Admin/Blocklist/Contact.php:88 +msgid "Blocked Remote Contacts" +msgstr "" + +#: src/Module/Admin/Blocklist/Contact.php:89 +msgid "Block New Remote Contact" +msgstr "" + +#: src/Module/Admin/Blocklist/Contact.php:90 +msgid "Photo" +msgstr "" + +#: src/Module/Admin/Blocklist/Contact.php:90 +msgid "Reason" +msgstr "" + +#: src/Module/Admin/Blocklist/Contact.php:98 +#, php-format +msgid "%s total blocked contact" +msgid_plural "%s total blocked contacts" +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Admin/Blocklist/Contact.php:100 +msgid "URL of the remote contact to block." +msgstr "" + +#: src/Module/Admin/Blocklist/Contact.php:101 +msgid "Block Reason" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:49 +msgid "Server domain pattern added to blocklist." +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:79 +#: src/Module/Admin/Blocklist/Server.php:104 +msgid "Blocked server domain pattern" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:80 +#: src/Module/Admin/Blocklist/Server.php:105 src/Module/Friendica.php:81 +msgid "Reason for the block" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:81 +msgid "Delete server domain pattern" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:81 +msgid "Check to delete this entry from the blocklist" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:89 +msgid "Server Domain Pattern Blocklist" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:90 +msgid "" +"This page can be used to define a blocklist of server domain patterns from " +"the federated network that are not allowed to interact with your node. For " +"each domain pattern you should also provide the reason why you block it." +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:91 +msgid "" +"The list of blocked server domain patterns will be made publically available" +" on the /friendica page so that your users and " +"people investigating communication problems can find the reason easily." +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:92 +msgid "" +"

The server domain pattern syntax is case-insensitive shell wildcard, comprising the following special characters:

\n" +"
    \n" +"\t
  • *: Any number of characters
  • \n" +"\t
  • ?: Any single character
  • \n" +"\t
  • [<char1><char2>...]: char1 or char2
  • \n" +"
" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:98 +msgid "Add new entry to block list" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:99 +msgid "Server Domain Pattern" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:99 +msgid "" +"The domain pattern of the new server to add to the block list. Do not " +"include the protocol." +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:100 +msgid "Block reason" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:100 +msgid "The reason why you blocked this server domain pattern." +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:101 +msgid "Add Entry" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:102 +msgid "Save changes to the blocklist" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:103 +msgid "Current Entries in the Blocklist" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:106 +msgid "Delete entry from blocklist" +msgstr "" + +#: src/Module/Admin/Blocklist/Server.php:109 +msgid "Delete entry from blocklist?" +msgstr "" + +#: src/Module/Admin/DBSync.php:51 +msgid "Update has been marked successful" +msgstr "Update е маркиран успешно" + +#: src/Module/Admin/DBSync.php:59 +#, php-format +msgid "Database structure update %s was successfully applied." +msgstr "" + +#: src/Module/Admin/DBSync.php:61 +#, php-format +msgid "Executing of database structure update %s failed with error: %s" +msgstr "" + +#: src/Module/Admin/DBSync.php:76 +#, php-format +msgid "Executing %s failed with error: %s" +msgstr "" + +#: src/Module/Admin/DBSync.php:78 +#, php-format +msgid "Update %s was successfully applied." +msgstr "Актуализация %s бе успешно приложена." + +#: src/Module/Admin/DBSync.php:81 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "Актуализация %s не се връща статус. Известно дали тя успя." + +#: src/Module/Admin/DBSync.php:84 +#, php-format +msgid "There was no additional update function %s that needed to be called." +msgstr "" + +#: src/Module/Admin/DBSync.php:106 +msgid "No failed updates." +msgstr "Няма провалени новини." + +#: src/Module/Admin/DBSync.php:107 +msgid "Check database structure" +msgstr "" + +#: src/Module/Admin/DBSync.php:112 +msgid "Failed Updates" +msgstr "Неуспешно Updates" + +#: src/Module/Admin/DBSync.php:113 +msgid "" +"This does not include updates prior to 1139, which did not return a status." +msgstr "Това не включва актуализации, преди 1139, които не връщат статута." + +#: src/Module/Admin/DBSync.php:114 +msgid "Mark success (if update was manually applied)" +msgstr "Марк успех (ако актуализация е ръчно прилага)" + +#: src/Module/Admin/DBSync.php:115 +msgid "Attempt to execute this update step automatically" +msgstr "Опита да изпълни тази стъпка се обновяват автоматично" + +#: src/Module/Admin/Features.php:76 +#, php-format +msgid "Lock feature %s" +msgstr "" + +#: src/Module/Admin/Features.php:85 +msgid "Manage Additional Features" +msgstr "" + +#: src/Module/Admin/Federation.php:53 +msgid "Other" +msgstr "Друг" + +#: src/Module/Admin/Federation.php:107 src/Module/Admin/Federation.php:267 +msgid "unknown" +msgstr "" + +#: src/Module/Admin/Federation.php:135 +msgid "" +"This page offers you some numbers to the known part of the federated social " +"network your Friendica node is part of. These numbers are not complete but " +"only reflect the part of the network your node is aware of." +msgstr "" + +#: src/Module/Admin/Federation.php:141 src/Module/BaseAdmin.php:87 +msgid "Federation Statistics" +msgstr "" + +#: src/Module/Admin/Federation.php:145 +#, php-format +msgid "" +"Currently this node is aware of %d nodes with %d registered users from the " +"following platforms:" +msgstr "" + +#: src/Module/Admin/Item/Delete.php:54 +msgid "Item marked for deletion." +msgstr "" + +#: src/Module/Admin/Item/Delete.php:66 src/Module/BaseAdmin.php:105 +msgid "Delete Item" +msgstr "" + +#: src/Module/Admin/Item/Delete.php:67 +msgid "Delete this Item" +msgstr "" + +#: src/Module/Admin/Item/Delete.php:68 +msgid "" +"On this page you can delete an item from your node. If the item is a top " +"level posting, the entire thread will be deleted." +msgstr "" + +#: src/Module/Admin/Item/Delete.php:69 +msgid "" +"You need to know the GUID of the item. You can find it e.g. by looking at " +"the display URL. The last part of http://example.com/display/123456 is the " +"GUID, here 123456." +msgstr "" + +#: src/Module/Admin/Item/Delete.php:70 +msgid "GUID" +msgstr "" + +#: src/Module/Admin/Item/Delete.php:70 +msgid "The GUID of the item you want to delete." +msgstr "" + +#: src/Module/Admin/Item/Source.php:57 +msgid "Item Guid" +msgstr "" + +#: src/Module/Admin/Logs/Settings.php:48 +#, php-format +msgid "The logfile '%s' is not writable. No logging possible" +msgstr "" + +#: src/Module/Admin/Logs/Settings.php:72 +msgid "PHP log currently enabled." +msgstr "" + +#: src/Module/Admin/Logs/Settings.php:74 +msgid "PHP log currently disabled." +msgstr "" + +#: src/Module/Admin/Logs/Settings.php:81 src/Module/BaseAdmin.php:107 +#: src/Module/BaseAdmin.php:108 +msgid "Logs" +msgstr "Дневници" + +#: src/Module/Admin/Logs/Settings.php:83 +msgid "Clear" +msgstr "Безцветен " + +#: src/Module/Admin/Logs/Settings.php:87 +msgid "Enable Debugging" +msgstr "" + +#: src/Module/Admin/Logs/Settings.php:88 +msgid "Log file" +msgstr "Регистрационен файл" + +#: src/Module/Admin/Logs/Settings.php:88 +msgid "" +"Must be writable by web server. Relative to your Friendica top-level " +"directory." +msgstr "Трябва да бъде записван от уеб сървър. В сравнение с вашата Friendica най-високо ниво директория." + +#: src/Module/Admin/Logs/Settings.php:89 +msgid "Log level" +msgstr "Вход ниво" + +#: src/Module/Admin/Logs/Settings.php:91 +msgid "PHP logging" +msgstr "" + +#: src/Module/Admin/Logs/Settings.php:92 +msgid "" +"To temporarily enable logging of PHP errors and warnings you can prepend the" +" following to the index.php file of your installation. The filename set in " +"the 'error_log' line is relative to the friendica top-level directory and " +"must be writeable by the web server. The option '1' for 'log_errors' and " +"'display_errors' is to enable these options, set to '0' to disable them." +msgstr "" + +#: src/Module/Admin/Logs/View.php:40 +#, php-format +msgid "" +"Error trying to open %1$s log file.\\r\\n
Check to see " +"if file %1$s exist and is readable." +msgstr "" + +#: src/Module/Admin/Logs/View.php:44 +#, php-format +msgid "" +"Couldn't open %1$s log file.\\r\\n
Check to see if file" +" %1$s is readable." +msgstr "" + +#: src/Module/Admin/Logs/View.php:65 src/Module/BaseAdmin.php:109 +msgid "View Logs" +msgstr "" + +#: src/Module/Admin/Queue.php:50 +msgid "Inspect Deferred Worker Queue" +msgstr "" + +#: src/Module/Admin/Queue.php:51 +msgid "" +"This page lists the deferred worker jobs. This are jobs that couldn't be " +"executed at the first time." +msgstr "" + +#: src/Module/Admin/Queue.php:54 +msgid "Inspect Worker Queue" +msgstr "" + +#: src/Module/Admin/Queue.php:55 +msgid "" +"This page lists the currently queued worker jobs. These jobs are handled by " +"the worker cronjob you've set up during install." +msgstr "" + +#: src/Module/Admin/Queue.php:75 +msgid "ID" +msgstr "" + +#: src/Module/Admin/Queue.php:76 +msgid "Job Parameters" +msgstr "" + +#: src/Module/Admin/Queue.php:77 +msgid "Created" +msgstr "" + +#: src/Module/Admin/Queue.php:78 +msgid "Priority" +msgstr "" + +#: src/Module/Admin/Site.php:69 +msgid "Can not parse base url. Must have at least ://" +msgstr "" + +#: src/Module/Admin/Site.php:123 +msgid "Relocation started. Could take a while to complete." +msgstr "" + +#: src/Module/Admin/Site.php:249 +msgid "Invalid storage backend setting value." +msgstr "" + +#: src/Module/Admin/Site.php:449 src/Module/Settings/Display.php:134 +msgid "No special theme for mobile devices" +msgstr "" + +#: src/Module/Admin/Site.php:466 src/Module/Settings/Display.php:144 +#, php-format +msgid "%s - (Experimental)" +msgstr "" + +#: src/Module/Admin/Site.php:478 +msgid "No community page for local users" +msgstr "" + +#: src/Module/Admin/Site.php:479 +msgid "No community page" +msgstr "" + +#: src/Module/Admin/Site.php:480 +msgid "Public postings from users of this site" +msgstr "" + +#: src/Module/Admin/Site.php:481 +msgid "Public postings from the federated network" +msgstr "" + +#: src/Module/Admin/Site.php:482 +msgid "Public postings from local users and the federated network" +msgstr "" + +#: src/Module/Admin/Site.php:488 +msgid "Multi user instance" +msgstr "" + +#: src/Module/Admin/Site.php:516 +msgid "Closed" +msgstr "Затворен" + +#: src/Module/Admin/Site.php:517 +msgid "Requires approval" +msgstr "Изисква одобрение" + +#: src/Module/Admin/Site.php:518 +msgid "Open" +msgstr "Отворена." + +#: src/Module/Admin/Site.php:522 src/Module/Install.php:204 +msgid "No SSL policy, links will track page SSL state" +msgstr "Не SSL политика, връзки ще следи страница SSL състояние" + +#: src/Module/Admin/Site.php:523 src/Module/Install.php:205 +msgid "Force all links to use SSL" +msgstr "Принуди всички връзки да се използва SSL" + +#: src/Module/Admin/Site.php:524 src/Module/Install.php:206 +msgid "Self-signed certificate, use SSL for local links only (discouraged)" +msgstr "Самоподписан сертификат, използвайте SSL за местни връзки единствено (обезкуражени)" + +#: src/Module/Admin/Site.php:528 +msgid "Don't check" +msgstr "" + +#: src/Module/Admin/Site.php:529 +msgid "check the stable version" +msgstr "" + +#: src/Module/Admin/Site.php:530 +msgid "check the development version" +msgstr "" + +#: src/Module/Admin/Site.php:534 +msgid "none" +msgstr "" + +#: src/Module/Admin/Site.php:535 +msgid "Local contacts" +msgstr "" + +#: src/Module/Admin/Site.php:536 +msgid "Interactors" +msgstr "" + +#: src/Module/Admin/Site.php:549 +msgid "Database (legacy)" +msgstr "" + +#: src/Module/Admin/Site.php:580 src/Module/BaseAdmin.php:90 +msgid "Site" +msgstr "Сайт" + +#: src/Module/Admin/Site.php:581 +msgid "General Information" +msgstr "" + +#: src/Module/Admin/Site.php:583 +msgid "Republish users to directory" +msgstr "" + +#: src/Module/Admin/Site.php:584 src/Module/Register.php:139 +msgid "Registration" +msgstr "Регистрация" + +#: src/Module/Admin/Site.php:585 +msgid "File upload" +msgstr "Прикачване на файлове" + +#: src/Module/Admin/Site.php:586 +msgid "Policies" +msgstr "Политики" + +#: src/Module/Admin/Site.php:588 +msgid "Auto Discovered Contact Directory" +msgstr "" + +#: src/Module/Admin/Site.php:589 +msgid "Performance" +msgstr "Производителност" + +#: src/Module/Admin/Site.php:590 +msgid "Worker" +msgstr "" + +#: src/Module/Admin/Site.php:591 +msgid "Message Relay" +msgstr "" + +#: src/Module/Admin/Site.php:592 +msgid "Relocate Instance" +msgstr "" + +#: src/Module/Admin/Site.php:593 +msgid "" +"Warning! Advanced function. Could make this server " +"unreachable." +msgstr "" + +#: src/Module/Admin/Site.php:597 +msgid "Site name" +msgstr "Име на сайта" + +#: src/Module/Admin/Site.php:598 +msgid "Sender Email" +msgstr "" + +#: src/Module/Admin/Site.php:598 +msgid "" +"The email address your server shall use to send notification emails from." +msgstr "" + +#: src/Module/Admin/Site.php:599 +msgid "Name of the system actor" +msgstr "" + +#: src/Module/Admin/Site.php:599 +msgid "" +"Name of the internal system account that is used to perform ActivityPub " +"requests. This must be an unused username. If set, this can't be changed " +"again." +msgstr "" + +#: src/Module/Admin/Site.php:600 +msgid "Banner/Logo" +msgstr "Банер / лого" + +#: src/Module/Admin/Site.php:601 +msgid "Email Banner/Logo" +msgstr "" + +#: src/Module/Admin/Site.php:602 +msgid "Shortcut icon" +msgstr "" + +#: src/Module/Admin/Site.php:602 +msgid "Link to an icon that will be used for browsers." +msgstr "" + +#: src/Module/Admin/Site.php:603 +msgid "Touch icon" +msgstr "" + +#: src/Module/Admin/Site.php:603 +msgid "Link to an icon that will be used for tablets and mobiles." +msgstr "" + +#: src/Module/Admin/Site.php:604 +msgid "Additional Info" +msgstr "" + +#: src/Module/Admin/Site.php:604 +#, php-format +msgid "" +"For public servers: you can add additional information here that will be " +"listed at %s/servers." +msgstr "" + +#: src/Module/Admin/Site.php:605 +msgid "System language" +msgstr "Системен език" + +#: src/Module/Admin/Site.php:606 +msgid "System theme" +msgstr "Системна тема" + +#: src/Module/Admin/Site.php:606 +msgid "" +"Default system theme - may be over-ridden by user profiles - Change default theme settings" +msgstr "" + +#: src/Module/Admin/Site.php:607 +msgid "Mobile system theme" +msgstr "" + +#: src/Module/Admin/Site.php:607 +msgid "Theme for mobile devices" +msgstr "" + +#: src/Module/Admin/Site.php:608 src/Module/Install.php:214 +msgid "SSL link policy" +msgstr "SSL връзка политика" + +#: src/Module/Admin/Site.php:608 src/Module/Install.php:216 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "Определя дали генерирани връзки трябва да бъдат принудени да се използва SSL" + +#: src/Module/Admin/Site.php:609 +msgid "Force SSL" +msgstr "" + +#: src/Module/Admin/Site.php:609 +msgid "" +"Force all Non-SSL requests to SSL - Attention: on some systems it could lead" +" to endless loops." +msgstr "" + +#: src/Module/Admin/Site.php:610 +msgid "Hide help entry from navigation menu" +msgstr "" + +#: src/Module/Admin/Site.php:610 +msgid "" +"Hides the menu entry for the Help pages from the navigation menu. You can " +"still access it calling /help directly." +msgstr "" + +#: src/Module/Admin/Site.php:611 +msgid "Single user instance" +msgstr "" + +#: src/Module/Admin/Site.php:611 +msgid "Make this instance multi-user or single-user for the named user" +msgstr "" + +#: src/Module/Admin/Site.php:613 +msgid "File storage backend" +msgstr "" + +#: src/Module/Admin/Site.php:613 +msgid "" +"The backend used to store uploaded data. If you change the storage backend, " +"you can manually move the existing files. If you do not do so, the files " +"uploaded before the change will still be available at the old backend. " +"Please see the settings documentation" +" for more information about the choices and the moving procedure." +msgstr "" + +#: src/Module/Admin/Site.php:615 +msgid "Maximum image size" +msgstr "Максимален размер на изображението" + +#: src/Module/Admin/Site.php:615 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "Максимален размер в байтове на качените изображения. По подразбиране е 0, което означава, няма граници." + +#: src/Module/Admin/Site.php:616 +msgid "Maximum image length" +msgstr "" + +#: src/Module/Admin/Site.php:616 +msgid "" +"Maximum length in pixels of the longest side of uploaded images. Default is " +"-1, which means no limits." +msgstr "" + +#: src/Module/Admin/Site.php:617 +msgid "JPEG image quality" +msgstr "" + +#: src/Module/Admin/Site.php:617 +msgid "" +"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " +"100, which is full quality." +msgstr "" + +#: src/Module/Admin/Site.php:619 +msgid "Register policy" +msgstr "Регистрирайте политика" + +#: src/Module/Admin/Site.php:620 +msgid "Maximum Daily Registrations" +msgstr "" + +#: src/Module/Admin/Site.php:620 +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 "" + +#: src/Module/Admin/Site.php:621 +msgid "Register text" +msgstr "Регистрирайте се текст" + +#: src/Module/Admin/Site.php:621 +msgid "" +"Will be displayed prominently on the registration page. You can use BBCode " +"here." +msgstr "" + +#: src/Module/Admin/Site.php:622 +msgid "Forbidden Nicknames" +msgstr "" + +#: src/Module/Admin/Site.php:622 +msgid "" +"Comma separated list of nicknames that are forbidden from registration. " +"Preset is a list of role names according RFC 2142." +msgstr "" + +#: src/Module/Admin/Site.php:623 +msgid "Accounts abandoned after x days" +msgstr "Сметките изоставени след дни х" + +#: src/Module/Admin/Site.php:623 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "Няма да губи системните ресурси избирателните външни сайтове за abandonded сметки. Въведете 0 за без ограничение във времето." + +#: src/Module/Admin/Site.php:624 +msgid "Allowed friend domains" +msgstr "Позволи на домейни приятел" + +#: src/Module/Admin/Site.php:624 +msgid "" +"Comma separated list of domains which are allowed to establish friendships " +"with this site. Wildcards are accepted. Empty to allow any domains" +msgstr "Разделени със запетая списък на домейни, на които е разрешено да се създадат приятелства с този сайт. Заместващи символи са приети. На Empty да се даде възможност на всички домейни" + +#: src/Module/Admin/Site.php:625 +msgid "Allowed email domains" +msgstr "Позволи на домейни имейл" + +#: src/Module/Admin/Site.php:625 +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 "Разделени със запетая списък на домейни, които са разрешени в имейл адреси за регистрации в този сайт. Заместващи символи са приети. На Empty да се даде възможност на всички домейни" + +#: src/Module/Admin/Site.php:626 +msgid "No OEmbed rich content" +msgstr "" + +#: src/Module/Admin/Site.php:626 +msgid "" +"Don't show the rich content (e.g. embedded PDF), except from the domains " +"listed below." +msgstr "" + +#: src/Module/Admin/Site.php:627 +msgid "Allowed OEmbed domains" +msgstr "" + +#: src/Module/Admin/Site.php:627 +msgid "" +"Comma separated list of domains which oembed content is allowed to be " +"displayed. Wildcards are accepted." +msgstr "" + +#: src/Module/Admin/Site.php:628 +msgid "Block public" +msgstr "Блокиране на обществения" + +#: src/Module/Admin/Site.php:628 +msgid "" +"Check to block public access to all otherwise public personal pages on this " +"site unless you are currently logged in." +msgstr "Тръгване за блокиране на публичен достъп до всички по друг начин публичните лични страници на този сайт, освен ако в момента сте влезли в системата." + +#: src/Module/Admin/Site.php:629 +msgid "Force publish" +msgstr "Принудително публикува" + +#: src/Module/Admin/Site.php:629 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "Проверете, за да се принудят всички профили на този сайт да бъдат изброени в директорията на сайта." + +#: src/Module/Admin/Site.php:629 +msgid "Enabling this may violate privacy laws like the GDPR" +msgstr "" + +#: src/Module/Admin/Site.php:630 +msgid "Global directory URL" +msgstr "" + +#: src/Module/Admin/Site.php:630 +msgid "" +"URL to the global directory. If this is not set, the global directory is " +"completely unavailable to the application." +msgstr "" + +#: src/Module/Admin/Site.php:631 +msgid "Private posts by default for new users" +msgstr "" + +#: src/Module/Admin/Site.php:631 +msgid "" +"Set default post permissions for all new members to the default privacy " +"group rather than public." +msgstr "" + +#: src/Module/Admin/Site.php:632 +msgid "Don't include post content in email notifications" +msgstr "" + +#: src/Module/Admin/Site.php:632 +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 "" + +#: src/Module/Admin/Site.php:633 +msgid "Disallow public access to addons listed in the apps menu." +msgstr "" + +#: src/Module/Admin/Site.php:633 +msgid "" +"Checking this box will restrict addons listed in the apps menu to members " +"only." +msgstr "" + +#: src/Module/Admin/Site.php:634 +msgid "Don't embed private images in posts" +msgstr "" + +#: src/Module/Admin/Site.php:634 +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 "" + +#: src/Module/Admin/Site.php:635 +msgid "Explicit Content" +msgstr "" + +#: src/Module/Admin/Site.php:635 +msgid "" +"Set this to announce that your node is used mostly for explicit content that" +" might not be suited for minors. This information will be published in the " +"node information and might be used, e.g. by the global directory, to filter " +"your node from listings of nodes to join. Additionally a note about this " +"will be shown at the user registration page." +msgstr "" + +#: src/Module/Admin/Site.php:636 +msgid "Allow Users to set remote_self" +msgstr "" + +#: src/Module/Admin/Site.php:636 +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 "" + +#: src/Module/Admin/Site.php:637 +msgid "Block multiple registrations" +msgstr "Блокиране на множество регистрации" + +#: src/Module/Admin/Site.php:637 +msgid "Disallow users to register additional accounts for use as pages." +msgstr "Забраните на потребителите да се регистрират допълнителни сметки, за използване като страниците." + +#: src/Module/Admin/Site.php:638 +msgid "Disable OpenID" +msgstr "" + +#: src/Module/Admin/Site.php:638 +msgid "Disable OpenID support for registration and logins." +msgstr "" + +#: src/Module/Admin/Site.php:639 +msgid "No Fullname check" +msgstr "" + +#: src/Module/Admin/Site.php:639 +msgid "" +"Allow users to register without a space between the first name and the last " +"name in their full name." +msgstr "" + +#: src/Module/Admin/Site.php:640 +msgid "Community pages for visitors" +msgstr "" + +#: src/Module/Admin/Site.php:640 +msgid "" +"Which community pages should be available for visitors. Local users always " +"see both pages." +msgstr "" + +#: src/Module/Admin/Site.php:641 +msgid "Posts per user on community page" +msgstr "" + +#: src/Module/Admin/Site.php:641 +msgid "" +"The maximum number of posts per user on the community page. (Not valid for " +"\"Global Community\")" +msgstr "" + +#: src/Module/Admin/Site.php:642 +msgid "Disable OStatus support" +msgstr "" + +#: src/Module/Admin/Site.php:642 +msgid "" +"Disable built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " +"communications in OStatus are public, so privacy warnings will be " +"occasionally displayed." +msgstr "" + +#: src/Module/Admin/Site.php:643 +msgid "OStatus support can only be enabled if threading is enabled." +msgstr "" + +#: src/Module/Admin/Site.php:645 +msgid "" +"Diaspora support can't be enabled because Friendica was installed into a sub" +" directory." +msgstr "" + +#: src/Module/Admin/Site.php:646 +msgid "Enable Diaspora support" +msgstr "Активирайте диаспора подкрепа" + +#: src/Module/Admin/Site.php:646 +msgid "Provide built-in Diaspora network compatibility." +msgstr "Осигури вградена диаспора в мрежата съвместимост." + +#: src/Module/Admin/Site.php:647 +msgid "Only allow Friendica contacts" +msgstr "Позволяват само Friendica контакти" + +#: src/Module/Admin/Site.php:647 +msgid "" +"All contacts must use Friendica protocols. All other built-in communication " +"protocols disabled." +msgstr "Всички контакти трябва да използвате Friendica протоколи. Всички останали вградени комуникационни протоколи с увреждания." + +#: src/Module/Admin/Site.php:648 +msgid "Verify SSL" +msgstr "Провери SSL" + +#: src/Module/Admin/Site.php:648 +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 обекти." + +#: src/Module/Admin/Site.php:649 +msgid "Proxy user" +msgstr "Proxy потребител" + +#: src/Module/Admin/Site.php:650 +msgid "Proxy URL" +msgstr "Proxy URL" + +#: src/Module/Admin/Site.php:651 +msgid "Network timeout" +msgstr "Мрежа изчакване" + +#: src/Module/Admin/Site.php:651 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "Стойността е в секунди. Настройте на 0 за неограничен (не се препоръчва)." + +#: src/Module/Admin/Site.php:652 +msgid "Maximum Load Average" +msgstr "Максимално натоварване" + +#: src/Module/Admin/Site.php:652 +#, php-format +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default %d." +msgstr "" + +#: src/Module/Admin/Site.php:653 +msgid "Maximum Load Average (Frontend)" +msgstr "" + +#: src/Module/Admin/Site.php:653 +msgid "Maximum system load before the frontend quits service - default 50." +msgstr "" + +#: src/Module/Admin/Site.php:654 +msgid "Minimal Memory" +msgstr "" + +#: src/Module/Admin/Site.php:654 +msgid "" +"Minimal free memory in MB for the worker. Needs access to /proc/meminfo - " +"default 0 (deactivated)." +msgstr "" + +#: src/Module/Admin/Site.php:655 +msgid "Periodically optimize tables" +msgstr "" + +#: src/Module/Admin/Site.php:655 +msgid "Periodically optimize tables like the cache and the workerqueue" +msgstr "" + +#: src/Module/Admin/Site.php:657 +msgid "Discover followers/followings from contacts" +msgstr "" + +#: src/Module/Admin/Site.php:657 +msgid "" +"If enabled, contacts are checked for their followers and following contacts." +msgstr "" + +#: src/Module/Admin/Site.php:658 +msgid "None - deactivated" +msgstr "" + +#: src/Module/Admin/Site.php:659 +msgid "" +"Local contacts - contacts of our local contacts are discovered for their " +"followers/followings." +msgstr "" + +#: src/Module/Admin/Site.php:660 +msgid "" +"Interactors - contacts of our local contacts and contacts who interacted on " +"locally visible postings are discovered for their followers/followings." +msgstr "" + +#: src/Module/Admin/Site.php:662 +msgid "Synchronize the contacts with the directory server" +msgstr "" + +#: src/Module/Admin/Site.php:662 +msgid "" +"if enabled, the system will check periodically for new contacts on the " +"defined directory server." +msgstr "" + +#: src/Module/Admin/Site.php:664 +msgid "Days between requery" +msgstr "" + +#: src/Module/Admin/Site.php:664 +msgid "Number of days after which a server is requeried for his contacts." +msgstr "" + +#: src/Module/Admin/Site.php:665 +msgid "Discover contacts from other servers" +msgstr "" + +#: src/Module/Admin/Site.php:665 +msgid "" +"Periodically query other servers for contacts. The system queries Friendica," +" Mastodon and Hubzilla servers." +msgstr "" + +#: src/Module/Admin/Site.php:666 +msgid "Search the local directory" +msgstr "" + +#: src/Module/Admin/Site.php:666 +msgid "" +"Search the local directory instead of the global directory. When searching " +"locally, every search will be executed on the global directory in the " +"background. This improves the search results when the search is repeated." +msgstr "" + +#: src/Module/Admin/Site.php:668 +msgid "Publish server information" +msgstr "" + +#: src/Module/Admin/Site.php:668 +msgid "" +"If enabled, general server and usage data will be published. The data " +"contains the name and version of the server, number of users with public " +"profiles, number of posts and the activated protocols and connectors. See the-federation.info for details." +msgstr "" + +#: src/Module/Admin/Site.php:670 +msgid "Check upstream version" +msgstr "" + +#: src/Module/Admin/Site.php:670 +msgid "" +"Enables checking for new Friendica versions at github. If there is a new " +"version, you will be informed in the admin panel overview." +msgstr "" + +#: src/Module/Admin/Site.php:671 +msgid "Suppress Tags" +msgstr "" + +#: src/Module/Admin/Site.php:671 +msgid "Suppress showing a list of hashtags at the end of the posting." +msgstr "" + +#: src/Module/Admin/Site.php:672 +msgid "Clean database" +msgstr "" + +#: src/Module/Admin/Site.php:672 +msgid "" +"Remove old remote items, orphaned database records and old content from some" +" other helper tables." +msgstr "" + +#: src/Module/Admin/Site.php:673 +msgid "Lifespan of remote items" +msgstr "" + +#: src/Module/Admin/Site.php:673 +msgid "" +"When the database cleanup is enabled, this defines the days after which " +"remote items will be deleted. Own items, and marked or filed items are " +"always kept. 0 disables this behaviour." +msgstr "" + +#: src/Module/Admin/Site.php:674 +msgid "Lifespan of unclaimed items" +msgstr "" + +#: src/Module/Admin/Site.php:674 +msgid "" +"When the database cleanup is enabled, this defines the days after which " +"unclaimed remote items (mostly content from the relay) will be deleted. " +"Default value is 90 days. Defaults to the general lifespan value of remote " +"items if set to 0." +msgstr "" + +#: src/Module/Admin/Site.php:675 +msgid "Lifespan of raw conversation data" +msgstr "" + +#: src/Module/Admin/Site.php:675 +msgid "" +"The conversation data is used for ActivityPub and OStatus, as well as for " +"debug purposes. It should be safe to remove it after 14 days, default is 90 " +"days." +msgstr "" + +#: src/Module/Admin/Site.php:676 +msgid "Path to item cache" +msgstr "" + +#: src/Module/Admin/Site.php:676 +msgid "The item caches buffers generated bbcode and external images." +msgstr "" + +#: src/Module/Admin/Site.php:677 +msgid "Cache duration in seconds" +msgstr "" + +#: src/Module/Admin/Site.php:677 +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 "" + +#: src/Module/Admin/Site.php:678 +msgid "Maximum numbers of comments per post" +msgstr "" + +#: src/Module/Admin/Site.php:678 +msgid "How much comments should be shown for each post? Default value is 100." +msgstr "" + +#: src/Module/Admin/Site.php:679 +msgid "Maximum numbers of comments per post on the display page" +msgstr "" + +#: src/Module/Admin/Site.php:679 +msgid "" +"How many comments should be shown on the single view for each post? Default " +"value is 1000." +msgstr "" + +#: src/Module/Admin/Site.php:680 +msgid "Temp path" +msgstr "" + +#: src/Module/Admin/Site.php:680 +msgid "" +"If you have a restricted system where the webserver can't access the system " +"temp path, enter another path here." +msgstr "" + +#: src/Module/Admin/Site.php:681 +msgid "Disable picture proxy" +msgstr "" + +#: src/Module/Admin/Site.php:681 +msgid "" +"The picture proxy increases performance and privacy. It shouldn't be used on" +" systems with very low bandwidth." +msgstr "" + +#: src/Module/Admin/Site.php:682 +msgid "Only search in tags" +msgstr "" + +#: src/Module/Admin/Site.php:682 +msgid "On large systems the text search can slow down the system extremely." +msgstr "" + +#: src/Module/Admin/Site.php:684 +msgid "New base url" +msgstr "" + +#: src/Module/Admin/Site.php:684 +msgid "" +"Change base url for this server. Sends relocate message to all Friendica and" +" Diaspora* contacts of all users." +msgstr "" + +#: src/Module/Admin/Site.php:686 +msgid "RINO Encryption" +msgstr "" + +#: src/Module/Admin/Site.php:686 +msgid "Encryption layer between nodes." +msgstr "" + +#: src/Module/Admin/Site.php:686 src/Module/Admin/Site.php:694 +#: src/Module/Contact.php:554 src/Module/Settings/TwoFactor/Index.php:113 +msgid "Disabled" +msgstr "" + +#: src/Module/Admin/Site.php:686 +msgid "Enabled" +msgstr "" + +#: src/Module/Admin/Site.php:688 +msgid "Maximum number of parallel workers" +msgstr "" + +#: src/Module/Admin/Site.php:688 +#, php-format +msgid "" +"On shared hosters set this to %d. On larger systems, values of %d are great." +" Default value is %d." +msgstr "" + +#: src/Module/Admin/Site.php:689 +msgid "Enable fastlane" +msgstr "" + +#: src/Module/Admin/Site.php:689 +msgid "" +"When enabed, the fastlane mechanism starts an additional worker if processes" +" with higher priority are blocked by processes of lower priority." +msgstr "" + +#: src/Module/Admin/Site.php:691 +msgid "Use relay servers" +msgstr "" + +#: src/Module/Admin/Site.php:691 +msgid "" +"Enables the receiving of public posts from relay servers. They will be " +"included in the search, subscribed tags and on the global community page." +msgstr "" + +#: src/Module/Admin/Site.php:692 +msgid "\"Social Relay\" server" +msgstr "" + +#: src/Module/Admin/Site.php:692 +#, php-format +msgid "" +"Address of the \"Social Relay\" server where public posts should be send to." +" For example %s. ActivityRelay servers are administrated via the \"console " +"relay\" command line command." +msgstr "" + +#: src/Module/Admin/Site.php:693 +msgid "Direct relay transfer" +msgstr "" + +#: src/Module/Admin/Site.php:693 +msgid "" +"Enables the direct transfer to other servers without using the relay servers" +msgstr "" + +#: src/Module/Admin/Site.php:694 +msgid "Relay scope" +msgstr "" + +#: src/Module/Admin/Site.php:694 +msgid "" +"Can be \"all\" or \"tags\". \"all\" means that every public post should be " +"received. \"tags\" means that only posts with selected tags should be " +"received." +msgstr "" + +#: src/Module/Admin/Site.php:694 +msgid "all" +msgstr "" + +#: src/Module/Admin/Site.php:694 +msgid "tags" +msgstr "" + +#: src/Module/Admin/Site.php:695 +msgid "Server tags" +msgstr "" + +#: src/Module/Admin/Site.php:695 +msgid "Comma separated list of tags for the \"tags\" subscription." +msgstr "" + +#: src/Module/Admin/Site.php:696 +msgid "Deny Server tags" +msgstr "" + +#: src/Module/Admin/Site.php:696 +msgid "Comma separated list of tags that are rejected." +msgstr "" + +#: src/Module/Admin/Site.php:697 +msgid "Allow user tags" +msgstr "" + +#: src/Module/Admin/Site.php:697 +msgid "" +"If enabled, the tags from the saved searches will used for the \"tags\" " +"subscription in addition to the \"relay_server_tags\"." +msgstr "" + +#: src/Module/Admin/Site.php:700 +msgid "Start Relocation" +msgstr "" + +#: src/Module/Admin/Summary.php:53 +#, php-format +msgid "Template engine (%s) error: %s" +msgstr "" + +#: src/Module/Admin/Summary.php:57 +#, php-format +msgid "" +"Your DB still runs with MyISAM tables. You should change the engine type to " +"InnoDB. As Friendica will use InnoDB only features in the future, you should" +" change this! See here for a guide that may be helpful " +"converting the table engines. You may also use the command php " +"bin/console.php dbstructure toinnodb of your Friendica installation for" +" an automatic conversion.
" +msgstr "" + +#: src/Module/Admin/Summary.php:62 +#, php-format +msgid "" +"Your DB still runs with InnoDB tables in the Antelope file format. You " +"should change the file format to Barracuda. Friendica is using features that" +" are not provided by the Antelope format. See here for a " +"guide that may be helpful converting the table engines. You may also use the" +" command php bin/console.php dbstructure toinnodb of your Friendica" +" installation for an automatic conversion.
" +msgstr "" + +#: src/Module/Admin/Summary.php:71 +#, php-format +msgid "" +"Your table_definition_cache is too low (%d). This can lead to the database " +"error \"Prepared statement needs to be re-prepared\". Please set it at least" +" to %d (or -1 for autosizing). See here for more " +"information.
" +msgstr "" + +#: src/Module/Admin/Summary.php:80 +#, php-format +msgid "" +"There is a new version of Friendica available for download. Your current " +"version is %1$s, upstream version is %2$s" +msgstr "" + +#: src/Module/Admin/Summary.php:89 +msgid "" +"The database update failed. Please run \"php bin/console.php dbstructure " +"update\" from the command line and have a look at the errors that might " +"appear." +msgstr "" + +#: src/Module/Admin/Summary.php:93 +msgid "" +"The last update failed. Please run \"php bin/console.php dbstructure " +"update\" from the command line and have a look at the errors that might " +"appear. (Some of the errors are possibly inside the logfile.)" +msgstr "" + +#: src/Module/Admin/Summary.php:98 +msgid "The worker was never executed. Please check your database structure!" +msgstr "" + +#: src/Module/Admin/Summary.php:100 +#, php-format +msgid "" +"The last worker execution was on %s UTC. This is older than one hour. Please" +" check your crontab settings." +msgstr "" + +#: src/Module/Admin/Summary.php:105 +#, php-format +msgid "" +"Friendica's configuration now is stored in config/local.config.php, please " +"copy config/local-sample.config.php and move your config from " +".htconfig.php. See the Config help page for " +"help with the transition." +msgstr "" + +#: src/Module/Admin/Summary.php:109 +#, php-format +msgid "" +"Friendica's configuration now is stored in config/local.config.php, please " +"copy config/local-sample.config.php and move your config from " +"config/local.ini.php. See the Config help " +"page for help with the transition." +msgstr "" + +#: src/Module/Admin/Summary.php:115 +#, php-format +msgid "" +"%s is not reachable on your system. This is a severe " +"configuration issue that prevents server to server communication. See the installation page for help." +msgstr "" + +#: src/Module/Admin/Summary.php:133 +#, php-format +msgid "The logfile '%s' is not usable. No logging possible (error: '%s')" +msgstr "" + +#: src/Module/Admin/Summary.php:147 +#, php-format +msgid "" +"The debug logfile '%s' is not usable. No logging possible (error: '%s')" +msgstr "" + +#: src/Module/Admin/Summary.php:163 +#, php-format +msgid "" +"Friendica's system.basepath was updated from '%s' to '%s'. Please remove the" +" system.basepath from your db to avoid differences." +msgstr "" + +#: src/Module/Admin/Summary.php:171 +#, php-format +msgid "" +"Friendica's current system.basepath '%s' is wrong and the config file '%s' " +"isn't used." +msgstr "" + +#: src/Module/Admin/Summary.php:179 +#, php-format +msgid "" +"Friendica's current system.basepath '%s' is not equal to the config file " +"'%s'. Please fix your configuration." +msgstr "" + +#: src/Module/Admin/Summary.php:186 +msgid "Normal Account" +msgstr "Нормално профил" + +#: src/Module/Admin/Summary.php:187 +msgid "Automatic Follower Account" +msgstr "" + +#: src/Module/Admin/Summary.php:188 +msgid "Public Forum Account" +msgstr "" + +#: src/Module/Admin/Summary.php:189 +msgid "Automatic Friend Account" +msgstr "Автоматично приятел акаунт" + +#: src/Module/Admin/Summary.php:190 +msgid "Blog Account" +msgstr "" + +#: src/Module/Admin/Summary.php:191 +msgid "Private Forum Account" +msgstr "" + +#: src/Module/Admin/Summary.php:211 +msgid "Message queues" +msgstr "Съобщение опашки" + +#: src/Module/Admin/Summary.php:217 +msgid "Server Settings" +msgstr "" + +#: src/Module/Admin/Summary.php:231 src/Repository/ProfileField.php:285 +msgid "Summary" +msgstr "Резюме" + +#: src/Module/Admin/Summary.php:233 +msgid "Registered users" +msgstr "Регистрираните потребители" + +#: src/Module/Admin/Summary.php:235 +msgid "Pending registrations" +msgstr "Предстоящи регистрации" + +#: src/Module/Admin/Summary.php:236 +msgid "Version" +msgstr "Версия " + +#: src/Module/Admin/Summary.php:240 +msgid "Active addons" +msgstr "" + +#: src/Module/Admin/Themes/Details.php:57 src/Module/Admin/Themes/Index.php:65 +#, php-format +msgid "Theme %s disabled." +msgstr "" + +#: src/Module/Admin/Themes/Details.php:59 src/Module/Admin/Themes/Index.php:67 +#, php-format +msgid "Theme %s successfully enabled." +msgstr "" + +#: src/Module/Admin/Themes/Details.php:61 src/Module/Admin/Themes/Index.php:69 +#, php-format +msgid "Theme %s failed to install." +msgstr "" + +#: src/Module/Admin/Themes/Details.php:83 +msgid "Screenshot" +msgstr "Screenshot" + +#: src/Module/Admin/Themes/Details.php:91 +#: src/Module/Admin/Themes/Index.php:112 src/Module/BaseAdmin.php:93 +msgid "Themes" +msgstr "Теми" + +#: src/Module/Admin/Themes/Embed.php:65 +msgid "Unknown theme." +msgstr "" + +#: src/Module/Admin/Themes/Index.php:51 +msgid "Themes reloaded" +msgstr "" + +#: src/Module/Admin/Themes/Index.php:114 +msgid "Reload active themes" +msgstr "" + +#: src/Module/Admin/Themes/Index.php:119 +#, php-format +msgid "No themes found on the system. They should be placed in %1$s" +msgstr "" + +#: src/Module/Admin/Themes/Index.php:120 +msgid "[Experimental]" +msgstr "(Експериментален)" + +#: src/Module/Admin/Themes/Index.php:121 +msgid "[Unsupported]" +msgstr "Неподдържан]" + +#: src/Module/Admin/Tos.php:60 +msgid "Display Terms of Service" +msgstr "" + +#: src/Module/Admin/Tos.php:60 +msgid "" +"Enable the Terms of Service page. If this is enabled a link to the terms " +"will be added to the registration form and the general information page." +msgstr "" + +#: src/Module/Admin/Tos.php:61 +msgid "Display Privacy Statement" +msgstr "" + +#: src/Module/Admin/Tos.php:61 +#, php-format +msgid "" +"Show some informations regarding the needed information to operate the node " +"according e.g. to EU-GDPR." +msgstr "" + +#: src/Module/Admin/Tos.php:62 +msgid "Privacy Statement Preview" +msgstr "" + +#: src/Module/Admin/Tos.php:64 +msgid "The Terms of Service" +msgstr "" + +#: src/Module/Admin/Tos.php:64 +msgid "" +"Enter the Terms of Service for your node here. You can use BBCode. Headers " +"of sections should be [h2] and below." +msgstr "" + +#: src/Module/Admin/Users/Active.php:45 src/Module/Admin/Users/Index.php:45 +#, php-format +msgid "%s user blocked" +msgid_plural "%s users blocked" +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Admin/Users/Active.php:53 src/Module/Admin/Users/Active.php:88 +#: src/Module/Admin/Users/Blocked.php:54 src/Module/Admin/Users/Blocked.php:89 +#: src/Module/Admin/Users/Index.php:60 src/Module/Admin/Users/Index.php:95 +msgid "You can't remove yourself" +msgstr "" + +#: src/Module/Admin/Users/Active.php:57 src/Module/Admin/Users/Blocked.php:58 +#: src/Module/Admin/Users/Index.php:64 #, php-format msgid "%s user deleted" msgid_plural "%s users deleted" msgstr[0] "" msgstr[1] "" -#: mod/admin.php:1279 +#: src/Module/Admin/Users/Active.php:86 src/Module/Admin/Users/Blocked.php:87 +#: src/Module/Admin/Users/Index.php:93 #, php-format -msgid "User '%s' deleted" -msgstr "Потребителят \" %s \"Изтрити" +msgid "User \"%s\" deleted" +msgstr "" -#: mod/admin.php:1287 +#: src/Module/Admin/Users/Active.php:96 src/Module/Admin/Users/Index.php:103 #, php-format -msgid "User '%s' unblocked" -msgstr "Потребителят \" %s \"отблокирани" +msgid "User \"%s\" blocked" +msgstr "" -#: mod/admin.php:1287 -#, php-format -msgid "User '%s' blocked" -msgstr "Потребителят \" %s \"блокиран" - -#: mod/admin.php:1396 mod/admin.php:1422 +#: src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:142 +#: src/Module/Admin/Users/Index.php:162 msgid "Register date" msgstr "Дата на регистрация" -#: mod/admin.php:1396 mod/admin.php:1422 +#: src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:142 +#: src/Module/Admin/Users/Index.php:162 msgid "Last login" msgstr "Последно влизане" -#: mod/admin.php:1396 mod/admin.php:1422 -msgid "Last item" -msgstr "Последния елемент" - -#: mod/admin.php:1405 -msgid "Add User" +#: src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:142 +#: src/Module/Admin/Users/Index.php:162 +msgid "Last public item" msgstr "" -#: mod/admin.php:1406 -msgid "select all" -msgstr "Избор на всичко" - -#: mod/admin.php:1407 -msgid "User registrations waiting for confirm" -msgstr "Потребителски регистрации, чакат за да потвърдите" - -#: mod/admin.php:1408 -msgid "User waiting for permanent deletion" +#: src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 src/Module/Admin/Users/Index.php:142 +msgid "Type" msgstr "" -#: mod/admin.php:1409 -msgid "Request date" -msgstr "Искане дата" - -#: mod/admin.php:1410 -msgid "No registrations." -msgstr "Няма регистрации." - -#: mod/admin.php:1411 -msgid "Note from the user" +#: src/Module/Admin/Users/Active.php:137 +msgid "Active Accounts" msgstr "" -#: mod/admin.php:1413 -msgid "Deny" -msgstr "Отказ" +#: src/Module/Admin/Users/Active.php:141 +#: src/Module/Admin/Users/Blocked.php:141 src/Module/Admin/Users/Index.php:155 +msgid "User blocked" +msgstr "" -#: mod/admin.php:1415 mod/contacts.php:605 mod/contacts.php:805 -#: mod/contacts.php:983 -msgid "Block" -msgstr "Блокиране" - -#: mod/admin.php:1416 mod/contacts.php:605 mod/contacts.php:805 -#: mod/contacts.php:983 -msgid "Unblock" -msgstr "Разблокиране" - -#: mod/admin.php:1417 +#: src/Module/Admin/Users/Active.php:142 +#: src/Module/Admin/Users/Blocked.php:143 src/Module/Admin/Users/Index.php:157 msgid "Site admin" msgstr "Администратор на сайта" -#: mod/admin.php:1418 +#: src/Module/Admin/Users/Active.php:143 +#: src/Module/Admin/Users/Blocked.php:144 src/Module/Admin/Users/Index.php:158 msgid "Account expired" msgstr "" -#: mod/admin.php:1421 -msgid "New User" +#: src/Module/Admin/Users/Active.php:144 src/Module/Admin/Users/Index.php:161 +msgid "Create a new user" msgstr "" -#: mod/admin.php:1422 -msgid "Deleted since" -msgstr "" - -#: mod/admin.php:1427 +#: src/Module/Admin/Users/Active.php:150 +#: src/Module/Admin/Users/Blocked.php:150 src/Module/Admin/Users/Index.php:167 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 \\ nEverything тези потребители са публикувани на този сайт ще бъде изтрит завинаги! \\ N \\ nСигурни ли сте?" -#: mod/admin.php:1428 +#: src/Module/Admin/Users/Active.php:151 +#: src/Module/Admin/Users/Blocked.php:151 src/Module/Admin/Users/Index.php:168 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 \\ nEverything този потребител публикувани на този сайт ще бъде изтрит завинаги! \\ n \\ nСигурни ли сте?" -#: mod/admin.php:1438 +#: src/Module/Admin/Users/Blocked.php:46 src/Module/Admin/Users/Index.php:52 +#, php-format +msgid "%s user unblocked" +msgid_plural "%s users unblocked" +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Admin/Users/Blocked.php:96 src/Module/Admin/Users/Index.php:109 +#, php-format +msgid "User \"%s\" unblocked" +msgstr "" + +#: src/Module/Admin/Users/Blocked.php:138 +msgid "Blocked Users" +msgstr "" + +#: src/Module/Admin/Users/Create.php:62 +msgid "New User" +msgstr "" + +#: src/Module/Admin/Users/Create.php:63 +msgid "Add User" +msgstr "" + +#: src/Module/Admin/Users/Create.php:71 msgid "Name of the new user." msgstr "" -#: mod/admin.php:1439 +#: src/Module/Admin/Users/Create.php:72 msgid "Nickname" msgstr "" -#: mod/admin.php:1439 +#: src/Module/Admin/Users/Create.php:72 msgid "Nickname of the new user." msgstr "" -#: mod/admin.php:1440 +#: src/Module/Admin/Users/Create.php:73 msgid "Email address of the new user." msgstr "" -#: mod/admin.php:1483 -#, php-format -msgid "Plugin %s disabled." -msgstr "Plug-in %s увреждания." - -#: mod/admin.php:1487 -#, php-format -msgid "Plugin %s enabled." -msgstr "Plug-in %s поддръжка." - -#: mod/admin.php:1498 mod/admin.php:1734 -msgid "Disable" -msgstr "забрани" - -#: mod/admin.php:1500 mod/admin.php:1736 -msgid "Enable" -msgstr "Да се активира ли?" - -#: mod/admin.php:1523 mod/admin.php:1781 -msgid "Toggle" -msgstr "切換" - -#: mod/admin.php:1531 mod/admin.php:1790 -msgid "Author: " -msgstr "Автор: " - -#: mod/admin.php:1532 mod/admin.php:1791 -msgid "Maintainer: " -msgstr "Отговорник: " - -#: mod/admin.php:1584 -msgid "Reload active plugins" +#: src/Module/Admin/Users/Deleted.php:86 +msgid "Users awaiting permanent deletion" msgstr "" -#: mod/admin.php:1589 +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:162 +msgid "Permanent deletion" +msgstr "" + +#: src/Module/Admin/Users/Index.php:150 src/Module/Admin/Users/Index.php:160 +#: src/Module/BaseAdmin.php:91 +msgid "Users" +msgstr "Потребители" + +#: src/Module/Admin/Users/Index.php:152 +msgid "User waiting for permanent deletion" +msgstr "" + +#: src/Module/Admin/Users/Pending.php:48 +#, php-format +msgid "%s user approved" +msgid_plural "%s users approved" +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Admin/Users/Pending.php:55 +#, php-format +msgid "%s registration revoked" +msgid_plural "%s registrations revoked" +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Admin/Users/Pending.php:81 +msgid "Account approved." +msgstr "Сметка одобрен." + +#: src/Module/Admin/Users/Pending.php:87 +msgid "Registration revoked" +msgstr "" + +#: src/Module/Admin/Users/Pending.php:102 +msgid "User registrations awaiting review" +msgstr "" + +#: src/Module/Admin/Users/Pending.php:104 +msgid "Request date" +msgstr "Искане дата" + +#: src/Module/Admin/Users/Pending.php:105 +msgid "No registrations." +msgstr "Няма регистрации." + +#: src/Module/Admin/Users/Pending.php:106 +msgid "Note from the user" +msgstr "" + +#: src/Module/Admin/Users/Pending.php:108 +msgid "Deny" +msgstr "Отказ" + +#: src/Module/Api/Mastodon/Unimplemented.php:42 +#, php-format +msgid "API endpoint \"%s\" is not implemented" +msgstr "" + +#: src/Module/Api/Mastodon/Unimplemented.php:43 +msgid "" +"The API endpoint is currently not implemented but might be in the future." +msgstr "" + +#: src/Module/Api/Twitter/ContactEndpoint.php:65 src/Module/Contact.php:400 +msgid "Contact not found" +msgstr "" + +#: src/Module/Api/Twitter/ContactEndpoint.php:135 +msgid "Profile not found" +msgstr "" + +#: src/Module/Apps.php:47 +msgid "No installed applications." +msgstr "Няма инсталираните приложения." + +#: src/Module/Apps.php:52 +msgid "Applications" +msgstr "Приложения" + +#: src/Module/Attach.php:50 src/Module/Attach.php:62 +msgid "Item was not found." +msgstr "Елемент не е намерен." + +#: src/Module/BaseAdmin.php:63 +msgid "You don't have access to administration pages." +msgstr "" + +#: src/Module/BaseAdmin.php:67 +msgid "" +"Submanaged account can't access the administration pages. Please log back in" +" as the main account." +msgstr "" + +#: src/Module/BaseAdmin.php:86 +msgid "Overview" +msgstr "" + +#: src/Module/BaseAdmin.php:89 +msgid "Configuration" +msgstr "" + +#: src/Module/BaseAdmin.php:94 src/Module/BaseSettings.php:65 +msgid "Additional features" +msgstr "Допълнителни възможности" + +#: src/Module/BaseAdmin.php:97 +msgid "Database" +msgstr "" + +#: src/Module/BaseAdmin.php:98 +msgid "DB updates" +msgstr "Обновления на БД" + +#: src/Module/BaseAdmin.php:99 +msgid "Inspect Deferred Workers" +msgstr "" + +#: src/Module/BaseAdmin.php:100 +msgid "Inspect worker Queue" +msgstr "" + +#: src/Module/BaseAdmin.php:102 +msgid "Tools" +msgstr "" + +#: src/Module/BaseAdmin.php:103 +msgid "Contact Blocklist" +msgstr "" + +#: src/Module/BaseAdmin.php:104 +msgid "Server Blocklist" +msgstr "" + +#: src/Module/BaseAdmin.php:111 +msgid "Diagnostics" +msgstr "" + +#: src/Module/BaseAdmin.php:112 +msgid "PHP Info" +msgstr "" + +#: src/Module/BaseAdmin.php:113 +msgid "probe address" +msgstr "" + +#: src/Module/BaseAdmin.php:114 +msgid "check webfinger" +msgstr "" + +#: src/Module/BaseAdmin.php:115 +msgid "Item Source" +msgstr "" + +#: src/Module/BaseAdmin.php:116 +msgid "Babel" +msgstr "" + +#: src/Module/BaseAdmin.php:117 +msgid "ActivityPub Conversion" +msgstr "" + +#: src/Module/BaseAdmin.php:126 +msgid "Addon Features" +msgstr "" + +#: src/Module/BaseAdmin.php:127 +msgid "User registrations waiting for confirmation" +msgstr "Потребителски регистрации, чакащи за потвърждение" + +#: src/Module/BaseProfile.php:55 src/Module/Contact.php:939 +msgid "Profile Details" +msgstr "Детайли от профила" + +#: src/Module/BaseProfile.php:113 +msgid "Only You Can See This" +msgstr "Можете да видите това" + +#: src/Module/BaseProfile.php:132 src/Module/BaseProfile.php:135 +msgid "Tips for New Members" +msgstr "Съвети за нови членове" + +#: src/Module/BaseSearch.php:69 +#, php-format +msgid "People Search - %s" +msgstr "" + +#: src/Module/BaseSearch.php:79 +#, php-format +msgid "Forum Search - %s" +msgstr "" + +#: src/Module/BaseSettings.php:43 +msgid "Account" +msgstr "профил" + +#: src/Module/BaseSettings.php:50 src/Module/Security/TwoFactor/Verify.php:80 +#: src/Module/Settings/TwoFactor/Index.php:105 +msgid "Two-factor authentication" +msgstr "" + +#: src/Module/BaseSettings.php:73 +msgid "Display" +msgstr "" + +#: src/Module/BaseSettings.php:94 src/Module/Settings/Delegation.php:171 +msgid "Manage Accounts" +msgstr "" + +#: src/Module/BaseSettings.php:101 +msgid "Connected apps" +msgstr "Свързани приложения" + +#: src/Module/BaseSettings.php:108 src/Module/Settings/UserExport.php:67 +msgid "Export personal data" +msgstr "Експортиране на личните данни" + +#: src/Module/BaseSettings.php:115 +msgid "Remove account" +msgstr "Премахване сметка" + +#: src/Module/Bookmarklet.php:56 +msgid "This page is missing a url parameter." +msgstr "" + +#: src/Module/Bookmarklet.php:78 +msgid "The post was created" +msgstr "" + +#: src/Module/Contact/Advanced.php:92 +msgid "Contact update failed." +msgstr "Свържете се актуализира провали." + +#: src/Module/Contact/Advanced.php:109 +msgid "" +"WARNING: This is highly advanced and if you enter incorrect" +" information your communications with this contact may stop working." +msgstr " ВНИМАНИЕ: Това е силно напреднали и ако въведете невярна информация вашите комуникации с този контакт може да спре да работи." + +#: src/Module/Contact/Advanced.php:110 +msgid "" +"Please use your browser 'Back' button now if you are " +"uncertain what to do on this page." +msgstr "Моля, използвайте Назад на вашия браузър бутон сега, ако не сте сигурни какво да правят на тази страница." + +#: src/Module/Contact/Advanced.php:130 +msgid "Return to contact editor" +msgstr "Назад, за да се свържете с редактор" + +#: src/Module/Contact/Advanced.php:135 +msgid "Account Nickname" +msgstr "Сметка Псевдоним" + +#: src/Module/Contact/Advanced.php:136 +msgid "@Tagname - overrides Name/Nickname" +msgstr "Име / псевдоним на @ Tagname - Заменя" + +#: src/Module/Contact/Advanced.php:137 +msgid "Account URL" +msgstr "Сметка URL" + +#: src/Module/Contact/Advanced.php:138 +msgid "Account URL Alias" +msgstr "" + +#: src/Module/Contact/Advanced.php:139 +msgid "Friend Request URL" +msgstr "URL приятел заявка" + +#: src/Module/Contact/Advanced.php:140 +msgid "Friend Confirm URL" +msgstr "Приятел Потвърди URL" + +#: src/Module/Contact/Advanced.php:141 +msgid "Notification Endpoint URL" +msgstr "URL адрес на Уведомление Endpoint" + +#: src/Module/Contact/Advanced.php:142 +msgid "Poll/Feed URL" +msgstr "Анкета / URL Feed" + +#: src/Module/Contact/Advanced.php:143 +msgid "New photo from this URL" +msgstr "Нова снимка от този адрес" + +#: src/Module/Contact/Contacts.php:31 src/Module/Conversation/Network.php:175 +msgid "Invalid contact." +msgstr "Невалиден свържете." + +#: src/Module/Contact/Contacts.php:54 +msgid "No known contacts." +msgstr "" + +#: src/Module/Contact/Contacts.php:68 src/Module/Profile/Common.php:99 +msgid "No common contacts." +msgstr "" + +#: src/Module/Contact/Contacts.php:80 src/Module/Profile/Contacts.php:97 +#, php-format +msgid "Follower (%s)" +msgid_plural "Followers (%s)" +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Contact/Contacts.php:84 src/Module/Profile/Contacts.php:100 +#, php-format +msgid "Following (%s)" +msgid_plural "Following (%s)" +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Contact/Contacts.php:88 src/Module/Profile/Contacts.php:103 +#, php-format +msgid "Mutual friend (%s)" +msgid_plural "Mutual friends (%s)" +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Contact/Contacts.php:90 src/Module/Profile/Contacts.php:105 +#, php-format +msgid "These contacts both follow and are followed by %s." +msgstr "" + +#: src/Module/Contact/Contacts.php:96 src/Module/Profile/Common.php:87 +#, php-format +msgid "Common contact (%s)" +msgid_plural "Common contacts (%s)" +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Contact/Contacts.php:98 src/Module/Profile/Common.php:89 #, php-format msgid "" -"There are currently no plugins available on your node. You can find the " -"official plugin repository at %1$s and might find other interesting plugins " -"in the open plugin registry at %2$s" +"Both %s and yourself have publicly interacted with these " +"contacts (follow, comment or likes on public posts)." msgstr "" -#: mod/admin.php:1694 -msgid "No themes found." -msgstr "Няма намерени теми." - -#: mod/admin.php:1772 -msgid "Screenshot" -msgstr "Screenshot" - -#: mod/admin.php:1832 -msgid "Reload active themes" -msgstr "" - -#: mod/admin.php:1837 +#: src/Module/Contact/Contacts.php:104 src/Module/Profile/Contacts.php:111 #, php-format -msgid "No themes found on the system. They should be paced in %1$s" +msgid "Contact (%s)" +msgid_plural "Contacts (%s)" +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Contact/Poke.php:113 +msgid "Error while sending poke, please retry." msgstr "" -#: mod/admin.php:1838 -msgid "[Experimental]" -msgstr "(Експериментален)" - -#: mod/admin.php:1839 -msgid "[Unsupported]" -msgstr "Неподдържан]" - -#: mod/admin.php:1863 -msgid "Log settings updated." -msgstr "Вход Обновяването на настройките." - -#: mod/admin.php:1895 -msgid "PHP log currently enabled." +#: src/Module/Contact/Poke.php:126 src/Module/Search/Acl.php:56 +msgid "You must be logged in to use this module." msgstr "" -#: mod/admin.php:1897 -msgid "PHP log currently disabled." +#: src/Module/Contact/Poke.php:149 +msgid "Poke/Prod" msgstr "" -#: mod/admin.php:1906 -msgid "Clear" -msgstr "Безцветен " - -#: mod/admin.php:1911 -msgid "Enable Debugging" +#: src/Module/Contact/Poke.php:150 +msgid "poke, prod or do other things to somebody" msgstr "" -#: mod/admin.php:1912 -msgid "Log file" -msgstr "Регистрационен файл" - -#: mod/admin.php:1912 -msgid "" -"Must be writable by web server. Relative to your Friendica top-level " -"directory." -msgstr "Трябва да бъде записван от уеб сървър. В сравнение с вашата Friendica най-високо ниво директория." - -#: mod/admin.php:1913 -msgid "Log level" -msgstr "Вход ниво" - -#: mod/admin.php:1916 -msgid "PHP logging" +#: src/Module/Contact/Poke.php:152 +msgid "Choose what you wish to do to recipient" msgstr "" -#: mod/admin.php:1917 -msgid "" -"To enable logging of PHP errors and warnings you can add the following to " -"the .htconfig.php file of your installation. The filename set in the " -"'error_log' line is relative to the friendica top-level directory and must " -"be writeable by the web server. The option '1' for 'log_errors' and " -"'display_errors' is to enable these options, set to '0' to disable them." +#: src/Module/Contact/Poke.php:153 +msgid "Make this post private" msgstr "" -#: mod/admin.php:2045 -#, php-format -msgid "Lock feature %s" -msgstr "" - -#: mod/admin.php:2053 -msgid "Manage Additional Features" -msgstr "" - -#: mod/contacts.php:128 +#: src/Module/Contact.php:94 #, php-format msgid "%d contact edited." msgid_plural "%d contacts edited." msgstr[0] "" msgstr[1] "" -#: mod/contacts.php:159 mod/contacts.php:368 +#: src/Module/Contact.php:121 msgid "Could not access contact record." msgstr "Не може да бъде достъп до запис за контакт." -#: mod/contacts.php:173 -msgid "Could not locate selected profile." -msgstr "Не може да намери избрания профил." - -#: mod/contacts.php:206 -msgid "Contact updated." -msgstr "Свържете се актуализират." - -#: mod/contacts.php:208 mod/dfrn_request.php:583 -msgid "Failed to update contact record." -msgstr "Неуспех да се актуализира рекорд за контакт." - -#: mod/contacts.php:389 +#: src/Module/Contact.php:419 msgid "Contact has been blocked" msgstr "За контакти е бил блокиран" -#: mod/contacts.php:389 +#: src/Module/Contact.php:419 msgid "Contact has been unblocked" msgstr "Контакт са отблокирани" -#: mod/contacts.php:400 +#: src/Module/Contact.php:429 msgid "Contact has been ignored" msgstr "Лицето е било игнорирано" -#: mod/contacts.php:400 +#: src/Module/Contact.php:429 msgid "Contact has been unignored" msgstr "За контакти е бил unignored" -#: mod/contacts.php:412 +#: src/Module/Contact.php:439 msgid "Contact has been archived" msgstr "Контакт бяха архивирани" -#: mod/contacts.php:412 +#: src/Module/Contact.php:439 msgid "Contact has been unarchived" msgstr "За контакти е бил разархивира" -#: mod/contacts.php:437 +#: src/Module/Contact.php:452 msgid "Drop contact" msgstr "" -#: mod/contacts.php:440 mod/contacts.php:801 +#: src/Module/Contact.php:455 src/Module/Contact.php:879 msgid "Do you really want to delete this contact?" msgstr "Наистина ли искате да изтриете този контакт?" -#: mod/contacts.php:457 +#: src/Module/Contact.php:468 msgid "Contact has been removed." msgstr "Контакт е била отстранена." -#: mod/contacts.php:498 +#: src/Module/Contact.php:496 #, php-format msgid "You are mutual friends with %s" msgstr "Вие сте общи приятели с %s" -#: mod/contacts.php:502 +#: src/Module/Contact.php:500 #, php-format msgid "You are sharing with %s" msgstr "Вие споделяте с %s" -#: mod/contacts.php:507 +#: src/Module/Contact.php:504 #, php-format msgid "%s is sharing with you" msgstr "%s се споделя с вас" -#: mod/contacts.php:527 +#: src/Module/Contact.php:528 msgid "Private communications are not available for this contact." msgstr "Частни съобщения не са на разположение за този контакт." -#: mod/contacts.php:534 -msgid "(Update was successful)" -msgstr "(Update е била успешна)" +#: src/Module/Contact.php:530 +msgid "Never" +msgstr "Никога!" -#: mod/contacts.php:534 +#: src/Module/Contact.php:533 msgid "(Update was not successful)" msgstr "(Актуализация не е била успешна)" -#: mod/contacts.php:536 mod/contacts.php:964 +#: src/Module/Contact.php:533 +msgid "(Update was successful)" +msgstr "(Update е била успешна)" + +#: src/Module/Contact.php:535 src/Module/Contact.php:1136 msgid "Suggest friends" msgstr "Предложете приятели" -#: mod/contacts.php:540 +#: src/Module/Contact.php:539 #, php-format msgid "Network type: %s" msgstr "Тип мрежа: %s" -#: mod/contacts.php:553 +#: src/Module/Contact.php:544 msgid "Communications lost with this contact!" msgstr "Communications загубиха с този контакт!" -#: mod/contacts.php:556 +#: src/Module/Contact.php:550 msgid "Fetch further information for feeds" msgstr "" -#: mod/contacts.php:557 +#: src/Module/Contact.php:552 +msgid "" +"Fetch information like preview pictures, title and teaser from the feed " +"item. You can activate this if the feed doesn't contain much text. Keywords " +"are taken from the meta header in the feed item and are posted as hash tags." +msgstr "" + +#: src/Module/Contact.php:555 msgid "Fetch information" msgstr "" -#: mod/contacts.php:557 +#: src/Module/Contact.php:556 +msgid "Fetch keywords" +msgstr "" + +#: src/Module/Contact.php:557 msgid "Fetch information and keywords" msgstr "" -#: mod/contacts.php:575 -msgid "Contact" +#: src/Module/Contact.php:569 src/Module/Contact.php:573 +#: src/Module/Contact.php:576 src/Module/Contact.php:580 +msgid "No mirroring" msgstr "" -#: mod/contacts.php:578 -msgid "Profile Visibility" -msgstr "Профил Видимост" +#: src/Module/Contact.php:570 +msgid "Mirror as forwarded posting" +msgstr "" -#: mod/contacts.php:579 -#, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Моля, изберете профила, който бихте искали да покажете на %s при гледане на здраво вашия профил." +#: src/Module/Contact.php:571 src/Module/Contact.php:577 +#: src/Module/Contact.php:581 +msgid "Mirror as my own posting" +msgstr "" -#: mod/contacts.php:580 +#: src/Module/Contact.php:574 src/Module/Contact.php:578 +msgid "Native reshare" +msgstr "" + +#: src/Module/Contact.php:593 msgid "Contact Information / Notes" msgstr "Информация за контакти / Забележки" -#: mod/contacts.php:581 +#: src/Module/Contact.php:594 +msgid "Contact Settings" +msgstr "" + +#: src/Module/Contact.php:602 +msgid "Contact" +msgstr "" + +#: src/Module/Contact.php:606 +msgid "Their personal note" +msgstr "" + +#: src/Module/Contact.php:608 msgid "Edit contact notes" msgstr "Редактиране на контакт с бележка" -#: mod/contacts.php:587 +#: src/Module/Contact.php:611 src/Module/Contact.php:1104 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Посетете %s Профилът на [ %s ]" + +#: src/Module/Contact.php:612 msgid "Block/Unblock contact" msgstr "Блокиране / Деблокиране на контакт" -#: mod/contacts.php:588 +#: src/Module/Contact.php:613 msgid "Ignore contact" msgstr "Игнорирай се свържете с" -#: mod/contacts.php:589 -msgid "Repair URL settings" -msgstr "Настройки за ремонт на URL" - -#: mod/contacts.php:590 +#: src/Module/Contact.php:614 msgid "View conversations" msgstr "Вижте разговори" -#: mod/contacts.php:596 +#: src/Module/Contact.php:619 msgid "Last update:" msgstr "Последна актуализация:" -#: mod/contacts.php:598 +#: src/Module/Contact.php:621 msgid "Update public posts" msgstr "Актуализиране на държавни длъжности" -#: mod/contacts.php:600 mod/contacts.php:974 +#: src/Module/Contact.php:623 src/Module/Contact.php:1146 msgid "Update now" msgstr "Актуализирай сега" -#: mod/contacts.php:606 mod/contacts.php:806 mod/contacts.php:991 +#: src/Module/Contact.php:626 src/Module/Contact.php:884 +#: src/Module/Contact.php:1173 msgid "Unignore" msgstr "Извади от пренебрегнатите" -#: mod/contacts.php:610 +#: src/Module/Contact.php:630 msgid "Currently blocked" msgstr "Които понастоящем са блокирани" -#: mod/contacts.php:611 +#: src/Module/Contact.php:631 msgid "Currently ignored" msgstr "В момента игнорирани" -#: mod/contacts.php:612 +#: src/Module/Contact.php:632 msgid "Currently archived" msgstr "В момента архивират" -#: mod/contacts.php:613 +#: src/Module/Contact.php:633 +msgid "Awaiting connection acknowledge" +msgstr "" + +#: src/Module/Contact.php:634 src/Module/Notifications/Introductions.php:177 +msgid "Hide this contact from others" +msgstr "Скриване на този контакт от другите" + +#: src/Module/Contact.php:634 msgid "" "Replies/likes to your public posts may still be visible" msgstr "Отговори / обича да си публични длъжности май все още да се вижда" -#: mod/contacts.php:614 +#: src/Module/Contact.php:635 msgid "Notification for new posts" msgstr "" -#: mod/contacts.php:614 +#: src/Module/Contact.php:635 msgid "Send a notification of every new post of this contact" msgstr "" -#: mod/contacts.php:617 -msgid "Blacklisted keywords" +#: src/Module/Contact.php:637 +msgid "Keyword Deny List" msgstr "" -#: mod/contacts.php:617 +#: src/Module/Contact.php:637 msgid "" "Comma separated list of keywords that should not be converted to hashtags, " "when \"Fetch information and keywords\" is selected" msgstr "" -#: mod/contacts.php:635 +#: src/Module/Contact.php:653 src/Module/Settings/TwoFactor/Index.php:127 msgid "Actions" msgstr "" -#: mod/contacts.php:638 -msgid "Contact Settings" +#: src/Module/Contact.php:660 +msgid "Mirror postings from this contact" msgstr "" -#: mod/contacts.php:684 -msgid "Suggestions" -msgstr "Предложения" +#: src/Module/Contact.php:662 +msgid "" +"Mark this contact as remote_self, this will cause friendica to repost new " +"entries from this contact." +msgstr "" -#: mod/contacts.php:687 -msgid "Suggest potential friends" -msgstr "Предполагат потенциал приятели" - -#: mod/contacts.php:695 +#: src/Module/Contact.php:794 msgid "Show all contacts" msgstr "Покажи на всички контакти" -#: mod/contacts.php:700 -msgid "Unblocked" -msgstr "Отблокирани" +#: src/Module/Contact.php:802 +msgid "Only show pending contacts" +msgstr "" -#: mod/contacts.php:703 -msgid "Only show unblocked contacts" -msgstr "Покажи само Разблокирани контакти" - -#: mod/contacts.php:709 -msgid "Blocked" -msgstr "Блокиран" - -#: mod/contacts.php:712 +#: src/Module/Contact.php:810 msgid "Only show blocked contacts" msgstr "Покажи само Блокираните контакти" -#: mod/contacts.php:718 +#: src/Module/Contact.php:815 src/Module/Contact.php:862 msgid "Ignored" msgstr "Игнорирани" -#: mod/contacts.php:721 +#: src/Module/Contact.php:818 msgid "Only show ignored contacts" msgstr "Покажи само игнорирани контакти" -#: mod/contacts.php:727 +#: src/Module/Contact.php:823 src/Module/Contact.php:863 msgid "Archived" msgstr "Архивиран:" -#: mod/contacts.php:730 +#: src/Module/Contact.php:826 msgid "Only show archived contacts" msgstr "Покажи само архивирани контакти" -#: mod/contacts.php:736 +#: src/Module/Contact.php:831 src/Module/Contact.php:861 msgid "Hidden" msgstr "Скрит" -#: mod/contacts.php:739 +#: src/Module/Contact.php:834 msgid "Only show hidden contacts" msgstr "Само показва скрити контакти" -#: mod/contacts.php:796 +#: src/Module/Contact.php:842 +msgid "Organize your contact groups" +msgstr "" + +#: src/Module/Contact.php:874 msgid "Search your contacts" msgstr "Търсене на вашите контакти" -#: mod/contacts.php:807 mod/contacts.php:999 +#: src/Module/Contact.php:875 src/Module/Search/Index.php:193 +#, php-format +msgid "Results for: %s" +msgstr "" + +#: src/Module/Contact.php:885 src/Module/Contact.php:1182 msgid "Archive" msgstr "Архив" -#: mod/contacts.php:807 mod/contacts.php:999 +#: src/Module/Contact.php:885 src/Module/Contact.php:1182 msgid "Unarchive" msgstr "Разархивирате" -#: mod/contacts.php:810 +#: src/Module/Contact.php:888 msgid "Batch Actions" msgstr "" -#: mod/contacts.php:856 -msgid "View all contacts" -msgstr "Преглед на всички контакти" - -#: mod/contacts.php:866 -msgid "View all common friends" +#: src/Module/Contact.php:923 +msgid "Conversations started by this contact" msgstr "" -#: mod/contacts.php:873 +#: src/Module/Contact.php:928 +msgid "Posts and Comments" +msgstr "" + +#: src/Module/Contact.php:946 +msgid "View all known contacts" +msgstr "" + +#: src/Module/Contact.php:956 msgid "Advanced Contact Settings" msgstr "Разширени настройки за контакт" -#: mod/contacts.php:907 +#: src/Module/Contact.php:1063 msgid "Mutual Friendship" msgstr "Взаимното приятелство" -#: mod/contacts.php:911 +#: src/Module/Contact.php:1067 msgid "is a fan of yours" msgstr "е фенка" -#: mod/contacts.php:915 +#: src/Module/Contact.php:1071 msgid "you are a fan of" msgstr "Вие сте фен на" -#: mod/contacts.php:985 +#: src/Module/Contact.php:1089 +msgid "Pending outgoing contact request" +msgstr "" + +#: src/Module/Contact.php:1091 +msgid "Pending incoming contact request" +msgstr "" + +#: src/Module/Contact.php:1156 +msgid "Refetch contact data" +msgstr "" + +#: src/Module/Contact.php:1167 msgid "Toggle Blocked status" msgstr "Превключване Блокирани статус" -#: mod/contacts.php:993 +#: src/Module/Contact.php:1175 msgid "Toggle Ignored status" msgstr "Превключване игнорирани статус" -#: mod/contacts.php:1001 +#: src/Module/Contact.php:1184 msgid "Toggle Archive status" msgstr "Превключване статус Архив" -#: mod/contacts.php:1009 +#: src/Module/Contact.php:1192 msgid "Delete contact" msgstr "Изтриване на контакта" -#: mod/dfrn_confirm.php:127 -msgid "" -"This may occasionally happen if contact was requested by both persons and it" -" has already been approved." -msgstr "Това понякога може да се случи, ако контакт е поискано от двете лица и вече е одобрен." - -#: mod/dfrn_confirm.php:246 -msgid "Response from remote site was not understood." -msgstr "Отговор от отдалечен сайт не е бил разбран." - -#: mod/dfrn_confirm.php:255 mod/dfrn_confirm.php:260 -msgid "Unexpected response from remote site: " -msgstr "Неочакван отговор от отдалечения сайт: " - -#: mod/dfrn_confirm.php:269 -msgid "Confirmation completed successfully." -msgstr "Потвърждение приключи успешно." - -#: mod/dfrn_confirm.php:271 mod/dfrn_confirm.php:285 mod/dfrn_confirm.php:292 -msgid "Remote site reported: " -msgstr "Отдалеченият сайт докладвани: " - -#: mod/dfrn_confirm.php:283 -msgid "Temporary failure. Please wait and try again." -msgstr "Временен неуспех. Моля изчакайте и опитайте отново." - -#: mod/dfrn_confirm.php:290 -msgid "Introduction failed or was revoked." -msgstr "Въведение не успя или е анулиран." - -#: mod/dfrn_confirm.php:419 -msgid "Unable to set contact photo." -msgstr "Не може да зададете снимка на контакт." - -#: mod/dfrn_confirm.php:557 -#, php-format -msgid "No user record found for '%s' " -msgstr "Нито един потребител не запис за ' %s" - -#: mod/dfrn_confirm.php:567 -msgid "Our site encryption key is apparently messed up." -msgstr "Основният ни сайт криптиране е очевидно побъркани." - -#: mod/dfrn_confirm.php:578 -msgid "Empty site URL was provided or URL could not be decrypted by us." -msgstr "Празен сайт URL е предоставена или URL не може да бъде разшифрован от нас." - -#: mod/dfrn_confirm.php:599 -msgid "Contact record was not found for you on our site." -msgstr "Контакт с запис не е намерен за вас на нашия сайт." - -#: mod/dfrn_confirm.php:613 -#, php-format -msgid "Site public key not available in contact record for URL %s." -msgstr "Site публичния ключ не е наличен в контакт рекорд за %s URL ." - -#: mod/dfrn_confirm.php:633 -msgid "" -"The ID provided by your system is a duplicate on our system. It should work " -"if you try again." -msgstr "ID, предоставена от вашата система, е дубликат на нашата система. Той трябва да работи, ако се опитате отново." - -#: mod/dfrn_confirm.php:644 -msgid "Unable to set your contact credentials on our system." -msgstr "Не може да се установи контакт с вас пълномощията на нашата система." - -#: mod/dfrn_confirm.php:703 -msgid "Unable to update your contact profile details on our system" -msgstr "Не може да актуализирате вашите данни за контакт на профил в нашата система" - -#: mod/dfrn_confirm.php:775 -#, php-format -msgid "%1$s has joined %2$s" -msgstr "Се присъедини към %2$s %1$s %2$s" - -#: mod/dfrn_request.php:101 -msgid "This introduction has already been accepted." -msgstr "Това въведение е вече е приета." - -#: mod/dfrn_request.php:124 mod/dfrn_request.php:520 -msgid "Profile location is not valid or does not contain profile information." -msgstr "Профил местоположение не е валиден или не съдържа информация на профила." - -#: mod/dfrn_request.php:129 mod/dfrn_request.php:525 -msgid "Warning: profile location has no identifiable owner name." -msgstr "Внимание: профила място има няма установен име на собственика." - -#: mod/dfrn_request.php:131 mod/dfrn_request.php:527 -msgid "Warning: profile location has no profile photo." -msgstr "Внимание: профила местоположение не е снимката на профила." - -#: mod/dfrn_request.php:134 mod/dfrn_request.php:530 -#, php-format -msgid "%d required parameter was not found at the given location" -msgid_plural "%d required parameters were not found at the given location" -msgstr[0] "" -msgstr[1] "" - -#: mod/dfrn_request.php:180 -msgid "Introduction complete." -msgstr "Въведение завърши." - -#: mod/dfrn_request.php:222 -msgid "Unrecoverable protocol error." -msgstr "Невъзстановима протокол грешка." - -#: mod/dfrn_request.php:250 -msgid "Profile unavailable." -msgstr "Профил недостъпни." - -#: mod/dfrn_request.php:277 -#, php-format -msgid "%s has received too many connection requests today." -msgstr "%s е получил твърде много заявки за свързване днес." - -#: mod/dfrn_request.php:278 -msgid "Spam protection measures have been invoked." -msgstr "Мерките за защита срещу спам да бъдат изтъкнати." - -#: mod/dfrn_request.php:279 -msgid "Friends are advised to please try again in 24 hours." -msgstr "Приятели се препоръчва да се моля опитайте отново в рамките на 24 часа." - -#: mod/dfrn_request.php:341 -msgid "Invalid locator" -msgstr "Невалиден локатор" - -#: mod/dfrn_request.php:350 -msgid "Invalid email address." -msgstr "Невалиден имейл адрес." - -#: mod/dfrn_request.php:375 -msgid "This account has not been configured for email. Request failed." -msgstr "Този профил не е конфигуриран за електронна поща. Заявката не бе успешна." - -#: mod/dfrn_request.php:478 -msgid "You have already introduced yourself here." -msgstr "Вие вече се въведе тук." - -#: mod/dfrn_request.php:482 -#, php-format -msgid "Apparently you are already friends with %s." -msgstr "Явно вече сте приятели с %s ." - -#: mod/dfrn_request.php:503 -msgid "Invalid profile URL." -msgstr "Невалиден URL адрес на профила." - -#: mod/dfrn_request.php:604 -msgid "Your introduction has been sent." -msgstr "Вашият въвеждането е било изпратено." - -#: mod/dfrn_request.php:644 -msgid "" -"Remote subscription can't be done for your network. Please subscribe " -"directly on your system." +#: src/Module/Conversation/Community.php:69 +msgid "Local Community" msgstr "" -#: mod/dfrn_request.php:664 -msgid "Please login to confirm introduction." -msgstr "Моля, влезте, за да потвърди въвеждането." - -#: mod/dfrn_request.php:674 -msgid "" -"Incorrect identity currently logged in. Please login to " -"this profile." -msgstr "Неправилно идентичност, който в момента е логнат. Моля, влезте с потребителско име и парола на този профил ." - -#: mod/dfrn_request.php:688 mod/dfrn_request.php:705 -msgid "Confirm" -msgstr "Потвърждаване" - -#: mod/dfrn_request.php:700 -msgid "Hide this contact" -msgstr "Скриване на този контакт" - -#: mod/dfrn_request.php:703 -#, php-format -msgid "Welcome home %s." -msgstr "Добре дошли у дома %s ." - -#: mod/dfrn_request.php:704 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "Моля, потвърдете, въвеждане / заявката за свързване към %s ." - -#: mod/dfrn_request.php:833 -msgid "" -"Please enter your 'Identity Address' from one of the following supported " -"communications networks:" -msgstr "Моля, въведете \"Идентичност Адрес\" от един от следните поддържани съобщителни мрежи:" - -#: mod/dfrn_request.php:854 -#, php-format -msgid "" -"If you are not yet a member of the free social web, follow this link to find a public Friendica site and " -"join us today." +#: src/Module/Conversation/Community.php:72 +msgid "Posts from local users on this server" msgstr "" -#: mod/dfrn_request.php:859 -msgid "Friend/Connection Request" -msgstr "Приятел / заявка за връзка" +#: src/Module/Conversation/Community.php:80 +msgid "Global Community" +msgstr "" -#: mod/dfrn_request.php:860 +#: src/Module/Conversation/Community.php:83 +msgid "Posts from users of the whole federated network" +msgstr "" + +#: src/Module/Conversation/Community.php:116 +msgid "Own Contacts" +msgstr "" + +#: src/Module/Conversation/Community.php:120 +msgid "Include" +msgstr "" + +#: src/Module/Conversation/Community.php:121 +msgid "Hide" +msgstr "" + +#: src/Module/Conversation/Community.php:149 src/Module/Search/Index.php:140 +#: src/Module/Search/Index.php:180 +msgid "No results." +msgstr "Няма резултати." + +#: src/Module/Conversation/Community.php:174 msgid "" -"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " -"testuser@identi.ca" -msgstr "Примери: jojo@demo.friendica.com~~HEAD=NNS, http://demo.friendica.com/profile/jojo, testuser@identi.ca" +"This community stream shows all public posts received by this node. They may" +" not reflect the opinions of this node’s users." +msgstr "" -#: mod/dfrn_request.php:861 mod/follow.php:109 -msgid "Please answer the following:" -msgstr "Моля отговорете на следните:" +#: src/Module/Conversation/Community.php:212 +msgid "Community option not available." +msgstr "" -#: mod/dfrn_request.php:862 mod/follow.php:110 +#: src/Module/Conversation/Community.php:228 +msgid "Not available." +msgstr "Няма налични" + +#: src/Module/Conversation/Network.php:161 +msgid "No such group" +msgstr "Няма такава група" + +#: src/Module/Conversation/Network.php:165 #, php-format -msgid "Does %s know you?" -msgstr "Има ли %s знаете?" +msgid "Group: %s" +msgstr "" -#: mod/dfrn_request.php:866 mod/follow.php:111 -msgid "Add a personal note:" -msgstr "Добавяне на лична бележка:" +#: src/Module/Conversation/Network.php:241 +msgid "Latest Activity" +msgstr "" -#: mod/dfrn_request.php:869 -msgid "StatusNet/Federated Social Web" -msgstr "StatusNet / Федерални социална мрежа" +#: src/Module/Conversation/Network.php:244 +msgid "Sort by latest activity" +msgstr "" -#: mod/dfrn_request.php:871 +#: src/Module/Conversation/Network.php:249 +msgid "Latest Posts" +msgstr "" + +#: src/Module/Conversation/Network.php:252 +msgid "Sort by post received date" +msgstr "" + +#: src/Module/Conversation/Network.php:257 +#: src/Module/Settings/Profile/Index.php:242 +msgid "Personal" +msgstr "Лично" + +#: src/Module/Conversation/Network.php:260 +msgid "Posts that mention or involve you" +msgstr "Мнения, които споменават или включват" + +#: src/Module/Conversation/Network.php:265 +msgid "Starred" +msgstr "Със звезда" + +#: src/Module/Conversation/Network.php:268 +msgid "Favourite Posts" +msgstr "Любими Мнения" + +#: src/Module/Credits.php:44 +msgid "Credits" +msgstr "" + +#: src/Module/Credits.php:45 +msgid "" +"Friendica is a community project, that would not be possible without the " +"help of many people. Here is a list of those who have contributed to the " +"code or the translation of Friendica. Thank you all!" +msgstr "" + +#: src/Module/Debug/ActivityPubConversion.php:58 +msgid "Formatted" +msgstr "" + +#: src/Module/Debug/ActivityPubConversion.php:62 +msgid "Source" +msgstr "" + +#: src/Module/Debug/ActivityPubConversion.php:70 +msgid "Activity" +msgstr "" + +#: src/Module/Debug/ActivityPubConversion.php:118 +msgid "Object data" +msgstr "" + +#: src/Module/Debug/ActivityPubConversion.php:125 +msgid "Result Item" +msgstr "" + +#: src/Module/Debug/ActivityPubConversion.php:138 +msgid "Source activity" +msgstr "" + +#: src/Module/Debug/Babel.php:54 +msgid "Source input" +msgstr "" + +#: src/Module/Debug/Babel.php:60 +msgid "BBCode::toPlaintext" +msgstr "" + +#: src/Module/Debug/Babel.php:66 +msgid "BBCode::convert (raw HTML)" +msgstr "" + +#: src/Module/Debug/Babel.php:71 +msgid "BBCode::convert (hex)" +msgstr "" + +#: src/Module/Debug/Babel.php:76 +msgid "BBCode::convert" +msgstr "" + +#: src/Module/Debug/Babel.php:82 +msgid "BBCode::convert => HTML::toBBCode" +msgstr "" + +#: src/Module/Debug/Babel.php:88 +msgid "BBCode::toMarkdown" +msgstr "" + +#: src/Module/Debug/Babel.php:94 +msgid "BBCode::toMarkdown => Markdown::convert (raw HTML)" +msgstr "" + +#: src/Module/Debug/Babel.php:98 +msgid "BBCode::toMarkdown => Markdown::convert" +msgstr "" + +#: src/Module/Debug/Babel.php:104 +msgid "BBCode::toMarkdown => Markdown::toBBCode" +msgstr "" + +#: src/Module/Debug/Babel.php:110 +msgid "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" +msgstr "" + +#: src/Module/Debug/Babel.php:118 +msgid "Item Body" +msgstr "" + +#: src/Module/Debug/Babel.php:122 +msgid "Item Tags" +msgstr "" + +#: src/Module/Debug/Babel.php:128 +msgid "PageInfo::appendToBody" +msgstr "" + +#: src/Module/Debug/Babel.php:133 +msgid "PageInfo::appendToBody => BBCode::convert (raw HTML)" +msgstr "" + +#: src/Module/Debug/Babel.php:137 +msgid "PageInfo::appendToBody => BBCode::convert" +msgstr "" + +#: src/Module/Debug/Babel.php:144 +msgid "Source input (Diaspora format)" +msgstr "" + +#: src/Module/Debug/Babel.php:153 +msgid "Source input (Markdown)" +msgstr "" + +#: src/Module/Debug/Babel.php:159 +msgid "Markdown::convert (raw HTML)" +msgstr "" + +#: src/Module/Debug/Babel.php:164 +msgid "Markdown::convert" +msgstr "" + +#: src/Module/Debug/Babel.php:170 +msgid "Markdown::toBBCode" +msgstr "" + +#: src/Module/Debug/Babel.php:177 +msgid "Raw HTML input" +msgstr "" + +#: src/Module/Debug/Babel.php:182 +msgid "HTML Input" +msgstr "" + +#: src/Module/Debug/Babel.php:191 +msgid "HTML Purified (raw)" +msgstr "" + +#: src/Module/Debug/Babel.php:196 +msgid "HTML Purified (hex)" +msgstr "" + +#: src/Module/Debug/Babel.php:201 +msgid "HTML Purified" +msgstr "" + +#: src/Module/Debug/Babel.php:207 +msgid "HTML::toBBCode" +msgstr "" + +#: src/Module/Debug/Babel.php:213 +msgid "HTML::toBBCode => BBCode::convert" +msgstr "" + +#: src/Module/Debug/Babel.php:218 +msgid "HTML::toBBCode => BBCode::convert (raw HTML)" +msgstr "" + +#: src/Module/Debug/Babel.php:224 +msgid "HTML::toBBCode => BBCode::toPlaintext" +msgstr "" + +#: src/Module/Debug/Babel.php:230 +msgid "HTML::toMarkdown" +msgstr "" + +#: src/Module/Debug/Babel.php:236 +msgid "HTML::toPlaintext" +msgstr "" + +#: src/Module/Debug/Babel.php:242 +msgid "HTML::toPlaintext (compact)" +msgstr "" + +#: src/Module/Debug/Babel.php:252 +msgid "Decoded post" +msgstr "" + +#: src/Module/Debug/Babel.php:276 +msgid "Post array before expand entities" +msgstr "" + +#: src/Module/Debug/Babel.php:283 +msgid "Post converted" +msgstr "" + +#: src/Module/Debug/Babel.php:288 +msgid "Converted body" +msgstr "" + +#: src/Module/Debug/Babel.php:294 +msgid "Twitter addon is absent from the addon/ folder." +msgstr "" + +#: src/Module/Debug/Babel.php:304 +msgid "Source text" +msgstr "" + +#: src/Module/Debug/Babel.php:305 +msgid "BBCode" +msgstr "" + +#: src/Module/Debug/Babel.php:307 +msgid "Markdown" +msgstr "" + +#: src/Module/Debug/Babel.php:308 +msgid "HTML" +msgstr "" + +#: src/Module/Debug/Babel.php:310 +msgid "Twitter Source" +msgstr "" + +#: src/Module/Debug/Feed.php:38 src/Module/Filer/SaveTag.php:40 +#: src/Module/Settings/Profile/Index.php:158 +msgid "You must be logged in to use this module" +msgstr "" + +#: src/Module/Debug/Feed.php:63 +msgid "Source URL" +msgstr "" + +#: src/Module/Debug/Localtime.php:49 +msgid "Time Conversion" +msgstr "Време за преобразуване" + +#: src/Module/Debug/Localtime.php:50 +msgid "" +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "" + +#: src/Module/Debug/Localtime.php:51 +#, php-format +msgid "UTC time: %s" +msgstr "UTC време: %s" + +#: src/Module/Debug/Localtime.php:54 +#, php-format +msgid "Current timezone: %s" +msgstr "Текуща часова зона: %s" + +#: src/Module/Debug/Localtime.php:58 +#, php-format +msgid "Converted localtime: %s" +msgstr "Превърнат localtime: %s" + +#: src/Module/Debug/Localtime.php:62 +msgid "Please select your timezone:" +msgstr "Моля изберете вашия часовата зона:" + +#: src/Module/Debug/Probe.php:38 src/Module/Debug/WebFinger.php:37 +msgid "Only logged in users are permitted to perform a probing." +msgstr "" + +#: src/Module/Debug/Probe.php:54 +msgid "Lookup address" +msgstr "" + +#: src/Module/Delegation.php:147 +msgid "Switch between your accounts" +msgstr "" + +#: src/Module/Delegation.php:148 +msgid "Manage your accounts" +msgstr "" + +#: src/Module/Delegation.php:149 +msgid "" +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "Превключвате между различните идентичности или общността / групата страници, които споделят данните на акаунта ви, или които сте получили \"управление\" разрешения" + +#: src/Module/Delegation.php:150 +msgid "Select an identity to manage: " +msgstr "Изберете идентичност, за да управлява: " + +#: src/Module/Directory.php:77 +msgid "No entries (some entries may be hidden)." +msgstr "Няма записи (някои вписвания, могат да бъдат скрити)." + +#: src/Module/Directory.php:99 +msgid "Find on this site" +msgstr "Търсене в този сайт" + +#: src/Module/Directory.php:101 +msgid "Results for:" +msgstr "" + +#: src/Module/Directory.php:103 +msgid "Site Directory" +msgstr "Site Directory" + +#: src/Module/Filer/RemoveTag.php:69 +msgid "Item was not removed" +msgstr "" + +#: src/Module/Filer/RemoveTag.php:72 +msgid "Item was not deleted" +msgstr "" + +#: src/Module/Filer/SaveTag.php:69 +msgid "- select -" +msgstr "избор" + +#: src/Module/Friendica.php:61 +msgid "Installed addons/apps:" +msgstr "" + +#: src/Module/Friendica.php:66 +msgid "No installed addons/apps" +msgstr "" + +#: src/Module/Friendica.php:71 +#, php-format +msgid "Read about the Terms of Service of this node." +msgstr "" + +#: src/Module/Friendica.php:78 +msgid "On this server the following remote servers are blocked." +msgstr "" + +#: src/Module/Friendica.php:96 #, php-format msgid "" -" - please do not use this form. Instead, enter %s into your Diaspora search" -" bar." -msgstr " - Моля, не използвайте тази форма. Вместо това въведете %s в търсенето диаспора бар." - -#: mod/dfrn_request.php:872 mod/follow.php:117 -msgid "Your Identity Address:" -msgstr "Адрес на вашата самоличност:" - -#: mod/dfrn_request.php:875 mod/follow.php:19 -msgid "Submit Request" -msgstr "Изпращане на заявката" - -#: mod/follow.php:30 -msgid "You already added this contact." +"This is Friendica, version %s that is running at the web location %s. The " +"database version is %s, the post update version is %s." msgstr "" -#: mod/follow.php:39 -msgid "Diaspora support isn't enabled. Contact can't be added." +#: src/Module/Friendica.php:101 +msgid "" +"Please visit Friendi.ca to learn more " +"about the Friendica project." msgstr "" -#: mod/follow.php:46 -msgid "OStatus support is disabled. Contact can't be added." +#: src/Module/Friendica.php:102 +msgid "Bug reports and issues: please visit" +msgstr "Доклади за грешки и проблеми: моля посетете" + +#: src/Module/Friendica.php:102 +msgid "the bugtracker at github" msgstr "" -#: mod/follow.php:53 -msgid "The network type couldn't be detected. Contact can't be added." +#: src/Module/Friendica.php:103 +msgid "Suggestions, praise, etc. - please email \"info\" at \"friendi - dot - ca" msgstr "" -#: mod/follow.php:180 -msgid "Contact added" -msgstr "Свържете се добавя" +#: src/Module/FriendSuggest.php:65 +msgid "Suggested contact not found." +msgstr "" -#: mod/install.php:139 +#: src/Module/FriendSuggest.php:84 +msgid "Friend suggestion sent." +msgstr "Предложението за приятелство е изпратено." + +#: src/Module/FriendSuggest.php:121 +msgid "Suggest Friends" +msgstr "Предлагане на приятели" + +#: src/Module/FriendSuggest.php:124 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Предлагане на приятел за %s" + +#: src/Module/Group.php:61 +msgid "Could not create group." +msgstr "Не може да се създаде група." + +#: src/Module/Group.php:72 src/Module/Group.php:214 src/Module/Group.php:238 +msgid "Group not found." +msgstr "Групата не е намерен." + +#: src/Module/Group.php:78 +msgid "Group name was not changed." +msgstr "" + +#: src/Module/Group.php:100 +msgid "Unknown group." +msgstr "" + +#: src/Module/Group.php:109 +msgid "Contact is deleted." +msgstr "" + +#: src/Module/Group.php:115 +msgid "Unable to add the contact to the group." +msgstr "" + +#: src/Module/Group.php:118 +msgid "Contact successfully added to group." +msgstr "" + +#: src/Module/Group.php:122 +msgid "Unable to remove the contact from the group." +msgstr "" + +#: src/Module/Group.php:125 +msgid "Contact successfully removed from group." +msgstr "" + +#: src/Module/Group.php:128 +msgid "Unknown group command." +msgstr "" + +#: src/Module/Group.php:131 +msgid "Bad request." +msgstr "" + +#: src/Module/Group.php:170 +msgid "Save Group" +msgstr "" + +#: src/Module/Group.php:171 +msgid "Filter" +msgstr "" + +#: src/Module/Group.php:177 +msgid "Create a group of contacts/friends." +msgstr "Създаване на група от контакти / приятели." + +#: src/Module/Group.php:219 +msgid "Unable to remove group." +msgstr "Не може да премахнете група." + +#: src/Module/Group.php:270 +msgid "Delete Group" +msgstr "" + +#: src/Module/Group.php:280 +msgid "Edit Group Name" +msgstr "" + +#: src/Module/Group.php:290 +msgid "Members" +msgstr "Членове" + +#: src/Module/Group.php:293 +msgid "Group is empty" +msgstr "Групата е празна" + +#: src/Module/Group.php:306 +msgid "Remove contact from group" +msgstr "" + +#: src/Module/Group.php:326 +msgid "Click on a contact to add or remove." +msgstr "Щракнете върху контакт, за да добавите или премахнете." + +#: src/Module/Group.php:340 +msgid "Add contact to group" +msgstr "" + +#: src/Module/Help.php:62 +msgid "Help:" +msgstr "Помощ" + +#: src/Module/Home.php:54 +#, php-format +msgid "Welcome to %s" +msgstr "Добре дошли %s" + +#: src/Module/HoverCard.php:47 +msgid "No profile" +msgstr "Няма профил" + +#: src/Module/HTTPException/MethodNotAllowed.php:32 +msgid "Method Not Allowed." +msgstr "" + +#: src/Module/Install.php:177 msgid "Friendica Communications Server - Setup" msgstr "" -#: mod/install.php:145 -msgid "Could not connect to database." -msgstr "Не може да се свърже с базата данни." - -#: mod/install.php:149 -msgid "Could not create table." -msgstr "Не може да се създаде таблица." - -#: mod/install.php:155 -msgid "Your Friendica site database has been installed." -msgstr "Вашият Friendica сайт база данни е инсталиран." - -#: mod/install.php:160 -msgid "" -"You may need to import the file \"database.sql\" manually using phpmyadmin " -"or mysql." -msgstr "Може да се наложи да импортирате файла \"database.sql\" ръчно чрез настървение или MySQL." - -#: mod/install.php:161 mod/install.php:230 mod/install.php:607 -msgid "Please see the file \"INSTALL.txt\"." -msgstr "Моля, вижте файла \"INSTALL.txt\"." - -#: mod/install.php:173 -msgid "Database already in use." -msgstr "" - -#: mod/install.php:227 +#: src/Module/Install.php:188 msgid "System check" msgstr "Проверка на системата" -#: mod/install.php:232 +#: src/Module/Install.php:190 src/Module/Install.php:247 +#: src/Module/Install.php:330 +msgid "Requirement not satisfied" +msgstr "" + +#: src/Module/Install.php:191 +msgid "Optional requirement not satisfied" +msgstr "" + +#: src/Module/Install.php:192 +msgid "OK" +msgstr "" + +#: src/Module/Install.php:197 msgid "Check again" msgstr "Проверете отново" -#: mod/install.php:251 +#: src/Module/Install.php:212 +msgid "Base settings" +msgstr "" + +#: src/Module/Install.php:219 +msgid "Host name" +msgstr "" + +#: src/Module/Install.php:221 +msgid "" +"Overwrite this field in case the determinated hostname isn't right, " +"otherweise leave it as is." +msgstr "" + +#: src/Module/Install.php:224 +msgid "Base path to installation" +msgstr "" + +#: src/Module/Install.php:226 +msgid "" +"If the system cannot detect the correct path to your installation, enter the" +" correct path here. This setting should only be set if you are using a " +"restricted system and symbolic links to your webroot." +msgstr "" + +#: src/Module/Install.php:229 +msgid "Sub path of the URL" +msgstr "" + +#: src/Module/Install.php:231 +msgid "" +"Overwrite this field in case the sub path determination isn't right, " +"otherwise leave it as is. Leaving this field blank means the installation is" +" at the base URL without sub path." +msgstr "" + +#: src/Module/Install.php:242 msgid "Database connection" msgstr "Свързване на база данни" -#: mod/install.php:252 +#: src/Module/Install.php:243 msgid "" "In order to install Friendica we need to know how to connect to your " "database." msgstr "За да инсталирате Friendica трябва да знаем как да се свърже към вашата база данни." -#: mod/install.php:253 +#: src/Module/Install.php:244 msgid "" "Please contact your hosting provider or site administrator if you have " "questions about these settings." msgstr "Моля, свържете с вашия хостинг доставчик или администратора на сайта, ако имате въпроси относно тези настройки." -#: mod/install.php:254 +#: src/Module/Install.php:245 msgid "" "The database you specify below should already exist. If it does not, please " "create it before continuing." msgstr "База данни, за да определите по-долу би трябвало вече да съществува. Ако това не стане, моля да го създадете, преди да продължите." -#: mod/install.php:258 +#: src/Module/Install.php:254 msgid "Database Server Name" msgstr "Име на сървър за база данни" -#: mod/install.php:259 +#: src/Module/Install.php:259 msgid "Database Login Name" msgstr "Името на базата данни Парола" -#: mod/install.php:260 +#: src/Module/Install.php:265 msgid "Database Login Password" msgstr "Database Влизам Парола" -#: mod/install.php:261 +#: src/Module/Install.php:267 +msgid "For security reasons the password must not be empty" +msgstr "" + +#: src/Module/Install.php:270 msgid "Database Name" msgstr "Име на база данни" -#: mod/install.php:262 mod/install.php:303 +#: src/Module/Install.php:274 src/Module/Install.php:304 +msgid "Please select a default timezone for your website" +msgstr "Моля, изберете часовата зона по подразбиране за вашия уеб сайт" + +#: src/Module/Install.php:289 +msgid "Site settings" +msgstr "Настройки на сайта" + +#: src/Module/Install.php:299 msgid "Site administrator email address" msgstr "Сайт администратор на имейл адрес" -#: mod/install.php:262 mod/install.php:303 +#: src/Module/Install.php:301 msgid "" "Your account email address must match this in order to use the web admin " "panel." msgstr "Вашият имейл адрес трябва да съответстват на това, за да използвате уеб панел администратор." -#: mod/install.php:266 mod/install.php:306 -msgid "Please select a default timezone for your website" -msgstr "Моля, изберете часовата зона по подразбиране за вашия уеб сайт" - -#: mod/install.php:293 -msgid "Site settings" -msgstr "Настройки на сайта" - -#: mod/install.php:307 +#: src/Module/Install.php:308 msgid "System Language:" msgstr "" -#: mod/install.php:307 +#: src/Module/Install.php:310 msgid "" "Set the default language for your Friendica installation interface and to " "send emails." msgstr "" -#: mod/install.php:347 -msgid "Could not find a command line version of PHP in the web server PATH." -msgstr "Не може да се намери командния ред версия на PHP в PATH уеб сървър." +#: src/Module/Install.php:322 +msgid "Your Friendica site database has been installed." +msgstr "Вашият Friendica сайт база данни е инсталиран." -#: mod/install.php:348 -msgid "" -"If you don't have a command line version of PHP installed on server, you " -"will not be able to run background polling via cron. See 'Setup the poller'" +#: src/Module/Install.php:332 +msgid "Installation finished" msgstr "" -#: mod/install.php:352 -msgid "PHP executable path" -msgstr "PHP изпълним път" - -#: mod/install.php:352 -msgid "" -"Enter full path to php executable. You can leave this blank to continue the " -"installation." -msgstr "Въведете пълния път до изпълнимия файл на PHP. Можете да оставите полето празно, за да продължите инсталацията." - -#: mod/install.php:357 -msgid "Command line PHP" -msgstr "Команден ред PHP" - -#: mod/install.php:366 -msgid "PHP executable is not the php cli binary (could be cgi-fgci version)" -msgstr "" - -#: mod/install.php:367 -msgid "Found PHP version: " -msgstr "" - -#: mod/install.php:369 -msgid "PHP cli binary" -msgstr "" - -#: mod/install.php:380 -msgid "" -"The command line version of PHP on your system does not have " -"\"register_argc_argv\" enabled." -msgstr "В командния ред версия на PHP на вашата система не трябва \"register_argc_argv\" дадоха възможност." - -#: mod/install.php:381 -msgid "This is required for message delivery to work." -msgstr "Това е необходимо за доставка на съобщение, за да работят." - -#: mod/install.php:383 -msgid "PHP register_argc_argv" -msgstr "PHP register_argc_argv" - -#: mod/install.php:404 -msgid "" -"Error: the \"openssl_pkey_new\" function on this system is not able to " -"generate encryption keys" -msgstr "Грешка: \"openssl_pkey_new\" функция на тази система не е в състояние да генерира криптиращи ключове" - -#: mod/install.php:405 -msgid "" -"If running under Windows, please see " -"\"http://www.php.net/manual/en/openssl.installation.php\"." -msgstr "Ако работите под Windows, моля, вижте \"http://www.php.net/manual/en/openssl.installation.php\"." - -#: mod/install.php:407 -msgid "Generate encryption keys" -msgstr "Генериране на криптиращи ключове" - -#: mod/install.php:414 -msgid "libCurl PHP module" -msgstr "libCurl PHP модул" - -#: mod/install.php:415 -msgid "GD graphics PHP module" -msgstr "GD графика PHP модул" - -#: mod/install.php:416 -msgid "OpenSSL PHP module" -msgstr "OpenSSL PHP модул" - -#: mod/install.php:417 -msgid "mysqli PHP module" -msgstr "mysqli PHP модул" - -#: mod/install.php:418 -msgid "mb_string PHP module" -msgstr "mb_string PHP модул" - -#: mod/install.php:419 -msgid "mcrypt PHP module" -msgstr "" - -#: mod/install.php:420 -msgid "XML PHP module" -msgstr "" - -#: mod/install.php:421 -msgid "iconv module" -msgstr "" - -#: mod/install.php:425 mod/install.php:427 -msgid "Apache mod_rewrite module" -msgstr "Apache mod_rewrite модул" - -#: mod/install.php:425 -msgid "" -"Error: Apache webserver mod-rewrite module is required but not installed." -msgstr "Грешка: МОД-пренаписване модул на Apache уеб сървър е необходимо, но не е инсталиран." - -#: mod/install.php:433 -msgid "Error: libCURL PHP module required but not installed." -msgstr "Грешка: libCURL PHP модул, но не е инсталирана." - -#: mod/install.php:437 -msgid "" -"Error: GD graphics PHP module with JPEG support required but not installed." -msgstr "Грешка: GD графика PHP модул с поддръжка на JPEG, но не е инсталирана." - -#: mod/install.php:441 -msgid "Error: openssl PHP module required but not installed." -msgstr "Грешка: OpenSSL PHP модул са необходими, но не е инсталирана." - -#: mod/install.php:445 -msgid "Error: mysqli PHP module required but not installed." -msgstr "Грешка: mysqli PHP модул, но не е инсталирана." - -#: mod/install.php:449 -msgid "Error: mb_string PHP module required but not installed." -msgstr "Грешка: mb_string PHP модул, но не е инсталирана." - -#: mod/install.php:453 -msgid "Error: mcrypt PHP module required but not installed." -msgstr "" - -#: mod/install.php:457 -msgid "Error: iconv PHP module required but not installed." -msgstr "" - -#: mod/install.php:466 -msgid "" -"If you are using php_cli, please make sure that mcrypt module is enabled in " -"its config file" -msgstr "" - -#: mod/install.php:469 -msgid "" -"Function mcrypt_create_iv() is not defined. This is needed to enable RINO2 " -"encryption layer." -msgstr "" - -#: mod/install.php:471 -msgid "mcrypt_create_iv() function" -msgstr "" - -#: mod/install.php:479 -msgid "Error, XML PHP module required but not installed." -msgstr "" - -#: mod/install.php:494 -msgid "" -"The web installer needs to be able to create a file called \".htconfig.php\"" -" in the top folder of your web server and it is unable to do so." -msgstr "Уеб инсталатора трябва да бъде в състояние да създаде файл с име \". Htconfig.php\" в най-горната папка на вашия уеб сървър и не е в състояние да го направят." - -#: mod/install.php:495 -msgid "" -"This is most often a permission setting, as the web server may not be able " -"to write files in your folder - even if you can." -msgstr "Това е най-често настройка разрешение, тъй като уеб сървъра не може да бъде в състояние да записва файлове във вашата папка - дори и ако можете." - -#: mod/install.php:496 -msgid "" -"At the end of this procedure, we will give you a text to save in a file " -"named .htconfig.php in your Friendica top folder." -msgstr "В края на тази процедура, ние ще ви дадем един текст, за да се запишете в файл с име. Htconfig.php в топ Friendica папка." - -#: mod/install.php:497 -msgid "" -"You can alternatively skip this procedure and perform a manual installation." -" Please see the file \"INSTALL.txt\" for instructions." -msgstr "Можете като алтернатива да пропуснете тази процедура и да извърши ръчно инсталиране. Моля, вижте файла \"INSTALL.txt\", за инструкции." - -#: mod/install.php:500 -msgid ".htconfig.php is writable" -msgstr ",. Htconfig.php е записваем" - -#: mod/install.php:510 -msgid "" -"Friendica uses the Smarty3 template engine to render its web views. Smarty3 " -"compiles templates to PHP to speed up rendering." -msgstr "" - -#: mod/install.php:511 -msgid "" -"In order to store these compiled templates, the web server needs to have " -"write access to the directory view/smarty3/ under the Friendica top level " -"folder." -msgstr "" - -#: mod/install.php:512 -msgid "" -"Please ensure that the user that your web server runs as (e.g. www-data) has" -" write access to this folder." -msgstr "" - -#: mod/install.php:513 -msgid "" -"Note: as a security measure, you should give the web server write access to " -"view/smarty3/ only--not the template files (.tpl) that it contains." -msgstr "" - -#: mod/install.php:516 -msgid "view/smarty3 is writable" -msgstr "" - -#: mod/install.php:532 -msgid "" -"Url rewrite in .htaccess is not working. Check your server configuration." -msgstr "URL пренапише. Htaccess не работи. Проверете вашата конфигурация сървър." - -#: mod/install.php:534 -msgid "Url rewrite is working" -msgstr ", Url пренаписванията работи" - -#: mod/install.php:552 -msgid "ImageMagick PHP extension is not installed" -msgstr "" - -#: mod/install.php:555 -msgid "ImageMagick PHP extension is installed" -msgstr "" - -#: mod/install.php:557 -msgid "ImageMagick supports GIF" -msgstr "" - -#: mod/install.php:566 -msgid "" -"The database configuration file \".htconfig.php\" could not be written. " -"Please use the enclosed text to create a configuration file in your web " -"server root." -msgstr "Конфигурационния файл на базата данни \". Htconfig.php\" не може да бъде написано. Моля, използвайте приложения текст, за да се създаде конфигурационен файл в основната си уеб сървър." - -#: mod/install.php:605 +#: src/Module/Install.php:352 msgid "

What next

" msgstr "

Каква е следващата стъпка " -#: mod/install.php:606 +#: src/Module/Install.php:353 msgid "" "IMPORTANT: You will need to [manually] setup a scheduled task for the " -"poller." -msgstr "ВАЖНО: Вие ще трябва да [ръчно] настройка на планирана задача за poller." +"worker." +msgstr "" -#: mod/item.php:116 -msgid "Unable to locate original post." -msgstr "Не може да се намери оригиналната публикация." +#: src/Module/Install.php:354 +msgid "Please see the file \"INSTALL.txt\"." +msgstr "Моля, вижте файла \"INSTALL.txt\"." -#: mod/item.php:341 -msgid "Empty post discarded." -msgstr "Empty мнение изхвърли." +#: src/Module/Install.php:356 +#, php-format +msgid "" +"Go to your new Friendica node registration page " +"and register as new user. Remember to use the same email you have entered as" +" administrator email. This will allow you to enter the site admin panel." +msgstr "" -#: mod/item.php:902 -msgid "System error. Post not saved." -msgstr "Грешка в системата. Мнение не е запазен." +#: src/Module/Invite.php:55 +msgid "Total invitation limit exceeded." +msgstr "" -#: mod/item.php:992 +#: src/Module/Invite.php:78 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s не е валиден имейл адрес." + +#: src/Module/Invite.php:105 +msgid "Please join us on Friendica" +msgstr "Моля, присъединете се към нас на Friendica" + +#: src/Module/Invite.php:114 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "" + +#: src/Module/Invite.php:118 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s : Съобщение доставка не успя." + +#: src/Module/Invite.php:122 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Invite.php:140 +msgid "You have no more invitations available" +msgstr "Имате няма повече покани" + +#: src/Module/Invite.php:147 +#, 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 членове на други сайтове могат да се свързват един с друг, както и с членовете на много други социални мрежи." + +#: src/Module/Invite.php:149 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "За да приемете тази покана, моля, посетете и се регистрира в %s или друга публична уебсайт Friendica." + +#: src/Module/Invite.php:150 +#, 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, можете да се присъедините." + +#: src/Module/Invite.php:154 +msgid "" +"Our apologies. This system is not currently configured to connect with other" +" public sites or invite members." +msgstr "Нашите извинения. Тази система в момента не е конфигуриран да се свържете с други обществени обекти, или ще поканят членове." + +#: src/Module/Invite.php:157 +msgid "" +"Friendica sites all inter-connect to create a huge privacy-enhanced social " +"web that is owned and controlled by its members. They can also connect with " +"many traditional social networks." +msgstr "" + +#: src/Module/Invite.php:156 +#, php-format +msgid "To accept this invitation, please visit and register at %s." +msgstr "" + +#: src/Module/Invite.php:164 +msgid "Send invitations" +msgstr "Изпращане на покани" + +#: src/Module/Invite.php:165 +msgid "Enter email addresses, one per line:" +msgstr "Въведете имейл адреси, по един на ред:" + +#: src/Module/Invite.php:169 +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, - и да ни помогне да създадем по-добра социална мрежа." + +#: src/Module/Invite.php:171 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "Вие ще трябва да предоставят този код за покана: $ invite_code" + +#: src/Module/Invite.php:171 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "След като сте се регистрирали, моля свържете се с мен чрез профила на моята страница в:" + +#: src/Module/Invite.php:173 +msgid "" +"For more information about the Friendica project and why we feel it is " +"important, please visit http://friendi.ca" +msgstr "" + +#: src/Module/Item/Compose.php:46 +msgid "Please enter a post body." +msgstr "" + +#: src/Module/Item/Compose.php:59 +msgid "This feature is only available with the frio theme." +msgstr "" + +#: src/Module/Item/Compose.php:86 +msgid "Compose new personal note" +msgstr "" + +#: src/Module/Item/Compose.php:95 +msgid "Compose new post" +msgstr "" + +#: src/Module/Item/Compose.php:135 +msgid "Visibility" +msgstr "" + +#: src/Module/Item/Compose.php:156 +msgid "Clear the location" +msgstr "" + +#: src/Module/Item/Compose.php:157 +msgid "Location services are unavailable on your device" +msgstr "" + +#: src/Module/Item/Compose.php:158 +msgid "" +"Location services are disabled. Please check the website's permissions on " +"your device" +msgstr "" + +#: src/Module/Maintenance.php:46 +msgid "System down for maintenance" +msgstr "" + +#: src/Module/Manifest.php:42 +msgid "A Decentralized Social Network" +msgstr "" + +#: src/Module/Notifications/Introductions.php:78 +msgid "Show Ignored Requests" +msgstr "Показване на пренебрегнатите заявки" + +#: src/Module/Notifications/Introductions.php:78 +msgid "Hide Ignored Requests" +msgstr "Скриване на пренебрегнатите заявки" + +#: src/Module/Notifications/Introductions.php:94 +#: src/Module/Notifications/Introductions.php:163 +msgid "Notification type:" +msgstr "" + +#: src/Module/Notifications/Introductions.php:97 +msgid "Suggested by:" +msgstr "" + +#: src/Module/Notifications/Introductions.php:122 +msgid "Claims to be known to you: " +msgstr "Искания, да се знае за вас: " + +#: src/Module/Notifications/Introductions.php:131 +msgid "Shall your connection be bidirectional or not?" +msgstr "" + +#: src/Module/Notifications/Introductions.php:132 +#, php-format +msgid "" +"Accepting %s as a friend allows %s to subscribe to your posts, and you will " +"also receive updates from them in your news feed." +msgstr "" + +#: src/Module/Notifications/Introductions.php:133 +#, php-format +msgid "" +"Accepting %s as a subscriber allows them to subscribe to your posts, but you" +" will not receive updates from them in your news feed." +msgstr "" + +#: src/Module/Notifications/Introductions.php:135 +msgid "Friend" +msgstr "Приятел" + +#: src/Module/Notifications/Introductions.php:136 +msgid "Subscriber" +msgstr "" + +#: src/Module/Notifications/Introductions.php:201 +msgid "No introductions." +msgstr "Няма въвеждане." + +#: src/Module/Notifications/Introductions.php:202 +#: src/Module/Notifications/Notifications.php:133 +#, php-format +msgid "No more %s notifications." +msgstr "" + +#: src/Module/Notifications/Notification.php:103 +msgid "You must be logged in to show this page." +msgstr "" + +#: src/Module/Notifications/Notifications.php:50 +msgid "Network Notifications" +msgstr "Мрежа Известия" + +#: src/Module/Notifications/Notifications.php:58 +msgid "System Notifications" +msgstr "Системни известия" + +#: src/Module/Notifications/Notifications.php:66 +msgid "Personal Notifications" +msgstr "Лични Известия" + +#: src/Module/Notifications/Notifications.php:74 +msgid "Home Notifications" +msgstr "Начало Известия" + +#: src/Module/Notifications/Notifications.php:138 +msgid "Show unread" +msgstr "" + +#: src/Module/Notifications/Notifications.php:138 +msgid "Show all" +msgstr "" + +#: src/Module/PermissionTooltip.php:25 +#, php-format +msgid "Wrong type \"%s\", expected one of: %s" +msgstr "" + +#: src/Module/PermissionTooltip.php:38 +msgid "Model not found" +msgstr "" + +#: src/Module/PermissionTooltip.php:60 +msgid "Remote privacy information not available." +msgstr "Дистанционно неприкосновеността на личния живот информация не е достъпен." + +#: src/Module/PermissionTooltip.php:71 +msgid "Visible to:" +msgstr "Вижда се от:" + +#: src/Module/Photo.php:93 +#, php-format +msgid "The Photo with id %s is not available." +msgstr "" + +#: src/Module/Photo.php:111 +#, php-format +msgid "Invalid photo with id %s." +msgstr "" + +#: src/Module/Profile/Contacts.php:121 +msgid "No contacts." +msgstr "Няма контакти." + +#: src/Module/Profile/Profile.php:135 +#, php-format +msgid "" +"You're currently viewing your profile as %s Cancel" +msgstr "" + +#: src/Module/Profile/Profile.php:149 +msgid "Member since:" +msgstr "" + +#: src/Module/Profile/Profile.php:155 +msgid "j F, Y" +msgstr "J F, Y" + +#: src/Module/Profile/Profile.php:156 +msgid "j F" +msgstr "J F" + +#: src/Module/Profile/Profile.php:164 src/Util/Temporal.php:163 +msgid "Birthday:" +msgstr "Дата на раждане:" + +#: src/Module/Profile/Profile.php:167 +#: src/Module/Settings/Profile/Index.php:260 src/Util/Temporal.php:165 +msgid "Age: " +msgstr "Възраст: " + +#: src/Module/Profile/Profile.php:167 +#: src/Module/Settings/Profile/Index.php:260 src/Util/Temporal.php:165 +#, php-format +msgid "%d year old" +msgid_plural "%d years old" +msgstr[0] "" +msgstr[1] "" + +#: src/Module/Profile/Profile.php:229 +msgid "Forums:" +msgstr "" + +#: src/Module/Profile/Profile.php:241 +msgid "View profile as:" +msgstr "" + +#: src/Module/Profile/Profile.php:258 +msgid "View as" +msgstr "" + +#: src/Module/Profile/Profile.php:321 src/Module/Profile/Profile.php:324 +#: src/Module/Profile/Status.php:65 src/Module/Profile/Status.php:68 +#: src/Protocol/Feed.php:940 src/Protocol/OStatus.php:1258 +#, php-format +msgid "%s's timeline" +msgstr "" + +#: src/Module/Profile/Profile.php:322 src/Module/Profile/Status.php:66 +#: src/Protocol/Feed.php:944 src/Protocol/OStatus.php:1262 +#, php-format +msgid "%s's posts" +msgstr "" + +#: src/Module/Profile/Profile.php:323 src/Module/Profile/Status.php:67 +#: src/Protocol/Feed.php:947 src/Protocol/OStatus.php:1265 +#, php-format +msgid "%s's comments" +msgstr "" + +#: src/Module/Register.php:69 +msgid "Only parent users can create additional accounts." +msgstr "" + +#: src/Module/Register.php:101 +msgid "" +"You may (optionally) fill in this form via OpenID by supplying your OpenID " +"and clicking \"Register\"." +msgstr "" + +#: src/Module/Register.php:102 +msgid "" +"If you are not familiar with OpenID, please leave that field blank and fill " +"in the rest of the items." +msgstr "Ако не сте запознати с OpenID, моля оставете това поле празно и попълнете останалата част от елементите." + +#: src/Module/Register.php:103 +msgid "Your OpenID (optional): " +msgstr "Вашият OpenID (не е задължително): " + +#: src/Module/Register.php:112 +msgid "Include your profile in member directory?" +msgstr "Включете вашия профил в член директория?" + +#: src/Module/Register.php:135 +msgid "Note for the admin" +msgstr "" + +#: src/Module/Register.php:135 +msgid "Leave a message for the admin, why you want to join this node" +msgstr "" + +#: src/Module/Register.php:136 +msgid "Membership on this site is by invitation only." +msgstr "Членството на този сайт е само с покани." + +#: src/Module/Register.php:137 +msgid "Your invitation code: " +msgstr "" + +#: src/Module/Register.php:145 +msgid "Your Full Name (e.g. Joe Smith, real or real-looking): " +msgstr "" + +#: src/Module/Register.php:146 +msgid "" +"Your Email Address: (Initial information will be send there, so this has to " +"be an existing address.)" +msgstr "" + +#: src/Module/Register.php:147 +msgid "Please repeat your e-mail address:" +msgstr "" + +#: src/Module/Register.php:149 +msgid "Leave empty for an auto generated password." +msgstr "" + +#: src/Module/Register.php:151 +#, php-format +msgid "" +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be \"nickname@%s\"." +msgstr "" + +#: src/Module/Register.php:152 +msgid "Choose a nickname: " +msgstr "Изберете прякор: " + +#: src/Module/Register.php:161 +msgid "Import your profile to this friendica instance" +msgstr "" + +#: src/Module/Register.php:168 +msgid "Note: This node explicitly contains adult content" +msgstr "" + +#: src/Module/Register.php:170 src/Module/Settings/Delegation.php:155 +msgid "Parent Password:" +msgstr "" + +#: src/Module/Register.php:170 src/Module/Settings/Delegation.php:155 +msgid "" +"Please enter the password of the parent account to legitimize your request." +msgstr "" + +#: src/Module/Register.php:199 +msgid "Password doesn't match." +msgstr "" + +#: src/Module/Register.php:205 +msgid "Please enter your password." +msgstr "" + +#: src/Module/Register.php:247 +msgid "You have entered too much information." +msgstr "" + +#: src/Module/Register.php:271 +msgid "Please enter the identical mail address in the second field." +msgstr "" + +#: src/Module/Register.php:298 +msgid "The additional account was created." +msgstr "" + +#: src/Module/Register.php:323 +msgid "" +"Registration successful. Please check your email for further instructions." +msgstr "Регистрация успешно. Моля, проверете електронната си поща за по-нататъшни инструкции." + +#: src/Module/Register.php:327 +#, php-format +msgid "" +"Failed to send email message. Here your accout details:
login: %s
" +"password: %s

You can change your password after login." +msgstr "" + +#: src/Module/Register.php:333 +msgid "Registration successful." +msgstr "" + +#: src/Module/Register.php:338 src/Module/Register.php:345 +msgid "Your registration can not be processed." +msgstr "Вашата регистрация не могат да бъдат обработени." + +#: src/Module/Register.php:344 +msgid "You have to leave a request note for the admin." +msgstr "" + +#: src/Module/Register.php:390 +msgid "Your registration is pending approval by the site owner." +msgstr "Вашата регистрация е в очакване на одобрение от собственика на сайта." + +#: src/Module/RemoteFollow.php:67 +msgid "The provided profile link doesn't seem to be valid" +msgstr "" + +#: src/Module/RemoteFollow.php:105 +#, php-format +msgid "" +"Enter your Webfinger address (user@domain.tld) or profile URL here. If this " +"isn't supported by your system, you have to subscribe to %s" +" or %s directly on your system." +msgstr "" + +#: src/Module/Search/Index.php:55 +msgid "Only logged in users are permitted to perform a search." +msgstr "" + +#: src/Module/Search/Index.php:77 +msgid "Only one search per minute is permitted for not logged in users." +msgstr "" + +#: src/Module/Search/Index.php:191 +#, php-format +msgid "Items tagged with: %s" +msgstr "" + +#: src/Module/Search/Saved.php:45 +msgid "Search term was not saved." +msgstr "" + +#: src/Module/Search/Saved.php:48 +msgid "Search term already saved." +msgstr "" + +#: src/Module/Search/Saved.php:54 +msgid "Search term was not removed." +msgstr "" + +#: src/Module/Security/Login.php:101 +msgid "Create a New Account" +msgstr "Създаване на нов профил:" + +#: src/Module/Security/Login.php:126 +msgid "Your OpenID: " +msgstr "" + +#: src/Module/Security/Login.php:129 +msgid "" +"Please enter your username and password to add the OpenID to your existing " +"account." +msgstr "" + +#: src/Module/Security/Login.php:131 +msgid "Or login using OpenID: " +msgstr "Или да влезнете с OpenID: " + +#: src/Module/Security/Login.php:145 +msgid "Password: " +msgstr "Парола " + +#: src/Module/Security/Login.php:146 +msgid "Remember me" +msgstr "" + +#: src/Module/Security/Login.php:155 +msgid "Forgot your password?" +msgstr "Забравена парола?" + +#: src/Module/Security/Login.php:158 +msgid "Website Terms of Service" +msgstr "Условия за ползване на сайта" + +#: src/Module/Security/Login.php:159 +msgid "terms of service" +msgstr "условия за ползване" + +#: src/Module/Security/Login.php:161 +msgid "Website Privacy Policy" +msgstr "Политика за поверителност на сайта" + +#: src/Module/Security/Login.php:162 +msgid "privacy policy" +msgstr "политика за поверителност" + +#: src/Module/Security/Logout.php:53 +msgid "Logged out." +msgstr "Изход" + +#: src/Module/Security/OpenID.php:54 +msgid "OpenID protocol error. No ID returned" +msgstr "" + +#: src/Module/Security/OpenID.php:92 +msgid "" +"Account not found. Please login to your existing account to add the OpenID " +"to it." +msgstr "" + +#: src/Module/Security/OpenID.php:94 +msgid "" +"Account not found. Please register a new account or login to your existing " +"account to add the OpenID to it." +msgstr "" + +#: src/Module/Security/TwoFactor/Recovery.php:60 +#, php-format +msgid "Remaining recovery codes: %d" +msgstr "" + +#: src/Module/Security/TwoFactor/Recovery.php:64 +#: src/Module/Security/TwoFactor/Verify.php:61 +#: src/Module/Settings/TwoFactor/Verify.php:82 +msgid "Invalid code, please retry." +msgstr "" + +#: src/Module/Security/TwoFactor/Recovery.php:83 +msgid "Two-factor recovery" +msgstr "" + +#: src/Module/Security/TwoFactor/Recovery.php:84 +msgid "" +"

You can enter one of your one-time recovery codes in case you lost access" +" to your mobile device.

" +msgstr "" + +#: src/Module/Security/TwoFactor/Recovery.php:85 +#: src/Module/Security/TwoFactor/Verify.php:84 +#, php-format +msgid "Don’t have your phone? Enter a two-factor recovery code" +msgstr "" + +#: src/Module/Security/TwoFactor/Recovery.php:86 +msgid "Please enter a recovery code" +msgstr "" + +#: src/Module/Security/TwoFactor/Recovery.php:87 +msgid "Submit recovery code and complete login" +msgstr "" + +#: src/Module/Security/TwoFactor/Verify.php:81 +msgid "" +"

Open the two-factor authentication app on your device to get an " +"authentication code and verify your identity.

" +msgstr "" + +#: src/Module/Security/TwoFactor/Verify.php:85 +#: src/Module/Settings/TwoFactor/Verify.php:141 +msgid "Please enter a code from your authentication app" +msgstr "" + +#: src/Module/Security/TwoFactor/Verify.php:86 +msgid "Verify code and complete login" +msgstr "" + +#: src/Module/Settings/Delegation.php:53 +msgid "Delegation successfully granted." +msgstr "" + +#: src/Module/Settings/Delegation.php:55 +msgid "Parent user not found, unavailable or password doesn't match." +msgstr "" + +#: src/Module/Settings/Delegation.php:59 +msgid "Delegation successfully revoked." +msgstr "" + +#: src/Module/Settings/Delegation.php:81 +#: src/Module/Settings/Delegation.php:103 +msgid "" +"Delegated administrators can view but not change delegation permissions." +msgstr "" + +#: src/Module/Settings/Delegation.php:95 +msgid "Delegate user not found." +msgstr "" + +#: src/Module/Settings/Delegation.php:143 +msgid "No parent user" +msgstr "" + +#: src/Module/Settings/Delegation.php:154 +#: src/Module/Settings/Delegation.php:165 +msgid "Parent User" +msgstr "" + +#: src/Module/Settings/Delegation.php:162 +msgid "Additional Accounts" +msgstr "" + +#: src/Module/Settings/Delegation.php:163 +msgid "" +"Register additional accounts that are automatically connected to your " +"existing account so you can manage them from this account." +msgstr "" + +#: src/Module/Settings/Delegation.php:164 +msgid "Register an additional account" +msgstr "" + +#: src/Module/Settings/Delegation.php:168 +msgid "" +"Parent users have total control about this account, including the account " +"settings. Please double check whom you give this access." +msgstr "" + +#: src/Module/Settings/Delegation.php:172 +msgid "Delegates" +msgstr "" + +#: src/Module/Settings/Delegation.php:174 +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 "Делегатите са в състояние да управляват всички аспекти от тази сметка / страница, с изключение на основните настройки сметка. Моля, не делегира Вашата лична сметка на никого, че не се доверявате напълно." + +#: src/Module/Settings/Delegation.php:175 +msgid "Existing Page Delegates" +msgstr "Съществуващите Делегатите Страница" + +#: src/Module/Settings/Delegation.php:177 +msgid "Potential Delegates" +msgstr "Потенциални Делегатите" + +#: src/Module/Settings/Delegation.php:180 +msgid "Add" +msgstr "Добави" + +#: src/Module/Settings/Delegation.php:181 +msgid "No entries." +msgstr "няма регистрирани" + +#: src/Module/Settings/Display.php:105 +msgid "The theme you chose isn't available." +msgstr "" + +#: src/Module/Settings/Display.php:142 +#, php-format +msgid "%s - (Unsupported)" +msgstr "" + +#: src/Module/Settings/Display.php:188 +msgid "Display Settings" +msgstr "Настройки на дисплея" + +#: src/Module/Settings/Display.php:190 +msgid "General Theme Settings" +msgstr "" + +#: src/Module/Settings/Display.php:191 +msgid "Custom Theme Settings" +msgstr "" + +#: src/Module/Settings/Display.php:192 +msgid "Content Settings" +msgstr "" + +#: src/Module/Settings/Display.php:193 view/theme/duepuntozero/config.php:70 +#: view/theme/frio/config.php:161 view/theme/quattro/config.php:72 +#: view/theme/vier/config.php:120 +msgid "Theme settings" +msgstr "Тема Настройки" + +#: src/Module/Settings/Display.php:194 +msgid "Calendar" +msgstr "" + +#: src/Module/Settings/Display.php:200 +msgid "Display Theme:" +msgstr "Палитрата на дисплея:" + +#: src/Module/Settings/Display.php:201 +msgid "Mobile Theme:" +msgstr "" + +#: src/Module/Settings/Display.php:204 +msgid "Number of items to display per page:" +msgstr "" + +#: src/Module/Settings/Display.php:204 src/Module/Settings/Display.php:205 +msgid "Maximum of 100 items" +msgstr "Максимум от 100 точки" + +#: src/Module/Settings/Display.php:205 +msgid "Number of items to display per page when viewed from mobile device:" +msgstr "" + +#: src/Module/Settings/Display.php:206 +msgid "Update browser every xx seconds" +msgstr "Актуализиране на браузъра на всеки ХХ секунди" + +#: src/Module/Settings/Display.php:206 +msgid "Minimum of 10 seconds. Enter -1 to disable it." +msgstr "" + +#: src/Module/Settings/Display.php:207 +msgid "Automatic updates only at the top of the post stream pages" +msgstr "" + +#: src/Module/Settings/Display.php:207 +msgid "" +"Auto update may add new posts at the top of the post stream pages, which can" +" affect the scroll position and perturb normal reading if it happens " +"anywhere else the top of the page." +msgstr "" + +#: src/Module/Settings/Display.php:208 +msgid "Don't show emoticons" +msgstr "Да не се показват емотикони" + +#: src/Module/Settings/Display.php:208 +msgid "" +"Normally emoticons are replaced with matching symbols. This setting disables" +" this behaviour." +msgstr "" + +#: src/Module/Settings/Display.php:209 +msgid "Infinite scroll" +msgstr "" + +#: src/Module/Settings/Display.php:209 +msgid "Automatic fetch new items when reaching the page end." +msgstr "" + +#: src/Module/Settings/Display.php:210 +msgid "Disable Smart Threading" +msgstr "" + +#: src/Module/Settings/Display.php:210 +msgid "Disable the automatic suppression of extraneous thread indentation." +msgstr "" + +#: src/Module/Settings/Display.php:211 +msgid "Hide the Dislike feature" +msgstr "" + +#: src/Module/Settings/Display.php:211 +msgid "Hides the Dislike button and dislike reactions on posts and comments." +msgstr "" + +#: src/Module/Settings/Display.php:212 +msgid "Display the resharer" +msgstr "" + +#: src/Module/Settings/Display.php:212 +msgid "Display the first resharer as icon and text on a reshared item." +msgstr "" + +#: src/Module/Settings/Display.php:213 +msgid "Stay local" +msgstr "" + +#: src/Module/Settings/Display.php:213 +msgid "Don't go to a remote system when following a contact link." +msgstr "" + +#: src/Module/Settings/Display.php:215 +msgid "Beginning of week:" +msgstr "" + +#: src/Module/Settings/Profile/Index.php:85 +msgid "Profile Name is required." +msgstr "Име на профил се изисква." + +#: src/Module/Settings/Profile/Index.php:137 +msgid "Profile couldn't be updated." +msgstr "" + +#: src/Module/Settings/Profile/Index.php:187 +#: src/Module/Settings/Profile/Index.php:207 +msgid "Label:" +msgstr "" + +#: src/Module/Settings/Profile/Index.php:188 +#: src/Module/Settings/Profile/Index.php:208 +msgid "Value:" +msgstr "" + +#: src/Module/Settings/Profile/Index.php:198 +#: src/Module/Settings/Profile/Index.php:218 +msgid "Field Permissions" +msgstr "" + +#: src/Module/Settings/Profile/Index.php:199 +#: src/Module/Settings/Profile/Index.php:219 +msgid "(click to open/close)" +msgstr "(Щракнете за отваряне / затваряне)" + +#: src/Module/Settings/Profile/Index.php:205 +msgid "Add a new profile field" +msgstr "" + +#: src/Module/Settings/Profile/Index.php:235 +msgid "Profile Actions" +msgstr "" + +#: src/Module/Settings/Profile/Index.php:236 +msgid "Edit Profile Details" +msgstr "Редактиране на детайли от профила" + +#: src/Module/Settings/Profile/Index.php:238 +msgid "Change Profile Photo" +msgstr "Промяна снимката на профила" + +#: src/Module/Settings/Profile/Index.php:243 +msgid "Profile picture" +msgstr "" + +#: src/Module/Settings/Profile/Index.php:244 +msgid "Location" +msgstr "Местоположение " + +#: src/Module/Settings/Profile/Index.php:245 src/Util/Temporal.php:93 +#: src/Util/Temporal.php:95 +msgid "Miscellaneous" +msgstr "Разни" + +#: src/Module/Settings/Profile/Index.php:246 +msgid "Custom Profile Fields" +msgstr "" + +#: src/Module/Settings/Profile/Index.php:248 src/Module/Welcome.php:58 +msgid "Upload Profile Photo" +msgstr "Качване на снимка Профилът" + +#: src/Module/Settings/Profile/Index.php:252 +msgid "Display name:" +msgstr "" + +#: src/Module/Settings/Profile/Index.php:255 +msgid "Street Address:" +msgstr "Адрес:" + +#: src/Module/Settings/Profile/Index.php:256 +msgid "Locality/City:" +msgstr "Махала / Град:" + +#: src/Module/Settings/Profile/Index.php:257 +msgid "Region/State:" +msgstr "Регион / Щат:" + +#: src/Module/Settings/Profile/Index.php:258 +msgid "Postal/Zip Code:" +msgstr "Postal / Zip Code:" + +#: src/Module/Settings/Profile/Index.php:259 +msgid "Country:" +msgstr "Държава:" + +#: src/Module/Settings/Profile/Index.php:261 +msgid "XMPP (Jabber) address:" +msgstr "" + +#: src/Module/Settings/Profile/Index.php:261 +msgid "" +"The XMPP address will be propagated to your contacts so that they can follow" +" you." +msgstr "" + +#: src/Module/Settings/Profile/Index.php:262 +msgid "Homepage URL:" +msgstr "Електронна страница:" + +#: src/Module/Settings/Profile/Index.php:263 +msgid "Public Keywords:" +msgstr "Публичните Ключови думи:" + +#: src/Module/Settings/Profile/Index.php:263 +msgid "(Used for suggesting potential friends, can be seen by others)" +msgstr "(Използва се за предполагайки потенциален приятели, може да се види от други)" + +#: src/Module/Settings/Profile/Index.php:264 +msgid "Private Keywords:" +msgstr "Частни Ключови думи:" + +#: src/Module/Settings/Profile/Index.php:264 +msgid "(Used for searching profiles, never shown to others)" +msgstr "(Използва се за търсене на профилите, никога не показва и на други)" + +#: src/Module/Settings/Profile/Index.php:265 +#, php-format +msgid "" +"

Custom fields appear on your profile page.

\n" +"\t\t\t\t

You can use BBCodes in the field values.

\n" +"\t\t\t\t

Reorder by dragging the field title.

\n" +"\t\t\t\t

Empty the label field to remove a custom field.

\n" +"\t\t\t\t

Non-public fields can only be seen by the selected Friendica contacts or the Friendica contacts in the selected groups.

" +msgstr "" + +#: src/Module/Settings/Profile/Photo/Crop.php:102 +#: src/Module/Settings/Profile/Photo/Crop.php:118 +#: src/Module/Settings/Profile/Photo/Crop.php:134 +#: src/Module/Settings/Profile/Photo/Index.php:103 +#, php-format +msgid "Image size reduction [%s] failed." +msgstr "Намаляване на размер [ %s ] не успя." + +#: src/Module/Settings/Profile/Photo/Crop.php:139 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Shift-презаредите страницата или ясно, кеша на браузъра, ако новата снимка не показва веднага." + +#: src/Module/Settings/Profile/Photo/Crop.php:147 +msgid "Unable to process image" +msgstr "Не може да се обработи" + +#: src/Module/Settings/Profile/Photo/Crop.php:166 +msgid "Photo not found." +msgstr "" + +#: src/Module/Settings/Profile/Photo/Crop.php:190 +msgid "Profile picture successfully updated." +msgstr "" + +#: src/Module/Settings/Profile/Photo/Crop.php:213 +#: src/Module/Settings/Profile/Photo/Crop.php:217 +msgid "Crop Image" +msgstr "Изрязване на изображението" + +#: src/Module/Settings/Profile/Photo/Crop.php:214 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Моля, настроите образа на изрязване за оптимално гледане." + +#: src/Module/Settings/Profile/Photo/Crop.php:216 +msgid "Use Image As Is" +msgstr "" + +#: src/Module/Settings/Profile/Photo/Index.php:47 +msgid "Missing uploaded image." +msgstr "" + +#: src/Module/Settings/Profile/Photo/Index.php:126 +msgid "Profile Picture Settings" +msgstr "" + +#: src/Module/Settings/Profile/Photo/Index.php:127 +msgid "Current Profile Picture" +msgstr "" + +#: src/Module/Settings/Profile/Photo/Index.php:128 +msgid "Upload Profile Picture" +msgstr "" + +#: src/Module/Settings/Profile/Photo/Index.php:129 +msgid "Upload Picture:" +msgstr "" + +#: src/Module/Settings/Profile/Photo/Index.php:134 +msgid "or" +msgstr "или" + +#: src/Module/Settings/Profile/Photo/Index.php:136 +msgid "skip this step" +msgstr "пропуснете тази стъпка" + +#: src/Module/Settings/Profile/Photo/Index.php:138 +msgid "select a photo from your photo albums" +msgstr "изберете снимка от вашите фото албуми" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:52 +#: src/Module/Settings/TwoFactor/Recovery.php:50 +#: src/Module/Settings/TwoFactor/Verify.php:56 +msgid "Please enter your password to access this page." +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:70 +msgid "App-specific password generation failed: The description is empty." +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:73 +msgid "" +"App-specific password generation failed: This description already exists." +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:77 +msgid "New app-specific password generated." +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:83 +msgid "App-specific passwords successfully revoked." +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:93 +msgid "App-specific password successfully revoked." +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:114 +msgid "Two-factor app-specific passwords" +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:116 +msgid "" +"

App-specific passwords are randomly generated passwords used instead your" +" regular password to authenticate your account on third-party applications " +"that don't support two-factor authentication.

" +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:117 +msgid "" +"Make sure to copy your new app-specific password now. You won’t be able to " +"see it again!" +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:120 +msgid "Description" +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:121 +msgid "Last Used" +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:122 +msgid "Revoke" +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:123 +msgid "Revoke All" +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:126 +msgid "" +"When you generate a new app-specific password, you must use it right away, " +"it will be shown to you once after you generate it." +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:127 +msgid "Generate new app-specific password" +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:128 +msgid "Friendiqa on my Fairphone 2..." +msgstr "" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:129 +msgid "Generate" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:67 +msgid "Two-factor authentication successfully disabled." +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:88 +msgid "Wrong Password" +msgstr "Неправилна парола" + +#: src/Module/Settings/TwoFactor/Index.php:108 +msgid "" +"

Use an application on a mobile device to get two-factor authentication " +"codes when prompted on login.

" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:112 +msgid "Authenticator app" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:113 +msgid "Configured" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:113 +msgid "Not Configured" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:114 +msgid "

You haven't finished configuring your authenticator app.

" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:115 +msgid "

Your authenticator app is correctly configured.

" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:117 +msgid "Recovery codes" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:118 +msgid "Remaining valid codes" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:120 +msgid "" +"

These one-use codes can replace an authenticator app code in case you " +"have lost access to it.

" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:122 +msgid "App-specific passwords" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:123 +msgid "Generated app-specific passwords" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:125 +msgid "" +"

These randomly generated passwords allow you to authenticate on apps not " +"supporting two-factor authentication.

" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:128 +msgid "Current password:" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:128 +msgid "" +"You need to provide your current password to change two-factor " +"authentication settings." +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:129 +msgid "Enable two-factor authentication" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:130 +msgid "Disable two-factor authentication" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:131 +msgid "Show recovery codes" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:132 +msgid "Manage app-specific passwords" +msgstr "" + +#: src/Module/Settings/TwoFactor/Index.php:133 +msgid "Finish app configuration" +msgstr "" + +#: src/Module/Settings/TwoFactor/Recovery.php:66 +msgid "New recovery codes successfully generated." +msgstr "" + +#: src/Module/Settings/TwoFactor/Recovery.php:92 +msgid "Two-factor recovery codes" +msgstr "" + +#: src/Module/Settings/TwoFactor/Recovery.php:94 +msgid "" +"

Recovery codes can be used to access your account in the event you lose " +"access to your device and cannot receive two-factor authentication " +"codes.

Put these in a safe spot! If you lose your " +"device and don’t have the recovery codes you will lose access to your " +"account.

" +msgstr "" + +#: src/Module/Settings/TwoFactor/Recovery.php:96 +msgid "" +"When you generate new recovery codes, you must copy the new codes. Your old " +"codes won’t work anymore." +msgstr "" + +#: src/Module/Settings/TwoFactor/Recovery.php:97 +msgid "Generate new recovery codes" +msgstr "" + +#: src/Module/Settings/TwoFactor/Recovery.php:99 +msgid "Next: Verification" +msgstr "" + +#: src/Module/Settings/TwoFactor/Verify.php:78 +msgid "Two-factor authentication successfully activated." +msgstr "" + +#: src/Module/Settings/TwoFactor/Verify.php:111 +#, php-format +msgid "" +"

Or you can submit the authentication settings manually:

\n" +"
\n" +"\t
Issuer
\n" +"\t
%s
\n" +"\t
Account Name
\n" +"\t
%s
\n" +"\t
Secret Key
\n" +"\t
%s
\n" +"\t
Type
\n" +"\t
Time-based
\n" +"\t
Number of digits
\n" +"\t
6
\n" +"\t
Hashing algorithm
\n" +"\t
SHA-1
\n" +"
" +msgstr "" + +#: src/Module/Settings/TwoFactor/Verify.php:131 +msgid "Two-factor code verification" +msgstr "" + +#: src/Module/Settings/TwoFactor/Verify.php:133 +msgid "" +"

Please scan this QR Code with your authenticator app and submit the " +"provided code.

" +msgstr "" + +#: src/Module/Settings/TwoFactor/Verify.php:135 +#, php-format +msgid "" +"

Or you can open the following URL in your mobile device:

%s

" +msgstr "" + +#: src/Module/Settings/TwoFactor/Verify.php:142 +msgid "Verify code and enable two-factor authentication" +msgstr "" + +#: src/Module/Settings/UserExport.php:59 +msgid "Export account" +msgstr "" + +#: src/Module/Settings/UserExport.php:59 +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 "" + +#: src/Module/Settings/UserExport.php:60 +msgid "Export all" +msgstr "Изнасяне на всичко" + +#: src/Module/Settings/UserExport.php:60 +msgid "" +"Export your account info, contacts and all your items as json. Could be a " +"very big file, and could take a lot of time. Use this to make a full backup " +"of your account (photos are not exported)" +msgstr "" + +#: src/Module/Settings/UserExport.php:61 +msgid "Export Contacts to CSV" +msgstr "" + +#: src/Module/Settings/UserExport.php:61 +msgid "" +"Export the list of the accounts you are following as CSV file. Compatible to" +" e.g. Mastodon." +msgstr "" + +#: src/Module/Special/HTTPException.php:49 +msgid "Bad Request" +msgstr "" + +#: src/Module/Special/HTTPException.php:50 +msgid "Unauthorized" +msgstr "" + +#: src/Module/Special/HTTPException.php:51 +msgid "Forbidden" +msgstr "" + +#: src/Module/Special/HTTPException.php:52 +msgid "Not Found" +msgstr "Не е намерено" + +#: src/Module/Special/HTTPException.php:53 +msgid "Internal Server Error" +msgstr "" + +#: src/Module/Special/HTTPException.php:54 +msgid "Service Unavailable" +msgstr "" + +#: src/Module/Special/HTTPException.php:61 +msgid "" +"The server cannot or will not process the request due to an apparent client " +"error." +msgstr "" + +#: src/Module/Special/HTTPException.php:62 +msgid "" +"Authentication is required and has failed or has not yet been provided." +msgstr "" + +#: src/Module/Special/HTTPException.php:63 +msgid "" +"The request was valid, but the server is refusing action. The user might not" +" have the necessary permissions for a resource, or may need an account." +msgstr "" + +#: src/Module/Special/HTTPException.php:64 +msgid "" +"The requested resource could not be found but may be available in the " +"future." +msgstr "" + +#: src/Module/Special/HTTPException.php:65 +msgid "" +"An unexpected condition was encountered and no more specific message is " +"suitable." +msgstr "" + +#: src/Module/Special/HTTPException.php:66 +msgid "" +"The server is currently unavailable (because it is overloaded or down for " +"maintenance). Please try again later." +msgstr "" + +#: src/Module/Special/HTTPException.php:76 +msgid "Stack trace:" +msgstr "" + +#: src/Module/Special/HTTPException.php:80 +#, php-format +msgid "Exception thrown in %s:%d" +msgstr "" + +#: src/Module/Tos.php:46 src/Module/Tos.php:88 +msgid "" +"At the time of registration, and for providing communications between the " +"user account and their contacts, the user has to provide a display name (pen" +" name), an username (nickname) and a working email address. The names will " +"be accessible on the profile page of the account by any visitor of the page," +" even if other profile details are not displayed. The email address will " +"only be used to send the user notifications about interactions, but wont be " +"visibly displayed. The listing of an account in the node's user directory or" +" the global user directory is optional and can be controlled in the user " +"settings, it is not necessary for communication." +msgstr "" + +#: src/Module/Tos.php:47 src/Module/Tos.php:89 +msgid "" +"This data is required for communication and is passed on to the nodes of the" +" communication partners and is stored there. Users can enter additional " +"private data that may be transmitted to the communication partners accounts." +msgstr "" + +#: src/Module/Tos.php:48 src/Module/Tos.php:90 +#, php-format +msgid "" +"At any point in time a logged in user can export their account data from the" +" account settings. If the user " +"wants to delete their account they can do so at %1$s/removeme. The deletion of the account will " +"be permanent. Deletion of the data will also be requested from the nodes of " +"the communication partners." +msgstr "" + +#: src/Module/Tos.php:51 src/Module/Tos.php:87 +msgid "Privacy Statement" +msgstr "" + +#: src/Module/Welcome.php:44 +msgid "Welcome to Friendica" +msgstr "Добре дошли да Friendica" + +#: src/Module/Welcome.php:45 +msgid "New Member Checklist" +msgstr "Нова държава Чеклист" + +#: src/Module/Welcome.php:46 +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 "Бихме искали да предложим някои съвети и връзки, за да направи своя опит приятно. Кликнете върху елемент, за да посетите съответната страница. Линк към тази страница ще бъде видима от началната си страница в продължение на две седмици след първоначалната си регистрация и след това спокойно ще изчезне." + +#: src/Module/Welcome.php:48 +msgid "Getting Started" +msgstr "" + +#: src/Module/Welcome.php:49 +msgid "Friendica Walk-Through" +msgstr "" + +#: src/Module/Welcome.php:50 +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 "" + +#: src/Module/Welcome.php:53 +msgid "Go to Your Settings" +msgstr "" + +#: src/Module/Welcome.php:54 +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 "На настройки - да промени първоначалната си парола. Също така направи бележка на вашата самоличност адрес. Това изглежда точно като имейл адрес - и ще бъде полезно при вземането на приятели за свободното социална мрежа." + +#: src/Module/Welcome.php:55 +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 "Прегледайте други настройки, по-специално на настройките за поверителност. Непубликуван списък директория е нещо като скрит телефонен номер. Като цяло, може би трябва да публикува вашата обява - освен ако не всички от вашите приятели и потенциални приятели, знаят точно как да те намеря." + +#: src/Module/Welcome.php:59 +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 "Качване на снимката на профила, ако не сте го направили вече. Проучванията показват, че хората с истински снимки на себе си, са десет пъти по-вероятно да станат приятели, отколкото хората, които не." + +#: src/Module/Welcome.php:60 +msgid "Edit Your Profile" +msgstr "Редактиране на профила" + +#: src/Module/Welcome.php:61 +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 "Редактиране на подразбиране профил да ви хареса. Преглед на настройките за скриване на вашия списък с приятели и скриване на профила от неизвестни посетители." + +#: src/Module/Welcome.php:62 +msgid "Profile Keywords" +msgstr "Ключови думи на профила" + +#: src/Module/Welcome.php:63 +msgid "" +"Set some public keywords for your profile which describe your interests. We " +"may be able to find other people with similar interests and suggest " +"friendships." +msgstr "" + +#: src/Module/Welcome.php:65 +msgid "Connecting" +msgstr "Свързване" + +#: src/Module/Welcome.php:67 +msgid "Importing Emails" +msgstr "Внасяне на е-пощи" + +#: src/Module/Welcome.php:68 +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 "Въведете своя имейл достъп до информация на страницата Настройки на Connector, ако желаете да внасят и да взаимодейства с приятели или списъци с адреси от електронната си поща Входящи" + +#: src/Module/Welcome.php:69 +msgid "Go to Your Contacts Page" +msgstr "" + +#: src/Module/Welcome.php:70 +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 "Контакти страница е вашата врата към управлението на приятелства и свързване с приятели в други мрежи. Обикновено можете да въведете адрес или адрес на сайта в Добавяне на нов контакт диалоговия." + +#: src/Module/Welcome.php:71 +msgid "Go to Your Site's Directory" +msgstr "" + +#: src/Module/Welcome.php:72 +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 "Страницата на справочника ви позволява да намерите други хора в тази мрежа или други сайтове Федерални. Потърсете Свържете или Следвайте в профила си страница. Предоставяне на вашия собствен адрес за самоличност, ако това бъде поискано." + +#: src/Module/Welcome.php:73 +msgid "Finding New People" +msgstr "Откриване на нови хора" + +#: src/Module/Welcome.php:74 +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 часа." + +#: src/Module/Welcome.php:77 +msgid "Group Your Contacts" +msgstr "" + +#: src/Module/Welcome.php:78 +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 "След като сте направили някои приятели, да ги организирате в групи от частния разговор от страничната лента на страницата с контакти и след това можете да взаимодействате с всяка група частно във вашата мрежа." + +#: src/Module/Welcome.php:80 +msgid "Why Aren't My Posts Public?" +msgstr "Защо публикациите ми не са публични?" + +#: src/Module/Welcome.php:81 +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 "" + +#: src/Module/Welcome.php:83 +msgid "Getting Help" +msgstr "" + +#: src/Module/Welcome.php:84 +msgid "Go to the Help Section" +msgstr "" + +#: src/Module/Welcome.php:85 +msgid "" +"Our help pages may be consulted for detail on other program" +" features and resources." +msgstr "Нашата помощ страницата може да бъде консултиран за подробности относно други характеристики, програма и ресурси." + +#: src/Object/EMail/ItemCCEMail.php:39 #, php-format msgid "" "This message was sent to you by %s, a member of the Friendica social " "network." msgstr "Това съобщение е изпратено до вас от %s , член на социалната мрежа на Friendica." -#: mod/item.php:994 +#: src/Object/EMail/ItemCCEMail.php:41 #, php-format msgid "You may visit them online at %s" msgstr "Можете да ги посетите онлайн на адрес %s" -#: mod/item.php:995 +#: src/Object/EMail/ItemCCEMail.php:42 msgid "" "Please contact the sender by replying to this post if you do not wish to " "receive these messages." msgstr "Моля, свържете се с подателя, като отговори на този пост, ако не желаете да получавате тези съобщения." -#: mod/item.php:999 +#: src/Object/EMail/ItemCCEMail.php:46 #, php-format msgid "%s posted an update." msgstr "%s е публикувал актуализация." -#: mod/network.php:398 -#, php-format -msgid "" -"Warning: This group contains %s member from a network that doesn't allow non" -" public messages." -msgid_plural "" -"Warning: This group contains %s members from a network that doesn't allow " -"non public messages." -msgstr[0] "" -msgstr[1] "" +#: src/Object/Post.php:148 +msgid "This entry was edited" +msgstr "Записът е редактиран" -#: mod/network.php:401 -msgid "Messages in this group won't be send to these receivers." +#: src/Object/Post.php:176 +msgid "Private Message" +msgstr "Лично съобщение" + +#: src/Object/Post.php:221 +msgid "pinned item" msgstr "" -#: mod/network.php:529 -msgid "Private messages to this person are at risk of public disclosure." -msgstr "Лични съобщения до това лице, са изложени на риск от публичното оповестяване." +#: src/Object/Post.php:226 +msgid "Delete locally" +msgstr "" -#: mod/network.php:534 -msgid "Invalid contact." -msgstr "Невалиден свържете." +#: src/Object/Post.php:229 +msgid "Delete globally" +msgstr "" -#: mod/network.php:826 -msgid "Commented Order" -msgstr "Коментирани поръчка" +#: src/Object/Post.php:229 +msgid "Remove locally" +msgstr "" -#: mod/network.php:829 -msgid "Sort by Comment Date" -msgstr "Сортиране по Коментар Дата" +#: src/Object/Post.php:243 +#, php-format +msgid "Block %s" +msgstr "" -#: mod/network.php:834 -msgid "Posted Order" -msgstr "Пуснато на поръчка" +#: src/Object/Post.php:248 +msgid "save to folder" +msgstr "запишете в папка" -#: mod/network.php:837 -msgid "Sort by Post Date" -msgstr "Сортирай по пощата дата" +#: src/Object/Post.php:283 +msgid "I will attend" +msgstr "" -#: mod/network.php:848 -msgid "Posts that mention or involve you" -msgstr "Мнения, които споменават или включват" +#: src/Object/Post.php:283 +msgid "I will not attend" +msgstr "" -#: mod/network.php:856 -msgid "New" -msgstr "Нов профил." +#: src/Object/Post.php:283 +msgid "I might attend" +msgstr "" -#: mod/network.php:859 -msgid "Activity Stream - by date" -msgstr "Активност Stream - по дата" +#: src/Object/Post.php:313 +msgid "ignore thread" +msgstr "" -#: mod/network.php:867 -msgid "Shared Links" -msgstr "Общо връзки" +#: src/Object/Post.php:314 +msgid "unignore thread" +msgstr "" -#: mod/network.php:870 -msgid "Interesting Links" -msgstr "Интересни Връзки" +#: src/Object/Post.php:315 +msgid "toggle ignore status" +msgstr "" -#: mod/network.php:878 -msgid "Starred" -msgstr "Със звезда" +#: src/Object/Post.php:327 +msgid "pin" +msgstr "" -#: mod/network.php:881 -msgid "Favourite Posts" -msgstr "Любими Мнения" +#: src/Object/Post.php:328 +msgid "unpin" +msgstr "" -#: mod/ping.php:261 -msgid "{0} wants to be your friend" -msgstr "{0} иска да бъде твой приятел" +#: src/Object/Post.php:329 +msgid "toggle pin status" +msgstr "" -#: mod/ping.php:276 -msgid "{0} sent you a message" -msgstr "{0} ви изпрати съобщение" +#: src/Object/Post.php:332 +msgid "pinned" +msgstr "" -#: mod/ping.php:291 -msgid "{0} requested registration" -msgstr "{0} исканата регистрация" +#: src/Object/Post.php:339 +msgid "add star" +msgstr "Добавяне на звезда" -#: mod/viewcontacts.php:72 -msgid "No contacts." -msgstr "Няма контакти." +#: src/Object/Post.php:340 +msgid "remove star" +msgstr "Премахване на звездата" -#: object/Item.php:370 +#: src/Object/Post.php:341 +msgid "toggle star status" +msgstr "превключване звезда статус" + +#: src/Object/Post.php:344 +msgid "starred" +msgstr "звезда" + +#: src/Object/Post.php:348 +msgid "add tag" +msgstr "добавяне на етикет" + +#: src/Object/Post.php:358 +msgid "like" +msgstr "харесвам" + +#: src/Object/Post.php:359 +msgid "dislike" +msgstr "не харесвам" + +#: src/Object/Post.php:361 +msgid "Quote share this" +msgstr "" + +#: src/Object/Post.php:361 +msgid "Quote Share" +msgstr "" + +#: src/Object/Post.php:364 +msgid "Reshare this" +msgstr "" + +#: src/Object/Post.php:364 +msgid "Reshare" +msgstr "" + +#: src/Object/Post.php:365 +msgid "Cancel your Reshare" +msgstr "" + +#: src/Object/Post.php:365 +msgid "Unshare" +msgstr "" + +#: src/Object/Post.php:410 +#, php-format +msgid "%s (Received %s)" +msgstr "" + +#: src/Object/Post.php:415 +msgid "Comment this item on your system" +msgstr "" + +#: src/Object/Post.php:415 +msgid "remote comment" +msgstr "" + +#: src/Object/Post.php:427 +msgid "Pushed" +msgstr "" + +#: src/Object/Post.php:427 +msgid "Pulled" +msgstr "" + +#: src/Object/Post.php:459 +msgid "to" +msgstr "за" + +#: src/Object/Post.php:460 msgid "via" msgstr "" -#: view/theme/frio/php/Image.php:23 -msgid "Repeat the image" +#: src/Object/Post.php:461 +msgid "Wall-to-Wall" +msgstr "От стена до стена" + +#: src/Object/Post.php:462 +msgid "via Wall-To-Wall:" +msgstr "чрез стена до стена:" + +#: src/Object/Post.php:500 +#, php-format +msgid "Reply to %s" msgstr "" -#: view/theme/frio/php/Image.php:23 -msgid "Will repeat your image to fill the background." +#: src/Object/Post.php:503 +msgid "More" msgstr "" -#: view/theme/frio/php/Image.php:25 -msgid "Stretch" +#: src/Object/Post.php:521 +msgid "Notifier task is pending" msgstr "" -#: view/theme/frio/php/Image.php:25 -msgid "Will stretch to width/height of the image." +#: src/Object/Post.php:522 +msgid "Delivery to remote servers is pending" msgstr "" -#: view/theme/frio/php/Image.php:27 -msgid "Resize fill and-clip" +#: src/Object/Post.php:523 +msgid "Delivery to remote servers is underway" msgstr "" -#: view/theme/frio/php/Image.php:27 -msgid "Resize to fill and retain aspect ratio." +#: src/Object/Post.php:524 +msgid "Delivery to remote servers is mostly done" msgstr "" -#: view/theme/frio/php/Image.php:29 -msgid "Resize best fit" +#: src/Object/Post.php:525 +msgid "Delivery to remote servers is done" msgstr "" -#: view/theme/frio/php/Image.php:29 -msgid "Resize to best fit and retain aspect ratio." +#: src/Object/Post.php:545 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "" +msgstr[1] "" + +#: src/Object/Post.php:546 +msgid "Show more" msgstr "" -#: view/theme/frio/config.php:42 -msgid "Default" +#: src/Object/Post.php:547 +msgid "Show fewer" msgstr "" -#: view/theme/frio/config.php:54 -msgid "Note: " +#: src/Protocol/Diaspora.php:3424 +msgid "Attachments:" +msgstr "Приложения" + +#: src/Protocol/OStatus.php:1760 +#, php-format +msgid "%s is now following %s." msgstr "" -#: view/theme/frio/config.php:54 -msgid "Check image permissions if all users are allowed to visit the image" +#: src/Protocol/OStatus.php:1761 +msgid "following" +msgstr "следните условия:" + +#: src/Protocol/OStatus.php:1764 +#, php-format +msgid "%s stopped following %s." msgstr "" -#: view/theme/frio/config.php:62 -msgid "Select scheme" +#: src/Protocol/OStatus.php:1765 +msgid "stopped following" +msgstr "спря след" + +#: src/Render/FriendicaSmartyEngine.php:52 +msgid "The folder view/smarty3/ must be writable by webserver." msgstr "" -#: view/theme/frio/config.php:63 -msgid "Navigation bar background color" +#: src/Repository/ProfileField.php:275 +msgid "Hometown:" +msgstr "Hometown:" + +#: src/Repository/ProfileField.php:276 +msgid "Marital Status:" msgstr "" -#: view/theme/frio/config.php:64 -msgid "Navigation bar icon color " +#: src/Repository/ProfileField.php:277 +msgid "With:" msgstr "" -#: view/theme/frio/config.php:65 -msgid "Link color" +#: src/Repository/ProfileField.php:278 +msgid "Since:" msgstr "" -#: view/theme/frio/config.php:66 -msgid "Set the background color" +#: src/Repository/ProfileField.php:279 +msgid "Sexual Preference:" +msgstr "Сексуални предпочитания:" + +#: src/Repository/ProfileField.php:280 +msgid "Political Views:" +msgstr "Политически възгледи:" + +#: src/Repository/ProfileField.php:281 +msgid "Religious Views:" +msgstr "Религиозни възгледи:" + +#: src/Repository/ProfileField.php:282 +msgid "Likes:" +msgstr "Харесвания:" + +#: src/Repository/ProfileField.php:283 +msgid "Dislikes:" +msgstr "Нехаресвания:" + +#: src/Repository/ProfileField.php:284 +msgid "Title/Description:" +msgstr "Наименование/Описание" + +#: src/Repository/ProfileField.php:286 +msgid "Musical interests" +msgstr "Музикални интереси" + +#: src/Repository/ProfileField.php:287 +msgid "Books, literature" +msgstr "Книги, литература" + +#: src/Repository/ProfileField.php:288 +msgid "Television" +msgstr "Телевизия" + +#: src/Repository/ProfileField.php:289 +msgid "Film/dance/culture/entertainment" +msgstr "Филм / танц / Култура / забавления" + +#: src/Repository/ProfileField.php:290 +msgid "Hobbies/Interests" +msgstr "Хобита / интереси" + +#: src/Repository/ProfileField.php:291 +msgid "Love/romance" +msgstr "Любов / романтика" + +#: src/Repository/ProfileField.php:292 +msgid "Work/employment" +msgstr "Работа / заетост" + +#: src/Repository/ProfileField.php:293 +msgid "School/education" +msgstr "Училище / образование" + +#: src/Repository/ProfileField.php:294 +msgid "Contact information and Social Networks" +msgstr "Информация за контакти и социални мрежи" + +#: src/Security/Authentication.php:210 src/Security/Authentication.php:262 +msgid "Login failed." +msgstr "Влез не успя." + +#: src/Security/Authentication.php:273 +msgid "Login failed. Please check your credentials." msgstr "" -#: view/theme/frio/config.php:67 -msgid "Content background transparency" +#: src/Security/Authentication.php:389 +#, php-format +msgid "Welcome %s" msgstr "" -#: view/theme/frio/config.php:68 -msgid "Set the background image" +#: src/Security/Authentication.php:390 +msgid "Please upload a profile photo." +msgstr "Моля, да качите снимка профил." + +#: src/Util/EMailer/MailBuilder.php:259 +msgid "Friendica Notification" msgstr "" -#: view/theme/frio/theme.php:229 -msgid "Guest" +#: src/Util/EMailer/NotifyMailBuilder.php:78 +#: src/Util/EMailer/SystemMailBuilder.php:54 +#, php-format +msgid "%1$s, %2$s Administrator" msgstr "" -#: view/theme/frio/theme.php:235 -msgid "Visitor" +#: src/Util/EMailer/NotifyMailBuilder.php:80 +#: src/Util/EMailer/SystemMailBuilder.php:56 +#, php-format +msgid "%s Administrator" msgstr "" -#: view/theme/quattro/config.php:67 -msgid "Alignment" -msgstr "Подравняване" - -#: view/theme/quattro/config.php:67 -msgid "Left" -msgstr "Ляво" - -#: view/theme/quattro/config.php:67 -msgid "Center" -msgstr "Център" - -#: view/theme/quattro/config.php:68 -msgid "Color scheme" -msgstr "Цветова схема" - -#: view/theme/quattro/config.php:69 -msgid "Posts font size" +#: src/Util/EMailer/NotifyMailBuilder.php:193 +#: src/Util/EMailer/NotifyMailBuilder.php:217 +#: src/Util/EMailer/SystemMailBuilder.php:101 +#: src/Util/EMailer/SystemMailBuilder.php:118 +msgid "thanks" msgstr "" -#: view/theme/quattro/config.php:70 -msgid "Textareas font size" +#: src/Util/Temporal.php:167 +msgid "YYYY-MM-DD or MM-DD" msgstr "" -#: view/theme/vier/theme.php:152 view/theme/vier/config.php:112 -msgid "Community Profiles" -msgstr "Общността Профили" - -#: view/theme/vier/theme.php:181 view/theme/vier/config.php:116 -msgid "Last users" -msgstr "Последни потребители" - -#: view/theme/vier/theme.php:199 view/theme/vier/config.php:115 -msgid "Find Friends" -msgstr "Намери приятели" - -#: view/theme/vier/theme.php:200 -msgid "Local Directory" -msgstr "Локалната директория" - -#: view/theme/vier/theme.php:291 -msgid "Quick Start" +#: src/Util/Temporal.php:314 +msgid "never" msgstr "" -#: view/theme/vier/theme.php:373 view/theme/vier/config.php:114 -msgid "Connect Services" -msgstr "Свържете Услуги" - -#: view/theme/vier/config.php:64 -msgid "Comma separated list of helper forums" +#: src/Util/Temporal.php:321 +msgid "less than a second ago" msgstr "" -#: view/theme/vier/config.php:110 -msgid "Set style" +#: src/Util/Temporal.php:329 +msgid "year" msgstr "" -#: view/theme/vier/config.php:111 -msgid "Community Pages" -msgstr "Общността Pages" +#: src/Util/Temporal.php:329 +msgid "years" +msgstr "" -#: view/theme/vier/config.php:113 -msgid "Help or @NewHere ?" -msgstr "Помощ или @ NewHere,?" +#: src/Util/Temporal.php:330 +msgid "months" +msgstr "" -#: view/theme/duepuntozero/config.php:45 +#: src/Util/Temporal.php:331 +msgid "weeks" +msgstr "" + +#: src/Util/Temporal.php:332 +msgid "days" +msgstr "" + +#: src/Util/Temporal.php:333 +msgid "hour" +msgstr "" + +#: src/Util/Temporal.php:333 +msgid "hours" +msgstr "" + +#: src/Util/Temporal.php:334 +msgid "minute" +msgstr "" + +#: src/Util/Temporal.php:334 +msgid "minutes" +msgstr "" + +#: src/Util/Temporal.php:335 +msgid "second" +msgstr "" + +#: src/Util/Temporal.php:335 +msgid "seconds" +msgstr "" + +#: src/Util/Temporal.php:345 +#, php-format +msgid "in %1$d %2$s" +msgstr "" + +#: src/Util/Temporal.php:348 +#, php-format +msgid "%1$d %2$s ago" +msgstr "" + +#: src/Worker/Delivery.php:566 +msgid "(no subject)" +msgstr "" + +#: view/theme/duepuntozero/config.php:52 +msgid "default" +msgstr "" + +#: view/theme/duepuntozero/config.php:53 msgid "greenzero" msgstr "" -#: view/theme/duepuntozero/config.php:46 +#: view/theme/duepuntozero/config.php:54 msgid "purplezero" msgstr "" -#: view/theme/duepuntozero/config.php:47 +#: view/theme/duepuntozero/config.php:55 msgid "easterbunny" msgstr "" -#: view/theme/duepuntozero/config.php:48 +#: view/theme/duepuntozero/config.php:56 msgid "darkzero" msgstr "" -#: view/theme/duepuntozero/config.php:49 +#: view/theme/duepuntozero/config.php:57 msgid "comix" msgstr "" -#: view/theme/duepuntozero/config.php:50 +#: view/theme/duepuntozero/config.php:58 msgid "slackr" msgstr "" -#: view/theme/duepuntozero/config.php:62 +#: view/theme/duepuntozero/config.php:71 msgid "Variations" msgstr "" -#: boot.php:970 -msgid "Delete this item?" -msgstr "Изтриване на тази бележка?" - -#: boot.php:973 -msgid "show fewer" -msgstr "показват по-малко" - -#: boot.php:1655 -#, php-format -msgid "Update %s failed. See error logs." -msgstr "Актуализация %s не успя. Виж логовете за грешки." - -#: boot.php:1767 -msgid "Create a New Account" -msgstr "Създаване на нов профил:" - -#: boot.php:1796 -msgid "Password: " -msgstr "Парола " - -#: boot.php:1797 -msgid "Remember me" +#: view/theme/frio/config.php:142 +msgid "Light (Accented)" msgstr "" -#: boot.php:1800 -msgid "Or login using OpenID: " -msgstr "Или да влезнете с OpenID: " - -#: boot.php:1806 -msgid "Forgot your password?" -msgstr "Забравена парола?" - -#: boot.php:1809 -msgid "Website Terms of Service" -msgstr "Условия за ползване на сайта" - -#: boot.php:1810 -msgid "terms of service" -msgstr "условия за ползване" - -#: boot.php:1812 -msgid "Website Privacy Policy" -msgstr "Политика за поверителност на сайта" - -#: boot.php:1813 -msgid "privacy policy" -msgstr "политика за поверителност" - -#: index.php:451 -msgid "toggle mobile" +#: view/theme/frio/config.php:143 +msgid "Dark (Accented)" +msgstr "" + +#: view/theme/frio/config.php:144 +msgid "Black (Accented)" +msgstr "" + +#: view/theme/frio/config.php:156 +msgid "Note" +msgstr "" + +#: view/theme/frio/config.php:156 +msgid "Check image permissions if all users are allowed to see the image" +msgstr "" + +#: view/theme/frio/config.php:162 +msgid "Custom" +msgstr "" + +#: view/theme/frio/config.php:163 +msgid "Legacy" +msgstr "" + +#: view/theme/frio/config.php:164 +msgid "Accented" +msgstr "" + +#: view/theme/frio/config.php:165 +msgid "Select color scheme" +msgstr "" + +#: view/theme/frio/config.php:166 +msgid "Select scheme accent" +msgstr "" + +#: view/theme/frio/config.php:166 +msgid "Blue" +msgstr "" + +#: view/theme/frio/config.php:166 +msgid "Red" +msgstr "" + +#: view/theme/frio/config.php:166 +msgid "Purple" +msgstr "" + +#: view/theme/frio/config.php:166 +msgid "Green" +msgstr "" + +#: view/theme/frio/config.php:166 +msgid "Pink" +msgstr "" + +#: view/theme/frio/config.php:167 +msgid "Copy or paste schemestring" +msgstr "" + +#: view/theme/frio/config.php:167 +msgid "" +"You can copy this string to share your theme with others. Pasting here " +"applies the schemestring" +msgstr "" + +#: view/theme/frio/config.php:168 +msgid "Navigation bar background color" +msgstr "" + +#: view/theme/frio/config.php:169 +msgid "Navigation bar icon color " +msgstr "" + +#: view/theme/frio/config.php:170 +msgid "Link color" +msgstr "" + +#: view/theme/frio/config.php:171 +msgid "Set the background color" +msgstr "" + +#: view/theme/frio/config.php:172 +msgid "Content background opacity" +msgstr "" + +#: view/theme/frio/config.php:173 +msgid "Set the background image" +msgstr "" + +#: view/theme/frio/config.php:174 +msgid "Background image style" +msgstr "" + +#: view/theme/frio/config.php:179 +msgid "Login page background image" +msgstr "" + +#: view/theme/frio/config.php:183 +msgid "Login page background color" +msgstr "" + +#: view/theme/frio/config.php:183 +msgid "Leave background image and color empty for theme defaults" +msgstr "" + +#: view/theme/frio/php/default.php:81 view/theme/frio/php/standard.php:38 +msgid "Skip to main content" +msgstr "" + +#: view/theme/frio/php/Image.php:40 +msgid "Top Banner" +msgstr "" + +#: view/theme/frio/php/Image.php:40 +msgid "" +"Resize image to the width of the screen and show background color below on " +"long pages." +msgstr "" + +#: view/theme/frio/php/Image.php:41 +msgid "Full screen" +msgstr "" + +#: view/theme/frio/php/Image.php:41 +msgid "" +"Resize image to fill entire screen, clipping either the right or the bottom." +msgstr "" + +#: view/theme/frio/php/Image.php:42 +msgid "Single row mosaic" +msgstr "" + +#: view/theme/frio/php/Image.php:42 +msgid "" +"Resize image to repeat it on a single row, either vertical or horizontal." +msgstr "" + +#: view/theme/frio/php/Image.php:43 +msgid "Mosaic" +msgstr "" + +#: view/theme/frio/php/Image.php:43 +msgid "Repeat image to fill the screen." +msgstr "" + +#: view/theme/frio/theme.php:207 +msgid "Guest" +msgstr "" + +#: view/theme/frio/theme.php:210 +msgid "Visitor" +msgstr "" + +#: view/theme/quattro/config.php:73 +msgid "Alignment" +msgstr "" + +#: view/theme/quattro/config.php:73 +msgid "Left" +msgstr "" + +#: view/theme/quattro/config.php:73 +msgid "Center" +msgstr "" + +#: view/theme/quattro/config.php:74 +msgid "Color scheme" +msgstr "" + +#: view/theme/quattro/config.php:75 +msgid "Posts font size" +msgstr "" + +#: view/theme/quattro/config.php:76 +msgid "Textareas font size" +msgstr "" + +#: view/theme/vier/config.php:75 +msgid "Comma separated list of helper forums" +msgstr "" + +#: view/theme/vier/config.php:115 +msgid "don't show" +msgstr "" + +#: view/theme/vier/config.php:115 +msgid "show" +msgstr "" + +#: view/theme/vier/config.php:121 +msgid "Set style" +msgstr "" + +#: view/theme/vier/config.php:122 +msgid "Community Pages" +msgstr "" + +#: view/theme/vier/config.php:123 view/theme/vier/theme.php:125 +msgid "Community Profiles" +msgstr "" + +#: view/theme/vier/config.php:124 +msgid "Help or @NewHere ?" +msgstr "" + +#: view/theme/vier/config.php:125 view/theme/vier/theme.php:296 +msgid "Connect Services" +msgstr "" + +#: view/theme/vier/config.php:126 +msgid "Find Friends" +msgstr "" + +#: view/theme/vier/config.php:127 view/theme/vier/theme.php:152 +msgid "Last users" +msgstr "" + +#: view/theme/vier/theme.php:211 +msgid "Quick Start" msgstr "" diff --git a/view/lang/bg/strings.php b/view/lang/bg/strings.php index 1c206d3848..8f223d9299 100644 --- a/view/lang/bg/strings.php +++ b/view/lang/bg/strings.php @@ -6,321 +6,20 @@ function string_plural_select_bg($n){ return intval($n != 1); }} ; -$a->strings["Add New Contact"] = "Добавяне на нов контакт"; -$a->strings["Enter address or web location"] = "Въведете местоположение на адрес или уеб"; -$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Пример: bob@example.com, http://example.com/barbara"; -$a->strings["Connect"] = "Свързване! "; -$a->strings["%d invitation available"] = [ +$a->strings["Daily posting limit of %d post reached. The post was rejected."] = [ + 0 => "Дневният лимит от %dпост е достигнат. Постът беше отхвърлен.", + 1 => "Дневният лимит от %d поста е достигнат. Постът беше отхвърлен.", ]; -$a->strings["Find People"] = "Намерете хора,"; -$a->strings["Enter name or interest"] = "Въведете името или интерес"; -$a->strings["Connect/Follow"] = "Свържете се / последваща"; -$a->strings["Examples: Robert Morgenstein, Fishing"] = "Примери: Робърт Morgenstein, Риболов"; -$a->strings["Find"] = "Търсене"; -$a->strings["Friend Suggestions"] = "Предложения за приятели"; -$a->strings["Similar Interests"] = "Сходни интереси"; -$a->strings["Random Profile"] = "Случайна Профил"; -$a->strings["Invite Friends"] = "Покани приятели"; -$a->strings["Networks"] = "Мрежи"; -$a->strings["All Networks"] = "Всички мрежи"; -$a->strings["Saved Folders"] = "Записани папки"; -$a->strings["Everything"] = "Всичко"; -$a->strings["Categories"] = "Категории"; -$a->strings["%d contact in common"] = [ +$a->strings["Weekly posting limit of %d post reached. The post was rejected."] = [ + 0 => "Седмичният лимит от %d пост е достигнат. Постът беше отказан.", + 1 => "Седмичният лимит от %d поста е достигнат. Постът беше отказан.", ]; -$a->strings["show more"] = "покажи още"; -$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"] = "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"] = "Autosexual"; -$a->strings["Abstinent"] = "Трезвен"; -$a->strings["Virgin"] = "Девица"; -$a->strings["Deviant"] = "Девиантно"; -$a->strings["Fetish"] = "Фетиш"; -$a->strings["Oodles"] = "Голямо количество"; -$a->strings["Nonsexual"] = "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["Cannot locate DNS info for database server '%s'"] = "Не може да намери DNS информация за сървъра на базата данни \" %s \""; -$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["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["Group Name: "] = "Име на група: "; -$a->strings["Contacts not in any group"] = "Контакти, не във всяка група"; -$a->strings["add"] = "добави"; -$a->strings["Unknown | Not categorised"] = "Неизвестен | Без категория"; -$a->strings["Block immediately"] = "Блок веднага"; -$a->strings["Shady, spammer, self-marketer"] = "Shady, спамър, самостоятелно маркетолог"; -$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"] = "Диаспора"; -$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["Post to Email"] = "Коментар на e-mail"; -$a->strings["Hide your profile details from unknown viewers?"] = "Скриване на детайли от профила си от неизвестни зрители?"; -$a->strings["Visible to everybody"] = "Видими за всички"; -$a->strings["show"] = "Покажи:"; -$a->strings["don't show"] = "не показват"; -$a->strings["CC: email addresses"] = "CC: имейл адреси"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Пример: bob@example.com, mary@example.com"; -$a->strings["Permissions"] = "права"; -$a->strings["Close"] = "Затвори"; -$a->strings["photo"] = "снимка"; -$a->strings["status"] = "статус"; +$a->strings["Monthly posting limit of %d post reached. The post was rejected."] = "Месечният лимит от %d пост е достигнат. Постът беше отказан."; +$a->strings["Profile Photos"] = "Снимка на профила"; $a->strings["event"] = "събитието."; -$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["[no subject]"] = "[Без тема]"; -$a->strings["Wall Photos"] = "Стена снимки"; -$a->strings["Click here to upgrade."] = "Натиснете тук за обновяване."; -$a->strings["User creation error"] = "Грешка при създаване на потребителя"; -$a->strings["User profile creation error"] = "Грешка при създаване профила на потребителя"; -$a->strings["%d contact not imported"] = [ -]; -$a->strings["Miscellaneous"] = "Разни"; -$a->strings["Birthday:"] = "Дата на раждане:"; -$a->strings["Age: "] = "Възраст: "; -$a->strings["never"] = "никога"; -$a->strings["less than a second ago"] = "по-малко, отколкото преди секунда"; -$a->strings["year"] = "година"; -$a->strings["years"] = "година"; -$a->strings["month"] = "месец."; -$a->strings["months"] = "месеца"; -$a->strings["week"] = "седмица"; -$a->strings["weeks"] = "седмица"; -$a->strings["day"] = "Ден:"; -$a->strings["days"] = "дни."; -$a->strings["hour"] = "Час:"; -$a->strings["hours"] = "часа"; -$a->strings["minute"] = "Минута"; -$a->strings["minutes"] = "протокол"; -$a->strings["second"] = "секунди. "; -$a->strings["seconds"] = "секунди. "; -$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s преди"; -$a->strings["Happy Birthday %s"] = "Честит рожден ден, %s!"; -$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: Извести] Нова поща, получена в %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."] = "Ви изпрати %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 %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: Изпращайте] коментар към разговор # %1\$d от %2\$s"; -$a->strings["%s commented on an item/conversation you have been following."] = "%s коментира артикул / разговор, който са били."; -$a->strings["Please visit %s to view and/or reply to the conversation."] = "Моля, посетете %s да видите и / или да отговорите на разговор."; -$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica: Извести] %s публикуван вашия профил стена"; -$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s публикуван вашия профил стена при %2\$s"; -$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica: Извести] %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 tagged your post"] = "[Friendica: Извести] %s сложи етикет с вашия пост"; -$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s маркира твоя пост в %2\$s"; -$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s маркира [URL = %2\$s ] Публикацията ви [/ URL]"; -$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica: Извести] Въведение получи"; -$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Получили сте въведения от %1\$s в %2\$s"; -$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Получили сте [URL = %1\$s ] въведение [/ URL] от %2\$s ."; -$a->strings["You may visit their profile at %s"] = "Можете да посетите техния профил в %s"; -$a->strings["Please visit %s to approve or reject the introduction."] = "Моля, посетете %s да одобри или да отхвърли въвеждането."; -$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica: Извести] приятел предложение получи"; -$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Получили сте приятел предложение от %1\$s в %2\$s"; -$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Получили сте [URL = %1\$s ] предложение приятел [/ URL] %2\$s от %3\$s ."; -$a->strings["Name:"] = "Наименование:"; -$a->strings["Photo:"] = "Снимка:"; -$a->strings["Please visit %s to approve or reject the suggestion."] = "Моля, посетете %s да одобри или отхвърли предложението."; -$a->strings["l F d, Y \\@ g:i A"] = "L F г, Y \\ @ G: I A"; -$a->strings["Starts:"] = "Започва:"; -$a->strings["Finishes:"] = "Играчи:"; -$a->strings["Location:"] = "Място:"; -$a->strings["Sunday"] = "Неделя"; -$a->strings["Monday"] = "Понеделник"; -$a->strings["Tuesday"] = "Вторник"; -$a->strings["Wednesday"] = "Сряда"; -$a->strings["Thursday"] = "Четвъртък"; -$a->strings["Friday"] = "Петък"; -$a->strings["Saturday"] = "Събота"; -$a->strings["May"] = "Май"; -$a->strings["January"] = "януари"; -$a->strings["February"] = "февруари"; -$a->strings["March"] = "март"; -$a->strings["April"] = "април"; -$a->strings["June"] = "юни"; -$a->strings["July"] = "юли"; -$a->strings["August"] = "август"; -$a->strings["September"] = "септември"; -$a->strings["October"] = "октомври"; -$a->strings["November"] = "ноември"; -$a->strings["December"] = "декември"; -$a->strings["l, F j"] = "л, F J"; -$a->strings["Edit event"] = "Редактиране на Събитието"; -$a->strings["link to source"] = "връзка източник"; -$a->strings["Nothing new here"] = "Нищо ново тук"; -$a->strings["Clear notifications"] = "Изчистване на уведомленията"; -$a->strings["Logout"] = "изход"; -$a->strings["End this session"] = "Край на тази сесия"; -$a->strings["Status"] = "Състояние:"; -$a->strings["Your posts and conversations"] = "Вашите мнения и разговори"; -$a->strings["Profile"] = "Височина на профила"; -$a->strings["Your profile page"] = "Вашият профил страница"; -$a->strings["Photos"] = "Снимки"; -$a->strings["Your photos"] = "Вашите снимки"; -$a->strings["Videos"] = "Видеоклипове"; -$a->strings["Events"] = "Събития"; -$a->strings["Your events"] = "Събитията си"; -$a->strings["Personal notes"] = "Личните бележки"; -$a->strings["Login"] = "Вход"; -$a->strings["Sign in"] = "Вход"; -$a->strings["Home"] = "Начало"; -$a->strings["Home Page"] = "Начална страница"; -$a->strings["Register"] = "Регистратор"; -$a->strings["Create an account"] = "Създаване на сметка"; -$a->strings["Help"] = "Помощ"; -$a->strings["Help and documentation"] = "Помощ и документация"; -$a->strings["Apps"] = "Apps"; -$a->strings["Addon applications, utilities, games"] = "Адон приложения, помощни програми, игри"; -$a->strings["Search"] = "Търсене"; -$a->strings["Search site content"] = "Търсене в сайта съдържание"; -$a->strings["Contacts"] = "Контакти "; -$a->strings["Community"] = "Общност"; -$a->strings["Conversations on this site"] = "Разговори на този сайт"; -$a->strings["Events and Calendar"] = "Събития и календарни"; -$a->strings["Directory"] = "директория"; -$a->strings["People directory"] = "Хората директория"; -$a->strings["Network"] = "Мрежа"; -$a->strings["Conversations from your friends"] = "Разговори от вашите приятели"; -$a->strings["Introductions"] = "Представяне"; -$a->strings["Friend Requests"] = "Молби за приятелство"; -$a->strings["Notifications"] = "Уведомления "; -$a->strings["See all notifications"] = "Вижте всички нотификации"; -$a->strings["Mark as seen"] = "Марк, както се вижда"; -$a->strings["Mark all system notifications seen"] = "Марк виждали уведомления всички системни"; -$a->strings["Messages"] = "Съобщения"; -$a->strings["Private mail"] = "Частна поща"; -$a->strings["Inbox"] = "Вх. поща"; -$a->strings["Outbox"] = "Изходящи"; -$a->strings["New Message"] = "Ново съобщение"; -$a->strings["Manage"] = "Управление"; -$a->strings["Manage other pages"] = "Управление на други страници"; -$a->strings["Delegate Page Management"] = "Участник, за управление на страница"; -$a->strings["Settings"] = "Настройки"; -$a->strings["Account settings"] = "Настройки на профила"; -$a->strings["Profiles"] = "Профили "; -$a->strings["Manage/edit friends and contacts"] = "Управление / редактиране на приятели и контакти"; -$a->strings["Admin"] = "admin"; -$a->strings["Site setup and configuration"] = "Настройка и конфигуриране на сайта"; -$a->strings["Navigation"] = "Навигация"; -$a->strings["Site map"] = "Карта на сайта"; -$a->strings["Contact Photos"] = "Свържете снимки"; -$a->strings["Welcome "] = "Добре дошли "; -$a->strings["Please upload a profile photo."] = "Моля, да качите снимка профил."; -$a->strings["Welcome back "] = "Здравейте отново! "; -$a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = "Маркера за сигурност не е вярна. Това вероятно е станало, тъй като формата е била отворена за прекалено дълго време (> 3 часа) преди да го представи."; -$a->strings["System"] = "Система"; -$a->strings["Personal"] = "Лично"; -$a->strings["%s commented on %s's post"] = "%s коментира %s е след"; -$a->strings["%s created a new post"] = "%s създаден нов пост"; -$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["Friend Suggestion"] = "Приятел за предложения"; -$a->strings["Friend/Connect Request"] = "Приятел / заявка за свързване"; -$a->strings["New Follower"] = "Нов последовател"; -$a->strings["Errors encountered creating database tables."] = "Грешки, възникнали създаване на таблиците в базата данни."; -$a->strings["(no subject)"] = "(Без тема)"; -$a->strings["Sharing notification from Diaspora network"] = "Споделяне на уведомление от диаспората мрежа"; -$a->strings["Attachments:"] = "Приложения"; -$a->strings["view full size"] = "видите в пълен размер"; -$a->strings["View Profile"] = "Преглед на профил"; -$a->strings["View Status"] = "Показване на състоянието"; -$a->strings["View Photos"] = "Вижте снимки"; -$a->strings["Network Posts"] = "Мрежови Мнения"; -$a->strings["Send PM"] = "Изпратете PM"; -$a->strings["Image/photo"] = "Изображение / снимка"; -$a->strings["$1 wrote:"] = "$ 1 пише:"; -$a->strings["Encrypted content"] = "Шифрирано съдържание"; -$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s вече е приятел с %2\$s"; +$a->strings["status"] = "статус"; +$a->strings["photo"] = "снимка"; $a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s сложи етикет с %2\$s - %3\$s %4\$s"; -$a->strings["post/item"] = "длъжност / позиция"; -$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s маркираната %2\$s - %3\$s като предпочитано"; -$a->strings["Likes"] = "Харесвания"; -$a->strings["Dislikes"] = "Нехаресвания"; -$a->strings["Attending"] = [ -]; $a->strings["Select"] = "избор"; $a->strings["Delete"] = "Изтриване"; $a->strings["View %s's profile @ %s"] = "Преглед профила на %s в %s"; @@ -331,342 +30,32 @@ $a->strings["View in context"] = "Поглед в контекста"; $a->strings["Please wait"] = "Моля, изчакайте"; $a->strings["remove"] = "Премахване"; $a->strings["Delete Selected Items"] = "Изтриване на избраните елементи"; +$a->strings["Stored"] = "запазено"; +$a->strings["View Status"] = "Показване на състоянието"; +$a->strings["View Profile"] = "Преглед на профил"; +$a->strings["View Photos"] = "Вижте снимки"; +$a->strings["Network Posts"] = "Мрежови Мнения"; +$a->strings["View Contact"] = "Преглед на Контакта"; +$a->strings["Send PM"] = "Изпратете PM"; +$a->strings["Block"] = "Блокиране"; +$a->strings["Ignore"] = "Пренебрегване"; +$a->strings["Languages"] = "Езици"; +$a->strings["Poke"] = "Сръчкай"; +$a->strings["Connect/Follow"] = "Свържете се / последваща"; $a->strings["%s likes this."] = "%s харесва това."; $a->strings["%s doesn't like this."] = "%s не харесва това."; $a->strings["and"] = "и"; -$a->strings[", and %d other people"] = ", И %d други хора"; $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:"] = "Tag термин:"; $a->strings["Save to Folder:"] = "Запиши в папка:"; $a->strings["Where are you right now?"] = "Къде сте в момента?"; -$a->strings["Share"] = "дял,%"; +$a->strings["New Post"] = "Нов пост"; +$a->strings["Share"] = "Споделяне"; +$a->strings["Loading..."] = "Зареждане..."; $a->strings["Upload photo"] = "Качване на снимка"; $a->strings["upload photo"] = "качване на снимка"; $a->strings["Attach file"] = "Прикачване на файл"; $a->strings["attach file"] = "Прикачване на файл"; -$a->strings["Insert web link"] = "Вмъкване на връзка в Мрежата"; -$a->strings["web link"] = "Уеб-линк"; -$a->strings["Insert video link"] = "Поставете линка на видео"; -$a->strings["video link"] = "видео връзка"; -$a->strings["Insert audio link"] = "Поставете аудио връзка"; -$a->strings["audio link"] = "аудио връзка"; -$a->strings["Set your location"] = "Задайте местоположението си"; -$a->strings["set location"] = "Задаване на местоположението"; -$a->strings["Clear browser location"] = "Изчистване на браузъра място"; -$a->strings["clear location"] = "ясно място"; -$a->strings["Set title"] = "Задайте заглавие"; -$a->strings["Categories (comma-separated list)"] = "Категории (разделен със запетаи списък)"; -$a->strings["Permission settings"] = "Настройките за достъп"; -$a->strings["permissions"] = "права"; -$a->strings["Public post"] = "Обществена длъжност"; -$a->strings["Preview"] = "Преглед"; -$a->strings["Cancel"] = "Отмени"; -$a->strings["Message"] = "Съобщение"; -$a->strings["Like"] = [ -]; -$a->strings["Dislike"] = [ -]; -$a->strings["Not Attending"] = [ -]; -$a->strings["Search by Date"] = "Търсене по дата"; -$a->strings["Network Filter"] = "Мрежов филтър"; -$a->strings["Saved Searches"] = "Запазени търсения"; -$a->strings["Disallowed profile URL."] = "Отхвърлен профила 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."] = "Limited профил. Този човек ще бъде в състояние да получат преки / лична уведомления от вас."; -$a->strings["Unable to retrieve contact information."] = "Не мога да получа информация за контакт."; -$a->strings["Requested profile is not available."] = "Замолената профила не е достъпна."; -$a->strings["Edit profile"] = "Редактиране на потребителския профил"; -$a->strings["Manage/edit profiles"] = "Управление / редактиране на профили"; -$a->strings["Change profile photo"] = "Промяна на снимката на профил"; -$a->strings["Create New Profile"] = "Създай нов профил"; -$a->strings["Profile Image"] = "Профил на изображението"; -$a->strings["visible to everybody"] = "видими за всички"; -$a->strings["Edit visibility"] = "Редактиране на видимост"; -$a->strings["Gender:"] = "Пол:"; -$a->strings["Status:"] = "Състояние:"; -$a->strings["Homepage:"] = "Начална страница:"; -$a->strings["About:"] = "това ?"; -$a->strings["g A l F d"] = "грама Л Е г"; -$a->strings["F d"] = "F г"; -$a->strings["[today]"] = "Днес"; -$a->strings["Birthday Reminders"] = "Напомняния за рождени дни"; -$a->strings["Birthdays this week:"] = "Рождени дни този Седмица:"; -$a->strings["[No description]"] = "[Няма описание]"; -$a->strings["Event Reminders"] = "Напомняния"; -$a->strings["Events this week:"] = "Събития тази седмица:"; -$a->strings["Full Name:"] = "Собствено и фамилно име"; -$a->strings["j F, Y"] = "J F, Y"; -$a->strings["j F"] = "J F"; -$a->strings["Age:"] = "Възраст:"; -$a->strings["for %1\$d %2\$s"] = "за %1\$d %2\$s"; -$a->strings["Sexual Preference:"] = "Сексуални предпочитания:"; -$a->strings["Hometown:"] = "Hometown:"; -$a->strings["Tags:"] = "Маркери:"; -$a->strings["Political Views:"] = "Политически възгледи:"; -$a->strings["Religion:"] = "Вероизповедание:"; -$a->strings["Hobbies/Interests:"] = "Хобита / Интереси:"; -$a->strings["Likes:"] = "Харесвания:"; -$a->strings["Dislikes:"] = "Нехаресвания:"; -$a->strings["Contact information and Social Networks:"] = "Информация за контакти и социални мрежи:"; -$a->strings["Musical interests:"] = "Музикални интереси:"; -$a->strings["Books, literature:"] = "Книги, литература:"; -$a->strings["Television:"] = "Телевизия:"; -$a->strings["Film/dance/culture/entertainment:"] = "Филм / танц / Култура / развлечения:"; -$a->strings["Love/Romance:"] = "Любов / Romance:"; -$a->strings["Work/employment:"] = "Работа / заетост:"; -$a->strings["School/education:"] = "Училище / образование:"; -$a->strings["Advanced"] = "Напреднал"; -$a->strings["Status Messages and Posts"] = "Съобщения за състоянието и пощи"; -$a->strings["Profile Details"] = "Детайли от профила"; -$a->strings["Photo Albums"] = "Фотоалбуми"; -$a->strings["Personal Notes"] = "Личните бележки"; -$a->strings["Only You Can See This"] = "Можете да видите това"; -$a->strings["[Name Withheld]"] = "[Име, удържани]"; -$a->strings["Item not found."] = "Елемент не е намерен."; -$a->strings["Yes"] = "Yes"; -$a->strings["Permission denied."] = "Разрешението е отказано."; -$a->strings["Archives"] = "Архиви"; -$a->strings["Embedded content"] = "Вградени съдържание"; -$a->strings["Embedding disabled"] = "Вграждане на инвалиди"; -$a->strings["following"] = "следните условия:"; -$a->strings["stopped following"] = "спря след"; -$a->strings["prev"] = "Пред."; -$a->strings["first"] = "Първа"; -$a->strings["last"] = "Дата на последния одит. "; -$a->strings["next"] = "следващ"; -$a->strings["No contacts"] = "Няма контакти"; -$a->strings["%d Contact"] = [ -]; -$a->strings["View Contacts"] = "Вижте Контакти"; -$a->strings["Save"] = "Запази"; -$a->strings["View Video"] = "Преглед на видеоклип"; -$a->strings["bytes"] = "байта"; -$a->strings["Click to open/close"] = "Кликнете за отваряне / затваряне"; -$a->strings["activity"] = "дейност"; -$a->strings["comment"] = [ -]; -$a->strings["post"] = "след"; -$a->strings["Item filed"] = "Т. подава"; -$a->strings["Passwords do not match. Password unchanged."] = "Паролите не съвпадат. Парола непроменен."; -$a->strings["An invitation is required."] = "Се изисква покана."; -$a->strings["Invitation could not be verified."] = "Покана не може да бъде проверена."; -$a->strings["Invalid OpenID url"] = "Невалиден URL OpenID"; -$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["Nickname is already registered. Please choose another."] = "Псевдоним вече е регистрирано. Моля, изберете друга."; -$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Псевдоним някога е бил регистриран тук и не могат да се използват повторно. Моля, изберете друга."; -$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "Сериозна грешка: генериране на ключове за защита не успя."; -$a->strings["An error occurred during registration. Please try again."] = "Възникна грешка по време на регистрацията. Моля, опитайте отново."; -$a->strings["default"] = "預設值"; -$a->strings["An error occurred creating your default profile. Please try again."] = "Възникна грешка при създаването на своя профил по подразбиране. Моля, опитайте отново."; -$a->strings["Profile Photos"] = "Снимка на профила"; -$a->strings["Registration details for %s"] = "Регистрационни данни за %s"; -$a->strings["Post successful."] = "Мнение успешно."; -$a->strings["Access denied."] = "Отказан достъп."; -$a->strings["Welcome to %s"] = "Добре дошли %s"; -$a->strings["No more system notifications."] = "Не повече системни известия."; -$a->strings["System Notifications"] = "Системни известия"; -$a->strings["Remove term"] = "Премахване мандат"; -$a->strings["Public access denied."] = "Публичен достъп отказан."; -$a->strings["No results."] = "Няма резултати."; -$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"] = "Предложения, похвали, дарения и т.н. - моля пишете \"Инфо\" в Friendica - Dot Com"; -$a->strings["Installed plugins/addons/apps:"] = "Инсталираните приставки / Addons / Apps:"; -$a->strings["No installed plugins/addons/apps"] = "Няма инсталирани плъгини / Addons / приложения"; -$a->strings["No valid account found."] = "Не е валиден акаунт."; -$a->strings["Password reset request issued. Check your email."] = ", Издадено искане за възстановяване на паролата. Проверете Вашата електронна поща."; -$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["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["No profile"] = "Няма профил"; -$a->strings["Help:"] = "Помощ"; -$a->strings["Not Found"] = "Не е намерено"; -$a->strings["Page not found."] = "Страницата не е намерена."; -$a->strings["Remote privacy information not available."] = "Дистанционно неприкосновеността на личния живот информация не е достъпен."; -$a->strings["Visible to:"] = "Вижда се от:"; -$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["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Този сайт е надвишил броя на разрешените дневни регистрации сметка. Моля, опитайте отново утре."; -$a->strings["Import"] = "Внасяне"; -$a->strings["Visit %s's profile [%s]"] = "Посетете %s Профилът на [ %s ]"; -$a->strings["Edit contact"] = "Редактиране на контакт"; -$a->strings["Contacts who are not members of a group"] = "Контакти, които не са членове на една група"; -$a->strings["Export all"] = "Изнасяне на всичко"; -$a->strings["Export personal data"] = "Експортиране на личните данни"; -$a->strings["%s : Not a valid email address."] = "%s не е валиден имейл адрес."; -$a->strings["Please join us on Friendica"] = "Моля, присъединете се към нас на Friendica"; -$a->strings["%s : Message delivery failed."] = "%s : Съобщение доставка не успя."; -$a->strings["%d message sent."] = [ -]; -$a->strings["You have no more invitations available"] = "Имате няма повече покани"; -$a->strings["Visit %s for a list of public sites that you can join. Friendica members on other sites can all connect with each other, as well as with members of many other social networks."] = "Посетете %s за списък на публичните сайтове, които можете да се присъедините. Friendica членове на други сайтове могат да се свързват един с друг, както и с членовете на много други социални мрежи."; -$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = "За да приемете тази покана, моля, посетете и се регистрира в %s или друга публична уебсайт Friendica."; -$a->strings["Friendica sites all inter-connect to create a huge privacy-enhanced social web that is owned and controlled by its members. They can also connect with many traditional social networks. See %s for a list of alternate Friendica sites you can join."] = "Friendica сайтове се свързват, за да се създаде огромна допълнителна защита на личния живот, социална мрежа, която е собственост и се управлява от нейните членове. Те също могат да се свържат с много от традиционните социални мрежи. Виж %s за списък на алтернативни сайтове Friendica, можете да се присъедините."; -$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = "Нашите извинения. Тази система в момента не е конфигуриран да се свържете с други обществени обекти, или ще поканят членове."; -$a->strings["Send invitations"] = "Изпращане на покани"; -$a->strings["Enter email addresses, one per line:"] = "Въведете имейл адреси, по един на ред:"; -$a->strings["Your message:"] = "Ваше съобщение"; -$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Вие сте любезно поканени да се присъединят към мен и други близки приятели за Friendica, - и да ни помогне да създадем по-добра социална мрежа."; -$a->strings["You will need to supply this invitation code: \$invite_code"] = "Вие ще трябва да предоставят този код за покана: $ invite_code"; -$a->strings["Once you have registered, please connect with me via my profile page at:"] = "След като сте се регистрирали, моля свържете се с мен чрез профила на моята страница в:"; -$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "За повече информация за проекта Friendica и защо ние смятаме, че е важно, моля посетете http://friendica.com"; -$a->strings["Submit"] = "Изпращане"; -$a->strings["Files"] = "Файлове"; -$a->strings["Permission denied"] = "Разрешението е отказано"; -$a->strings["Invalid profile identifier."] = "Невалиден идентификатор на профила."; -$a->strings["Profile Visibility Editor"] = "Редактор профил Видимост"; -$a->strings["Click on a contact to add or remove."] = "Щракнете върху контакт, за да добавите или премахнете."; -$a->strings["Visible To"] = "Вижда се от"; -$a->strings["All Contacts (with secure profile access)"] = "Всички контакти с охраняем достъп до профил)"; -$a->strings["Tag removed"] = "Отстранява маркировката"; -$a->strings["Remove Item Tag"] = "Извадете Tag т."; -$a->strings["Select a tag to remove: "] = "Изберете етикет, за да премахнете: "; -$a->strings["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["Add"] = "Добави"; -$a->strings["No entries."] = "няма регистрирани"; -$a->strings["- select -"] = "избор"; -$a->strings["Item not available."] = "Които не са на разположение."; -$a->strings["Item was not found."] = "Елемент не е намерен."; -$a->strings["Applications"] = "Приложения"; -$a->strings["No installed applications."] = "Няма инсталираните приложения."; -$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["On your Settings page - change your initial password. Also make a note of your Identity Address. This looks just like an email address - and will be useful in making friends on the free social web."] = "На настройки - да промени първоначалната си парола. Също така направи бележка на вашата самоличност адрес. Това изглежда точно като имейл адрес - и ще бъде полезно при вземането на приятели за свободното социална мрежа."; -$a->strings["Review the other settings, particularly the privacy settings. An unpublished directory listing is like having an unlisted phone number. In general, you should probably publish your listing - unless all of your friends and potential friends know exactly how to find you."] = "Прегледайте други настройки, по-специално на настройките за поверителност. Непубликуван списък директория е нещо като скрит телефонен номер. Като цяло, може би трябва да публикува вашата обява - освен ако не всички от вашите приятели и потенциални приятели, знаят точно как да те намеря."; -$a->strings["Upload Profile Photo"] = "Качване на снимка Профилът"; -$a->strings["Upload a profile photo if you have not done so already. Studies have shown that people with real photos of themselves are ten times more likely to make friends than people who do not."] = "Качване на снимката на профила, ако не сте го направили вече. Проучванията показват, че хората с истински снимки на себе си, са десет пъти по-вероятно да станат приятели, отколкото хората, които не."; -$a->strings["Edit Your Profile"] = "Редактиране на профила"; -$a->strings["Edit your default profile to your liking. Review the settings for hiding your list of friends and hiding the profile from unknown visitors."] = "Редактиране на подразбиране профил да ви хареса. Преглед на настройките за скриване на вашия списък с приятели и скриване на профила от неизвестни посетители."; -$a->strings["Profile Keywords"] = "Ключови думи на профила"; -$a->strings["Set some public keywords for your default profile which describe your interests. We may be able to find other people with similar interests and suggest friendships."] = "Задайте някои обществени ключови думи за вашия профил по подразбиране, които описват вашите интереси. Ние може да сме в състояние да намери други хора с подобни интереси и предлага приятелства."; -$a->strings["Connecting"] = "Свързване"; -$a->strings["Importing Emails"] = "Внасяне на е-пощи"; -$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"] = "Въведете своя имейл достъп до информация на страницата Настройки на Connector, ако желаете да внасят и да взаимодейства с приятели или списъци с адреси от електронната си поща Входящи"; -$a->strings["Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the Add New Contact dialog."] = "Контакти страница е вашата врата към управлението на приятелства и свързване с приятели в други мрежи. Обикновено можете да въведете адрес или адрес на сайта в Добавяне на нов контакт диалоговия."; -$a->strings["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["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["Our help pages may be consulted for detail on other program features and resources."] = "Нашата помощ страницата може да бъде консултиран за подробности относно други характеристики, програма и ресурси."; -$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["Item not found"] = "Елемент не е намерена"; -$a->strings["Edit post"] = "Редактиране на мнение"; -$a->strings["Time Conversion"] = "Време за преобразуване"; -$a->strings["UTC time: %s"] = "UTC време: %s"; -$a->strings["Current timezone: %s"] = "Текуща часова зона: %s"; -$a->strings["Converted localtime: %s"] = "Превърнат localtime: %s"; -$a->strings["Please select your timezone:"] = "Моля изберете вашия часовата зона:"; -$a->strings["Group created."] = "Група, създадена."; -$a->strings["Could not create group."] = "Не може да се създаде група."; -$a->strings["Group not found."] = "Групата не е намерен."; -$a->strings["Group name changed."] = "Име на група се промени."; -$a->strings["Create a group of contacts/friends."] = "Създаване на група от контакти / приятели."; -$a->strings["Group removed."] = "Група отстранени."; -$a->strings["Unable to remove group."] = "Не може да премахнете група."; -$a->strings["Group Editor"] = "Група Editor"; -$a->strings["Members"] = "Членове"; -$a->strings["All Contacts"] = "Всички Контакти"; -$a->strings["Group is empty"] = "Групата е празна"; -$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["Authorize application connection"] = "Разрешава връзка с прилагането"; -$a->strings["Return to your app and insert this Securty Code:"] = "Назад към приложението ти и поставите този Securty код:"; -$a->strings["Please login to continue."] = "Моля, влезте, за да продължите."; -$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Искате ли да се разреши това приложение за достъп до вашите мнения и контакти, и / или създаване на нови длъжности за вас?"; -$a->strings["No"] = "Не"; -$a->strings["Unable to locate contact information."] = "Не може да се намери информация за контакт."; -$a->strings["Message deleted."] = "Съобщение заличават."; -$a->strings["Conversation removed."] = "Разговор отстранени."; -$a->strings["No messages."] = "Няма съобщения."; -$a->strings["Message not available."] = "Съобщението не е посочена."; -$a->strings["Delete message"] = "Изтриване на съобщение"; -$a->strings["Delete conversation"] = "Изтриване на разговор"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Няма сигурни комуникации. Можете май да бъде в състояние да отговори от страницата на профила на подателя."; -$a->strings["Send Reply"] = "Изпратете Отговор"; -$a->strings["Unknown sender - %s"] = "Непознат подател %s"; -$a->strings["You and %s"] = "Вие и %s"; -$a->strings["%s and You"] = "%s"; -$a->strings["D, d M Y - g:i A"] = "D, D MY - Г: А"; -$a->strings["%d message"] = [ -]; -$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["Contact settings applied."] = "Контактни настройки прилага."; -$a->strings["Contact update failed."] = "Свържете се актуализира провали."; -$a->strings["Contact not found."] = "Контактът не е намерен."; -$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = " ВНИМАНИЕ: Това е силно напреднали и ако въведете невярна информация вашите комуникации с този контакт може да спре да работи."; -$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Моля, използвайте Назад на вашия браузър бутон сега, ако не сте сигурни какво да правят на тази страница."; -$a->strings["Return to contact editor"] = "Назад, за да се свържете с редактор"; -$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 адрес на Уведомление Endpoint"; -$a->strings["Poll/Feed URL"] = "Анкета / URL Feed"; -$a->strings["New photo from this URL"] = "Нова снимка от този адрес"; -$a->strings["No such group"] = "Няма такава група"; -$a->strings["This entry was edited"] = "Записът е редактиран"; -$a->strings["%d comment"] = [ -]; -$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"] = "Подчертан"; @@ -674,523 +63,62 @@ $a->strings["Quote"] = "Цитат"; $a->strings["Code"] = "Код"; $a->strings["Image"] = "Изображение"; $a->strings["Link"] = "Връзка"; -$a->strings["Video"] = "Видеоклип"; -$a->strings["Edit"] = "Редактиране"; -$a->strings["add star"] = "Добавяне на звезда"; -$a->strings["remove star"] = "Премахване на звездата"; -$a->strings["toggle star status"] = "превключване звезда статус"; -$a->strings["starred"] = "звезда"; -$a->strings["add tag"] = "добавяне на етикет"; -$a->strings["save to folder"] = "запишете в папка"; -$a->strings["to"] = "за"; -$a->strings["Wall-to-Wall"] = "От стена до стена"; -$a->strings["via Wall-To-Wall:"] = "чрез стена до стена:"; -$a->strings["Friend suggestion sent."] = "Предложението за приятелство е изпратено."; -$a->strings["Suggest Friends"] = "Предлагане на приятели"; -$a->strings["Suggest a friend for %s"] = "Предлагане на приятел за %s"; -$a->strings["Mood"] = "Настроение"; -$a->strings["Recipient"] = "Получател"; -$a->strings["Image uploaded but image cropping failed."] = "Качени изображения, но изображението изрязване не успя."; -$a->strings["Image size reduction [%s] failed."] = "Намаляване на размер [ %s ] не успя."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Shift-презаредите страницата или ясно, кеша на браузъра, ако новата снимка не показва веднага."; -$a->strings["Unable to process image"] = "Не може да се обработи"; -$a->strings["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."] = "Image Upload неуспешно."; -$a->strings["Account approved."] = "Сметка одобрен."; -$a->strings["Registration revoked for %s"] = "Регистрация отменено за %s"; -$a->strings["Please login."] = "Моля, влезте."; -$a->strings["Invalid request identifier."] = "Невалидна заявка идентификатор."; -$a->strings["Discard"] = "Отхвърляне"; -$a->strings["Ignore"] = "Пренебрегване"; -$a->strings["Network Notifications"] = "Мрежа Известия"; -$a->strings["Personal Notifications"] = "Лични Известия"; -$a->strings["Home Notifications"] = "Начало Известия"; -$a->strings["Show Ignored Requests"] = "Показване на пренебрегнатите заявки"; -$a->strings["Hide Ignored Requests"] = "Скриване на пренебрегнатите заявки"; -$a->strings["Notification type: "] = "Вид на уведомлението: "; -$a->strings["suggested by %s"] = "предложено от %s"; -$a->strings["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["Friend"] = "Приятел"; -$a->strings["Sharer"] = "Споделящ"; -$a->strings["Fan/Admirer"] = "Почитател"; -$a->strings["No introductions."] = "Няма въвеждане."; -$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["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 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 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["Your Gender:"] = "Пол:"; -$a->strings[" Marital Status:"] = " Семейно положение:"; -$a->strings["Example: fishing photography software"] = "Пример: софтуер за риболов фотография"; -$a->strings["Profile Name:"] = "Име на профила"; -$a->strings["Required"] = "Задължително"; -$a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "Това е вашата публично профил.
Май да бъде видим за всеки, който с помощта на интернет."; -$a->strings["Your Full Name:"] = "Пълното си име:"; -$a->strings["Title/Description:"] = "Наименование/Описание"; -$a->strings["Street Address:"] = "Адрес:"; -$a->strings["Locality/City:"] = "Махала / Град:"; -$a->strings["Region/State:"] = "Регион / Щат:"; -$a->strings["Postal/Zip Code:"] = "Postal / Zip Code:"; -$a->strings["Country:"] = "Държава:"; -$a->strings["Who: (if applicable)"] = "Кой: (ако е приложимо)"; -$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Примери: cathy123, Кати Уилямс, cathy@example.com"; -$a->strings["Since [date]:"] = "От [дата]:"; -$a->strings["Tell us about yourself..."] = "Разкажете ни за себе си ..."; -$a->strings["Homepage URL:"] = "Електронна страница:"; -$a->strings["Religious Views:"] = "Религиозни възгледи:"; -$a->strings["Public Keywords:"] = "Публичните Ключови думи:"; -$a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(Използва се за предполагайки потенциален приятели, може да се види от други)"; -$a->strings["Private Keywords:"] = "Частни Ключови думи:"; -$a->strings["(Used for searching profiles, never shown to others)"] = "(Използва се за търсене на профилите, никога не показва и на други)"; -$a->strings["Musical interests"] = "Музикални интереси"; -$a->strings["Books, literature"] = "Книги, литература"; -$a->strings["Television"] = "Телевизия"; -$a->strings["Film/dance/culture/entertainment"] = "Филм / танц / Култура / забавления"; -$a->strings["Hobbies/Interests"] = "Хобита / интереси"; -$a->strings["Love/romance"] = "Любов / романтика"; -$a->strings["Work/employment"] = "Работа / заетост"; -$a->strings["School/education"] = "Училище / образование"; -$a->strings["Contact information and Social Networks"] = "Информация за контакти и социални мрежи"; -$a->strings["Edit/Manage Profiles"] = "Редактиране / Управление на профили"; -$a->strings["No friends to display."] = "Нямате приятели в листата."; +$a->strings["Set your location"] = "Задайте местоположението си"; +$a->strings["set location"] = "Задаване на местоположението"; +$a->strings["Clear browser location"] = "Изчистване на браузъра място"; +$a->strings["clear location"] = "ясно място"; +$a->strings["Set title"] = "Задайте заглавие"; +$a->strings["Categories (comma-separated list)"] = "Категории (разделен със запетаи списък)"; +$a->strings["Permission settings"] = "Настройките за достъп"; +$a->strings["Permissions"] = "права"; +$a->strings["Public post"] = "Обществена длъжност"; +$a->strings["Preview"] = "Преглед"; +$a->strings["Cancel"] = "Отмени"; +$a->strings["Message"] = "Съобщение"; +$a->strings["Browser"] = "Браузър"; +$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s в %2\$s ви изпрати ново лично съобщение ."; +$a->strings["a private message"] = "лично съобщение"; +$a->strings["%1\$s sent you %2\$s."] = "Ви изпрати %2\$s %1\$s %2\$s ."; +$a->strings["Please visit %s to view and/or reply to your private messages."] = "Моля, посетете %s да видите и / или да отговорите на Вашите лични съобщения."; +$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s те маркира при %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["%1\$s posted to your profile wall at %2\$s"] = "%1\$s публикуван вашия профил стена при %2\$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["You've received an introduction from '%1\$s' at %2\$s"] = "Получили сте въведения от %1\$s в %2\$s"; +$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Получили сте [URL = %1\$s ] въведение [/ URL] от %2\$s ."; +$a->strings["You may visit their profile at %s"] = "Можете да посетите техния профил в %s"; +$a->strings["Please visit %s to approve or reject the introduction."] = "Моля, посетете %s да одобри или да отхвърли въвеждането."; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Получили сте приятел предложение от %1\$s в %2\$s"; +$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Получили сте [URL = %1\$s ] предложение приятел [/ URL] %2\$s от %3\$s ."; +$a->strings["Name:"] = "Наименование:"; +$a->strings["Photo:"] = "Снимка:"; +$a->strings["Please visit %s to approve or reject the suggestion."] = "Моля, посетете %s да одобри или отхвърли предложението."; +$a->strings["Permission denied."] = "Разрешението е отказано."; +$a->strings["Authorize application connection"] = "Разрешава връзка с прилагането"; +$a->strings["Return to your app and insert this Securty Code:"] = "Назад към приложението ти и поставите този Securty код:"; +$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["Yes"] = "Yes"; +$a->strings["No"] = "Не"; +$a->strings["Access denied."] = "Отказан достъп."; $a->strings["Access to this profile has been restricted."] = "Достъпът до този профил е ограничен."; +$a->strings["Events"] = "Събития"; $a->strings["Previous"] = "Предишна"; $a->strings["Next"] = "Следваща"; -$a->strings["No contacts in common."] = "Няма контакти по-чести."; -$a->strings["Common Friends"] = "Общи приятели"; -$a->strings["Not available."] = "Няма налични"; -$a->strings["Global Directory"] = "Глобален справочник"; -$a->strings["Find on this site"] = "Търсене в този сайт"; -$a->strings["Site Directory"] = "Site Directory"; -$a->strings["No entries (some entries may be hidden)."] = "Няма записи (някои вписвания, могат да бъдат скрити)."; -$a->strings["No matches"] = "Няма съответствия"; -$a->strings["Item has been removed."] = ", Т. е била отстранена."; -$a->strings["Create New Event"] = "Създаване на нов събитие"; -$a->strings["Event details"] = "Подробности за събитието"; -$a->strings["Event Starts:"] = "Събитие Започва:"; -$a->strings["Finish date/time is not known or not relevant"] = "Завършете дата / час не е известен или не е приложимо"; -$a->strings["Event Finishes:"] = "Събитие играчи:"; -$a->strings["Adjust for viewer timezone"] = "Настрои зрителя часовата зона"; -$a->strings["Description:"] = "Описание:"; -$a->strings["Title:"] = "Заглавие:"; -$a->strings["Share this event"] = "Споделете това събитие"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "Няма ключови думи, които да съвпадат. Моля, да добавяте ключови думи към вашия профил по подразбиране."; -$a->strings["is interested in:"] = "се интересува от:"; -$a->strings["Profile Match"] = "Профил мач"; -$a->strings["Tips for New Members"] = "Съвети за нови членове"; -$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["[Embedded content - reload page to view]"] = "[Вградени съдържание - презареждане на страницата, за да видите]"; -$a->strings["Recent Photos"] = "Последни снимки"; -$a->strings["Upload New Photos"] = "Качване на нови снимки"; -$a->strings["everybody"] = "всички"; -$a->strings["Contact information unavailable"] = "Свържете се с информация недостъпна"; -$a->strings["Album not found."] = "Албумът не е намерен."; -$a->strings["Delete Album"] = "Изтриване на албума"; -$a->strings["Delete Photo"] = "Изтриване на снимка"; -$a->strings["Image file is empty."] = "Image файл е празен."; -$a->strings["No photos selected"] = "Няма избрани снимки"; -$a->strings["Access to this item is restricted."] = "Достъп до тази точка е ограничена."; -$a->strings["Upload Photos"] = "Качване на снимки"; -$a->strings["New album name: "] = "Нов албум име: "; -$a->strings["or existing album name: "] = "или съществуващо име на албума: "; -$a->strings["Do not show a status post for this upload"] = "Да не се показва след статут за това качване"; -$a->strings["Show to Groups"] = "Показване на групи"; -$a->strings["Show to Contacts"] = "Показване на контакти"; -$a->strings["Private Photo"] = "Частна снимка"; -$a->strings["Public Photo"] = "Публична снимка"; -$a->strings["Edit Album"] = "Редактиране на албум"; -$a->strings["View Photo"] = "Преглед на снимка"; -$a->strings["Permission denied. Access to this item may be restricted."] = "Разрешението е отказано. Достъпът до тази точка може да бъде ограничено."; -$a->strings["Photo not available"] = "Снимката не е"; -$a->strings["View photo"] = "Преглед на снимка"; -$a->strings["Edit photo"] = "Редактиране на снимка"; -$a->strings["Use as profile photo"] = "Използва се като снимката на профила"; -$a->strings["View Full Size"] = "Изглед в пълен размер"; -$a->strings["Tags: "] = "Маркери: "; -$a->strings["[Remove any tag]"] = "Премахване на всякаква маркировка]"; -$a->strings["New album name"] = "Ново име на албум"; -$a->strings["Caption"] = "Надпис"; -$a->strings["Add a Tag"] = "Добавите етикет"; -$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Пример: @ Боб, @ Barbara_Jensen, jim@example.com @, # Калифорния, къмпинг"; -$a->strings["Rotate CW (right)"] = "Rotate CW (вдясно)"; -$a->strings["Rotate CCW (left)"] = "Завъртане ККО (вляво)"; -$a->strings["Private photo"] = "Частна снимка"; -$a->strings["Public photo"] = "Публична снимка"; -$a->strings["View Album"] = "Вижте албуми"; -$a->strings["Registration successful. Please check your email for further instructions."] = "Регистрация успешно. Моля, проверете електронната си поща за по-нататъшни инструкции."; -$a->strings["Your registration can not be processed."] = "Вашата регистрация не могат да бъдат обработени."; -$a->strings["Your registration is pending approval by the site owner."] = "Вашата регистрация е в очакване на одобрение от собственика на сайта."; -$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Може да се (по желание) да попълните този формуляр, чрез OpenID чрез предоставяне на OpenID си и кликнете върху \"Регистрация\"."; -$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Ако не сте запознати с OpenID, моля оставете това поле празно и попълнете останалата част от елементите."; -$a->strings["Your OpenID (optional): "] = "Вашият OpenID (не е задължително): "; -$a->strings["Include your profile in member directory?"] = "Включете вашия профил в член директория?"; -$a->strings["Membership on this site is by invitation only."] = "Членството на този сайт е само с покани."; -$a->strings["Your invitation ID: "] = "Вашата покана ID: "; -$a->strings["Registration"] = "Регистрация"; -$a->strings["Your Email Address: "] = "Вашият email адрес: "; -$a->strings["New Password:"] = "нова парола"; -$a->strings["Confirm:"] = "Потвърждаване..."; -$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Изберете прякор профил. Това трябва да започне с текст характер. Вашият профил адреса на този сайт ще бъде \" прякор @ $ на SITENAME \"."; -$a->strings["Choose a nickname: "] = "Изберете прякор: "; -$a->strings["Account"] = "профил"; -$a->strings["Additional features"] = "Допълнителни възможности"; -$a->strings["Plugins"] = "Приставки"; -$a->strings["Connected apps"] = "Свързани приложения"; -$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["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"] = "Ключ на консуматора:"; -$a->strings["Consumer Secret"] = "Тайна стойност на консуматора:"; -$a->strings["Redirect"] = "Пренасочвания:"; -$a->strings["Icon url"] = "Икона URL"; -$a->strings["You can't edit this application."] = "Вие не можете да редактирате тази кандидатура."; -$a->strings["Connected Apps"] = "Свързани 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"] = "Plug-in Настройки"; -$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["Email access is disabled on this site."] = "Достъп до електронна поща е забранен на този сайт."; -$a->strings["Email/Mailbox Setup"] = "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:"] = "Email потребителско име:"; -$a->strings["Email password:"] = "Email парола:"; -$a->strings["Reply-to address:"] = "Адрес за отговор:"; -$a->strings["Send public posts to all email contacts:"] = "Изпратете публични длъжности за всички имейл контакти:"; -$a->strings["Action after import:"] = "Действия след вноса:"; -$a->strings["Move to folder"] = "Премества избраното в папка"; -$a->strings["Move to folder:"] = "Премества избраното в папка"; -$a->strings["Display Settings"] = "Настройки на дисплея"; -$a->strings["Display Theme:"] = "Палитрата на дисплея:"; -$a->strings["Update browser every xx seconds"] = "Актуализиране на браузъра на всеки ХХ секунди"; -$a->strings["Maximum of 100 items"] = "Максимум от 100 точки"; -$a->strings["Don't show emoticons"] = "Да не се показват емотикони"; -$a->strings["Theme settings"] = "Тема Настройки"; -$a->strings["Normal Account Page"] = "Нормално страницата с профила"; -$a->strings["This account is a normal personal profile"] = "Тази сметка е нормален личен профил"; -$a->strings["Soapbox Page"] = "Импровизирана трибуна Page"; -$a->strings["Automatically approve all connection/friend requests as read-only fans"] = "Автоматично одобрява всички / приятел искания само за четене фенове"; -$a->strings["Automatic Friend Page"] = "Автоматично приятел 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["Publish your default profile in the global social directory?"] = "Публикуване на вашия профил по подразбиране в глобалната социална директория?"; -$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Скриване на вашия контакт / списък приятел от зрителите на вашия профил по подразбиране?"; -$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["Automatically expire posts after this many days:"] = "Автоматично изтича мнения след толкова много дни:"; -$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Ако е празна, мнението няма да изтече. Изтекли мнения ще бъдат изтрити"; -$a->strings["Advanced expiration settings"] = "Разширени настройки за изтичане на срока"; -$a->strings["Advanced Expiration"] = "Разширено Изтичане"; -$a->strings["Expire posts:"] = "Срок на мнения:"; -$a->strings["Expire personal notes:"] = "Срок на лични бележки:"; -$a->strings["Expire starred posts:"] = "Срок със звезда на мнения:"; -$a->strings["Expire photos:"] = "Срок на снимки:"; -$a->strings["Only expire posts by others:"] = "Само изтича мнения от други:"; -$a->strings["Account Settings"] = "Настройки на профила"; -$a->strings["Password Settings"] = "Парола Настройки"; -$a->strings["Leave password fields blank unless changing"] = "Оставете паролите полета празни, освен ако промяна"; -$a->strings["Current Password:"] = "Текуща парола:"; -$a->strings["Password:"] = "Парола"; -$a->strings["Basic Settings"] = "Основни настройки"; -$a->strings["Email Address:"] = "Електронна поща:"; -$a->strings["Your Timezone:"] = "Вашият Часовата зона:"; -$a->strings["Default Post Location:"] = "Мнение местоположението по подразбиране:"; -$a->strings["Use Browser Location:"] = "Използвайте Browser Местоположение:"; -$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["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["Advanced Account/Page Type Settings"] = "Разширено сметка / Настройки на вид страница"; -$a->strings["Change the behaviour of this account for special situations"] = "Промяна на поведението на тази сметка за специални ситуации"; -$a->strings["No videos selected"] = "Няма избрани видеоклипове"; -$a->strings["Recent Videos"] = "Скорошни видеоклипове"; -$a->strings["Upload New Videos"] = "Качване на нови видеоклипове"; -$a->strings["File upload failed."] = "Файл за качване не успя."; -$a->strings["Theme settings updated."] = "Тема Настройки актуализира."; -$a->strings["Site"] = "Сайт"; -$a->strings["Users"] = "Потребители"; -$a->strings["Themes"] = "Теми"; -$a->strings["DB updates"] = "Обновления на БД"; -$a->strings["Logs"] = "Дневници"; -$a->strings["Plugin Features"] = "Настройки на приставките"; -$a->strings["User registrations waiting for confirmation"] = "Потребителски регистрации, чакащи за потвърждение"; -$a->strings["Administration"] = "Администриране "; -$a->strings["Normal Account"] = "Нормално профил"; -$a->strings["Soapbox Account"] = "Импровизирана трибуна профил"; -$a->strings["Community/Celebrity Account"] = "Общността / Celebrity"; -$a->strings["Automatic Friend Account"] = "Автоматично приятел акаунт"; -$a->strings["Private Forum"] = "Частен форум"; -$a->strings["Message queues"] = "Съобщение опашки"; -$a->strings["Summary"] = "Резюме"; -$a->strings["Registered users"] = "Регистрираните потребители"; -$a->strings["Pending registrations"] = "Предстоящи регистрации"; -$a->strings["Version"] = "Версия "; -$a->strings["Active plugins"] = "Включени приставки"; -$a->strings["Site settings updated."] = "Настройките на сайта са обновени."; -$a->strings["Never"] = "Никога!"; -$a->strings["Closed"] = "Затворен"; -$a->strings["Requires approval"] = "Изисква одобрение"; -$a->strings["Open"] = "Отворена."; -$a->strings["No SSL policy, links will track page SSL state"] = "Не SSL политика, връзки ще следи страница SSL състояние"; -$a->strings["Force all links to use SSL"] = "Принуди всички връзки да се използва SSL"; -$a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = "Самоподписан сертификат, използвайте SSL за местни връзки единствено (обезкуражени)"; -$a->strings["File upload"] = "Прикачване на файлове"; -$a->strings["Policies"] = "Политики"; -$a->strings["Performance"] = "Производителност"; -$a->strings["Site name"] = "Име на сайта"; -$a->strings["Banner/Logo"] = "Банер / лого"; -$a->strings["System language"] = "Системен език"; -$a->strings["System theme"] = "Системна тема"; -$a->strings["Default system theme - may be over-ridden by user profiles -
change theme settings"] = "Тема по подразбиране система - може да бъде по-яздени потребителски профили - променяте настройки тема "; -$a->strings["SSL link policy"] = "SSL връзка политика"; -$a->strings["Determines whether generated links should be forced to use SSL"] = "Определя дали генерирани връзки трябва да бъдат принудени да се използва SSL"; -$a->strings["Maximum image size"] = "Максимален размер на изображението"; -$a->strings["Maximum size in bytes of uploaded images. Default is 0, which means no limits."] = "Максимален размер в байтове на качените изображения. По подразбиране е 0, което означава, няма граници."; -$a->strings["Register policy"] = "Регистрирайте политика"; -$a->strings["Register text"] = "Регистрирайте се текст"; -$a->strings["Will be displayed prominently on the registration page."] = "Ще бъдат показани на видно място на страницата за регистрация."; -$a->strings["Accounts abandoned after x days"] = "Сметките изоставени след дни х"; -$a->strings["Will not waste system resources polling external sites for abandonded accounts. Enter 0 for no time limit."] = "Няма да губи системните ресурси избирателните външни сайтове за abandonded сметки. Въведете 0 за без ограничение във времето."; -$a->strings["Allowed friend domains"] = "Позволи на домейни приятел"; -$a->strings["Comma separated list of domains which are allowed to establish friendships with this site. Wildcards are accepted. Empty to allow any domains"] = "Разделени със запетая списък на домейни, на които е разрешено да се създадат приятелства с този сайт. Заместващи символи са приети. На Empty да се даде възможност на всички домейни"; -$a->strings["Allowed email domains"] = "Позволи на домейни имейл"; -$a->strings["Comma separated list of domains which are allowed in email addresses for registrations to this site. Wildcards are accepted. Empty to allow any domains"] = "Разделени със запетая списък на домейни, които са разрешени в имейл адреси за регистрации в този сайт. Заместващи символи са приети. На Empty да се даде възможност на всички домейни"; -$a->strings["Block public"] = "Блокиране на обществения"; -$a->strings["Check to block public access to all otherwise public personal pages on this site unless you are currently logged in."] = "Тръгване за блокиране на публичен достъп до всички по друг начин публичните лични страници на този сайт, освен ако в момента сте влезли в системата."; -$a->strings["Force publish"] = "Принудително публикува"; -$a->strings["Check to force all profiles on this site to be listed in the site directory."] = "Проверете, за да се принудят всички профили на този сайт да бъдат изброени в директорията на сайта."; -$a->strings["Block multiple registrations"] = "Блокиране на множество регистрации"; -$a->strings["Disallow users to register additional accounts for use as pages."] = "Забраните на потребителите да се регистрират допълнителни сметки, за използване като страниците."; -$a->strings["OpenID support"] = "Поддръжка на OpenID"; -$a->strings["OpenID support for registration and logins."] = "Поддръжка на OpenID за регистрация и влизане."; -$a->strings["Fullname check"] = "Fullname проверка"; -$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["Enable OStatus support"] = "Активирайте OStatus подкрепа"; -$a->strings["Enable Diaspora support"] = "Активирайте диаспора подкрепа"; -$a->strings["Provide built-in Diaspora network compatibility."] = "Осигури вградена диаспора в мрежата съвместимост."; -$a->strings["Only allow Friendica contacts"] = "Позволяват само Friendica контакти"; -$a->strings["All contacts must use Friendica protocols. All other built-in communication protocols disabled."] = "Всички контакти трябва да използвате Friendica протоколи. Всички останали вградени комуникационни протоколи с увреждания."; -$a->strings["Verify SSL"] = "Провери SSL"; -$a->strings["If you wish, you can turn on strict certificate checking. This will mean you cannot connect (at all) to self-signed SSL sites."] = "Ако желаете, можете да се обърнете на стриктна проверка на сертификат. Това ще означава, че не можете да свържете (на всички), за да самоподписани SSL обекти."; -$a->strings["Proxy user"] = "Proxy потребител"; -$a->strings["Proxy URL"] = "Proxy URL"; -$a->strings["Network timeout"] = "Мрежа изчакване"; -$a->strings["Value is in seconds. Set to 0 for unlimited (not recommended)."] = "Стойността е в секунди. Настройте на 0 за неограничен (не се препоръчва)."; -$a->strings["Delivery interval"] = "Доставка интервал"; -$a->strings["Delay background delivery processes by this many seconds to reduce system load. Recommend: 4-5 for shared hosts, 2-3 for virtual private servers. 0-1 for large dedicated servers."] = "Забавяне процесите на доставка на заден план от това много секунди, за да се намали натоварването на системата. Препоръчай: 4-5 за споделени хостове, 2-3 за виртуални частни сървъри. 0-1 за големи наети сървъри."; -$a->strings["Poll interval"] = "Анкета интервал"; -$a->strings["Delay background polling processes by this many seconds to reduce system load. If 0, use delivery interval."] = "Забавяне избирателните фонови процеси от това много секунди, за да се намали натоварването на системата. Ако 0, използвайте интервал доставка."; -$a->strings["Maximum Load Average"] = "Максимално натоварване"; -$a->strings["Maximum system load before delivery and poll processes are deferred - default 50."] = "Максимално натоварване на системата преди раждането и анкета процеси са отложени - по подразбиране 50."; -$a->strings["Update has been marked successful"] = "Update е маркиран успешно"; -$a->strings["Update %s was successfully applied."] = "Актуализация %s бе успешно приложена."; -$a->strings["Update %s did not return a status. Unknown if it succeeded."] = "Актуализация %s не се връща статус. Известно дали тя успя."; -$a->strings["No failed updates."] = "Няма провалени новини."; -$a->strings["Failed Updates"] = "Неуспешно Updates"; -$a->strings["This does not include updates prior to 1139, which did not return a status."] = "Това не включва актуализации, преди 1139, които не връщат статута."; -$a->strings["Mark success (if update was manually applied)"] = "Марк успех (ако актуализация е ръчно прилага)"; -$a->strings["Attempt to execute this update step automatically"] = "Опита да изпълни тази стъпка се обновяват автоматично"; -$a->strings["%s user blocked/unblocked"] = [ -]; -$a->strings["%s user deleted"] = [ -]; -$a->strings["User '%s' deleted"] = "Потребителят \" %s \"Изтрити"; -$a->strings["User '%s' unblocked"] = "Потребителят \" %s \"отблокирани"; -$a->strings["User '%s' blocked"] = "Потребителят \" %s \"блокиран"; -$a->strings["Register date"] = "Дата на регистрация"; -$a->strings["Last login"] = "Последно влизане"; -$a->strings["Last item"] = "Последния елемент"; -$a->strings["select all"] = "Избор на всичко"; -$a->strings["User registrations waiting for confirm"] = "Потребителски регистрации, чакат за да потвърдите"; -$a->strings["Request date"] = "Искане дата"; -$a->strings["No registrations."] = "Няма регистрации."; -$a->strings["Deny"] = "Отказ"; -$a->strings["Block"] = "Блокиране"; -$a->strings["Unblock"] = "Разблокиране"; -$a->strings["Site admin"] = "Администратор на сайта"; -$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 \\ nEverything тези потребители са публикувани на този сайт ще бъде изтрит завинаги! \\ 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 \\ nEverything този потребител публикувани на този сайт ще бъде изтрит завинаги! \\ n \\ nСигурни ли сте?"; -$a->strings["Plugin %s disabled."] = "Plug-in %s увреждания."; -$a->strings["Plugin %s enabled."] = "Plug-in %s поддръжка."; -$a->strings["Disable"] = "забрани"; -$a->strings["Enable"] = "Да се активира ли?"; -$a->strings["Toggle"] = "切換"; -$a->strings["Author: "] = "Автор: "; -$a->strings["Maintainer: "] = "Отговорник: "; -$a->strings["No themes found."] = "Няма намерени теми."; -$a->strings["Screenshot"] = "Screenshot"; -$a->strings["[Experimental]"] = "(Експериментален)"; -$a->strings["[Unsupported]"] = "Неподдържан]"; -$a->strings["Log settings updated."] = "Вход Обновяването на настройките."; -$a->strings["Clear"] = "Безцветен "; -$a->strings["Log file"] = "Регистрационен файл"; -$a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Трябва да бъде записван от уеб сървър. В сравнение с вашата Friendica най-високо ниво директория."; -$a->strings["Log level"] = "Вход ниво"; -$a->strings["%d contact edited."] = [ -]; -$a->strings["Could not access contact record."] = "Не може да бъде достъп до запис за контакт."; -$a->strings["Could not locate selected profile."] = "Не може да намери избрания профил."; -$a->strings["Contact updated."] = "Свържете се актуализират."; -$a->strings["Failed to update contact record."] = "Неуспех да се актуализира рекорд за контакт."; -$a->strings["Contact has been blocked"] = "За контакти е бил блокиран"; -$a->strings["Contact has been unblocked"] = "Контакт са отблокирани"; -$a->strings["Contact has been ignored"] = "Лицето е било игнорирано"; -$a->strings["Contact has been unignored"] = "За контакти е бил 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["Contact has been removed."] = "Контакт е била отстранена."; -$a->strings["You are mutual friends with %s"] = "Вие сте общи приятели с %s"; -$a->strings["You are sharing with %s"] = "Вие споделяте с %s"; -$a->strings["%s is sharing with you"] = "%s се споделя с вас"; -$a->strings["Private communications are not available for this contact."] = "Частни съобщения не са на разположение за този контакт."; -$a->strings["(Update was successful)"] = "(Update е била успешна)"; -$a->strings["(Update was not successful)"] = "(Актуализация не е била успешна)"; -$a->strings["Suggest friends"] = "Предложете приятели"; -$a->strings["Network type: %s"] = "Тип мрежа: %s"; -$a->strings["Communications lost with this contact!"] = "Communications загубиха с този контакт!"; -$a->strings["Profile Visibility"] = "Профил Видимост"; -$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Моля, изберете профила, който бихте искали да покажете на %s при гледане на здраво вашия профил."; -$a->strings["Contact Information / Notes"] = "Информация за контакти / Забележки"; -$a->strings["Edit contact notes"] = "Редактиране на контакт с бележка"; -$a->strings["Block/Unblock contact"] = "Блокиране / Деблокиране на контакт"; -$a->strings["Ignore contact"] = "Игнорирай се свържете с"; -$a->strings["Repair URL settings"] = "Настройки за ремонт на URL"; -$a->strings["View conversations"] = "Вижте разговори"; -$a->strings["Last update:"] = "Последна актуализация:"; -$a->strings["Update public posts"] = "Актуализиране на държавни длъжности"; -$a->strings["Update now"] = "Актуализирай сега"; -$a->strings["Unignore"] = "Извади от пренебрегнатите"; -$a->strings["Currently blocked"] = "Които понастоящем са блокирани"; -$a->strings["Currently ignored"] = "В момента игнорирани"; -$a->strings["Currently archived"] = "В момента архивират"; -$a->strings["Replies/likes to your public posts may still be visible"] = "Отговори / обича да си публични длъжности май все още да се вижда"; -$a->strings["Suggestions"] = "Предложения"; -$a->strings["Suggest potential friends"] = "Предполагат потенциал приятели"; -$a->strings["Show all contacts"] = "Покажи на всички контакти"; -$a->strings["Unblocked"] = "Отблокирани"; -$a->strings["Only show unblocked contacts"] = "Покажи само Разблокирани контакти"; -$a->strings["Blocked"] = "Блокиран"; -$a->strings["Only show blocked contacts"] = "Покажи само Блокираните контакти"; -$a->strings["Ignored"] = "Игнорирани"; -$a->strings["Only show ignored contacts"] = "Покажи само игнорирани контакти"; -$a->strings["Archived"] = "Архивиран:"; -$a->strings["Only show archived contacts"] = "Покажи само архивирани контакти"; -$a->strings["Hidden"] = "Скрит"; -$a->strings["Only show hidden contacts"] = "Само показва скрити контакти"; -$a->strings["Search your contacts"] = "Търсене на вашите контакти"; -$a->strings["Archive"] = "Архив"; -$a->strings["Unarchive"] = "Разархивирате"; -$a->strings["View all contacts"] = "Преглед на всички контакти"; -$a->strings["Advanced Contact Settings"] = "Разширени настройки за контакт"; -$a->strings["Mutual Friendship"] = "Взаимното приятелство"; -$a->strings["is a fan of yours"] = "е фенка"; -$a->strings["you are a fan of"] = "Вие сте фен на"; -$a->strings["Toggle Blocked status"] = "Превключване Блокирани статус"; -$a->strings["Toggle Ignored status"] = "Превключване игнорирани статус"; -$a->strings["Toggle Archive status"] = "Превключване статус Архив"; -$a->strings["Delete contact"] = "Изтриване на контакта"; +$a->strings["month"] = "месец."; +$a->strings["week"] = "седмица"; +$a->strings["day"] = "Ден:"; +$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["Remote site reported: "] = "Отдалеченият сайт докладвани: "; $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 не може да бъде разшифрован от нас."; @@ -1199,7 +127,6 @@ $a->strings["Site public key not available in contact record for URL %s."] = "Si $a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "ID, предоставена от вашата система, е дубликат на нашата система. Той трябва да работи, ако се опитате отново."; $a->strings["Unable to set your contact credentials on our system."] = "Не може да се установи контакт с вас пълномощията на нашата система."; $a->strings["Unable to update your contact profile details on our system"] = "Не може да актуализирате вашите данни за контакт на профил в нашата система"; -$a->strings["%1\$s has joined %2\$s"] = "Се присъедини към %2\$s %1\$s %2\$s"; $a->strings["This introduction has already been accepted."] = "Това въведение е вече е приета."; $a->strings["Profile location is not valid or does not contain profile information."] = "Профил местоположение не е валиден или не съдържа информация на профила."; $a->strings["Warning: profile location has no identifiable owner name."] = "Внимание: профила място има няма установен име на собственика."; @@ -1213,11 +140,11 @@ $a->strings["%s has received too many connection requests today."] = "%s е по $a->strings["Spam protection measures have been invoked."] = "Мерките за защита срещу спам да бъдат изтъкнати."; $a->strings["Friends are advised to please try again in 24 hours."] = "Приятели се препоръчва да се моля опитайте отново в рамките на 24 часа."; $a->strings["Invalid locator"] = "Невалиден локатор"; -$a->strings["Invalid email address."] = "Невалиден имейл адрес."; -$a->strings["This account has not been configured for email. Request failed."] = "Този профил не е конфигуриран за електронна поща. Заявката не бе успешна."; $a->strings["You have already introduced yourself here."] = "Вие вече се въведе тук."; $a->strings["Apparently you are already friends with %s."] = "Явно вече сте приятели с %s ."; $a->strings["Invalid profile URL."] = "Невалиден URL адрес на профила."; +$a->strings["Disallowed profile URL."] = "Отхвърлен профила URL."; +$a->strings["Failed to update contact record."] = "Неуспех да се актуализира рекорд за контакт."; $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."] = "Неправилно идентичност, който в момента е логнат. Моля, влезте с потребителско име и парола на този профил ."; @@ -1225,36 +152,321 @@ $a->strings["Confirm"] = "Потвърждаване"; $a->strings["Hide this contact"] = "Скриване на този контакт"; $a->strings["Welcome home %s."] = "Добре дошли у дома %s ."; $a->strings["Please confirm your introduction/connection request to %s."] = "Моля, потвърдете, въвеждане / заявката за свързване към %s ."; -$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Моля, въведете \"Идентичност Адрес\" от един от следните поддържани съобщителни мрежи:"; +$a->strings["Public access denied."] = "Публичен достъп отказан."; $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~~HEAD=NNS, 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 в търсенето диаспора бар."; -$a->strings["Your Identity Address:"] = "Адрес на вашата самоличност:"; $a->strings["Submit Request"] = "Изпращане на заявката"; -$a->strings["Contact added"] = "Свържете се добавя"; -$a->strings["Could not connect to database."] = "Не може да се свърже с базата данни."; -$a->strings["Could not create table."] = "Не може да се създаде таблица."; -$a->strings["Your Friendica site database has been installed."] = "Вашият Friendica сайт база данни е инсталиран."; +$a->strings["Add a personal note:"] = "Добавяне на лична бележка:"; +$a->strings["Item not found"] = "Елемент не е намерена"; +$a->strings["Edit post"] = "Редактиране на мнение"; +$a->strings["Save"] = "Запази"; +$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["CC: email addresses"] = "CC: имейл адреси"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Пример: bob@example.com, mary@example.com"; +$a->strings["Create New Event"] = "Създаване на нов събитие"; +$a->strings["Event details"] = "Подробности за събитието"; +$a->strings["Event Starts:"] = "Събитие Започва:"; +$a->strings["Required"] = "Задължително"; +$a->strings["Finish date/time is not known or not relevant"] = "Завършете дата / час не е известен или не е приложимо"; +$a->strings["Event Finishes:"] = "Събитие играчи:"; +$a->strings["Adjust for viewer timezone"] = "Настрои зрителя часовата зона"; +$a->strings["Description:"] = "Описание:"; +$a->strings["Location:"] = "Място:"; +$a->strings["Title:"] = "Заглавие:"; +$a->strings["Share this event"] = "Споделете това събитие"; +$a->strings["Submit"] = "Изпращане"; +$a->strings["Advanced"] = "Напреднал"; +$a->strings["Photos"] = "Снимки"; +$a->strings["Upload"] = "Качете в Мрежата "; +$a->strings["Files"] = "Файлове"; +$a->strings["Your Identity Address:"] = "Адрес на вашата самоличност:"; +$a->strings["Tags:"] = "Маркери:"; +$a->strings["Status Messages and Posts"] = "Съобщения за състоянието и пощи"; +$a->strings["Unable to locate original post."] = "Не може да се намери оригиналната публикация."; +$a->strings["Empty post discarded."] = "Empty мнение изхвърли."; +$a->strings["Item not found."] = "Елемент не е намерен."; +$a->strings["No valid account found."] = "Не е валиден акаунт."; +$a->strings["Password reset request issued. Check your email."] = ", Издадено искане за възстановяване на паролата. Проверете Вашата електронна поща."; +$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["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["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["first"] = "Първа"; +$a->strings["next"] = "следващ"; +$a->strings["No matches"] = "Няма съответствия"; +$a->strings["Profile Match"] = "Профил мач"; +$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["Discard"] = "Отхвърляне"; +$a->strings["Messages"] = "Съобщения"; +$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["No messages."] = "Няма съобщения."; +$a->strings["Message not available."] = "Съобщението не е посочена."; +$a->strings["Delete message"] = "Изтриване на съобщение"; +$a->strings["D, d M Y - g:i A"] = "D, D MY - Г: А"; +$a->strings["Delete conversation"] = "Изтриване на разговор"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Няма сигурни комуникации. Можете май да бъде в състояние да отговори от страницата на профила на подателя."; +$a->strings["Send Reply"] = "Изпратете Отговор"; +$a->strings["Unknown sender - %s"] = "Непознат подател %s"; +$a->strings["You and %s"] = "Вие и %s"; +$a->strings["%s and You"] = "%s"; +$a->strings["%d message"] = [ +]; +$a->strings["Personal Notes"] = "Личните бележки"; +$a->strings["Photo Albums"] = "Фотоалбуми"; +$a->strings["Recent Photos"] = "Последни снимки"; +$a->strings["Upload New Photos"] = "Качване на нови снимки"; +$a->strings["everybody"] = "всички"; +$a->strings["Contact information unavailable"] = "Свържете се с информация недостъпна"; +$a->strings["Album not found."] = "Албумът не е намерен."; +$a->strings["Image file is empty."] = "Image файл е празен."; +$a->strings["Unable to process image."] = "Не може да се обработи."; +$a->strings["Image upload failed."] = "Image Upload неуспешно."; +$a->strings["No photos selected"] = "Няма избрани снимки"; +$a->strings["Access to this item is restricted."] = "Достъп до тази точка е ограничена."; +$a->strings["Upload Photos"] = "Качване на снимки"; +$a->strings["New album name: "] = "Нов албум име: "; +$a->strings["Do not show a status post for this upload"] = "Да не се показва след статут за това качване"; +$a->strings["Delete Album"] = "Изтриване на албума"; +$a->strings["Edit Album"] = "Редактиране на албум"; +$a->strings["View Photo"] = "Преглед на снимка"; +$a->strings["Permission denied. Access to this item may be restricted."] = "Разрешението е отказано. Достъпът до тази точка може да бъде ограничено."; +$a->strings["Photo not available"] = "Снимката не е"; +$a->strings["Delete Photo"] = "Изтриване на снимка"; +$a->strings["View photo"] = "Преглед на снимка"; +$a->strings["Edit photo"] = "Редактиране на снимка"; +$a->strings["Use as profile photo"] = "Използва се като снимката на профила"; +$a->strings["View Full Size"] = "Изглед в пълен размер"; +$a->strings["Tags: "] = "Маркери: "; +$a->strings["New album name"] = "Ново име на албум"; +$a->strings["Caption"] = "Надпис"; +$a->strings["Add a Tag"] = "Добавите етикет"; +$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Пример: @ Боб, @ Barbara_Jensen, jim@example.com @, # Калифорния, къмпинг"; +$a->strings["Rotate CW (right)"] = "Rotate CW (вдясно)"; +$a->strings["Rotate CCW (left)"] = "Завъртане ККО (вляво)"; +$a->strings["This is you"] = "Това сте вие"; +$a->strings["Comment"] = "Коментар"; +$a->strings["I like this (toggle)"] = "Харесва ми това (смяна)"; +$a->strings["I don't like this (toggle)"] = "Не ми харесва това (смяна)"; +$a->strings["View Album"] = "Вижте албуми"; +$a->strings["{0} wants to be your friend"] = "{0} иска да бъде твой приятел"; +$a->strings["{0} requested registration"] = "{0} исканата регистрация"; +$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["Error"] = [ +]; +$a->strings["Missing some important data!"] = "Липсват някои важни данни!"; +$a->strings["Update"] = "Актуализиране"; +$a->strings["Failed to connect with email account using the settings provided."] = "Неуспех да се свърже с имейл акаунт, като използвате предоставените настройки."; +$a->strings["Password update failed. Please try again."] = "Парола актуализация се провали. Моля, опитайте отново."; +$a->strings["Password changed."] = "Парола промени."; +$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["Add application"] = "Добави приложение"; +$a->strings["Name"] = "Име"; +$a->strings["Consumer Key"] = "Ключ на консуматора:"; +$a->strings["Consumer Secret"] = "Тайна стойност на консуматора:"; +$a->strings["Redirect"] = "Пренасочвания:"; +$a->strings["Icon url"] = "Икона URL"; +$a->strings["You can't edit this application."] = "Вие не можете да редактирате тази кандидатура."; +$a->strings["Connected Apps"] = "Свързани Apps"; +$a->strings["Edit"] = "Редактиране"; +$a->strings["Client key starts with"] = "Ключ на клиента започва с"; +$a->strings["No name"] = "Без име"; +$a->strings["Remove authorization"] = "Премахване на разрешение"; +$a->strings["Additional Features"] = "Допълнителни възможности"; +$a->strings["enabled"] = "разрешен"; +$a->strings["disabled"] = "забранен"; +$a->strings["Built-in support for %s connectivity is %s"] = "Вградена поддръжка за връзка от %s %s"; +$a->strings["Email access is disabled on this site."] = "Достъп до електронна поща е забранен на този сайт."; +$a->strings["None"] = "Няма "; +$a->strings["Email/Mailbox Setup"] = "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["Email login name:"] = "Email потребителско име:"; +$a->strings["Email password:"] = "Email парола:"; +$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["Normal Account Page"] = "Нормално страницата с профила"; +$a->strings["Soapbox Page"] = "Импровизирана трибуна Page"; +$a->strings["Automatic Friend Page"] = "Автоматично приятел Page"; +$a->strings["Private Forum [Experimental]"] = "Частен форум [експериментална]"; +$a->strings["OpenID:"] = "OpenID:"; +$a->strings["(Optional) Allow this OpenID to login to this account."] = "(По избор) позволяват това OpenID, за да влезете в тази сметка."; +$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["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:"] = "Използвайте Browser Местоположение:"; +$a->strings["Security and Privacy Settings"] = "Сигурност и и лични настройки"; +$a->strings["Maximum Friend Requests/Day:"] = "Максимален брой молби за приятелство / ден:"; +$a->strings["(to prevent spam abuse)"] = "(Да се ​​предотврати спама злоупотреба)"; +$a->strings["Allow friends to post to your profile page?"] = "Оставете приятели, които да публикувате в страницата с вашия профил?"; +$a->strings["Allow friends to tag your posts?"] = "Оставете приятели, за да маркирам собствените си мнения?"; +$a->strings["Permit unknown people to send you private mail?"] = "Разрешение непознати хора, за да ви Изпратете лично поща?"; +$a->strings["Maximum private messages per day from unknown people:"] = "Максимални лични съобщения на ден от непознати хора:"; +$a->strings["Default Post Permissions"] = "Разрешения по подразбиране и"; +$a->strings["Automatically expire posts after this many days:"] = "Автоматично изтича мнения след толкова много дни:"; +$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Ако е празна, мнението няма да изтече. Изтекли мнения ще бъдат изтрити"; +$a->strings["Notification Settings"] = "Настройки за уведомяване"; +$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["Advanced Account/Page Type Settings"] = "Разширено сметка / Настройки на вид страница"; +$a->strings["Change the behaviour of this account for special situations"] = "Промяна на поведението на тази сметка за специални ситуации"; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Няма предложения. Ако това е нов сайт, моля опитайте отново в рамките на 24 часа."; +$a->strings["Friend Suggestions"] = "Предложения за приятели"; +$a->strings["Remove Item Tag"] = "Извадете Tag т."; +$a->strings["Select a tag to remove: "] = "Изберете етикет, за да премахнете: "; +$a->strings["Remove"] = "Премахване"; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Този сайт е надвишил броя на разрешените дневни регистрации сметка. Моля, опитайте отново утре."; +$a->strings["Import"] = "Внасяне"; +$a->strings["No videos selected"] = "Няма избрани видеоклипове"; +$a->strings["View Video"] = "Преглед на видеоклип"; +$a->strings["Recent Videos"] = "Скорошни видеоклипове"; +$a->strings["Upload New Videos"] = "Качване на нови видеоклипове"; +$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["File upload failed."] = "Файл за качване не успя."; +$a->strings["Wall Photos"] = "Стена снимки"; +$a->strings["Delete this item?"] = "Изтриване на тази бележка?"; +$a->strings["Page not found."] = "Страницата не е намерена."; +$a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = "Маркера за сигурност не е вярна. Това вероятно е станало, тъй като формата е била отворена за прекалено дълго време (> 3 часа) преди да го представи."; +$a->strings["Email"] = "Е-поща"; +$a->strings["Diaspora"] = "Диаспора"; +$a->strings["show more"] = "покажи още"; +$a->strings["Nothing new here"] = "Нищо ново тук"; +$a->strings["Clear notifications"] = "Изчистване на уведомленията"; +$a->strings["Logout"] = "изход"; +$a->strings["End this session"] = "Край на тази сесия"; +$a->strings["Login"] = "Вход"; +$a->strings["Sign in"] = "Вход"; +$a->strings["Status"] = "Състояние:"; +$a->strings["Your posts and conversations"] = "Вашите мнения и разговори"; +$a->strings["Profile"] = "Височина на профила"; +$a->strings["Your profile page"] = "Вашият профил страница"; +$a->strings["Your photos"] = "Вашите снимки"; +$a->strings["Videos"] = "Видеоклипове"; +$a->strings["Your events"] = "Събитията си"; +$a->strings["Personal notes"] = "Личните бележки"; +$a->strings["Home"] = "Начало"; +$a->strings["Home Page"] = "Начална страница"; +$a->strings["Register"] = "Регистратор"; +$a->strings["Create an account"] = "Създаване на сметка"; +$a->strings["Help"] = "Помощ"; +$a->strings["Help and documentation"] = "Помощ и документация"; +$a->strings["Apps"] = "Apps"; +$a->strings["Addon applications, utilities, games"] = "Адон приложения, помощни програми, игри"; +$a->strings["Search"] = "Търсене"; +$a->strings["Search site content"] = "Търсене в сайта съдържание"; +$a->strings["Contacts"] = "Контакти "; +$a->strings["Community"] = "Общност"; +$a->strings["Events and Calendar"] = "Събития и календарни"; +$a->strings["Directory"] = "директория"; +$a->strings["People directory"] = "Хората директория"; +$a->strings["Network"] = "Мрежа"; +$a->strings["Conversations from your friends"] = "Разговори от вашите приятели"; +$a->strings["Introductions"] = "Представяне"; +$a->strings["Friend Requests"] = "Молби за приятелство"; +$a->strings["Notifications"] = "Уведомления "; +$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 other pages"] = "Управление на други страници"; +$a->strings["Settings"] = "Настройки"; +$a->strings["Account settings"] = "Настройки на профила"; +$a->strings["Manage/edit friends and contacts"] = "Управление / редактиране на приятели и контакти"; +$a->strings["Admin"] = "admin"; +$a->strings["Site setup and configuration"] = "Настройка и конфигуриране на сайта"; +$a->strings["Navigation"] = "Навигация"; +$a->strings["Site map"] = "Карта на сайта"; +$a->strings["Embedding disabled"] = "Вграждане на инвалиди"; +$a->strings["Embedded content"] = "Вградени съдържание"; +$a->strings["prev"] = "Пред."; +$a->strings["last"] = "Дата на последния одит. "; +$a->strings["Image/photo"] = "Изображение / снимка"; +$a->strings["link to source"] = "връзка източник"; +$a->strings["Click to open/close"] = "Кликнете за отваряне / затваряне"; +$a->strings["$1 wrote:"] = "$ 1 пише:"; +$a->strings["Encrypted content"] = "Шифрирано съдържание"; +$a->strings["No contacts"] = "Няма контакти"; +$a->strings["%d Contact"] = [ +]; +$a->strings["View Contacts"] = "Вижте Контакти"; +$a->strings["Remove term"] = "Премахване мандат"; +$a->strings["Saved Searches"] = "Запазени търсения"; +$a->strings["Trending Tags (last %d hour)"] = [ +]; +$a->strings["Add New Contact"] = "Добавяне на нов контакт"; +$a->strings["Enter address or web location"] = "Въведете местоположение на адрес или уеб"; +$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Пример: bob@example.com, http://example.com/barbara"; +$a->strings["Connect"] = "Свързване! "; +$a->strings["%d invitation available"] = [ +]; +$a->strings["Find People"] = "Намерете хора,"; +$a->strings["Enter name or interest"] = "Въведете името или интерес"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "Примери: Робърт Morgenstein, Риболов"; +$a->strings["Find"] = "Търсене"; +$a->strings["Similar Interests"] = "Сходни интереси"; +$a->strings["Random Profile"] = "Случайна Профил"; +$a->strings["Invite Friends"] = "Покани приятели"; +$a->strings["Global Directory"] = "Глобален справочник"; +$a->strings["Local Directory"] = "Локалната директория"; +$a->strings["Groups"] = "Групи"; +$a->strings["All Contacts"] = "Всички Контакти"; +$a->strings["Saved Folders"] = "Записани папки"; +$a->strings["Everything"] = "Всичко"; +$a->strings["Categories"] = "Категории"; +$a->strings["%d contact in common"] = [ +]; +$a->strings["Archives"] = "Архиви"; +$a->strings["Post to Email"] = "Коментар на e-mail"; $a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Може да се наложи да импортирате файла \"database.sql\" ръчно чрез настървение или MySQL."; -$a->strings["Please see the file \"INSTALL.txt\"."] = "Моля, вижте файла \"INSTALL.txt\"."; -$a->strings["System check"] = "Проверка на системата"; -$a->strings["Check again"] = "Проверете отново"; -$a->strings["Database connection"] = "Свързване на база данни"; -$a->strings["In order to install Friendica we need to know how to connect to your database."] = "За да инсталирате Friendica трябва да знаем как да се свърже към вашата база данни."; -$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Моля, свържете с вашия хостинг доставчик или администратора на сайта, ако имате въпроси относно тези настройки."; -$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "База данни, за да определите по-долу би трябвало вече да съществува. Ако това не стане, моля да го създадете, преди да продължите."; -$a->strings["Database Server Name"] = "Име на сървър за база данни"; -$a->strings["Database Login Name"] = "Името на базата данни Парола"; -$a->strings["Database Login Password"] = "Database Влизам Парола"; -$a->strings["Database Name"] = "Име на база данни"; -$a->strings["Site administrator email address"] = "Сайт администратор на имейл адрес"; -$a->strings["Your account email address must match this in order to use the web admin panel."] = "Вашият имейл адрес трябва да съответстват на това, за да използвате уеб панел администратор."; -$a->strings["Please select a default timezone for your website"] = "Моля, изберете часовата зона по подразбиране за вашия уеб сайт"; -$a->strings["Site settings"] = "Настройки на сайта"; $a->strings["Could not find a command line version of PHP in the web server PATH."] = "Не може да се намери командния ред версия на PHP в PATH уеб сървър."; $a->strings["PHP executable path"] = "PHP изпълним път"; $a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Въведете пълния път до изпълнимия файл на PHP. Можете да оставите полето празно, за да продължите инсталацията."; @@ -1265,73 +477,504 @@ $a->strings["PHP register_argc_argv"] = "PHP register_argc_argv"; $a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Грешка: \"openssl_pkey_new\" функция на тази система не е в състояние да генерира криптиращи ключове"; $a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Ако работите под Windows, моля, вижте \"http://www.php.net/manual/en/openssl.installation.php\"."; $a->strings["Generate encryption keys"] = "Генериране на криптиращи ключове"; -$a->strings["libCurl PHP module"] = "libCurl PHP модул"; -$a->strings["GD graphics PHP module"] = "GD графика PHP модул"; -$a->strings["OpenSSL PHP module"] = "OpenSSL PHP модул"; -$a->strings["mysqli PHP module"] = "mysqli PHP модул"; -$a->strings["mb_string PHP module"] = "mb_string PHP модул"; -$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite модул"; $a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Грешка: МОД-пренаписване модул на Apache уеб сървър е необходимо, но не е инсталиран."; +$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite модул"; +$a->strings["libCurl PHP module"] = "libCurl PHP модул"; $a->strings["Error: libCURL PHP module required but not installed."] = "Грешка: libCURL PHP модул, но не е инсталирана."; +$a->strings["GD graphics PHP module"] = "GD графика PHP модул"; $a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Грешка: GD графика PHP модул с поддръжка на JPEG, но не е инсталирана."; +$a->strings["OpenSSL PHP module"] = "OpenSSL PHP модул"; $a->strings["Error: openssl PHP module required but not installed."] = "Грешка: OpenSSL PHP модул са необходими, но не е инсталирана."; -$a->strings["Error: mysqli PHP module required but not installed."] = "Грешка: mysqli PHP модул, но не е инсталирана."; +$a->strings["mb_string PHP module"] = "mb_string PHP модул"; $a->strings["Error: mb_string PHP module required but not installed."] = "Грешка: mb_string PHP модул, но не е инсталирана."; -$a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "Уеб инсталатора трябва да бъде в състояние да създаде файл с име \". Htconfig.php\" в най-горната папка на вашия уеб сървър и не е в състояние да го направят."; $a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "Това е най-често настройка разрешение, тъй като уеб сървъра не може да бъде в състояние да записва файлове във вашата папка - дори и ако можете."; -$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = "В края на тази процедура, ние ще ви дадем един текст, за да се запишете в файл с име. Htconfig.php в топ Friendica папка."; $a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Можете като алтернатива да пропуснете тази процедура и да извърши ръчно инсталиране. Моля, вижте файла \"INSTALL.txt\", за инструкции."; -$a->strings[".htconfig.php is writable"] = ",. Htconfig.php е записваем"; -$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "URL пренапише. Htaccess не работи. Проверете вашата конфигурация сървър."; $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."] = "ВАЖНО: Вие ще трябва да [ръчно] настройка на планирана задача за poller."; -$a->strings["Unable to locate original post."] = "Не може да се намери оригиналната публикация."; -$a->strings["Empty post discarded."] = "Empty мнение изхвърли."; -$a->strings["System error. Post not saved."] = "Грешка в системата. Мнение не е запазен."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Това съобщение е изпратено до вас от %s , член на социалната мрежа на Friendica."; -$a->strings["You may visit them online at %s"] = "Можете да ги посетите онлайн на адрес %s"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Моля, свържете се с подателя, като отговори на този пост, ако не желаете да получавате тези съобщения."; -$a->strings["%s posted an update."] = "%s е публикувал актуализация."; -$a->strings["Warning: This group contains %s member from a network that doesn't allow non public messages."] = [ +$a->strings["Could not connect to database."] = "Не може да се свърже с базата данни."; +$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["Update %s failed. See error logs."] = "Актуализация %s не успя. Виж логовете за грешки."; +$a->strings["User creation error"] = "Грешка при създаване на потребителя"; +$a->strings["%d contact not imported"] = [ ]; -$a->strings["Private messages to this person are at risk of public disclosure."] = "Лични съобщения до това лице, са изложени на риск от публичното оповестяване."; +$a->strings["User profile creation error"] = "Грешка при създаване профила на потребителя"; +$a->strings["Friend Suggestion"] = "Приятел за предложения"; +$a->strings["Friend/Connect Request"] = "Приятел / заявка за свързване"; +$a->strings["New Follower"] = "Нов последовател"; +$a->strings["%s created a new post"] = "%s създаден нов пост"; +$a->strings["%s commented on %s's post"] = "%s коментира %s е след"; +$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["Approve"] = "Одобряване"; +$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."] = "Limited профил. Този човек ще бъде в състояние да получат преки / лична уведомления от вас."; +$a->strings["Unable to retrieve contact information."] = "Не мога да получа информация за контакт."; +$a->strings["l F d, Y \\@ g:i A"] = "L F г, Y \\ @ G: I A"; +$a->strings["Starts:"] = "Започва:"; +$a->strings["Finishes:"] = "Играчи:"; +$a->strings["l, F j"] = "л, F J"; +$a->strings["Edit event"] = "Редактиране на Събитието"; +$a->strings["Happy Birthday %s"] = "Честит рожден ден, %s!"; +$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "Изтрита група с това име се възражда. Съществуващ елемент от разрешения май се прилагат към тази група и всички бъдещи членове. Ако това не е това, което сте възнамерявали, моля да се създаде друга група с различно име."; +$a->strings["Default privacy group for new contacts"] = "Неприкосновеността на личния живот на група по подразбиране за нови контакти"; +$a->strings["Everybody"] = "Всички"; +$a->strings["edit"] = "редактиране"; +$a->strings["add"] = "добави"; +$a->strings["Edit group"] = "Редактиране на групата"; +$a->strings["Contacts not in any group"] = "Контакти, не във всяка група"; +$a->strings["Create a new group"] = "Създайте нова група"; +$a->strings["Group Name: "] = "Име на група: "; +$a->strings["activity"] = "дейност"; +$a->strings["comment"] = [ +]; +$a->strings["post"] = "след"; +$a->strings["bytes"] = "байта"; +$a->strings["[no subject]"] = "[Без тема]"; +$a->strings["Edit profile"] = "Редактиране на потребителския профил"; +$a->strings["Change profile photo"] = "Промяна на снимката на профил"; +$a->strings["Homepage:"] = "Начална страница:"; +$a->strings["About:"] = "това ?"; +$a->strings["g A l F d"] = "грама Л Е г"; +$a->strings["F d"] = "F г"; +$a->strings["[today]"] = "Днес"; +$a->strings["Birthday Reminders"] = "Напомняния за рождени дни"; +$a->strings["Birthdays this week:"] = "Рождени дни този Седмица:"; +$a->strings["[No description]"] = "[Няма описание]"; +$a->strings["Event Reminders"] = "Напомняния"; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "Сериозна грешка: генериране на ключове за защита не успя."; +$a->strings["Passwords do not match. Password unchanged."] = "Паролите не съвпадат. Парола непроменен."; +$a->strings["An invitation is required."] = "Се изисква покана."; +$a->strings["Invitation could not be verified."] = "Покана не може да бъде проверена."; +$a->strings["Invalid OpenID url"] = "Невалиден URL OpenID"; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Ние се натъкна на проблем, докато влезете с OpenID, който сте посочили. Моля, проверете правилното изписване на идентификацията."; +$a->strings["The error message was:"] = "Съобщението за грешка е:"; +$a->strings["Please enter the required information."] = "Моля, въведете необходимата информация."; +$a->strings["Username should be at least %s character."] = [ +]; +$a->strings["Username should be at most %s character."] = [ +]; +$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["Nickname is already registered. Please choose another."] = "Псевдоним вече е регистрирано. Моля, изберете друга."; +$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["Registration details for %s"] = "Регистрационни данни за %s"; +$a->strings["Disable"] = "забрани"; +$a->strings["Enable"] = "Да се активира ли?"; +$a->strings["Administration"] = "Администриране "; +$a->strings["Toggle"] = "切換"; +$a->strings["Author: "] = "Автор: "; +$a->strings["Maintainer: "] = "Отговорник: "; +$a->strings["Blocked"] = "Блокиран"; +$a->strings["%s contact unblocked"] = [ +]; +$a->strings["select all"] = "Избор на всичко"; +$a->strings["Unblock"] = "Разблокиране"; +$a->strings["%s total blocked contact"] = [ +]; +$a->strings["Update has been marked successful"] = "Update е маркиран успешно"; +$a->strings["Update %s was successfully applied."] = "Актуализация %s бе успешно приложена."; +$a->strings["Update %s did not return a status. Unknown if it succeeded."] = "Актуализация %s не се връща статус. Известно дали тя успя."; +$a->strings["No failed updates."] = "Няма провалени новини."; +$a->strings["Failed Updates"] = "Неуспешно Updates"; +$a->strings["This does not include updates prior to 1139, which did not return a status."] = "Това не включва актуализации, преди 1139, които не връщат статута."; +$a->strings["Mark success (if update was manually applied)"] = "Марк успех (ако актуализация е ръчно прилага)"; +$a->strings["Attempt to execute this update step automatically"] = "Опита да изпълни тази стъпка се обновяват автоматично"; +$a->strings["Other"] = "Друг"; +$a->strings["Logs"] = "Дневници"; +$a->strings["Clear"] = "Безцветен "; +$a->strings["Log file"] = "Регистрационен файл"; +$a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Трябва да бъде записван от уеб сървър. В сравнение с вашата Friendica най-високо ниво директория."; +$a->strings["Log level"] = "Вход ниво"; +$a->strings["Closed"] = "Затворен"; +$a->strings["Requires approval"] = "Изисква одобрение"; +$a->strings["Open"] = "Отворена."; +$a->strings["No SSL policy, links will track page SSL state"] = "Не SSL политика, връзки ще следи страница SSL състояние"; +$a->strings["Force all links to use SSL"] = "Принуди всички връзки да се използва SSL"; +$a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = "Самоподписан сертификат, използвайте SSL за местни връзки единствено (обезкуражени)"; +$a->strings["Site"] = "Сайт"; +$a->strings["Registration"] = "Регистрация"; +$a->strings["File upload"] = "Прикачване на файлове"; +$a->strings["Policies"] = "Политики"; +$a->strings["Performance"] = "Производителност"; +$a->strings["Site name"] = "Име на сайта"; +$a->strings["Banner/Logo"] = "Банер / лого"; +$a->strings["System language"] = "Системен език"; +$a->strings["System theme"] = "Системна тема"; +$a->strings["SSL link policy"] = "SSL връзка политика"; +$a->strings["Determines whether generated links should be forced to use SSL"] = "Определя дали генерирани връзки трябва да бъдат принудени да се използва SSL"; +$a->strings["Maximum image size"] = "Максимален размер на изображението"; +$a->strings["Maximum size in bytes of uploaded images. Default is 0, which means no limits."] = "Максимален размер в байтове на качените изображения. По подразбиране е 0, което означава, няма граници."; +$a->strings["Register policy"] = "Регистрирайте политика"; +$a->strings["Register text"] = "Регистрирайте се текст"; +$a->strings["Accounts abandoned after x days"] = "Сметките изоставени след дни х"; +$a->strings["Will not waste system resources polling external sites for abandonded accounts. Enter 0 for no time limit."] = "Няма да губи системните ресурси избирателните външни сайтове за abandonded сметки. Въведете 0 за без ограничение във времето."; +$a->strings["Allowed friend domains"] = "Позволи на домейни приятел"; +$a->strings["Comma separated list of domains which are allowed to establish friendships with this site. Wildcards are accepted. Empty to allow any domains"] = "Разделени със запетая списък на домейни, на които е разрешено да се създадат приятелства с този сайт. Заместващи символи са приети. На Empty да се даде възможност на всички домейни"; +$a->strings["Allowed email domains"] = "Позволи на домейни имейл"; +$a->strings["Comma separated list of domains which are allowed in email addresses for registrations to this site. Wildcards are accepted. Empty to allow any domains"] = "Разделени със запетая списък на домейни, които са разрешени в имейл адреси за регистрации в този сайт. Заместващи символи са приети. На Empty да се даде възможност на всички домейни"; +$a->strings["Block public"] = "Блокиране на обществения"; +$a->strings["Check to block public access to all otherwise public personal pages on this site unless you are currently logged in."] = "Тръгване за блокиране на публичен достъп до всички по друг начин публичните лични страници на този сайт, освен ако в момента сте влезли в системата."; +$a->strings["Force publish"] = "Принудително публикува"; +$a->strings["Check to force all profiles on this site to be listed in the site directory."] = "Проверете, за да се принудят всички профили на този сайт да бъдат изброени в директорията на сайта."; +$a->strings["Block multiple registrations"] = "Блокиране на множество регистрации"; +$a->strings["Disallow users to register additional accounts for use as pages."] = "Забраните на потребителите да се регистрират допълнителни сметки, за използване като страниците."; +$a->strings["Enable Diaspora support"] = "Активирайте диаспора подкрепа"; +$a->strings["Provide built-in Diaspora network compatibility."] = "Осигури вградена диаспора в мрежата съвместимост."; +$a->strings["Only allow Friendica contacts"] = "Позволяват само Friendica контакти"; +$a->strings["All contacts must use Friendica protocols. All other built-in communication protocols disabled."] = "Всички контакти трябва да използвате Friendica протоколи. Всички останали вградени комуникационни протоколи с увреждания."; +$a->strings["Verify SSL"] = "Провери SSL"; +$a->strings["If you wish, you can turn on strict certificate checking. This will mean you cannot connect (at all) to self-signed SSL sites."] = "Ако желаете, можете да се обърнете на стриктна проверка на сертификат. Това ще означава, че не можете да свържете (на всички), за да самоподписани SSL обекти."; +$a->strings["Proxy user"] = "Proxy потребител"; +$a->strings["Proxy URL"] = "Proxy URL"; +$a->strings["Network timeout"] = "Мрежа изчакване"; +$a->strings["Value is in seconds. Set to 0 for unlimited (not recommended)."] = "Стойността е в секунди. Настройте на 0 за неограничен (не се препоръчва)."; +$a->strings["Maximum Load Average"] = "Максимално натоварване"; +$a->strings["Normal Account"] = "Нормално профил"; +$a->strings["Automatic Friend Account"] = "Автоматично приятел акаунт"; +$a->strings["Message queues"] = "Съобщение опашки"; +$a->strings["Summary"] = "Резюме"; +$a->strings["Registered users"] = "Регистрираните потребители"; +$a->strings["Pending registrations"] = "Предстоящи регистрации"; +$a->strings["Version"] = "Версия "; +$a->strings["Screenshot"] = "Screenshot"; +$a->strings["Themes"] = "Теми"; +$a->strings["[Experimental]"] = "(Експериментален)"; +$a->strings["[Unsupported]"] = "Неподдържан]"; +$a->strings["%s user blocked"] = [ +]; +$a->strings["%s user deleted"] = [ +]; +$a->strings["Register date"] = "Дата на регистрация"; +$a->strings["Last login"] = "Последно влизане"; +$a->strings["Site admin"] = "Администратор на сайта"; +$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 \\ nEverything тези потребители са публикувани на този сайт ще бъде изтрит завинаги! \\ 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 \\ nEverything този потребител публикувани на този сайт ще бъде изтрит завинаги! \\ n \\ nСигурни ли сте?"; +$a->strings["%s user unblocked"] = [ +]; +$a->strings["Users"] = "Потребители"; +$a->strings["%s user approved"] = [ +]; +$a->strings["%s registration revoked"] = [ +]; +$a->strings["Account approved."] = "Сметка одобрен."; +$a->strings["Request date"] = "Искане дата"; +$a->strings["No registrations."] = "Няма регистрации."; +$a->strings["Deny"] = "Отказ"; +$a->strings["No installed applications."] = "Няма инсталираните приложения."; +$a->strings["Applications"] = "Приложения"; +$a->strings["Item was not found."] = "Елемент не е намерен."; +$a->strings["Additional features"] = "Допълнителни възможности"; +$a->strings["DB updates"] = "Обновления на БД"; +$a->strings["User registrations waiting for confirmation"] = "Потребителски регистрации, чакащи за потвърждение"; +$a->strings["Profile Details"] = "Детайли от профила"; +$a->strings["Only You Can See This"] = "Можете да видите това"; +$a->strings["Tips for New Members"] = "Съвети за нови членове"; +$a->strings["Account"] = "профил"; +$a->strings["Connected apps"] = "Свързани приложения"; +$a->strings["Export personal data"] = "Експортиране на личните данни"; +$a->strings["Remove account"] = "Премахване сметка"; +$a->strings["Contact update failed."] = "Свържете се актуализира провали."; +$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 адрес на Уведомление Endpoint"; +$a->strings["Poll/Feed URL"] = "Анкета / URL Feed"; +$a->strings["New photo from this URL"] = "Нова снимка от този адрес"; $a->strings["Invalid contact."] = "Невалиден свържете."; -$a->strings["Commented Order"] = "Коментирани поръчка"; -$a->strings["Sort by Comment Date"] = "Сортиране по Коментар Дата"; -$a->strings["Posted Order"] = "Пуснато на поръчка"; -$a->strings["Sort by Post Date"] = "Сортирай по пощата дата"; +$a->strings["Follower (%s)"] = [ +]; +$a->strings["Following (%s)"] = [ +]; +$a->strings["Mutual friend (%s)"] = [ +]; +$a->strings["Common contact (%s)"] = [ +]; +$a->strings["Contact (%s)"] = [ +]; +$a->strings["%d contact edited."] = [ +]; +$a->strings["Could not access contact record."] = "Не може да бъде достъп до запис за контакт."; +$a->strings["Contact has been blocked"] = "За контакти е бил блокиран"; +$a->strings["Contact has been unblocked"] = "Контакт са отблокирани"; +$a->strings["Contact has been ignored"] = "Лицето е било игнорирано"; +$a->strings["Contact has been unignored"] = "За контакти е бил 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["Contact has been removed."] = "Контакт е била отстранена."; +$a->strings["You are mutual friends with %s"] = "Вие сте общи приятели с %s"; +$a->strings["You are sharing with %s"] = "Вие споделяте с %s"; +$a->strings["%s is sharing with you"] = "%s се споделя с вас"; +$a->strings["Private communications are not available for this contact."] = "Частни съобщения не са на разположение за този контакт."; +$a->strings["Never"] = "Никога!"; +$a->strings["(Update was not successful)"] = "(Актуализация не е била успешна)"; +$a->strings["(Update was successful)"] = "(Update е била успешна)"; +$a->strings["Suggest friends"] = "Предложете приятели"; +$a->strings["Network type: %s"] = "Тип мрежа: %s"; +$a->strings["Communications lost with this contact!"] = "Communications загубиха с този контакт!"; +$a->strings["Contact Information / Notes"] = "Информация за контакти / Забележки"; +$a->strings["Edit contact notes"] = "Редактиране на контакт с бележка"; +$a->strings["Visit %s's profile [%s]"] = "Посетете %s Профилът на [ %s ]"; +$a->strings["Block/Unblock contact"] = "Блокиране / Деблокиране на контакт"; +$a->strings["Ignore contact"] = "Игнорирай се свържете с"; +$a->strings["View conversations"] = "Вижте разговори"; +$a->strings["Last update:"] = "Последна актуализация:"; +$a->strings["Update public posts"] = "Актуализиране на държавни длъжности"; +$a->strings["Update now"] = "Актуализирай сега"; +$a->strings["Unignore"] = "Извади от пренебрегнатите"; +$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["Show all contacts"] = "Покажи на всички контакти"; +$a->strings["Only show blocked contacts"] = "Покажи само Блокираните контакти"; +$a->strings["Ignored"] = "Игнорирани"; +$a->strings["Only show ignored contacts"] = "Покажи само игнорирани контакти"; +$a->strings["Archived"] = "Архивиран:"; +$a->strings["Only show archived contacts"] = "Покажи само архивирани контакти"; +$a->strings["Hidden"] = "Скрит"; +$a->strings["Only show hidden contacts"] = "Само показва скрити контакти"; +$a->strings["Search your contacts"] = "Търсене на вашите контакти"; +$a->strings["Archive"] = "Архив"; +$a->strings["Unarchive"] = "Разархивирате"; +$a->strings["Advanced Contact Settings"] = "Разширени настройки за контакт"; +$a->strings["Mutual Friendship"] = "Взаимното приятелство"; +$a->strings["is a fan of yours"] = "е фенка"; +$a->strings["you are a fan of"] = "Вие сте фен на"; +$a->strings["Toggle Blocked status"] = "Превключване Блокирани статус"; +$a->strings["Toggle Ignored status"] = "Превключване игнорирани статус"; +$a->strings["Toggle Archive status"] = "Превключване статус Архив"; +$a->strings["Delete contact"] = "Изтриване на контакта"; +$a->strings["No results."] = "Няма резултати."; +$a->strings["Not available."] = "Няма налични"; +$a->strings["No such group"] = "Няма такава група"; +$a->strings["Personal"] = "Лично"; $a->strings["Posts that mention or involve you"] = "Мнения, които споменават или включват"; -$a->strings["New"] = "Нов профил."; -$a->strings["Activity Stream - by date"] = "Активност Stream - по дата"; -$a->strings["Shared Links"] = "Общо връзки"; -$a->strings["Interesting Links"] = "Интересни Връзки"; $a->strings["Starred"] = "Със звезда"; $a->strings["Favourite Posts"] = "Любими Мнения"; -$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["Time Conversion"] = "Време за преобразуване"; +$a->strings["UTC time: %s"] = "UTC време: %s"; +$a->strings["Current timezone: %s"] = "Текуща часова зона: %s"; +$a->strings["Converted localtime: %s"] = "Превърнат localtime: %s"; +$a->strings["Please select your timezone:"] = "Моля изберете вашия часовата зона:"; +$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["No entries (some entries may be hidden)."] = "Няма записи (някои вписвания, могат да бъдат скрити)."; +$a->strings["Find on this site"] = "Търсене в този сайт"; +$a->strings["Site Directory"] = "Site Directory"; +$a->strings["- select -"] = "избор"; +$a->strings["Bug reports and issues: please visit"] = "Доклади за грешки и проблеми: моля посетете"; +$a->strings["Friend suggestion sent."] = "Предложението за приятелство е изпратено."; +$a->strings["Suggest Friends"] = "Предлагане на приятели"; +$a->strings["Suggest a friend for %s"] = "Предлагане на приятел за %s"; +$a->strings["Could not create group."] = "Не може да се създаде група."; +$a->strings["Group not found."] = "Групата не е намерен."; +$a->strings["Create a group of contacts/friends."] = "Създаване на група от контакти / приятели."; +$a->strings["Unable to remove group."] = "Не може да премахнете група."; +$a->strings["Members"] = "Членове"; +$a->strings["Group is empty"] = "Групата е празна"; +$a->strings["Click on a contact to add or remove."] = "Щракнете върху контакт, за да добавите или премахнете."; +$a->strings["Help:"] = "Помощ"; +$a->strings["Welcome to %s"] = "Добре дошли %s"; +$a->strings["No profile"] = "Няма профил"; +$a->strings["System check"] = "Проверка на системата"; +$a->strings["Check again"] = "Проверете отново"; +$a->strings["Database connection"] = "Свързване на база данни"; +$a->strings["In order to install Friendica we need to know how to connect to your database."] = "За да инсталирате Friendica трябва да знаем как да се свърже към вашата база данни."; +$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Моля, свържете с вашия хостинг доставчик или администратора на сайта, ако имате въпроси относно тези настройки."; +$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "База данни, за да определите по-долу би трябвало вече да съществува. Ако това не стане, моля да го създадете, преди да продължите."; +$a->strings["Database Server Name"] = "Име на сървър за база данни"; +$a->strings["Database Login Name"] = "Името на базата данни Парола"; +$a->strings["Database Login Password"] = "Database Влизам Парола"; +$a->strings["Database Name"] = "Име на база данни"; +$a->strings["Please select a default timezone for your website"] = "Моля, изберете часовата зона по подразбиране за вашия уеб сайт"; +$a->strings["Site settings"] = "Настройки на сайта"; +$a->strings["Site administrator email address"] = "Сайт администратор на имейл адрес"; +$a->strings["Your account email address must match this in order to use the web admin panel."] = "Вашият имейл адрес трябва да съответстват на това, за да използвате уеб панел администратор."; +$a->strings["Your Friendica site database has been installed."] = "Вашият Friendica сайт база данни е инсталиран."; +$a->strings["

What next

"] = "

Каква е следващата стъпка "; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Моля, вижте файла \"INSTALL.txt\"."; +$a->strings["%s : Not a valid email address."] = "%s не е валиден имейл адрес."; +$a->strings["Please join us on Friendica"] = "Моля, присъединете се към нас на Friendica"; +$a->strings["%s : Message delivery failed."] = "%s : Съобщение доставка не успя."; +$a->strings["%d message sent."] = [ +]; +$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["Show Ignored Requests"] = "Показване на пренебрегнатите заявки"; +$a->strings["Hide Ignored Requests"] = "Скриване на пренебрегнатите заявки"; +$a->strings["Claims to be known to you: "] = "Искания, да се знае за вас: "; +$a->strings["Friend"] = "Приятел"; +$a->strings["No introductions."] = "Няма въвеждане."; +$a->strings["Network Notifications"] = "Мрежа Известия"; +$a->strings["System Notifications"] = "Системни известия"; +$a->strings["Personal Notifications"] = "Лични Известия"; +$a->strings["Home Notifications"] = "Начало Известия"; +$a->strings["Remote privacy information not available."] = "Дистанционно неприкосновеността на личния живот информация не е достъпен."; +$a->strings["Visible to:"] = "Вижда се от:"; $a->strings["No contacts."] = "Няма контакти."; -$a->strings["Alignment"] = "Подравняване"; -$a->strings["Left"] = "Ляво"; -$a->strings["Center"] = "Център"; -$a->strings["Color scheme"] = "Цветова схема"; -$a->strings["Community Profiles"] = "Общността Профили"; -$a->strings["Last users"] = "Последни потребители"; -$a->strings["Find Friends"] = "Намери приятели"; -$a->strings["Local Directory"] = "Локалната директория"; -$a->strings["Connect Services"] = "Свържете Услуги"; -$a->strings["Community Pages"] = "Общността Pages"; -$a->strings["Help or @NewHere ?"] = "Помощ или @ NewHere,?"; -$a->strings["Delete this item?"] = "Изтриване на тази бележка?"; -$a->strings["show fewer"] = "показват по-малко"; -$a->strings["Update %s failed. See error logs."] = "Актуализация %s не успя. Виж логовете за грешки."; +$a->strings["j F, Y"] = "J F, Y"; +$a->strings["j F"] = "J F"; +$a->strings["Birthday:"] = "Дата на раждане:"; +$a->strings["Age: "] = "Възраст: "; +$a->strings["%d year old"] = [ +]; +$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["Choose a nickname: "] = "Изберете прякор: "; +$a->strings["Registration successful. Please check your email for further instructions."] = "Регистрация успешно. Моля, проверете електронната си поща за по-нататъшни инструкции."; +$a->strings["Your registration can not be processed."] = "Вашата регистрация не могат да бъдат обработени."; +$a->strings["Your registration is pending approval by the site owner."] = "Вашата регистрация е в очакване на одобрение от собственика на сайта."; $a->strings["Create a New Account"] = "Създаване на нов профил:"; -$a->strings["Password: "] = "Парола "; $a->strings["Or login using OpenID: "] = "Или да влезнете с OpenID: "; +$a->strings["Password: "] = "Парола "; $a->strings["Forgot your password?"] = "Забравена парола?"; $a->strings["Website Terms of Service"] = "Условия за ползване на сайта"; $a->strings["terms of service"] = "условия за ползване"; $a->strings["Website Privacy Policy"] = "Политика за поверителност на сайта"; $a->strings["privacy policy"] = "политика за поверителност"; +$a->strings["Logged out."] = "Изход"; +$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = "Делегатите са в състояние да управляват всички аспекти от тази сметка / страница, с изключение на основните настройки сметка. Моля, не делегира Вашата лична сметка на никого, че не се доверявате напълно."; +$a->strings["Existing Page Delegates"] = "Съществуващите Делегатите Страница"; +$a->strings["Potential Delegates"] = "Потенциални Делегатите"; +$a->strings["Add"] = "Добави"; +$a->strings["No entries."] = "няма регистрирани"; +$a->strings["Display Settings"] = "Настройки на дисплея"; +$a->strings["Theme settings"] = "Тема Настройки"; +$a->strings["Display Theme:"] = "Палитрата на дисплея:"; +$a->strings["Maximum of 100 items"] = "Максимум от 100 точки"; +$a->strings["Update browser every xx seconds"] = "Актуализиране на браузъра на всеки ХХ секунди"; +$a->strings["Don't show emoticons"] = "Да не се показват емотикони"; +$a->strings["Profile Name is required."] = "Име на профил се изисква."; +$a->strings["(click to open/close)"] = "(Щракнете за отваряне / затваряне)"; +$a->strings["Edit Profile Details"] = "Редактиране на детайли от профила"; +$a->strings["Change Profile Photo"] = "Промяна снимката на профила"; +$a->strings["Location"] = "Местоположение "; +$a->strings["Miscellaneous"] = "Разни"; +$a->strings["Upload Profile Photo"] = "Качване на снимка Профилът"; +$a->strings["Street Address:"] = "Адрес:"; +$a->strings["Locality/City:"] = "Махала / Град:"; +$a->strings["Region/State:"] = "Регион / Щат:"; +$a->strings["Postal/Zip Code:"] = "Postal / Zip Code:"; +$a->strings["Country:"] = "Държава:"; +$a->strings["Homepage URL:"] = "Електронна страница:"; +$a->strings["Public Keywords:"] = "Публичните Ключови думи:"; +$a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(Използва се за предполагайки потенциален приятели, може да се види от други)"; +$a->strings["Private Keywords:"] = "Частни Ключови думи:"; +$a->strings["(Used for searching profiles, never shown to others)"] = "(Използва се за търсене на профилите, никога не показва и на други)"; +$a->strings["Image size reduction [%s] failed."] = "Намаляване на размер [ %s ] не успя."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Shift-презаредите страницата или ясно, кеша на браузъра, ако новата снимка не показва веднага."; +$a->strings["Unable to process image"] = "Не може да се обработи"; +$a->strings["Crop Image"] = "Изрязване на изображението"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Моля, настроите образа на изрязване за оптимално гледане."; +$a->strings["or"] = "или"; +$a->strings["skip this step"] = "пропуснете тази стъпка"; +$a->strings["select a photo from your photo albums"] = "изберете снимка от вашите фото албуми"; +$a->strings["Wrong Password"] = "Неправилна парола"; +$a->strings["Export all"] = "Изнасяне на всичко"; +$a->strings["Not Found"] = "Не е намерено"; +$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["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["Connecting"] = "Свързване"; +$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"] = "Въведете своя имейл достъп до информация на страницата Настройки на Connector, ако желаете да внасят и да взаимодейства с приятели или списъци с адреси от електронната си поща Входящи"; +$a->strings["Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the Add New Contact dialog."] = "Контакти страница е вашата врата към управлението на приятелства и свързване с приятели в други мрежи. Обикновено можете да въведете адрес или адрес на сайта в Добавяне на нов контакт диалоговия."; +$a->strings["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["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["Our help pages may be consulted for detail on other program features and resources."] = "Нашата помощ страницата може да бъде консултиран за подробности относно други характеристики, програма и ресурси."; +$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["This entry was edited"] = "Записът е редактиран"; +$a->strings["Private Message"] = "Лично съобщение"; +$a->strings["save to folder"] = "запишете в папка"; +$a->strings["add star"] = "Добавяне на звезда"; +$a->strings["remove star"] = "Премахване на звездата"; +$a->strings["toggle star status"] = "превключване звезда статус"; +$a->strings["starred"] = "звезда"; +$a->strings["add tag"] = "добавяне на етикет"; +$a->strings["like"] = "харесвам"; +$a->strings["dislike"] = "не харесвам"; +$a->strings["to"] = "за"; +$a->strings["Wall-to-Wall"] = "От стена до стена"; +$a->strings["via Wall-To-Wall:"] = "чрез стена до стена:"; +$a->strings["%d comment"] = [ +]; +$a->strings["Attachments:"] = "Приложения"; +$a->strings["following"] = "следните условия:"; +$a->strings["stopped following"] = "спря след"; +$a->strings["Hometown:"] = "Hometown:"; +$a->strings["Sexual Preference:"] = "Сексуални предпочитания:"; +$a->strings["Political Views:"] = "Политически възгледи:"; +$a->strings["Religious Views:"] = "Религиозни възгледи:"; +$a->strings["Likes:"] = "Харесвания:"; +$a->strings["Dislikes:"] = "Нехаресвания:"; +$a->strings["Title/Description:"] = "Наименование/Описание"; +$a->strings["Musical interests"] = "Музикални интереси"; +$a->strings["Books, literature"] = "Книги, литература"; +$a->strings["Television"] = "Телевизия"; +$a->strings["Film/dance/culture/entertainment"] = "Филм / танц / Култура / забавления"; +$a->strings["Hobbies/Interests"] = "Хобита / интереси"; +$a->strings["Love/romance"] = "Любов / романтика"; +$a->strings["Work/employment"] = "Работа / заетост"; +$a->strings["School/education"] = "Училище / образование"; +$a->strings["Contact information and Social Networks"] = "Информация за контакти и социални мрежи"; +$a->strings["Login failed."] = "Влез не успя."; +$a->strings["Please upload a profile photo."] = "Моля, да качите снимка профил."; diff --git a/view/lang/de/messages.po b/view/lang/de/messages.po index 58cd78b3a5..268e5fd572 100644 --- a/view/lang/de/messages.po +++ b/view/lang/de/messages.po @@ -1,5 +1,5 @@ # FRIENDICA Distributed Social Network -# Copyright (C) 2010-2020 the Friendica Project +# Copyright (C) 2010-2021 the Friendica Project # This file is distributed under the same license as the Friendica package. # # Translators: @@ -40,7 +40,7 @@ # Steffen K9 , 2019 # Tobias Diekershoff , 2013-2016 # Tobias Diekershoff , 2011-2013 -# Tobias Diekershoff , 2016-2020 +# Tobias Diekershoff , 2016-2021 # zottel , 2011-2012 # tschlotfeldt , 2011 # Ulf Rompe , 2019 @@ -49,8 +49,8 @@ msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-12-27 12:02+0000\n" -"PO-Revision-Date: 2020-12-29 07:33+0000\n" +"POT-Creation-Date: 2021-01-23 05:36-0500\n" +"PO-Revision-Date: 2021-02-01 06:15+0000\n" "Last-Translator: Tobias Diekershoff \n" "Language-Team: German (http://www.transifex.com/Friendica/friendica/language/de/)\n" "MIME-Version: 1.0\n" @@ -59,1160 +59,759 @@ msgstr "" "Language: de\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: view/theme/duepuntozero/config.php:52 -msgid "default" -msgstr "Standard" - -#: view/theme/duepuntozero/config.php:53 -msgid "greenzero" -msgstr "greenzero" - -#: view/theme/duepuntozero/config.php:54 -msgid "purplezero" -msgstr "purplezero" - -#: view/theme/duepuntozero/config.php:55 -msgid "easterbunny" -msgstr "easterbunny" - -#: view/theme/duepuntozero/config.php:56 -msgid "darkzero" -msgstr "darkzero" - -#: view/theme/duepuntozero/config.php:57 -msgid "comix" -msgstr "comix" - -#: view/theme/duepuntozero/config.php:58 -msgid "slackr" -msgstr "slackr" - -#: view/theme/duepuntozero/config.php:69 view/theme/quattro/config.php:71 -#: view/theme/vier/config.php:119 view/theme/frio/config.php:160 -#: mod/message.php:206 mod/message.php:374 mod/events.php:579 -#: mod/photos.php:950 mod/photos.php:1053 mod/photos.php:1339 -#: mod/photos.php:1380 mod/photos.php:1437 mod/photos.php:1510 -#: src/Object/Post.php:953 src/Module/Debug/Localtime.php:64 -#: src/Module/Profile/Profile.php:242 src/Module/FriendSuggest.php:129 -#: src/Module/Install.php:234 src/Module/Install.php:276 -#: src/Module/Install.php:313 src/Module/Delegation.php:152 -#: src/Module/Contact.php:604 src/Module/Invite.php:175 -#: src/Module/Item/Compose.php:144 src/Module/Contact/Poke.php:155 -#: src/Module/Contact/Advanced.php:132 -#: src/Module/Settings/Profile/Index.php:237 -msgid "Submit" -msgstr "Senden" - -#: view/theme/duepuntozero/config.php:70 view/theme/quattro/config.php:72 -#: view/theme/vier/config.php:120 view/theme/frio/config.php:161 -#: src/Module/Settings/Display.php:193 -msgid "Theme settings" -msgstr "Theme-Einstellungen" - -#: view/theme/duepuntozero/config.php:71 -msgid "Variations" -msgstr "Variationen" - -#: view/theme/quattro/config.php:73 -msgid "Alignment" -msgstr "Ausrichtung" - -#: view/theme/quattro/config.php:73 -msgid "Left" -msgstr "Links" - -#: view/theme/quattro/config.php:73 -msgid "Center" -msgstr "Mitte" - -#: view/theme/quattro/config.php:74 -msgid "Color scheme" -msgstr "Farbschema" - -#: view/theme/quattro/config.php:75 -msgid "Posts font size" -msgstr "Schriftgröße in Beiträgen" - -#: view/theme/quattro/config.php:76 -msgid "Textareas font size" -msgstr "Schriftgröße in Eingabefeldern" - -#: view/theme/vier/config.php:75 -msgid "Comma separated list of helper forums" -msgstr "Komma-separierte Liste der Helfer-Foren" - -#: view/theme/vier/config.php:115 -msgid "don't show" -msgstr "nicht zeigen" - -#: view/theme/vier/config.php:115 -msgid "show" -msgstr "zeigen" - -#: view/theme/vier/config.php:121 -msgid "Set style" -msgstr "Stil auswählen" - -#: view/theme/vier/config.php:122 -msgid "Community Pages" -msgstr "Gemeinschaftsseiten" - -#: view/theme/vier/config.php:123 view/theme/vier/theme.php:125 -msgid "Community Profiles" -msgstr "Gemeinschaftsprofile" - -#: view/theme/vier/config.php:124 -msgid "Help or @NewHere ?" -msgstr "Hilfe oder @NewHere" - -#: view/theme/vier/config.php:125 view/theme/vier/theme.php:296 -msgid "Connect Services" -msgstr "Verbinde Dienste" - -#: view/theme/vier/config.php:126 -msgid "Find Friends" -msgstr "Kontakte finden" - -#: view/theme/vier/config.php:127 view/theme/vier/theme.php:152 -msgid "Last users" -msgstr "Letzte Nutzer" - -#: view/theme/vier/theme.php:170 src/Content/Widget.php:73 -msgid "Find People" -msgstr "Leute finden" - -#: view/theme/vier/theme.php:171 src/Content/Widget.php:74 -msgid "Enter name or interest" -msgstr "Name oder Interessen eingeben" - -#: view/theme/vier/theme.php:172 include/conversation.php:962 -#: mod/follow.php:145 src/Model/Contact.php:979 src/Model/Contact.php:992 -#: src/Content/Widget.php:75 -msgid "Connect/Follow" -msgstr "Verbinden/Folgen" - -#: view/theme/vier/theme.php:173 src/Content/Widget.php:76 -msgid "Examples: Robert Morgenstein, Fishing" -msgstr "Beispiel: Robert Morgenstein, Angeln" - -#: view/theme/vier/theme.php:174 src/Module/Contact.php:876 -#: src/Module/Directory.php:105 src/Content/Widget.php:77 -msgid "Find" -msgstr "Finde" - -#: view/theme/vier/theme.php:175 mod/suggest.php:55 src/Content/Widget.php:78 -msgid "Friend Suggestions" -msgstr "Kontaktvorschläge" - -#: view/theme/vier/theme.php:176 src/Content/Widget.php:79 -msgid "Similar Interests" -msgstr "Ähnliche Interessen" - -#: view/theme/vier/theme.php:177 src/Content/Widget.php:80 -msgid "Random Profile" -msgstr "Zufälliges Profil" - -#: view/theme/vier/theme.php:178 src/Content/Widget.php:81 -msgid "Invite Friends" -msgstr "Freunde einladen" - -#: view/theme/vier/theme.php:179 src/Module/Directory.php:97 -#: src/Content/Widget.php:82 -msgid "Global Directory" -msgstr "Weltweites Verzeichnis" - -#: view/theme/vier/theme.php:181 src/Content/Widget.php:84 -msgid "Local Directory" -msgstr "Lokales Verzeichnis" - -#: view/theme/vier/theme.php:211 -msgid "Quick Start" -msgstr "Schnell-Start" - -#: view/theme/vier/theme.php:217 src/Module/Help.php:69 -#: src/Module/Settings/TwoFactor/Index.php:106 -#: src/Module/Settings/TwoFactor/Verify.php:132 -#: src/Module/Settings/TwoFactor/Recovery.php:93 -#: src/Module/Settings/TwoFactor/AppSpecific.php:115 src/Content/Nav.php:212 -msgid "Help" -msgstr "Hilfe" - -#: view/theme/frio/config.php:142 -msgid "Light (Accented)" -msgstr "Hell (Akzentuiert)" - -#: view/theme/frio/config.php:143 -msgid "Dark (Accented)" -msgstr "Dunkel (Akzentuiert)" - -#: view/theme/frio/config.php:144 -msgid "Black (Accented)" -msgstr "Schwarz (Akzentuiert)" - -#: view/theme/frio/config.php:156 -msgid "Note" -msgstr "Hinweis" - -#: view/theme/frio/config.php:156 -msgid "Check image permissions if all users are allowed to see the image" -msgstr "Überprüfe, dass alle Benutzer die Berechtigung haben dieses Bild anzusehen" - -#: view/theme/frio/config.php:162 -msgid "Custom" -msgstr "Benutzerdefiniert" - -#: view/theme/frio/config.php:163 -msgid "Legacy" -msgstr "Vermächtnis" - -#: view/theme/frio/config.php:164 -msgid "Accented" -msgstr "Akzentuiert" - -#: view/theme/frio/config.php:165 -msgid "Select color scheme" -msgstr "Farbschema auswählen" - -#: view/theme/frio/config.php:166 -msgid "Select scheme accent" -msgstr "Wähle einen Akzent für das Thema" - -#: view/theme/frio/config.php:166 -msgid "Blue" -msgstr "Blau" - -#: view/theme/frio/config.php:166 -msgid "Red" -msgstr "Rot" - -#: view/theme/frio/config.php:166 -msgid "Purple" -msgstr "Violett" - -#: view/theme/frio/config.php:166 -msgid "Green" -msgstr "Grün" - -#: view/theme/frio/config.php:166 -msgid "Pink" -msgstr "Rosa" - -#: view/theme/frio/config.php:167 -msgid "Copy or paste schemestring" -msgstr "Farbschema kopieren oder einfügen" - -#: view/theme/frio/config.php:167 -msgid "" -"You can copy this string to share your theme with others. Pasting here " -"applies the schemestring" -msgstr "Du kannst den String mit den Farbschema Informationen mit anderen Teilen. Wenn du einen neuen Farbschema-String hier einfügst wird er für deine Einstellungen übernommen." - -#: view/theme/frio/config.php:168 -msgid "Navigation bar background color" -msgstr "Hintergrundfarbe der Navigationsleiste" - -#: view/theme/frio/config.php:169 -msgid "Navigation bar icon color " -msgstr "Icon Farbe in der Navigationsleiste" - -#: view/theme/frio/config.php:170 -msgid "Link color" -msgstr "Linkfarbe" - -#: view/theme/frio/config.php:171 -msgid "Set the background color" -msgstr "Hintergrundfarbe festlegen" - -#: view/theme/frio/config.php:172 -msgid "Content background opacity" -msgstr "Opazität des Hintergrunds von Beiträgen" - -#: view/theme/frio/config.php:173 -msgid "Set the background image" -msgstr "Hintergrundbild festlegen" - -#: view/theme/frio/config.php:174 -msgid "Background image style" -msgstr "Stil des Hintergrundbildes" - -#: view/theme/frio/config.php:179 -msgid "Login page background image" -msgstr "Hintergrundbild der Login-Seite" - -#: view/theme/frio/config.php:183 -msgid "Login page background color" -msgstr "Hintergrundfarbe der Login-Seite" - -#: view/theme/frio/config.php:183 -msgid "Leave background image and color empty for theme defaults" -msgstr "Wenn die Theme-Vorgaben verwendet werden sollen, lass bitte die Felder für die Hintergrundfarbe und das Hintergrundbild leer." - -#: view/theme/frio/theme.php:207 -msgid "Guest" -msgstr "Gast" - -#: view/theme/frio/theme.php:210 -msgid "Visitor" -msgstr "Besucher" - -#: view/theme/frio/theme.php:225 src/Module/Contact.php:655 -#: src/Module/Contact.php:920 src/Module/BaseProfile.php:60 -#: src/Module/Settings/TwoFactor/Index.php:107 src/Content/Nav.php:177 -msgid "Status" -msgstr "Status" - -#: view/theme/frio/theme.php:225 src/Content/Nav.php:177 -#: src/Content/Nav.php:263 -msgid "Your posts and conversations" -msgstr "Deine Beiträge und Unterhaltungen" - -#: view/theme/frio/theme.php:226 src/Module/Profile/Profile.php:236 -#: src/Module/Welcome.php:57 src/Module/Contact.php:657 -#: src/Module/Contact.php:936 src/Module/BaseProfile.php:52 -#: src/Module/BaseSettings.php:57 src/Content/Nav.php:178 -msgid "Profile" -msgstr "Profil" - -#: view/theme/frio/theme.php:226 src/Content/Nav.php:178 -msgid "Your profile page" -msgstr "Deine Profilseite" - -#: view/theme/frio/theme.php:227 mod/fbrowser.php:43 -#: src/Module/BaseProfile.php:68 src/Content/Nav.php:179 -msgid "Photos" -msgstr "Bilder" - -#: view/theme/frio/theme.php:227 src/Content/Nav.php:179 -msgid "Your photos" -msgstr "Deine Fotos" - -#: view/theme/frio/theme.php:228 src/Module/BaseProfile.php:76 -#: src/Module/BaseProfile.php:79 src/Content/Nav.php:180 -msgid "Videos" -msgstr "Videos" - -#: view/theme/frio/theme.php:228 src/Content/Nav.php:180 -msgid "Your videos" -msgstr "Deine Videos" - -#: view/theme/frio/theme.php:229 view/theme/frio/theme.php:233 mod/cal.php:273 -#: mod/events.php:421 src/Module/BaseProfile.php:88 -#: src/Module/BaseProfile.php:99 src/Content/Nav.php:181 -#: src/Content/Nav.php:248 -msgid "Events" -msgstr "Veranstaltungen" - -#: view/theme/frio/theme.php:229 src/Content/Nav.php:181 -msgid "Your events" -msgstr "Deine Ereignisse" - -#: view/theme/frio/theme.php:232 src/Content/Nav.php:261 -msgid "Network" -msgstr "Netzwerk" - -#: view/theme/frio/theme.php:232 src/Content/Nav.php:261 -msgid "Conversations from your friends" -msgstr "Unterhaltungen Deiner Kontakte" - -#: view/theme/frio/theme.php:233 src/Module/BaseProfile.php:91 -#: src/Module/BaseProfile.php:102 src/Content/Nav.php:248 -msgid "Events and Calendar" -msgstr "Ereignisse und Kalender" - -#: view/theme/frio/theme.php:234 mod/message.php:135 src/Content/Nav.php:273 -msgid "Messages" -msgstr "Nachrichten" - -#: view/theme/frio/theme.php:234 src/Content/Nav.php:273 -msgid "Private mail" -msgstr "Private E-Mail" - -#: view/theme/frio/theme.php:235 src/Module/Welcome.php:52 -#: src/Module/Admin/Themes/Details.php:93 -#: src/Module/Admin/Addons/Details.php:114 src/Module/BaseSettings.php:124 -#: src/Content/Nav.php:282 -msgid "Settings" -msgstr "Einstellungen" - -#: view/theme/frio/theme.php:235 src/Content/Nav.php:282 -msgid "Account settings" -msgstr "Kontoeinstellungen" - -#: view/theme/frio/theme.php:236 src/Module/Contact.php:855 -#: src/Module/Contact.php:943 src/Module/BaseProfile.php:121 -#: src/Module/BaseProfile.php:124 src/Content/Nav.php:225 -#: src/Content/Nav.php:284 src/Content/Text/HTML.php:898 -msgid "Contacts" -msgstr "Kontakte" - -#: view/theme/frio/theme.php:236 src/Content/Nav.php:284 -msgid "Manage/edit friends and contacts" -msgstr "Freunde und Kontakte verwalten/bearbeiten" - -#: view/theme/frio/theme.php:321 include/conversation.php:941 -msgid "Follow Thread" -msgstr "Folge der Unterhaltung" - -#: view/theme/frio/php/standard.php:38 view/theme/frio/php/default.php:81 -msgid "Skip to main content" -msgstr "Zum Inhalt der Seite gehen" - -#: view/theme/frio/php/Image.php:40 -msgid "Top Banner" -msgstr "Top Banner" - -#: view/theme/frio/php/Image.php:40 -msgid "" -"Resize image to the width of the screen and show background color below on " -"long pages." -msgstr "Skaliere das Hintergrundbild so, dass es die Breite der Seite einnimmt, und fülle den Rest der Seite mit der Hintergrundfarbe bei langen Seiten." - -#: view/theme/frio/php/Image.php:41 -msgid "Full screen" -msgstr "Vollbildmodus" - -#: view/theme/frio/php/Image.php:41 -msgid "" -"Resize image to fill entire screen, clipping either the right or the bottom." -msgstr "Skaliere das Bild so, dass es den gesamten Bildschirm füllt. Hierfür wird entweder die Breite oder die Höhe des Bildes automatisch abgeschnitten." - -#: view/theme/frio/php/Image.php:42 -msgid "Single row mosaic" -msgstr "Mosaik in einer Zeile" - -#: view/theme/frio/php/Image.php:42 -msgid "" -"Resize image to repeat it on a single row, either vertical or horizontal." -msgstr "Skaliere das Bild so, dass es in einer einzelnen Reihe, entweder horizontal oder vertikal, wiederholt wird." - -#: view/theme/frio/php/Image.php:43 -msgid "Mosaic" -msgstr "Mosaik" - -#: view/theme/frio/php/Image.php:43 -msgid "Repeat image to fill the screen." -msgstr "Wiederhole das Bild, um den Bildschirm zu füllen." - -#: update.php:198 +#: include/api.php:1129 #, php-format -msgid "%s: Updating author-id and owner-id in item and thread table. " -msgstr "%s: Aktualisiere die author-id und owner-id in der Thread Tabelle" +msgid "Daily posting limit of %d post reached. The post was rejected." +msgid_plural "Daily posting limit of %d posts reached. The post was rejected." +msgstr[0] "Das tägliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen." +msgstr[1] "Das tägliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen." -#: update.php:253 +#: include/api.php:1143 #, php-format -msgid "%s: Updating post-type." -msgstr "%s: Aktualisiere Beitrags-Typ" +msgid "Weekly posting limit of %d post reached. The post was rejected." +msgid_plural "" +"Weekly posting limit of %d posts reached. The post was rejected." +msgstr[0] "Das wöchentliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen." +msgstr[1] "Das wöchentliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen." -#: include/conversation.php:189 +#: include/api.php:1157 +#, php-format +msgid "Monthly posting limit of %d post reached. The post was rejected." +msgstr "Das monatliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen." + +#: include/api.php:4454 mod/photos.php:107 mod/photos.php:211 +#: mod/photos.php:639 mod/photos.php:1043 mod/photos.php:1060 +#: mod/photos.php:1607 src/Model/User.php:1045 src/Model/User.php:1053 +#: src/Model/User.php:1061 src/Module/Settings/Profile/Photo/Crop.php:97 +#: src/Module/Settings/Profile/Photo/Crop.php:113 +#: src/Module/Settings/Profile/Photo/Crop.php:129 +#: src/Module/Settings/Profile/Photo/Crop.php:178 +#: src/Module/Settings/Profile/Photo/Index.php:96 +#: src/Module/Settings/Profile/Photo/Index.php:102 +msgid "Profile Photos" +msgstr "Profilbilder" + +#: include/conversation.php:190 #, php-format msgid "%1$s poked %2$s" msgstr "%1$s stupste %2$s" -#: include/conversation.php:221 src/Model/Item.php:3521 +#: include/conversation.php:222 src/Model/Item.php:2763 msgid "event" msgstr "Veranstaltung" -#: include/conversation.php:224 include/conversation.php:233 mod/tagger.php:89 +#: include/conversation.php:225 include/conversation.php:234 mod/tagger.php:90 msgid "status" msgstr "Status" -#: include/conversation.php:229 mod/tagger.php:89 src/Model/Item.php:3523 +#: include/conversation.php:230 mod/tagger.php:90 src/Model/Item.php:2765 msgid "photo" msgstr "Foto" -#: include/conversation.php:243 mod/tagger.php:122 +#: include/conversation.php:244 mod/tagger.php:123 #, 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" -#: include/conversation.php:559 mod/photos.php:1468 src/Object/Post.php:236 +#: include/conversation.php:560 mod/photos.php:1468 src/Object/Post.php:238 msgid "Select" msgstr "Auswählen" -#: include/conversation.php:560 mod/settings.php:564 mod/settings.php:706 -#: mod/photos.php:1469 src/Module/Contact.php:886 src/Module/Contact.php:1190 -#: src/Module/Admin/Users/Index.php:153 src/Module/Admin/Users/Active.php:139 -#: src/Module/Admin/Users/Blocked.php:140 +#: include/conversation.php:561 mod/photos.php:1469 mod/settings.php:564 +#: mod/settings.php:706 src/Module/Admin/Users/Active.php:139 +#: src/Module/Admin/Users/Blocked.php:140 src/Module/Admin/Users/Index.php:153 +#: src/Module/Contact.php:886 src/Module/Contact.php:1190 msgid "Delete" msgstr "Löschen" -#: include/conversation.php:595 src/Object/Post.php:449 -#: src/Object/Post.php:450 +#: include/conversation.php:596 src/Object/Post.php:457 +#: src/Object/Post.php:458 #, php-format msgid "View %s's profile @ %s" msgstr "Das Profil von %s auf %s betrachten." -#: include/conversation.php:608 src/Object/Post.php:437 +#: include/conversation.php:609 src/Object/Post.php:445 msgid "Categories:" msgstr "Kategorien:" -#: include/conversation.php:609 src/Object/Post.php:438 +#: include/conversation.php:610 src/Object/Post.php:446 msgid "Filed under:" msgstr "Abgelegt unter:" -#: include/conversation.php:616 src/Object/Post.php:463 +#: include/conversation.php:617 src/Object/Post.php:471 #, php-format msgid "%s from %s" msgstr "%s von %s" -#: include/conversation.php:631 +#: include/conversation.php:632 msgid "View in context" msgstr "Im Zusammenhang betrachten" -#: include/conversation.php:633 include/conversation.php:1215 -#: mod/wallmessage.php:155 mod/message.php:205 mod/message.php:375 -#: mod/editpost.php:105 mod/photos.php:1534 src/Object/Post.php:496 -#: src/Module/Item/Compose.php:159 +#: include/conversation.php:634 include/conversation.php:1216 +#: mod/editpost.php:104 mod/message.php:205 mod/message.php:375 +#: mod/photos.php:1534 mod/wallmessage.php:155 src/Module/Item/Compose.php:159 +#: src/Object/Post.php:505 msgid "Please wait" msgstr "Bitte warten" -#: include/conversation.php:697 +#: include/conversation.php:698 msgid "remove" msgstr "löschen" -#: include/conversation.php:702 +#: include/conversation.php:703 msgid "Delete Selected Items" msgstr "Lösche die markierten Beiträge" -#: include/conversation.php:739 include/conversation.php:742 -#: include/conversation.php:745 include/conversation.php:748 +#: include/conversation.php:740 include/conversation.php:743 +#: include/conversation.php:746 include/conversation.php:749 #, php-format msgid "You had been addressed (%s)." msgstr "Du wurdest angeschrieben (%s)." -#: include/conversation.php:751 +#: include/conversation.php:752 #, php-format msgid "You are following %s." msgstr "Du folgst %s." -#: include/conversation.php:754 +#: include/conversation.php:755 msgid "Tagged" msgstr "Verschlagwortet" -#: include/conversation.php:765 include/conversation.php:1108 -#: include/conversation.php:1146 +#: include/conversation.php:766 include/conversation.php:1109 +#: include/conversation.php:1147 #, php-format msgid "%s reshared this." msgstr "%s hat dies geteilt" -#: include/conversation.php:767 +#: include/conversation.php:768 msgid "Reshared" msgstr "Geteilt" -#: include/conversation.php:767 +#: include/conversation.php:768 #, php-format msgid "Reshared by %s" msgstr "Von %s geteilt" -#: include/conversation.php:770 +#: include/conversation.php:771 #, php-format msgid "%s is participating in this thread." msgstr "%s ist an der Unterhaltung beteiligt." -#: include/conversation.php:773 +#: include/conversation.php:774 msgid "Stored" msgstr "Gespeichert" -#: include/conversation.php:776 +#: include/conversation.php:777 msgid "Global" msgstr "Global" -#: include/conversation.php:779 +#: include/conversation.php:780 msgid "Relayed" msgstr "Übermittelt" -#: include/conversation.php:779 +#: include/conversation.php:780 #, php-format msgid "Relayed by %s." msgstr "Von %s übermittelt" -#: include/conversation.php:782 +#: include/conversation.php:783 msgid "Fetched" msgstr "Abgerufen" -#: include/conversation.php:782 +#: include/conversation.php:783 #, php-format msgid "Fetched because of %s" msgstr "Wegen %s abgerufen" -#: include/conversation.php:942 src/Model/Contact.php:984 +#: include/conversation.php:942 view/theme/frio/theme.php:321 +msgid "Follow Thread" +msgstr "Folge der Unterhaltung" + +#: include/conversation.php:943 src/Model/Contact.php:984 msgid "View Status" msgstr "Status anschauen" -#: include/conversation.php:943 include/conversation.php:965 -#: src/Module/Directory.php:166 src/Module/Settings/Profile/Index.php:240 +#: include/conversation.php:944 include/conversation.php:966 #: src/Model/Contact.php:910 src/Model/Contact.php:976 -#: src/Model/Contact.php:985 +#: src/Model/Contact.php:985 src/Module/Directory.php:166 +#: src/Module/Settings/Profile/Index.php:240 msgid "View Profile" msgstr "Profil anschauen" -#: include/conversation.php:944 src/Model/Contact.php:986 +#: include/conversation.php:945 src/Model/Contact.php:986 msgid "View Photos" msgstr "Bilder anschauen" -#: include/conversation.php:945 src/Model/Contact.php:977 +#: include/conversation.php:946 src/Model/Contact.php:977 #: src/Model/Contact.php:987 msgid "Network Posts" msgstr "Netzwerkbeiträge" -#: include/conversation.php:946 src/Model/Contact.php:978 +#: include/conversation.php:947 src/Model/Contact.php:978 #: src/Model/Contact.php:988 msgid "View Contact" msgstr "Kontakt anzeigen" -#: include/conversation.php:947 src/Model/Contact.php:990 +#: include/conversation.php:948 src/Model/Contact.php:990 msgid "Send PM" msgstr "Private Nachricht senden" -#: include/conversation.php:948 src/Module/Contact.php:625 -#: src/Module/Contact.php:883 src/Module/Contact.php:1165 -#: src/Module/Admin/Users/Index.php:154 src/Module/Admin/Users/Active.php:140 -#: src/Module/Admin/Blocklist/Contact.php:84 +#: include/conversation.php:949 src/Module/Admin/Blocklist/Contact.php:84 +#: src/Module/Admin/Users/Active.php:140 src/Module/Admin/Users/Index.php:154 +#: src/Module/Contact.php:625 src/Module/Contact.php:883 +#: src/Module/Contact.php:1165 msgid "Block" msgstr "Sperren" -#: include/conversation.php:949 src/Module/Notifications/Notification.php:59 -#: src/Module/Notifications/Introductions.php:113 -#: src/Module/Notifications/Introductions.php:191 src/Module/Contact.php:626 +#: include/conversation.php:950 src/Module/Contact.php:626 #: src/Module/Contact.php:884 src/Module/Contact.php:1173 +#: src/Module/Notifications/Introductions.php:113 +#: src/Module/Notifications/Introductions.php:191 +#: src/Module/Notifications/Notification.php:59 msgid "Ignore" msgstr "Ignorieren" -#: include/conversation.php:953 src/Object/Post.php:426 +#: include/conversation.php:954 src/Object/Post.php:434 msgid "Languages" msgstr "Sprachen" -#: include/conversation.php:957 src/Model/Contact.php:991 +#: include/conversation.php:958 src/Model/Contact.php:991 msgid "Poke" msgstr "Anstupsen" -#: include/conversation.php:1093 +#: include/conversation.php:963 mod/follow.php:146 src/Content/Widget.php:75 +#: src/Model/Contact.php:979 src/Model/Contact.php:992 +#: view/theme/vier/theme.php:172 +msgid "Connect/Follow" +msgstr "Verbinden/Folgen" + +#: include/conversation.php:1094 #, php-format msgid "%s likes this." msgstr "%s mag das." -#: include/conversation.php:1096 +#: include/conversation.php:1097 #, php-format msgid "%s doesn't like this." msgstr "%s mag das nicht." -#: include/conversation.php:1099 +#: include/conversation.php:1100 #, php-format msgid "%s attends." msgstr "%s nimmt teil." -#: include/conversation.php:1102 +#: include/conversation.php:1103 #, php-format msgid "%s doesn't attend." msgstr "%s nimmt nicht teil." -#: include/conversation.php:1105 +#: include/conversation.php:1106 #, php-format msgid "%s attends maybe." msgstr "%s nimmt eventuell teil." -#: include/conversation.php:1114 +#: include/conversation.php:1115 msgid "and" msgstr "und" -#: include/conversation.php:1117 +#: include/conversation.php:1118 #, php-format msgid "and %d other people" msgstr "und %dandere" -#: include/conversation.php:1125 +#: include/conversation.php:1126 #, php-format msgid "%2$d people like this" msgstr "%2$d Personen mögen das" -#: include/conversation.php:1126 +#: include/conversation.php:1127 #, php-format msgid "%s like this." msgstr "%s mögen das." -#: include/conversation.php:1129 +#: include/conversation.php:1130 #, php-format msgid "%2$d people don't like this" msgstr "%2$d Personen mögen das nicht" -#: include/conversation.php:1130 +#: include/conversation.php:1131 #, php-format msgid "%s don't like this." msgstr "%s mögen dies nicht." -#: include/conversation.php:1133 +#: include/conversation.php:1134 #, php-format msgid "%2$d people attend" msgstr "%2$d Personen nehmen teil" -#: include/conversation.php:1134 +#: include/conversation.php:1135 #, php-format msgid "%s attend." msgstr "%s nehmen teil." -#: include/conversation.php:1137 +#: include/conversation.php:1138 #, php-format msgid "%2$d people don't attend" msgstr "%2$d Personen nehmen nicht teil" -#: include/conversation.php:1138 +#: include/conversation.php:1139 #, php-format msgid "%s don't attend." msgstr "%s nehmen nicht teil." -#: include/conversation.php:1141 +#: include/conversation.php:1142 #, php-format msgid "%2$d people attend maybe" msgstr "%2$d Personen nehmen eventuell teil" -#: include/conversation.php:1142 +#: include/conversation.php:1143 #, php-format msgid "%s attend maybe." msgstr "%s nimmt eventuell teil." -#: include/conversation.php:1145 +#: include/conversation.php:1146 #, php-format msgid "%2$d people reshared this" msgstr "%2$d Personen haben dies geteilt" -#: include/conversation.php:1175 +#: include/conversation.php:1176 msgid "Visible to everybody" msgstr "Für jedermann sichtbar" -#: include/conversation.php:1176 src/Object/Post.php:963 -#: src/Module/Item/Compose.php:153 +#: include/conversation.php:1177 src/Module/Item/Compose.php:153 +#: src/Object/Post.php:972 msgid "Please enter a image/video/audio/webpage URL:" msgstr "Bitte gib eine Bild/Video/Audio/Webseiten-URL ein:" -#: include/conversation.php:1177 +#: include/conversation.php:1178 msgid "Tag term:" msgstr "Tag:" -#: include/conversation.php:1178 src/Module/Filer/SaveTag.php:65 +#: include/conversation.php:1179 src/Module/Filer/SaveTag.php:69 msgid "Save to Folder:" msgstr "In diesem Ordner speichern:" -#: include/conversation.php:1179 +#: include/conversation.php:1180 msgid "Where are you right now?" msgstr "Wo hältst du dich jetzt gerade auf?" -#: include/conversation.php:1180 +#: include/conversation.php:1181 msgid "Delete item(s)?" msgstr "Einträge löschen?" -#: include/conversation.php:1190 +#: include/conversation.php:1191 msgid "New Post" msgstr "Neuer Beitrag" -#: include/conversation.php:1193 src/Object/Post.php:357 +#: include/conversation.php:1194 msgid "Share" msgstr "Teilen" -#: include/conversation.php:1194 mod/editpost.php:90 mod/photos.php:1382 -#: src/Object/Post.php:954 src/Module/Contact/Poke.php:154 +#: include/conversation.php:1195 mod/editpost.php:89 mod/photos.php:1382 +#: src/Module/Contact/Poke.php:154 src/Object/Post.php:963 msgid "Loading..." msgstr "lädt..." -#: include/conversation.php:1195 mod/wallmessage.php:153 mod/message.php:203 -#: mod/message.php:372 mod/editpost.php:91 +#: include/conversation.php:1196 mod/editpost.php:90 mod/message.php:203 +#: mod/message.php:372 mod/wallmessage.php:153 msgid "Upload photo" msgstr "Foto hochladen" -#: include/conversation.php:1196 mod/editpost.php:92 +#: include/conversation.php:1197 mod/editpost.php:91 msgid "upload photo" msgstr "Bild hochladen" -#: include/conversation.php:1197 mod/editpost.php:93 +#: include/conversation.php:1198 mod/editpost.php:92 msgid "Attach file" msgstr "Datei anhängen" -#: include/conversation.php:1198 mod/editpost.php:94 +#: include/conversation.php:1199 mod/editpost.php:93 msgid "attach file" msgstr "Datei anhängen" -#: include/conversation.php:1199 src/Object/Post.php:955 -#: src/Module/Item/Compose.php:145 +#: include/conversation.php:1200 src/Module/Item/Compose.php:145 +#: src/Object/Post.php:964 msgid "Bold" msgstr "Fett" -#: include/conversation.php:1200 src/Object/Post.php:956 -#: src/Module/Item/Compose.php:146 +#: include/conversation.php:1201 src/Module/Item/Compose.php:146 +#: src/Object/Post.php:965 msgid "Italic" msgstr "Kursiv" -#: include/conversation.php:1201 src/Object/Post.php:957 -#: src/Module/Item/Compose.php:147 +#: include/conversation.php:1202 src/Module/Item/Compose.php:147 +#: src/Object/Post.php:966 msgid "Underline" msgstr "Unterstrichen" -#: include/conversation.php:1202 src/Object/Post.php:958 -#: src/Module/Item/Compose.php:148 +#: include/conversation.php:1203 src/Module/Item/Compose.php:148 +#: src/Object/Post.php:967 msgid "Quote" msgstr "Zitat" -#: include/conversation.php:1203 src/Object/Post.php:959 -#: src/Module/Item/Compose.php:149 +#: include/conversation.php:1204 src/Module/Item/Compose.php:149 +#: src/Object/Post.php:968 msgid "Code" msgstr "Code" -#: include/conversation.php:1204 src/Object/Post.php:960 -#: src/Module/Item/Compose.php:150 +#: include/conversation.php:1205 src/Module/Item/Compose.php:150 +#: src/Object/Post.php:969 msgid "Image" msgstr "Bild" -#: include/conversation.php:1205 src/Object/Post.php:961 -#: src/Module/Item/Compose.php:151 +#: include/conversation.php:1206 src/Module/Item/Compose.php:151 +#: src/Object/Post.php:970 msgid "Link" msgstr "Link" -#: include/conversation.php:1206 src/Object/Post.php:962 -#: src/Module/Item/Compose.php:152 +#: include/conversation.php:1207 src/Module/Item/Compose.php:152 +#: src/Object/Post.php:971 msgid "Link or Media" msgstr "Link oder Mediendatei" -#: include/conversation.php:1207 mod/editpost.php:101 +#: include/conversation.php:1208 mod/editpost.php:100 #: src/Module/Item/Compose.php:155 msgid "Set your location" msgstr "Deinen Standort festlegen" -#: include/conversation.php:1208 mod/editpost.php:102 +#: include/conversation.php:1209 mod/editpost.php:101 msgid "set location" msgstr "Ort setzen" -#: include/conversation.php:1209 mod/editpost.php:103 +#: include/conversation.php:1210 mod/editpost.php:102 msgid "Clear browser location" msgstr "Browser-Standort leeren" -#: include/conversation.php:1210 mod/editpost.php:104 +#: include/conversation.php:1211 mod/editpost.php:103 msgid "clear location" msgstr "Ort löschen" -#: include/conversation.php:1212 mod/editpost.php:118 +#: include/conversation.php:1213 mod/editpost.php:117 #: src/Module/Item/Compose.php:160 msgid "Set title" msgstr "Titel setzen" -#: include/conversation.php:1214 mod/editpost.php:120 +#: include/conversation.php:1215 mod/editpost.php:119 #: src/Module/Item/Compose.php:161 msgid "Categories (comma-separated list)" msgstr "Kategorien (kommasepariert)" -#: include/conversation.php:1216 mod/editpost.php:106 +#: include/conversation.php:1217 mod/editpost.php:105 msgid "Permission settings" msgstr "Berechtigungseinstellungen" -#: include/conversation.php:1217 mod/editpost.php:135 mod/events.php:582 -#: mod/photos.php:968 mod/photos.php:1335 +#: include/conversation.php:1218 mod/editpost.php:134 mod/events.php:578 +#: mod/photos.php:969 mod/photos.php:1335 msgid "Permissions" msgstr "Berechtigungen" -#: include/conversation.php:1226 mod/editpost.php:115 +#: include/conversation.php:1227 mod/editpost.php:114 msgid "Public post" msgstr "Öffentlicher Beitrag" -#: include/conversation.php:1230 mod/editpost.php:126 mod/events.php:577 +#: include/conversation.php:1231 mod/editpost.php:125 mod/events.php:573 #: mod/photos.php:1381 mod/photos.php:1438 mod/photos.php:1511 -#: src/Object/Post.php:964 src/Module/Item/Compose.php:154 +#: src/Module/Item/Compose.php:154 src/Object/Post.php:973 msgid "Preview" msgstr "Vorschau" -#: include/conversation.php:1234 mod/settings.php:504 mod/settings.php:530 -#: mod/unfollow.php:100 mod/tagrm.php:36 mod/tagrm.php:126 -#: mod/dfrn_request.php:643 mod/editpost.php:129 mod/follow.php:151 -#: mod/fbrowser.php:105 mod/fbrowser.php:134 mod/photos.php:1036 -#: mod/photos.php:1142 src/Module/Contact.php:459 +#: include/conversation.php:1235 mod/dfrn_request.php:643 mod/editpost.php:128 +#: mod/fbrowser.php:105 mod/fbrowser.php:134 mod/follow.php:152 +#: mod/photos.php:1037 mod/photos.php:1143 mod/settings.php:504 +#: mod/settings.php:530 mod/tagrm.php:37 mod/tagrm.php:127 +#: mod/unfollow.php:100 src/Module/Contact.php:459 #: src/Module/RemoteFollow.php:110 msgid "Cancel" msgstr "Abbrechen" -#: include/conversation.php:1241 mod/editpost.php:133 -#: src/Module/Contact.php:344 src/Model/Profile.php:445 +#: include/conversation.php:1242 mod/editpost.php:132 +#: src/Model/Profile.php:445 src/Module/Contact.php:344 msgid "Message" msgstr "Nachricht" -#: include/conversation.php:1242 mod/editpost.php:134 +#: include/conversation.php:1243 mod/editpost.php:133 msgid "Browser" msgstr "Browser" -#: include/conversation.php:1244 mod/editpost.php:137 +#: include/conversation.php:1245 mod/editpost.php:136 msgid "Open Compose page" msgstr "Composer Seite öffnen" -#: include/enotify.php:51 +#: include/enotify.php:52 msgid "[Friendica:Notify]" msgstr "[Friendica Meldung]" -#: include/enotify.php:137 +#: include/enotify.php:138 #, php-format msgid "%s New mail received at %s" msgstr "%sNeue Nachricht auf %s empfangen" -#: include/enotify.php:139 +#: include/enotify.php:140 #, php-format msgid "%1$s sent you a new private message at %2$s." msgstr "%1$s hat dir eine neue, private Nachricht auf %2$s geschickt." -#: include/enotify.php:140 +#: include/enotify.php:141 msgid "a private message" msgstr "eine private Nachricht" -#: include/enotify.php:140 +#: include/enotify.php:141 #, php-format msgid "%1$s sent you %2$s." msgstr "%1$s schickte dir %2$s." -#: include/enotify.php:142 +#: include/enotify.php:143 #, php-format msgid "Please visit %s to view and/or reply to your private messages." msgstr "Bitte besuche %s, um Deine privaten Nachrichten anzusehen und/oder zu beantworten." -#: include/enotify.php:189 +#: include/enotify.php:190 #, php-format msgid "%1$s replied to you on %2$s's %3$s %4$s" msgstr "%1$s hat dir auf %2$s's %3$s%4$s geantwortet" -#: include/enotify.php:191 +#: include/enotify.php:192 #, php-format msgid "%1$s tagged you on %2$s's %3$s %4$s" msgstr "%1$s hat dich auf %2$s's %3$s %4$s erwähnt" -#: include/enotify.php:193 +#: include/enotify.php:194 #, php-format msgid "%1$s commented on %2$s's %3$s %4$s" msgstr "%1$s kommentierte %2$s's %3$s%4$s" -#: include/enotify.php:203 +#: include/enotify.php:204 #, php-format msgid "%1$s replied to you on your %2$s %3$s" msgstr "%1$s hat dir auf (%2$s) %3$s geantwortet" -#: include/enotify.php:205 +#: include/enotify.php:206 #, php-format msgid "%1$s tagged you on your %2$s %3$s" msgstr "%1$s erwähnte dich auf (%2$s) %3$s" -#: include/enotify.php:207 +#: include/enotify.php:208 #, php-format msgid "%1$s commented on your %2$s %3$s" msgstr "%1$s kommentierte auf (%2$s) %3$s" -#: include/enotify.php:214 +#: include/enotify.php:215 #, php-format msgid "%1$s replied to you on their %2$s %3$s" msgstr "%1$s hat dir auf dem eigenen %2$s %3$s geantwortet" -#: include/enotify.php:216 +#: include/enotify.php:217 #, php-format msgid "%1$s tagged you on their %2$s %3$s" msgstr "%1$s hat dich auf dem eigenen %2$s %3$s erwähnt" -#: include/enotify.php:218 +#: include/enotify.php:219 #, php-format msgid "%1$s commented on their %2$s %3$s" msgstr "%1$s hat den eigenen %2$s %3$s kommentiert" -#: include/enotify.php:229 +#: include/enotify.php:230 #, php-format msgid "%s %s tagged you" msgstr "%s %s hat dich erwähnt" -#: include/enotify.php:231 +#: include/enotify.php:232 #, php-format msgid "%1$s tagged you at %2$s" msgstr "%1$s erwähnte dich auf %2$s" -#: include/enotify.php:233 +#: include/enotify.php:234 #, php-format msgid "%1$s Comment to conversation #%2$d by %3$s" msgstr "%1$sKommentar von %3$s auf Unterhaltung %2$d" -#: include/enotify.php:235 +#: include/enotify.php:236 #, php-format msgid "%s commented on an item/conversation you have been following." msgstr "%s hat einen Beitrag kommentiert, dem du folgst." -#: include/enotify.php:240 include/enotify.php:255 include/enotify.php:280 -#: include/enotify.php:299 include/enotify.php:315 +#: include/enotify.php:241 include/enotify.php:256 include/enotify.php:281 +#: include/enotify.php:300 include/enotify.php:316 #, php-format msgid "Please visit %s to view and/or reply to the conversation." msgstr "Bitte besuche %s, um die Konversation anzusehen und/oder zu kommentieren." -#: include/enotify.php:247 +#: include/enotify.php:248 #, php-format msgid "%s %s posted to your profile wall" msgstr "%s%s hat auf deine Pinnwand gepostet" -#: include/enotify.php:249 +#: include/enotify.php:250 #, php-format msgid "%1$s posted to your profile wall at %2$s" msgstr "%1$s schrieb um %2$s auf Deine Pinnwand" -#: include/enotify.php:250 +#: include/enotify.php:251 #, php-format msgid "%1$s posted to [url=%2$s]your wall[/url]" msgstr "%1$s hat etwas auf [url=%2$s]Deiner Pinnwand[/url] gepostet" -#: include/enotify.php:263 +#: include/enotify.php:264 #, php-format msgid "%s %s shared a new post" msgstr "%s%shat einen Beitrag geteilt" -#: include/enotify.php:265 +#: include/enotify.php:266 #, php-format msgid "%1$s shared a new post at %2$s" msgstr "%1$s hat einen neuen Beitrag auf %2$s geteilt" -#: include/enotify.php:266 +#: include/enotify.php:267 #, php-format msgid "%1$s [url=%2$s]shared a post[/url]." msgstr "%1$s [url=%2$s]hat einen Beitrag geteilt[/url]." -#: include/enotify.php:271 +#: include/enotify.php:272 #, php-format msgid "%s %s shared a post from %s" msgstr "%s%s hat einen Beitrag von %s geteilt" -#: include/enotify.php:273 +#: include/enotify.php:274 #, php-format msgid "%1$s shared a post from %2$s at %3$s" msgstr "%1$s hat einen Beitrag von %2$s auf %3$s geteilt" -#: include/enotify.php:274 +#: include/enotify.php:275 #, php-format msgid "%1$s [url=%2$s]shared a post[/url] from %3$s." msgstr "%1$s [url=%2$s]teilte einen Beitrag[/url] von %3$s." -#: include/enotify.php:287 +#: include/enotify.php:288 #, php-format msgid "%1$s %2$s poked you" msgstr "%1$s%2$shat dich angestubst" -#: include/enotify.php:289 +#: include/enotify.php:290 #, php-format msgid "%1$s poked you at %2$s" msgstr "%1$s hat dich auf %2$s angestupst" -#: include/enotify.php:290 +#: include/enotify.php:291 #, php-format msgid "%1$s [url=%2$s]poked you[/url]." msgstr "%1$s [url=%2$s]hat dich angestupst[/url]." -#: include/enotify.php:307 +#: include/enotify.php:308 #, php-format msgid "%s %s tagged your post" msgstr "%s%s hat deinen Beitrag verschlagwortet" -#: include/enotify.php:309 +#: include/enotify.php:310 #, php-format msgid "%1$s tagged your post at %2$s" msgstr "%1$s Deinen Beitrag auf %2$s verschlagwortet" -#: include/enotify.php:310 +#: include/enotify.php:311 #, php-format msgid "%1$s tagged [url=%2$s]your post[/url]" msgstr "%1$s verschlagwortete [url=%2$s]Deinen Beitrag[/url]" -#: include/enotify.php:322 +#: include/enotify.php:323 #, php-format msgid "%s Introduction received" msgstr "%sVorstellung erhalten" -#: include/enotify.php:324 +#: include/enotify.php:325 #, php-format msgid "You've received an introduction from '%1$s' at %2$s" msgstr "Du hast eine Kontaktanfrage von '%1$s' auf %2$s erhalten" -#: include/enotify.php:325 +#: include/enotify.php:326 #, php-format msgid "You've received [url=%1$s]an introduction[/url] from %2$s." msgstr "Du hast eine [url=%1$s]Kontaktanfrage[/url] von %2$s erhalten." -#: include/enotify.php:330 include/enotify.php:376 +#: include/enotify.php:331 include/enotify.php:377 #, php-format msgid "You may visit their profile at %s" msgstr "Hier kannst du das Profil betrachten: %s" -#: include/enotify.php:332 +#: include/enotify.php:333 #, php-format msgid "Please visit %s to approve or reject the introduction." msgstr "Bitte besuche %s, um die Kontaktanfrage anzunehmen oder abzulehnen." -#: include/enotify.php:339 +#: include/enotify.php:340 #, php-format msgid "%s A new person is sharing with you" msgstr "%sEine neue Person teilt nun mit dir" -#: include/enotify.php:341 include/enotify.php:342 +#: include/enotify.php:342 include/enotify.php:343 #, php-format msgid "%1$s is sharing with you at %2$s" msgstr "%1$s teilt mit dir auf %2$s" -#: include/enotify.php:349 +#: include/enotify.php:350 #, php-format msgid "%s You have a new follower" msgstr "%sDu hast einen neuen Kontakt" -#: include/enotify.php:351 include/enotify.php:352 +#: include/enotify.php:352 include/enotify.php:353 #, php-format msgid "You have a new follower at %2$s : %1$s" msgstr "Du hast einen neuen Kontakt auf %2$s: %1$s" -#: include/enotify.php:365 +#: include/enotify.php:366 #, php-format msgid "%s Friend suggestion received" msgstr "%sKontaktvorschlag erhalten" -#: include/enotify.php:367 +#: include/enotify.php:368 #, php-format msgid "You've received a friend suggestion from '%1$s' at %2$s" msgstr "Du hast einen Kontakt-Vorschlag von '%1$s' auf %2$s erhalten" -#: include/enotify.php:368 +#: include/enotify.php:369 #, php-format msgid "" "You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." msgstr "Du hast einen [url=%1$s]Kontakt-Vorschlag[/url] %2$s von %3$s erhalten." -#: include/enotify.php:374 +#: include/enotify.php:375 msgid "Name:" msgstr "Name:" -#: include/enotify.php:375 +#: include/enotify.php:376 msgid "Photo:" msgstr "Foto:" -#: include/enotify.php:378 +#: include/enotify.php:379 #, php-format msgid "Please visit %s to approve or reject the suggestion." msgstr "Bitte besuche %s, um den Vorschlag zu akzeptieren oder abzulehnen." -#: include/enotify.php:386 include/enotify.php:401 +#: include/enotify.php:387 include/enotify.php:402 #, php-format msgid "%s Connection accepted" msgstr "%sKontaktanfrage bestätigt" -#: include/enotify.php:388 include/enotify.php:403 +#: include/enotify.php:389 include/enotify.php:404 #, php-format msgid "'%1$s' has accepted your connection request at %2$s" msgstr "'%1$s' hat Deine Kontaktanfrage auf %2$s bestätigt" -#: include/enotify.php:389 include/enotify.php:404 +#: include/enotify.php:390 include/enotify.php:405 #, php-format msgid "%2$s has accepted your [url=%1$s]connection request[/url]." msgstr "%2$s hat Deine [url=%1$s]Kontaktanfrage[/url] akzeptiert." -#: include/enotify.php:394 +#: include/enotify.php:395 msgid "" "You are now mutual friends and may exchange status updates, photos, and " "email without restriction." msgstr "Ihr seid nun beidseitige Kontakte und könnt Statusmitteilungen, Bilder und E-Mails ohne Einschränkungen austauschen." -#: include/enotify.php:396 +#: include/enotify.php:397 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." msgstr "Bitte besuche %s, wenn du Änderungen an eurer Beziehung vornehmen willst." -#: include/enotify.php:409 +#: include/enotify.php:410 #, php-format msgid "" "'%1$s' has chosen to accept you a fan, which restricts some forms of " @@ -1221,37 +820,37 @@ msgid "" "automatically." msgstr "'%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." -#: include/enotify.php:411 +#: include/enotify.php:412 #, php-format msgid "" "'%1$s' may choose to extend this into a two-way or more permissive " "relationship in the future." msgstr "'%1$s' kann den Kontaktstatus zu einem späteren Zeitpunkt erweitern und diese Einschränkungen aufheben. " -#: include/enotify.php:413 +#: include/enotify.php:414 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." msgstr "Bitte besuche %s, wenn du Änderungen an eurer Beziehung vornehmen willst." -#: include/enotify.php:423 mod/removeme.php:63 +#: include/enotify.php:424 mod/removeme.php:63 msgid "[Friendica System Notify]" msgstr "[Friendica-Systembenachrichtigung]" -#: include/enotify.php:423 +#: include/enotify.php:424 msgid "registration request" msgstr "Registrierungsanfrage" -#: include/enotify.php:425 +#: include/enotify.php:426 #, php-format msgid "You've received a registration request from '%1$s' at %2$s" msgstr "Du hast eine Registrierungsanfrage von %2$s auf '%1$s' erhalten" -#: include/enotify.php:426 +#: include/enotify.php:427 #, php-format msgid "You've received a [url=%1$s]registration request[/url] from %2$s." msgstr "Du hast eine [url=%1$s]Registrierungsanfrage[/url] von %2$s erhalten." -#: include/enotify.php:431 +#: include/enotify.php:432 #, php-format msgid "" "Full Name:\t%s\n" @@ -1259,152 +858,161 @@ msgid "" "Login Name:\t%s (%s)" msgstr "Kompletter Name: %s\nURL der Seite: %s\nLogin Name: %s(%s)" -#: include/enotify.php:437 +#: include/enotify.php:438 #, php-format msgid "Please visit %s to approve or reject the request." msgstr "Bitte besuche %s, um die Anfrage zu bearbeiten." -#: include/api.php:1128 -#, php-format -msgid "Daily posting limit of %d post reached. The post was rejected." -msgid_plural "Daily posting limit of %d posts reached. The post was rejected." -msgstr[0] "Das tägliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen." -msgstr[1] "Das tägliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen." - -#: include/api.php:1142 -#, php-format -msgid "Weekly posting limit of %d post reached. The post was rejected." -msgid_plural "" -"Weekly posting limit of %d posts reached. The post was rejected." -msgstr[0] "Das wöchentliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen." -msgstr[1] "Das wöchentliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen." - -#: include/api.php:1156 -#, php-format -msgid "Monthly posting limit of %d post reached. The post was rejected." -msgstr "Das monatliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen." - -#: include/api.php:4458 mod/photos.php:106 mod/photos.php:210 -#: mod/photos.php:638 mod/photos.php:1042 mod/photos.php:1059 -#: mod/photos.php:1607 src/Module/Settings/Profile/Photo/Crop.php:97 -#: src/Module/Settings/Profile/Photo/Crop.php:113 -#: src/Module/Settings/Profile/Photo/Crop.php:129 -#: src/Module/Settings/Profile/Photo/Crop.php:178 -#: src/Module/Settings/Profile/Photo/Index.php:96 -#: src/Module/Settings/Profile/Photo/Index.php:102 src/Model/User.php:1045 -#: src/Model/User.php:1053 src/Model/User.php:1061 -msgid "Profile Photos" -msgstr "Profilbilder" - -#: mod/redir.php:34 mod/redir.php:203 mod/cal.php:47 mod/cal.php:51 -#: mod/follow.php:37 src/Module/Debug/ItemBody.php:37 -#: src/Module/Conversation/Community.php:193 src/Module/Item/Ignore.php:41 -#: src/Module/Diaspora/Receive.php:51 -msgid "Access denied." -msgstr "Zugriff verweigert." - -#: mod/redir.php:50 mod/redir.php:130 -msgid "Bad Request." -msgstr "Ungültige Anfrage." - -#: mod/redir.php:56 mod/redir.php:157 mod/dfrn_confirm.php:140 -#: src/Module/FriendSuggest.php:54 src/Module/FriendSuggest.php:93 -#: src/Module/Group.php:105 src/Module/Contact/Advanced.php:53 -#: src/Module/Contact/Advanced.php:104 src/Module/Contact/Contacts.php:36 -msgid "Contact not found." -msgstr "Kontakt nicht gefunden." - -#: mod/wallmessage.php:35 mod/wallmessage.php:59 mod/wallmessage.php:96 -#: mod/wallmessage.php:120 mod/dfrn_confirm.php:79 mod/settings.php:47 -#: mod/settings.php:65 mod/settings.php:493 mod/repair_ostatus.php:31 -#: mod/unfollow.php:35 mod/unfollow.php:50 mod/unfollow.php:82 -#: mod/message.php:70 mod/message.php:113 mod/ostatus_subscribe.php:30 -#: mod/suggest.php:34 mod/wall_upload.php:99 mod/wall_upload.php:102 -#: mod/api.php:52 mod/api.php:57 mod/wall_attach.php:78 mod/wall_attach.php:81 -#: mod/item.php:183 mod/item.php:188 mod/item.php:916 mod/uimport.php:32 -#: mod/editpost.php:38 mod/events.php:235 mod/follow.php:54 mod/follow.php:134 -#: mod/notes.php:43 mod/photos.php:175 mod/photos.php:921 +#: mod/api.php:52 mod/api.php:57 mod/dfrn_confirm.php:79 mod/editpost.php:37 +#: mod/events.php:231 mod/follow.php:55 mod/follow.php:135 mod/item.php:183 +#: mod/item.php:188 mod/item.php:905 mod/message.php:70 mod/message.php:113 +#: mod/notes.php:44 mod/ostatus_subscribe.php:30 mod/photos.php:176 +#: mod/photos.php:922 mod/repair_ostatus.php:31 mod/settings.php:47 +#: mod/settings.php:65 mod/settings.php:493 mod/suggest.php:34 +#: mod/uimport.php:32 mod/unfollow.php:35 mod/unfollow.php:50 +#: mod/unfollow.php:82 mod/wallmessage.php:35 mod/wallmessage.php:59 +#: mod/wallmessage.php:96 mod/wallmessage.php:120 mod/wall_attach.php:78 +#: mod/wall_attach.php:81 mod/wall_upload.php:99 mod/wall_upload.php:102 +#: src/Module/Attach.php:56 src/Module/BaseApi.php:59 +#: src/Module/BaseApi.php:65 src/Module/BaseNotifications.php:88 +#: src/Module/Contact/Advanced.php:43 src/Module/Contact.php:385 +#: src/Module/Delegation.php:118 src/Module/FollowConfirm.php:16 +#: src/Module/FriendSuggest.php:44 src/Module/Group.php:45 +#: src/Module/Group.php:90 src/Module/Invite.php:40 src/Module/Invite.php:128 #: src/Module/Notifications/Notification.php:47 #: src/Module/Notifications/Notification.php:76 #: src/Module/Profile/Common.php:57 src/Module/Profile/Contacts.php:57 -#: src/Module/BaseNotifications.php:88 src/Module/Register.php:62 -#: src/Module/Register.php:75 src/Module/Register.php:193 -#: src/Module/Register.php:232 src/Module/FriendSuggest.php:44 -#: src/Module/BaseApi.php:59 src/Module/BaseApi.php:65 -#: src/Module/Delegation.php:118 src/Module/Contact.php:385 -#: src/Module/FollowConfirm.php:16 src/Module/Invite.php:40 -#: src/Module/Invite.php:128 src/Module/Attach.php:56 src/Module/Group.php:45 -#: src/Module/Group.php:90 src/Module/Search/Directory.php:38 -#: src/Module/Contact/Advanced.php:43 +#: src/Module/Register.php:62 src/Module/Register.php:75 +#: src/Module/Register.php:193 src/Module/Register.php:232 +#: src/Module/Search/Directory.php:38 src/Module/Settings/Delegation.php:42 +#: src/Module/Settings/Delegation.php:70 src/Module/Settings/Display.php:42 +#: src/Module/Settings/Display.php:118 #: src/Module/Settings/Profile/Photo/Crop.php:157 #: src/Module/Settings/Profile/Photo/Index.php:113 -#: src/Module/Settings/Delegation.php:42 src/Module/Settings/Delegation.php:70 -#: src/Module/Settings/Display.php:42 src/Module/Settings/Display.php:118 msgid "Permission denied." msgstr "Zugriff verweigert." -#: mod/wallmessage.php:68 mod/wallmessage.php:129 -#, 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/api.php:102 mod/api.php:124 +msgid "Authorize application connection" +msgstr "Verbindung der Applikation autorisieren" -#: mod/wallmessage.php:76 mod/message.php:84 -msgid "No recipient selected." -msgstr "Kein Empfänger gewählt." +#: mod/api.php:103 +msgid "Return to your app and insert this Securty Code:" +msgstr "Gehe zu Deiner Anwendung zurück und trage dort folgenden Sicherheitscode ein:" -#: mod/wallmessage.php:79 -msgid "Unable to check your home location." -msgstr "Konnte Deinen Heimatort nicht bestimmen." +#: mod/api.php:112 src/Module/BaseAdmin.php:54 src/Module/BaseAdmin.php:58 +msgid "Please login to continue." +msgstr "Bitte melde dich an, um fortzufahren." -#: mod/wallmessage.php:82 mod/message.php:91 -msgid "Message could not be sent." -msgstr "Nachricht konnte nicht gesendet werden." - -#: mod/wallmessage.php:85 mod/message.php:94 -msgid "Message collection failure." -msgstr "Konnte Nachrichten nicht abrufen." - -#: mod/wallmessage.php:103 mod/wallmessage.php:112 -msgid "No recipient." -msgstr "Kein Empfänger." - -#: mod/wallmessage.php:137 mod/message.php:185 mod/message.php:298 -msgid "Please enter a link URL:" -msgstr "Bitte gib die URL des Links ein:" - -#: mod/wallmessage.php:142 mod/message.php:194 -msgid "Send Private Message" -msgstr "Private Nachricht senden" - -#: mod/wallmessage.php:143 -#, php-format +#: mod/api.php:126 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." +"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/wallmessage.php:144 mod/message.php:195 mod/message.php:364 -msgid "To:" -msgstr "An:" +#: mod/api.php:127 src/Module/Contact.php:456 +#: src/Module/Notifications/Introductions.php:123 src/Module/Register.php:115 +msgid "Yes" +msgstr "Ja" -#: mod/wallmessage.php:145 mod/message.php:196 mod/message.php:365 -msgid "Subject:" -msgstr "Betreff:" +#: mod/api.php:128 src/Module/Notifications/Introductions.php:123 +#: src/Module/Register.php:116 +msgid "No" +msgstr "Nein" -#: mod/wallmessage.php:151 mod/message.php:200 mod/message.php:368 -#: src/Module/Invite.php:168 -msgid "Your message:" -msgstr "Deine Nachricht:" +#: mod/cal.php:46 mod/cal.php:50 mod/follow.php:38 mod/redir.php:34 +#: mod/redir.php:203 src/Module/Conversation/Community.php:194 +#: src/Module/Debug/ItemBody.php:38 src/Module/Diaspora/Receive.php:51 +#: src/Module/Item/Ignore.php:41 +msgid "Access denied." +msgstr "Zugriff verweigert." -#: mod/wallmessage.php:154 mod/message.php:204 mod/message.php:373 -#: mod/editpost.php:95 -msgid "Insert web link" -msgstr "Einen Link einfügen" +#: mod/cal.php:72 mod/cal.php:133 src/Module/HoverCard.php:53 +#: src/Module/Profile/Common.php:41 src/Module/Profile/Common.php:53 +#: src/Module/Profile/Contacts.php:40 src/Module/Profile/Contacts.php:51 +#: src/Module/Profile/Status.php:58 src/Module/Register.php:258 +msgid "User not found." +msgstr "Benutzer nicht gefunden." + +#: mod/cal.php:143 mod/display.php:287 src/Module/Profile/Profile.php:94 +#: src/Module/Profile/Profile.php:109 src/Module/Profile/Status.php:109 +#: src/Module/Update/Profile.php:55 +msgid "Access to this profile has been restricted." +msgstr "Der Zugriff zu diesem Profil wurde eingeschränkt." + +#: mod/cal.php:274 mod/events.php:417 src/Content/Nav.php:181 +#: src/Content/Nav.php:248 src/Module/BaseProfile.php:88 +#: src/Module/BaseProfile.php:99 view/theme/frio/theme.php:229 +#: view/theme/frio/theme.php:233 +msgid "Events" +msgstr "Veranstaltungen" + +#: mod/cal.php:275 mod/events.php:418 +msgid "View" +msgstr "Ansehen" + +#: mod/cal.php:276 mod/events.php:420 +msgid "Previous" +msgstr "Vorherige" + +#: mod/cal.php:277 mod/events.php:421 src/Module/Install.php:196 +msgid "Next" +msgstr "Nächste" + +#: mod/cal.php:280 mod/events.php:426 src/Model/Event.php:460 +msgid "today" +msgstr "Heute" + +#: mod/cal.php:281 mod/events.php:427 src/Model/Event.php:461 +#: src/Util/Temporal.php:330 +msgid "month" +msgstr "Monat" + +#: mod/cal.php:282 mod/events.php:428 src/Model/Event.php:462 +#: src/Util/Temporal.php:331 +msgid "week" +msgstr "Woche" + +#: mod/cal.php:283 mod/events.php:429 src/Model/Event.php:463 +#: src/Util/Temporal.php:332 +msgid "day" +msgstr "Tag" + +#: mod/cal.php:284 mod/events.php:430 +msgid "list" +msgstr "Liste" + +#: mod/cal.php:297 src/Console/User.php:152 src/Console/User.php:250 +#: src/Console/User.php:283 src/Console/User.php:309 src/Model/User.php:607 +#: src/Module/Admin/Users/Active.php:73 src/Module/Admin/Users/Blocked.php:74 +#: src/Module/Admin/Users/Index.php:80 src/Module/Admin/Users/Pending.php:71 +#: src/Module/Api/Twitter/ContactEndpoint.php:73 +msgid "User not found" +msgstr "Nutzer nicht gefunden" + +#: mod/cal.php:306 +msgid "This calendar format is not supported" +msgstr "Dieses Kalenderformat wird nicht unterstützt." + +#: mod/cal.php:308 +msgid "No exportable data found" +msgstr "Keine exportierbaren Daten gefunden" + +#: mod/cal.php:325 +msgid "calendar" +msgstr "Kalender" #: mod/dfrn_confirm.php:85 src/Module/Profile/Profile.php:82 msgid "Profile not found." msgstr "Profil nicht gefunden." +#: mod/dfrn_confirm.php:140 mod/redir.php:56 mod/redir.php:157 +#: src/Module/Contact/Advanced.php:53 src/Module/Contact/Advanced.php:104 +#: src/Module/Contact/Contacts.php:36 src/Module/FriendSuggest.php:54 +#: src/Module/FriendSuggest.php:93 src/Module/Group.php:105 +msgid "Contact not found." +msgstr "Kontakt nicht gefunden." + #: mod/dfrn_confirm.php:141 msgid "" "This may occasionally happen if contact was requested by both persons and it" @@ -1471,37 +1079,553 @@ msgstr "Deine Kontaktreferenzen konnten nicht in unserem System gespeichert werd msgid "Unable to update your contact profile details on our system" msgstr "Die Updates für dein Profil konnten nicht gespeichert werden" -#: mod/videos.php:129 mod/display.php:179 mod/dfrn_request.php:601 -#: mod/photos.php:835 src/Module/Debug/WebFinger.php:38 -#: src/Module/Debug/Probe.php:39 src/Module/Conversation/Community.php:187 -#: src/Module/Directory.php:49 src/Module/Search/Index.php:50 -#: src/Module/Search/Index.php:55 +#: mod/dfrn_poll.php:135 mod/dfrn_poll.php:506 +#, php-format +msgid "%1$s welcomes %2$s" +msgstr "%1$s heißt %2$s herzlich willkommen" + +#: mod/dfrn_request.php:114 +msgid "This introduction has already been accepted." +msgstr "Diese Kontaktanfrage wurde bereits akzeptiert." + +#: mod/dfrn_request.php:132 mod/dfrn_request.php:370 +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:136 mod/dfrn_request.php:374 +msgid "Warning: profile location has no identifiable owner name." +msgstr "Warnung: Es konnte kein Name des Besitzers an der angegebenen Profiladresse gefunden werden." + +#: mod/dfrn_request.php:139 mod/dfrn_request.php:377 +msgid "Warning: profile location has no profile photo." +msgstr "Warnung: Es gibt kein Profilbild an der angegebenen Profiladresse." + +#: mod/dfrn_request.php:143 mod/dfrn_request.php:381 +#, 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:181 +msgid "Introduction complete." +msgstr "Kontaktanfrage abgeschlossen." + +#: mod/dfrn_request.php:217 +msgid "Unrecoverable protocol error." +msgstr "Nicht behebbarer Protokollfehler." + +#: mod/dfrn_request.php:244 src/Module/RemoteFollow.php:54 +msgid "Profile unavailable." +msgstr "Profil nicht verfügbar." + +#: mod/dfrn_request.php:265 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s hat heute zu viele Kontaktanfragen erhalten." + +#: mod/dfrn_request.php:266 +msgid "Spam protection measures have been invoked." +msgstr "Maßnahmen zum Spamschutz wurden ergriffen." + +#: mod/dfrn_request.php:267 +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:291 src/Module/RemoteFollow.php:60 +msgid "Invalid locator" +msgstr "Ungültiger Locator" + +#: mod/dfrn_request.php:327 +msgid "You have already introduced yourself here." +msgstr "Du hast dich hier bereits vorgestellt." + +#: mod/dfrn_request.php:330 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "Es scheint so, als ob du bereits mit %s in Kontakt stehst." + +#: mod/dfrn_request.php:350 +msgid "Invalid profile URL." +msgstr "Ungültige Profil-URL." + +#: mod/dfrn_request.php:356 src/Model/Contact.php:2136 +msgid "Disallowed profile URL." +msgstr "Nicht erlaubte Profil-URL." + +#: mod/dfrn_request.php:362 src/Model/Contact.php:2141 +#: src/Module/Friendica.php:80 +msgid "Blocked domain" +msgstr "Blockierte Domain" + +#: mod/dfrn_request.php:429 src/Module/Contact.php:157 +msgid "Failed to update contact record." +msgstr "Aktualisierung der Kontaktdaten fehlgeschlagen." + +#: mod/dfrn_request.php:449 +msgid "Your introduction has been sent." +msgstr "Deine Kontaktanfrage wurde gesendet." + +#: mod/dfrn_request.php:481 src/Module/RemoteFollow.php:72 +msgid "" +"Remote subscription can't be done for your network. Please subscribe " +"directly on your system." +msgstr "Entferntes Abon­nie­ren kann für dein Netzwerk nicht durchgeführt werden. Bitte nutze direkt die Abonnieren-Funktion deines Systems. " + +#: mod/dfrn_request.php:497 +msgid "Please login to confirm introduction." +msgstr "Bitte melde dich an, um die Kontaktanfrage zu bestätigen." + +#: mod/dfrn_request.php:505 +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:519 mod/dfrn_request.php:534 +msgid "Confirm" +msgstr "Bestätigen" + +#: mod/dfrn_request.php:530 +msgid "Hide this contact" +msgstr "Verberge diesen Kontakt" + +#: mod/dfrn_request.php:532 +#, php-format +msgid "Welcome home %s." +msgstr "Willkommen zurück %s." + +#: mod/dfrn_request.php:533 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "Bitte bestätige Deine Kontaktanfrage bei %s." + +#: mod/dfrn_request.php:601 mod/display.php:180 mod/photos.php:836 +#: mod/videos.php:129 src/Module/Conversation/Community.php:188 +#: src/Module/Debug/Probe.php:39 src/Module/Debug/WebFinger.php:38 +#: src/Module/Directory.php:49 src/Module/Search/Index.php:51 +#: src/Module/Search/Index.php:56 msgid "Public access denied." msgstr "Öffentlicher Zugriff verweigert." -#: mod/videos.php:134 -msgid "No videos selected" -msgstr "Keine Videos ausgewählt" +#: mod/dfrn_request.php:637 src/Module/RemoteFollow.php:104 +msgid "Friend/Connection Request" +msgstr "Kontaktanfrage" -#: mod/videos.php:182 mod/photos.php:906 -msgid "Access to this item is restricted." -msgstr "Zugriff zu diesem Eintrag wurde eingeschränkt." +#: mod/dfrn_request.php:638 +#, php-format +msgid "" +"Enter your Webfinger address (user@domain.tld) or profile URL here. If this " +"isn't supported by your system (for example it doesn't work with Diaspora), " +"you have to subscribe to %s directly on your system" +msgstr "Gib entweder deinen Webfinger (user@domain.tld) oder deine Profil-Adresse an. Wenn dies von deinem System nicht unterstützt wird (z.B. von Diaspora*) musst du von deinem System aus %s folgen " -#: mod/videos.php:252 src/Model/Item.php:3710 -msgid "View Video" -msgstr "Video ansehen" +#: mod/dfrn_request.php:639 src/Module/RemoteFollow.php:106 +#, php-format +msgid "" +"If you are not yet a member of the free social web, follow " +"this link to find a public Friendica node and join us today." +msgstr "Solltest du das freie Soziale Netzwerk noch nicht benutzen, kannst du diesem Link folgen um eine öffentliche Friendica Instanz zu finden um noch heute dem Netzwerk beizutreten." -#: mod/videos.php:259 mod/photos.php:1627 -msgid "View Album" -msgstr "Album betrachten" +#: mod/dfrn_request.php:640 src/Module/RemoteFollow.php:107 +msgid "Your Webfinger address or profile URL:" +msgstr "Deine Webfinger Adresse oder Profil-URL" -#: mod/videos.php:267 -msgid "Recent Videos" -msgstr "Neueste Videos" +#: mod/dfrn_request.php:641 mod/follow.php:147 src/Module/RemoteFollow.php:108 +msgid "Please answer the following:" +msgstr "Bitte beantworte folgendes:" -#: mod/videos.php:269 -msgid "Upload New Videos" -msgstr "Neues Video hochladen" +#: mod/dfrn_request.php:642 mod/follow.php:74 mod/unfollow.php:99 +#: src/Module/RemoteFollow.php:109 +msgid "Submit Request" +msgstr "Anfrage abschicken" + +#: mod/dfrn_request.php:649 mod/follow.php:161 +#, php-format +msgid "%s knows you" +msgstr "%skennt dich" + +#: mod/dfrn_request.php:650 mod/follow.php:162 +msgid "Add a personal note:" +msgstr "Eine persönliche Notiz beifügen:" + +#: mod/display.php:239 mod/display.php:323 +msgid "The requested item doesn't exist or has been deleted." +msgstr "Der angeforderte Beitrag existiert nicht oder wurde gelöscht." + +#: mod/display.php:403 +msgid "The feed for this item is unavailable." +msgstr "Der Feed für diesen Beitrag ist nicht verfügbar." + +#: mod/editpost.php:44 mod/editpost.php:54 +msgid "Item not found" +msgstr "Beitrag nicht gefunden" + +#: mod/editpost.php:61 +msgid "Edit post" +msgstr "Beitrag bearbeiten" + +#: mod/editpost.php:88 mod/notes.php:63 src/Content/Text/HTML.php:881 +#: src/Module/Filer/SaveTag.php:70 +msgid "Save" +msgstr "Speichern" + +#: mod/editpost.php:94 mod/message.php:204 mod/message.php:373 +#: mod/wallmessage.php:154 +msgid "Insert web link" +msgstr "Einen Link einfügen" + +#: mod/editpost.php:95 +msgid "web link" +msgstr "Weblink" + +#: mod/editpost.php:96 +msgid "Insert video link" +msgstr "Video-Adresse einfügen" + +#: mod/editpost.php:97 +msgid "video link" +msgstr "Video-Link" + +#: mod/editpost.php:98 +msgid "Insert audio link" +msgstr "Audio-Adresse einfügen" + +#: mod/editpost.php:99 +msgid "audio link" +msgstr "Audio-Link" + +#: mod/editpost.php:113 src/Core/ACL.php:312 +msgid "CC: email addresses" +msgstr "Cc: E-Mail-Addressen" + +#: mod/editpost.php:120 src/Core/ACL.php:313 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Z.B.: bob@example.com, mary@example.com" + +#: mod/events.php:138 mod/events.php:140 +msgid "Event can not end before it has started." +msgstr "Die Veranstaltung kann nicht enden, bevor sie beginnt." + +#: mod/events.php:147 mod/events.php:149 +msgid "Event title and start time are required." +msgstr "Der Veranstaltungstitel und die Anfangszeit müssen angegeben werden." + +#: mod/events.php:419 +msgid "Create New Event" +msgstr "Neue Veranstaltung erstellen" + +#: mod/events.php:531 +msgid "Event details" +msgstr "Veranstaltungsdetails" + +#: mod/events.php:532 +msgid "Starting date and Title are required." +msgstr "Anfangszeitpunkt und Titel werden benötigt" + +#: mod/events.php:533 mod/events.php:538 +msgid "Event Starts:" +msgstr "Veranstaltungsbeginn:" + +#: mod/events.php:533 mod/events.php:565 +#: src/Module/Admin/Blocklist/Server.php:79 +#: src/Module/Admin/Blocklist/Server.php:80 +#: src/Module/Admin/Blocklist/Server.php:99 +#: src/Module/Admin/Blocklist/Server.php:100 +#: src/Module/Admin/Item/Delete.php:70 src/Module/Debug/Probe.php:57 +#: src/Module/Install.php:189 src/Module/Install.php:222 +#: src/Module/Install.php:227 src/Module/Install.php:246 +#: src/Module/Install.php:257 src/Module/Install.php:262 +#: src/Module/Install.php:268 src/Module/Install.php:273 +#: src/Module/Install.php:287 src/Module/Install.php:302 +#: src/Module/Install.php:329 src/Module/Register.php:135 +#: src/Module/Security/TwoFactor/Verify.php:85 +#: src/Module/Settings/TwoFactor/Index.php:128 +#: src/Module/Settings/TwoFactor/Verify.php:141 +msgid "Required" +msgstr "Benötigt" + +#: mod/events.php:546 mod/events.php:571 +msgid "Finish date/time is not known or not relevant" +msgstr "Enddatum/-zeit ist nicht bekannt oder nicht relevant" + +#: mod/events.php:548 mod/events.php:553 +msgid "Event Finishes:" +msgstr "Veranstaltungsende:" + +#: mod/events.php:559 mod/events.php:572 +msgid "Adjust for viewer timezone" +msgstr "An Zeitzone des Betrachters anpassen" + +#: mod/events.php:561 src/Module/Profile/Profile.php:172 +#: src/Module/Settings/Profile/Index.php:253 +msgid "Description:" +msgstr "Beschreibung" + +#: mod/events.php:563 src/Model/Event.php:84 src/Model/Event.php:111 +#: src/Model/Event.php:469 src/Model/Event.php:954 src/Model/Profile.php:358 +#: src/Module/Contact.php:646 src/Module/Directory.php:156 +#: src/Module/Notifications/Introductions.php:172 +#: src/Module/Profile/Profile.php:190 +msgid "Location:" +msgstr "Ort:" + +#: mod/events.php:565 mod/events.php:567 +msgid "Title:" +msgstr "Titel:" + +#: mod/events.php:568 mod/events.php:569 +msgid "Share this event" +msgstr "Veranstaltung teilen" + +#: mod/events.php:575 mod/message.php:206 mod/message.php:374 +#: mod/photos.php:951 mod/photos.php:1054 mod/photos.php:1339 +#: mod/photos.php:1380 mod/photos.php:1437 mod/photos.php:1510 +#: src/Module/Contact/Advanced.php:132 src/Module/Contact/Poke.php:155 +#: src/Module/Contact.php:604 src/Module/Debug/Localtime.php:64 +#: src/Module/Delegation.php:152 src/Module/FriendSuggest.php:129 +#: src/Module/Install.php:234 src/Module/Install.php:276 +#: src/Module/Install.php:313 src/Module/Invite.php:175 +#: src/Module/Item/Compose.php:144 src/Module/Profile/Profile.php:242 +#: src/Module/Settings/Profile/Index.php:237 src/Object/Post.php:962 +#: view/theme/duepuntozero/config.php:69 view/theme/frio/config.php:160 +#: view/theme/quattro/config.php:71 view/theme/vier/config.php:119 +msgid "Submit" +msgstr "Senden" + +#: mod/events.php:576 src/Module/Profile/Profile.php:243 +msgid "Basic" +msgstr "Allgemein" + +#: mod/events.php:577 src/Module/Admin/Site.php:587 src/Module/Contact.php:953 +#: src/Module/Profile/Profile.php:244 +msgid "Advanced" +msgstr "Erweitert" + +#: mod/events.php:594 +msgid "Failed to remove event" +msgstr "Entfernen der Veranstaltung fehlgeschlagen" + +#: mod/fbrowser.php:43 src/Content/Nav.php:179 src/Module/BaseProfile.php:68 +#: view/theme/frio/theme.php:227 +msgid "Photos" +msgstr "Bilder" + +#: mod/fbrowser.php:107 mod/fbrowser.php:136 +#: src/Module/Settings/Profile/Photo/Index.php:130 +msgid "Upload" +msgstr "Hochladen" + +#: mod/fbrowser.php:131 +msgid "Files" +msgstr "Dateien" + +#: mod/follow.php:84 +msgid "You already added this contact." +msgstr "Du hast den Kontakt bereits hinzugefügt." + +#: mod/follow.php:100 +msgid "The network type couldn't be detected. Contact can't be added." +msgstr "Der Netzwerktyp wurde nicht erkannt. Der Kontakt kann nicht hinzugefügt werden." + +#: mod/follow.php:108 +msgid "Diaspora support isn't enabled. Contact can't be added." +msgstr "Diaspora-Unterstützung ist nicht aktiviert. Der Kontakt kann nicht zugefügt werden." + +#: mod/follow.php:113 +msgid "OStatus support is disabled. Contact can't be added." +msgstr "OStatus-Unterstützung ist nicht aktiviert. Der Kontakt kann nicht zugefügt werden." + +#: mod/follow.php:148 mod/unfollow.php:97 +msgid "Your Identity Address:" +msgstr "Adresse Deines Profils:" + +#: mod/follow.php:149 mod/unfollow.php:103 +#: src/Module/Admin/Blocklist/Contact.php:100 src/Module/Contact.php:642 +#: src/Module/Notifications/Introductions.php:108 +#: src/Module/Notifications/Introductions.php:183 +msgid "Profile URL" +msgstr "Profil URL" + +#: mod/follow.php:150 src/Module/Contact.php:652 +#: src/Module/Notifications/Introductions.php:176 +#: src/Module/Profile/Profile.php:202 +msgid "Tags:" +msgstr "Tags:" + +#: mod/follow.php:171 mod/unfollow.php:113 src/Module/BaseProfile.php:63 +#: src/Module/Contact.php:931 +msgid "Status Messages and Posts" +msgstr "Statusnachrichten und Beiträge" + +#: mod/follow.php:203 +msgid "The contact could not be added." +msgstr "Der Kontakt konnte nicht hinzugefügt werden." + +#: mod/item.php:134 mod/item.php:138 +msgid "Unable to locate original post." +msgstr "Konnte den Originalbeitrag nicht finden." + +#: mod/item.php:333 mod/item.php:338 +msgid "Empty post discarded." +msgstr "Leerer Beitrag wurde verworfen." + +#: mod/item.php:700 +msgid "Post updated." +msgstr "Beitrag aktualisiert." + +#: mod/item.php:717 mod/item.php:722 +msgid "Item wasn't stored." +msgstr "Eintrag wurde nicht gespeichert" + +#: mod/item.php:733 +msgid "Item couldn't be fetched." +msgstr "Eintrag konnte nicht geholt werden." + +#: mod/item.php:857 +#, php-format +msgid "Blocked on item with guid %s" +msgstr "Beitrag mit der guid %s geblockt" + +#: mod/item.php:884 src/Module/Admin/Themes/Details.php:39 +#: src/Module/Admin/Themes/Index.php:59 src/Module/Debug/ItemBody.php:47 +#: src/Module/Debug/ItemBody.php:60 +msgid "Item not found." +msgstr "Beitrag nicht gefunden." + +#: mod/lostpass.php:40 +msgid "No valid account found." +msgstr "Kein gültiges Konto gefunden." + +#: mod/lostpass.php:52 +msgid "Password reset request issued. Check your email." +msgstr "Zurücksetzen des Passworts eingeleitet. Bitte überprüfe Deine E-Mail." + +#: mod/lostpass.php:58 +#, php-format +msgid "" +"\n" +"\t\tDear %1$s,\n" +"\t\t\tA request was recently received at \"%2$s\" to reset your account\n" +"\t\tpassword. In order to confirm this request, please select the verification link\n" +"\t\tbelow or paste it into your web browser address bar.\n" +"\n" +"\t\tIf you did NOT request this change, please DO NOT follow the link\n" +"\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n" +"\n" +"\t\tYour password will not be changed unless we can verify that you\n" +"\t\tissued this request." +msgstr "\nHallo %1$s,\n\nAuf \"%2$s\" ist eine Anfrage auf das Zurücksetzen deines Passworts gestellt\nworden. Um diese Anfrage zu verifizieren, folge bitte dem unten stehenden\nLink oder kopiere und füge ihn in die Adressleiste deines Browsers ein.\n\nSolltest du die Anfrage NICHT gestellt haben, ignoriere und/oder lösche diese\nE-Mail bitte.\n\nDein Passwort wird nicht geändert, solange wir nicht verifiziert haben, dass\ndu diese Änderung angefragt hast." + +#: mod/lostpass.php:69 +#, php-format +msgid "" +"\n" +"\t\tFollow this link soon to verify your identity:\n" +"\n" +"\t\t%1$s\n" +"\n" +"\t\tYou will then receive a follow-up message containing the new password.\n" +"\t\tYou may change that password from your account settings page after logging in.\n" +"\n" +"\t\tThe login details are as follows:\n" +"\n" +"\t\tSite Location:\t%2$s\n" +"\t\tLogin Name:\t%3$s" +msgstr "\nUm deine Identität zu verifizieren, folge bitte diesem Link:\n\n%1$s\n\nDu wirst eine weitere E-Mail 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:84 +#, php-format +msgid "Password reset requested at %s" +msgstr "Anfrage zum Zurücksetzen des Passworts auf %s erhalten" + +#: mod/lostpass.php:100 +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:113 +msgid "Request has expired, please make a new one." +msgstr "Die Anfrage ist abgelaufen. Bitte stelle eine erneute." + +#: mod/lostpass.php:128 +msgid "Forgot your Password?" +msgstr "Hast du dein Passwort vergessen?" + +#: mod/lostpass.php:129 +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:130 src/Module/Security/Login.php:144 +msgid "Nickname or Email: " +msgstr "Spitzname oder E-Mail:" + +#: mod/lostpass.php:131 +msgid "Reset" +msgstr "Zurücksetzen" + +#: mod/lostpass.php:146 src/Module/Security/Login.php:156 +msgid "Password Reset" +msgstr "Passwort zurücksetzen" + +#: mod/lostpass.php:147 +msgid "Your password has been reset as requested." +msgstr "Dein Passwort wurde wie gewünscht zurückgesetzt." + +#: mod/lostpass.php:148 +msgid "Your new password is" +msgstr "Dein neues Passwort lautet" + +#: mod/lostpass.php:149 +msgid "Save or copy your new password - and then" +msgstr "Speichere oder kopiere dein neues Passwort - und dann" + +#: mod/lostpass.php:150 +msgid "click here to login" +msgstr "hier klicken, um dich anzumelden" + +#: mod/lostpass.php:151 +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:155 +msgid "Your password has been reset." +msgstr "Dein Passwort wurde zurückgesetzt." + +#: mod/lostpass.php:158 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tYour password has been changed as requested. Please retain this\n" +"\t\t\tinformation for your records (or change your password immediately to\n" +"\t\t\tsomething that you will remember).\n" +"\t\t" +msgstr "\nHallo %1$s,\n\nDein Passwort wurde wie gewünscht geändert. Bitte bewahre diese Informationen gut auf (oder ändere dein Passwort in eines, das du dir leicht merken kannst)." + +#: mod/lostpass.php:164 +#, php-format +msgid "" +"\n" +"\t\t\tYour login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%1$s\n" +"\t\t\tLogin Name:\t%2$s\n" +"\t\t\tPassword:\t%3$s\n" +"\n" +"\t\t\tYou may change that password from your account settings page after logging in.\n" +"\t\t" +msgstr "\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:176 +#, php-format +msgid "Your password has been changed at %s" +msgstr "Auf %s wurde dein Passwort geändert" #: mod/match.php:62 msgid "No keywords to match. Please add keywords to your profile." @@ -1523,6 +1647,465 @@ msgstr "Keine Übereinstimmungen" msgid "Profile Match" msgstr "Profilübereinstimmungen" +#: mod/message.php:47 mod/message.php:128 src/Content/Nav.php:276 +msgid "New Message" +msgstr "Neue Nachricht" + +#: mod/message.php:84 mod/wallmessage.php:76 +msgid "No recipient selected." +msgstr "Kein Empfänger gewählt." + +#: mod/message.php:88 +msgid "Unable to locate contact information." +msgstr "Konnte die Kontaktinformationen nicht finden." + +#: mod/message.php:91 mod/wallmessage.php:82 +msgid "Message could not be sent." +msgstr "Nachricht konnte nicht gesendet werden." + +#: mod/message.php:94 mod/wallmessage.php:85 +msgid "Message collection failure." +msgstr "Konnte Nachrichten nicht abrufen." + +#: mod/message.php:122 src/Module/Notifications/Introductions.php:114 +#: src/Module/Notifications/Introductions.php:155 +#: src/Module/Notifications/Notification.php:56 +msgid "Discard" +msgstr "Verwerfen" + +#: mod/message.php:135 src/Content/Nav.php:273 view/theme/frio/theme.php:234 +msgid "Messages" +msgstr "Nachrichten" + +#: mod/message.php:148 +msgid "Conversation not found." +msgstr "Unterhaltung nicht gefunden." + +#: mod/message.php:153 +msgid "Message was not deleted." +msgstr "Nachricht wurde nicht gelöscht" + +#: mod/message.php:171 +msgid "Conversation was not removed." +msgstr "Unterhaltung wurde nicht entfernt" + +#: mod/message.php:185 mod/message.php:298 mod/wallmessage.php:137 +msgid "Please enter a link URL:" +msgstr "Bitte gib die URL des Links ein:" + +#: mod/message.php:194 mod/wallmessage.php:142 +msgid "Send Private Message" +msgstr "Private Nachricht senden" + +#: mod/message.php:195 mod/message.php:364 mod/wallmessage.php:144 +msgid "To:" +msgstr "An:" + +#: mod/message.php:196 mod/message.php:365 mod/wallmessage.php:145 +msgid "Subject:" +msgstr "Betreff:" + +#: mod/message.php:200 mod/message.php:368 mod/wallmessage.php:151 +#: src/Module/Invite.php:168 +msgid "Your message:" +msgstr "Deine Nachricht:" + +#: mod/message.php:234 +msgid "No messages." +msgstr "Keine Nachrichten." + +#: mod/message.php:290 +msgid "Message not available." +msgstr "Nachricht nicht verfügbar." + +#: mod/message.php:340 +msgid "Delete message" +msgstr "Nachricht löschen" + +#: mod/message.php:342 mod/message.php:469 +msgid "D, d M Y - g:i A" +msgstr "D, d. M Y - H:i" + +#: mod/message.php:357 mod/message.php:466 +msgid "Delete conversation" +msgstr "Unterhaltung löschen" + +#: mod/message.php:359 +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:363 +msgid "Send Reply" +msgstr "Antwort senden" + +#: mod/message.php:445 +#, php-format +msgid "Unknown sender - %s" +msgstr "Unbekannter Absender - %s" + +#: mod/message.php:447 +#, php-format +msgid "You and %s" +msgstr "Du und %s" + +#: mod/message.php:449 +#, php-format +msgid "%s and You" +msgstr "%s und du" + +#: mod/message.php:472 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "%d Nachricht" +msgstr[1] "%d Nachrichten" + +#: mod/notes.php:51 src/Module/BaseProfile.php:110 +msgid "Personal Notes" +msgstr "Persönliche Notizen" + +#: mod/notes.php:59 +msgid "Personal notes are visible only by yourself." +msgstr "Persönliche Notizen sind nur für dich sichtbar." + +#: mod/ostatus_subscribe.php:35 +msgid "Subscribing to OStatus contacts" +msgstr "OStatus-Kontakten folgen" + +#: mod/ostatus_subscribe.php:45 +msgid "No contact provided." +msgstr "Keine Kontakte gefunden." + +#: mod/ostatus_subscribe.php:51 +msgid "Couldn't fetch information for contact." +msgstr "Konnte die Kontaktinformationen nicht einholen." + +#: mod/ostatus_subscribe.php:61 +msgid "Couldn't fetch friends for contact." +msgstr "Konnte die Kontaktliste des Kontakts nicht abfragen." + +#: mod/ostatus_subscribe.php:79 mod/repair_ostatus.php:65 +msgid "Done" +msgstr "Erledigt" + +#: mod/ostatus_subscribe.php:93 +msgid "success" +msgstr "Erfolg" + +#: mod/ostatus_subscribe.php:95 +msgid "failed" +msgstr "Fehlgeschlagen" + +#: mod/ostatus_subscribe.php:98 src/Object/Post.php:318 +msgid "ignored" +msgstr "Ignoriert" + +#: mod/ostatus_subscribe.php:103 mod/repair_ostatus.php:71 +msgid "Keep this window open until done." +msgstr "Lasse dieses Fenster offen, bis der Vorgang abgeschlossen ist." + +#: mod/photos.php:129 src/Module/BaseProfile.php:71 +msgid "Photo Albums" +msgstr "Fotoalben" + +#: mod/photos.php:130 mod/photos.php:1636 +msgid "Recent Photos" +msgstr "Neueste Fotos" + +#: mod/photos.php:132 mod/photos.php:1105 mod/photos.php:1638 +msgid "Upload New Photos" +msgstr "Neue Fotos hochladen" + +#: mod/photos.php:150 src/Module/BaseSettings.php:37 +msgid "everybody" +msgstr "jeder" + +#: mod/photos.php:183 +msgid "Contact information unavailable" +msgstr "Kontaktinformationen nicht verfügbar" + +#: mod/photos.php:222 +msgid "Album not found." +msgstr "Album nicht gefunden." + +#: mod/photos.php:280 +msgid "Album successfully deleted" +msgstr "Album wurde erfolgreich gelöscht." + +#: mod/photos.php:282 +msgid "Album was empty." +msgstr "Album ist leer." + +#: mod/photos.php:314 +msgid "Failed to delete the photo." +msgstr "Das Foto konnte nicht gelöscht werden." + +#: mod/photos.php:589 +msgid "a photo" +msgstr "einem Foto" + +#: mod/photos.php:589 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "%1$s wurde von %3$s in %2$s getaggt" + +#: mod/photos.php:672 mod/photos.php:675 mod/photos.php:702 +#: mod/wall_upload.php:174 src/Module/Settings/Profile/Photo/Index.php:61 +#, php-format +msgid "Image exceeds size limit of %s" +msgstr "Bildgröße überschreitet das Limit von %s" + +#: mod/photos.php:678 +msgid "Image upload didn't complete, please try again" +msgstr "Der Upload des Bildes war nicht vollständig. Bitte versuche es erneut." + +#: mod/photos.php:681 +msgid "Image file is missing" +msgstr "Bilddatei konnte nicht gefunden werden." + +#: mod/photos.php:686 +msgid "" +"Server can't accept new file upload at this time, please contact your " +"administrator" +msgstr "Der Server kann derzeit keine neuen Datei-Uploads akzeptieren. Bitte kontaktiere deinen Administrator." + +#: mod/photos.php:710 +msgid "Image file is empty." +msgstr "Bilddatei ist leer." + +#: mod/photos.php:725 mod/wall_upload.php:188 +#: src/Module/Settings/Profile/Photo/Index.php:70 +msgid "Unable to process image." +msgstr "Konnte das Bild nicht bearbeiten." + +#: mod/photos.php:754 mod/wall_upload.php:227 +#: src/Module/Settings/Profile/Photo/Index.php:97 +msgid "Image upload failed." +msgstr "Hochladen des Bildes gescheitert." + +#: mod/photos.php:841 +msgid "No photos selected" +msgstr "Keine Bilder ausgewählt" + +#: mod/photos.php:907 mod/videos.php:182 +msgid "Access to this item is restricted." +msgstr "Zugriff zu diesem Eintrag wurde eingeschränkt." + +#: mod/photos.php:961 +msgid "Upload Photos" +msgstr "Bilder hochladen" + +#: mod/photos.php:965 mod/photos.php:1050 +msgid "New album name: " +msgstr "Name des neuen Albums: " + +#: mod/photos.php:966 +msgid "or select existing album:" +msgstr "oder wähle ein bestehendes Album:" + +#: mod/photos.php:967 +msgid "Do not show a status post for this upload" +msgstr "Keine Status-Mitteilung für diesen Beitrag anzeigen" + +#: mod/photos.php:1033 +msgid "Do you really want to delete this photo album and all its photos?" +msgstr "Möchtest du wirklich dieses Foto-Album und all seine Foto löschen?" + +#: mod/photos.php:1034 mod/photos.php:1055 +msgid "Delete Album" +msgstr "Album löschen" + +#: mod/photos.php:1061 +msgid "Edit Album" +msgstr "Album bearbeiten" + +#: mod/photos.php:1062 +msgid "Drop Album" +msgstr "Album löschen" + +#: mod/photos.php:1067 +msgid "Show Newest First" +msgstr "Zeige neueste zuerst" + +#: mod/photos.php:1069 +msgid "Show Oldest First" +msgstr "Zeige älteste zuerst" + +#: mod/photos.php:1090 mod/photos.php:1621 +msgid "View Photo" +msgstr "Foto betrachten" + +#: mod/photos.php:1127 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Zugriff verweigert. Zugriff zu diesem Eintrag könnte eingeschränkt sein." + +#: mod/photos.php:1129 +msgid "Photo not available" +msgstr "Foto nicht verfügbar" + +#: mod/photos.php:1139 +msgid "Do you really want to delete this photo?" +msgstr "Möchtest du wirklich dieses Foto löschen?" + +#: mod/photos.php:1140 mod/photos.php:1340 +msgid "Delete Photo" +msgstr "Foto löschen" + +#: mod/photos.php:1231 +msgid "View photo" +msgstr "Fotos ansehen" + +#: mod/photos.php:1233 +msgid "Edit photo" +msgstr "Foto bearbeiten" + +#: mod/photos.php:1234 +msgid "Delete photo" +msgstr "Foto löschen" + +#: mod/photos.php:1235 +msgid "Use as profile photo" +msgstr "Als Profilbild verwenden" + +#: mod/photos.php:1242 +msgid "Private Photo" +msgstr "Privates Foto" + +#: mod/photos.php:1248 +msgid "View Full Size" +msgstr "Betrachte Originalgröße" + +#: mod/photos.php:1308 +msgid "Tags: " +msgstr "Tags: " + +#: mod/photos.php:1311 +msgid "[Select tags to remove]" +msgstr "[Zu entfernende Tags auswählen]" + +#: mod/photos.php:1326 +msgid "New album name" +msgstr "Name des neuen Albums" + +#: mod/photos.php:1327 +msgid "Caption" +msgstr "Bildunterschrift" + +#: mod/photos.php:1328 +msgid "Add a Tag" +msgstr "Tag hinzufügen" + +#: mod/photos.php:1328 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "Beispiel: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" + +#: mod/photos.php:1329 +msgid "Do not rotate" +msgstr "Nicht rotieren" + +#: mod/photos.php:1330 +msgid "Rotate CW (right)" +msgstr "Drehen US (rechts)" + +#: mod/photos.php:1331 +msgid "Rotate CCW (left)" +msgstr "Drehen EUS (links)" + +#: mod/photos.php:1377 mod/photos.php:1434 mod/photos.php:1507 +#: src/Module/Contact.php:1096 src/Module/Item/Compose.php:142 +#: src/Object/Post.php:959 +msgid "This is you" +msgstr "Das bist du" + +#: mod/photos.php:1379 mod/photos.php:1436 mod/photos.php:1509 +#: src/Object/Post.php:499 src/Object/Post.php:961 +msgid "Comment" +msgstr "Kommentar" + +#: mod/photos.php:1531 +msgid "Like" +msgstr "Mag ich" + +#: mod/photos.php:1532 src/Object/Post.php:358 +msgid "I like this (toggle)" +msgstr "Ich mag das (toggle)" + +#: mod/photos.php:1533 +msgid "Dislike" +msgstr "Mag ich nicht" + +#: mod/photos.php:1535 src/Object/Post.php:359 +msgid "I don't like this (toggle)" +msgstr "Ich mag das nicht (toggle)" + +#: mod/photos.php:1557 +msgid "Map" +msgstr "Karte" + +#: mod/photos.php:1627 mod/videos.php:259 +msgid "View Album" +msgstr "Album betrachten" + +#: mod/ping.php:285 +msgid "{0} wants to be your friend" +msgstr "{0} möchte mit dir in Kontakt treten" + +#: mod/ping.php:302 +msgid "{0} requested registration" +msgstr "{0} möchte sich registrieren" + +#: mod/ping.php:315 +#, php-format +msgid "{0} and %d others requested registration" +msgstr "{0} und %d weitere möchten sich registrieren" + +#: mod/redir.php:50 mod/redir.php:130 +msgid "Bad Request." +msgstr "Ungültige Anfrage." + +#: mod/removeme.php:63 +msgid "User deleted their account" +msgstr "Gelöschter Nutzeraccount" + +#: mod/removeme.php:64 +msgid "" +"On your Friendica node an user deleted their account. Please ensure that " +"their data is removed from the backups." +msgstr "Ein Nutzer deiner Friendica-Instanz hat seinen Account gelöscht. Bitte stelle sicher, dass dessen Daten aus deinen Backups entfernt werden." + +#: mod/removeme.php:65 +#, php-format +msgid "The user id is %d" +msgstr "Die ID des Users lautet %d" + +#: mod/removeme.php:99 mod/removeme.php:102 +msgid "Remove My Account" +msgstr "Konto löschen" + +#: mod/removeme.php:100 +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:101 +msgid "Please enter your password for verification:" +msgstr "Bitte gib dein Passwort zur Verifikation ein:" + +#: mod/repair_ostatus.php:36 +msgid "Resubscribing to OStatus contacts" +msgstr "Erneuern der OStatus-Abonements" + +#: mod/repair_ostatus.php:50 src/Module/Debug/ActivityPubConversion.php:130 +#: src/Module/Debug/Babel.php:293 src/Module/Security/TwoFactor/Verify.php:82 +msgid "Error" +msgid_plural "Errors" +msgstr[0] "Fehler" +msgstr[1] "Fehler" + #: mod/settings.php:90 msgid "Missing some important data!" msgstr "Wichtige Daten fehlen!" @@ -1600,21 +2183,20 @@ msgid "Add application" msgstr "Programm hinzufügen" #: mod/settings.php:503 mod/settings.php:610 mod/settings.php:708 -#: mod/settings.php:843 src/Module/Admin/Themes/Index.php:113 +#: mod/settings.php:843 src/Module/Admin/Addons/Index.php:69 #: src/Module/Admin/Features.php:87 src/Module/Admin/Logs/Settings.php:82 -#: src/Module/Admin/Site.php:598 src/Module/Admin/Tos.php:66 -#: src/Module/Admin/Addons/Index.php:69 src/Module/Settings/Delegation.php:170 +#: src/Module/Admin/Site.php:582 src/Module/Admin/Themes/Index.php:113 +#: src/Module/Admin/Tos.php:66 src/Module/Settings/Delegation.php:170 #: src/Module/Settings/Display.php:189 msgid "Save Settings" msgstr "Einstellungen speichern" #: mod/settings.php:505 mod/settings.php:531 -#: src/Module/Admin/Users/Create.php:71 src/Module/Admin/Users/Pending.php:104 -#: src/Module/Admin/Users/Index.php:142 src/Module/Admin/Users/Index.php:162 -#: src/Module/Admin/Users/Active.php:129 -#: src/Module/Admin/Users/Blocked.php:130 -#: src/Module/Admin/Users/Deleted.php:88 #: src/Module/Admin/Blocklist/Contact.php:90 +#: src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 src/Module/Admin/Users/Create.php:71 +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:142 +#: src/Module/Admin/Users/Index.php:162 src/Module/Admin/Users/Pending.php:104 #: src/Module/Contact/Advanced.php:134 msgid "Name" msgstr "Name" @@ -1643,7 +2225,7 @@ msgstr "Du kannst dieses Programm nicht bearbeiten." msgid "Connected Apps" msgstr "Verbundene Programme" -#: mod/settings.php:563 src/Object/Post.php:191 src/Object/Post.php:193 +#: mod/settings.php:563 src/Object/Post.php:192 src/Object/Post.php:194 msgid "Edit" msgstr "Bearbeiten" @@ -1847,7 +2429,7 @@ msgstr "In diesen Ordner verschieben:" msgid "Unable to find your profile. Please contact your admin." msgstr "Konnte dein Profil nicht finden. Bitte kontaktiere den Admin." -#: mod/settings.php:757 src/Content/Widget.php:543 +#: mod/settings.php:757 src/Content/Widget.php:529 msgid "Account Types" msgstr "Kontenarten" @@ -2316,626 +2898,27 @@ 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/ping.php:285 -msgid "{0} wants to be your friend" -msgstr "{0} möchte mit dir in Kontakt treten" - -#: mod/ping.php:302 -msgid "{0} requested registration" -msgstr "{0} möchte sich registrieren" - -#: mod/ping.php:315 -#, php-format -msgid "{0} and %d others requested registration" -msgstr "{0} und %d weitere möchten sich registrieren" - -#: mod/repair_ostatus.php:36 -msgid "Resubscribing to OStatus contacts" -msgstr "Erneuern der OStatus-Abonements" - -#: mod/repair_ostatus.php:50 src/Module/Security/TwoFactor/Verify.php:82 -#: src/Module/Debug/Babel.php:293 -#: src/Module/Debug/ActivityPubConversion.php:130 -msgid "Error" -msgid_plural "Errors" -msgstr[0] "Fehler" -msgstr[1] "Fehler" - -#: mod/repair_ostatus.php:65 mod/ostatus_subscribe.php:79 -msgid "Done" -msgstr "Erledigt" - -#: mod/repair_ostatus.php:71 mod/ostatus_subscribe.php:103 -msgid "Keep this window open until done." -msgstr "Lasse dieses Fenster offen, bis der Vorgang abgeschlossen ist." - -#: mod/unfollow.php:65 mod/unfollow.php:133 -msgid "You aren't following this contact." -msgstr "Du folgst diesem Kontakt." - -#: mod/unfollow.php:71 mod/unfollow.php:139 -msgid "Unfollowing is currently not supported by your network." -msgstr "Bei diesem Netzwerk wird das Entfolgen derzeit nicht unterstützt." - -#: mod/unfollow.php:95 -msgid "Disconnect/Unfollow" -msgstr "Verbindung lösen/Nicht mehr folgen" - -#: mod/unfollow.php:97 mod/follow.php:147 -msgid "Your Identity Address:" -msgstr "Adresse Deines Profils:" - -#: mod/unfollow.php:99 mod/dfrn_request.php:642 mod/follow.php:73 -#: src/Module/RemoteFollow.php:109 -msgid "Submit Request" -msgstr "Anfrage abschicken" - -#: mod/unfollow.php:103 mod/follow.php:148 -#: src/Module/Notifications/Introductions.php:108 -#: src/Module/Notifications/Introductions.php:183 src/Module/Contact.php:642 -#: src/Module/Admin/Blocklist/Contact.php:100 -msgid "Profile URL" -msgstr "Profil URL" - -#: mod/unfollow.php:113 mod/follow.php:170 src/Module/Contact.php:931 -#: src/Module/BaseProfile.php:63 -msgid "Status Messages and Posts" -msgstr "Statusnachrichten und Beiträge" - -#: mod/message.php:47 mod/message.php:128 src/Content/Nav.php:276 -msgid "New Message" -msgstr "Neue Nachricht" - -#: mod/message.php:88 -msgid "Unable to locate contact information." -msgstr "Konnte die Kontaktinformationen nicht finden." - -#: mod/message.php:122 src/Module/Notifications/Notification.php:56 -#: src/Module/Notifications/Introductions.php:114 -#: src/Module/Notifications/Introductions.php:155 -msgid "Discard" -msgstr "Verwerfen" - -#: mod/message.php:148 -msgid "Conversation not found." -msgstr "Unterhaltung nicht gefunden." - -#: mod/message.php:153 -msgid "Message was not deleted." -msgstr "Nachricht wurde nicht gelöscht" - -#: mod/message.php:171 -msgid "Conversation was not removed." -msgstr "Unterhaltung wurde nicht entfernt" - -#: mod/message.php:234 -msgid "No messages." -msgstr "Keine Nachrichten." - -#: mod/message.php:290 -msgid "Message not available." -msgstr "Nachricht nicht verfügbar." - -#: mod/message.php:340 -msgid "Delete message" -msgstr "Nachricht löschen" - -#: mod/message.php:342 mod/message.php:469 -msgid "D, d M Y - g:i A" -msgstr "D, d. M Y - H:i" - -#: mod/message.php:357 mod/message.php:466 -msgid "Delete conversation" -msgstr "Unterhaltung löschen" - -#: mod/message.php:359 -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:363 -msgid "Send Reply" -msgstr "Antwort senden" - -#: mod/message.php:445 -#, php-format -msgid "Unknown sender - %s" -msgstr "Unbekannter Absender - %s" - -#: mod/message.php:447 -#, php-format -msgid "You and %s" -msgstr "Du und %s" - -#: mod/message.php:449 -#, php-format -msgid "%s and You" -msgstr "%s und du" - -#: mod/message.php:472 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "%d Nachricht" -msgstr[1] "%d Nachrichten" - -#: mod/ostatus_subscribe.php:35 -msgid "Subscribing to OStatus contacts" -msgstr "OStatus-Kontakten folgen" - -#: mod/ostatus_subscribe.php:45 -msgid "No contact provided." -msgstr "Keine Kontakte gefunden." - -#: mod/ostatus_subscribe.php:51 -msgid "Couldn't fetch information for contact." -msgstr "Konnte die Kontaktinformationen nicht einholen." - -#: mod/ostatus_subscribe.php:61 -msgid "Couldn't fetch friends for contact." -msgstr "Konnte die Kontaktliste des Kontakts nicht abfragen." - -#: mod/ostatus_subscribe.php:93 -msgid "success" -msgstr "Erfolg" - -#: mod/ostatus_subscribe.php:95 -msgid "failed" -msgstr "Fehlgeschlagen" - -#: mod/ostatus_subscribe.php:98 src/Object/Post.php:311 -msgid "ignored" -msgstr "Ignoriert" - -#: mod/dfrn_poll.php:135 mod/dfrn_poll.php:506 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "%1$s heißt %2$s herzlich willkommen" - -#: mod/removeme.php:63 -msgid "User deleted their account" -msgstr "Gelöschter Nutzeraccount" - -#: mod/removeme.php:64 -msgid "" -"On your Friendica node an user deleted their account. Please ensure that " -"their data is removed from the backups." -msgstr "Ein Nutzer deiner Friendica-Instanz hat seinen Account gelöscht. Bitte stelle sicher, dass dessen Daten aus deinen Backups entfernt werden." - -#: mod/removeme.php:65 -#, php-format -msgid "The user id is %d" -msgstr "Die ID des Users lautet %d" - -#: mod/removeme.php:99 mod/removeme.php:102 -msgid "Remove My Account" -msgstr "Konto löschen" - -#: mod/removeme.php:100 -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:101 -msgid "Please enter your password for verification:" -msgstr "Bitte gib dein Passwort zur Verifikation ein:" - -#: mod/tagrm.php:112 -msgid "Remove Item Tag" -msgstr "Gegenstands-Tag entfernen" - -#: mod/tagrm.php:114 -msgid "Select a tag to remove: " -msgstr "Wähle ein Tag zum Entfernen aus: " - -#: mod/tagrm.php:125 src/Module/Settings/Delegation.php:179 -msgid "Remove" -msgstr "Entfernen" - #: mod/suggest.php:44 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/display.php:238 mod/display.php:322 -msgid "The requested item doesn't exist or has been deleted." -msgstr "Der angeforderte Beitrag existiert nicht oder wurde gelöscht." +#: mod/suggest.php:55 src/Content/Widget.php:78 view/theme/vier/theme.php:175 +msgid "Friend Suggestions" +msgstr "Kontaktvorschläge" -#: mod/display.php:286 mod/cal.php:142 src/Module/Profile/Status.php:108 -#: src/Module/Profile/Profile.php:94 src/Module/Profile/Profile.php:109 -#: src/Module/Update/Profile.php:55 -msgid "Access to this profile has been restricted." -msgstr "Der Zugriff zu diesem Profil wurde eingeschränkt." +#: mod/tagrm.php:113 +msgid "Remove Item Tag" +msgstr "Gegenstands-Tag entfernen" -#: mod/display.php:402 -msgid "The feed for this item is unavailable." -msgstr "Der Feed für diesen Beitrag ist nicht verfügbar." +#: mod/tagrm.php:115 +msgid "Select a tag to remove: " +msgstr "Wähle ein Tag zum Entfernen aus: " -#: mod/wall_upload.php:52 mod/wall_upload.php:63 mod/wall_upload.php:108 -#: mod/wall_upload.php:159 mod/wall_upload.php:162 mod/wall_attach.php:42 -#: mod/wall_attach.php:49 mod/wall_attach.php:87 -msgid "Invalid request." -msgstr "Ungültige Anfrage" - -#: mod/wall_upload.php:174 mod/photos.php:671 mod/photos.php:674 -#: mod/photos.php:701 src/Module/Settings/Profile/Photo/Index.php:61 -#, php-format -msgid "Image exceeds size limit of %s" -msgstr "Bildgröße überschreitet das Limit von %s" - -#: mod/wall_upload.php:188 mod/photos.php:724 -#: src/Module/Settings/Profile/Photo/Index.php:70 -msgid "Unable to process image." -msgstr "Konnte das Bild nicht bearbeiten." - -#: mod/wall_upload.php:219 -msgid "Wall Photos" -msgstr "Pinnwand-Bilder" - -#: mod/wall_upload.php:227 mod/photos.php:753 -#: src/Module/Settings/Profile/Photo/Index.php:97 -msgid "Image upload failed." -msgstr "Hochladen des Bildes gescheitert." - -#: mod/lostpass.php:40 -msgid "No valid account found." -msgstr "Kein gültiges Konto gefunden." - -#: mod/lostpass.php:52 -msgid "Password reset request issued. Check your email." -msgstr "Zurücksetzen des Passworts eingeleitet. Bitte überprüfe Deine E-Mail." - -#: mod/lostpass.php:58 -#, php-format -msgid "" -"\n" -"\t\tDear %1$s,\n" -"\t\t\tA request was recently received at \"%2$s\" to reset your account\n" -"\t\tpassword. In order to confirm this request, please select the verification link\n" -"\t\tbelow or paste it into your web browser address bar.\n" -"\n" -"\t\tIf you did NOT request this change, please DO NOT follow the link\n" -"\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n" -"\n" -"\t\tYour password will not be changed unless we can verify that you\n" -"\t\tissued this request." -msgstr "\nHallo %1$s,\n\nAuf \"%2$s\" ist eine Anfrage auf das Zurücksetzen deines Passworts gestellt\nworden. Um diese Anfrage zu verifizieren, folge bitte dem unten stehenden\nLink oder kopiere und füge ihn in die Adressleiste deines Browsers ein.\n\nSolltest du die Anfrage NICHT gestellt haben, ignoriere und/oder lösche diese\nE-Mail bitte.\n\nDein Passwort wird nicht geändert, solange wir nicht verifiziert haben, dass\ndu diese Änderung angefragt hast." - -#: mod/lostpass.php:69 -#, php-format -msgid "" -"\n" -"\t\tFollow this link soon to verify your identity:\n" -"\n" -"\t\t%1$s\n" -"\n" -"\t\tYou will then receive a follow-up message containing the new password.\n" -"\t\tYou may change that password from your account settings page after logging in.\n" -"\n" -"\t\tThe login details are as follows:\n" -"\n" -"\t\tSite Location:\t%2$s\n" -"\t\tLogin Name:\t%3$s" -msgstr "\nUm deine Identität zu verifizieren, folge bitte diesem Link:\n\n%1$s\n\nDu wirst eine weitere E-Mail 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:84 -#, php-format -msgid "Password reset requested at %s" -msgstr "Anfrage zum Zurücksetzen des Passworts auf %s erhalten" - -#: mod/lostpass.php:100 -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:113 -msgid "Request has expired, please make a new one." -msgstr "Die Anfrage ist abgelaufen. Bitte stelle eine erneute." - -#: mod/lostpass.php:128 -msgid "Forgot your Password?" -msgstr "Hast du dein Passwort vergessen?" - -#: mod/lostpass.php:129 -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:130 src/Module/Security/Login.php:144 -msgid "Nickname or Email: " -msgstr "Spitzname oder E-Mail:" - -#: mod/lostpass.php:131 -msgid "Reset" -msgstr "Zurücksetzen" - -#: mod/lostpass.php:146 src/Module/Security/Login.php:156 -msgid "Password Reset" -msgstr "Passwort zurücksetzen" - -#: mod/lostpass.php:147 -msgid "Your password has been reset as requested." -msgstr "Dein Passwort wurde wie gewünscht zurückgesetzt." - -#: mod/lostpass.php:148 -msgid "Your new password is" -msgstr "Dein neues Passwort lautet" - -#: mod/lostpass.php:149 -msgid "Save or copy your new password - and then" -msgstr "Speichere oder kopiere dein neues Passwort - und dann" - -#: mod/lostpass.php:150 -msgid "click here to login" -msgstr "hier klicken, um dich anzumelden" - -#: mod/lostpass.php:151 -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:155 -msgid "Your password has been reset." -msgstr "Dein Passwort wurde zurückgesetzt." - -#: mod/lostpass.php:158 -#, php-format -msgid "" -"\n" -"\t\t\tDear %1$s,\n" -"\t\t\t\tYour password has been changed as requested. Please retain this\n" -"\t\t\tinformation for your records (or change your password immediately to\n" -"\t\t\tsomething that you will remember).\n" -"\t\t" -msgstr "\nHallo %1$s,\n\nDein Passwort wurde wie gewünscht geändert. Bitte bewahre diese Informationen gut auf (oder ändere dein Passwort in eines, das du dir leicht merken kannst)." - -#: mod/lostpass.php:164 -#, php-format -msgid "" -"\n" -"\t\t\tYour login details are as follows:\n" -"\n" -"\t\t\tSite Location:\t%1$s\n" -"\t\t\tLogin Name:\t%2$s\n" -"\t\t\tPassword:\t%3$s\n" -"\n" -"\t\t\tYou may change that password from your account settings page after logging in.\n" -"\t\t" -msgstr "\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:176 -#, php-format -msgid "Your password has been changed at %s" -msgstr "Auf %s wurde dein Passwort geändert" - -#: mod/dfrn_request.php:114 -msgid "This introduction has already been accepted." -msgstr "Diese Kontaktanfrage wurde bereits akzeptiert." - -#: mod/dfrn_request.php:132 mod/dfrn_request.php:370 -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:136 mod/dfrn_request.php:374 -msgid "Warning: profile location has no identifiable owner name." -msgstr "Warnung: Es konnte kein Name des Besitzers an der angegebenen Profiladresse gefunden werden." - -#: mod/dfrn_request.php:139 mod/dfrn_request.php:377 -msgid "Warning: profile location has no profile photo." -msgstr "Warnung: Es gibt kein Profilbild an der angegebenen Profiladresse." - -#: mod/dfrn_request.php:143 mod/dfrn_request.php:381 -#, 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:181 -msgid "Introduction complete." -msgstr "Kontaktanfrage abgeschlossen." - -#: mod/dfrn_request.php:217 -msgid "Unrecoverable protocol error." -msgstr "Nicht behebbarer Protokollfehler." - -#: mod/dfrn_request.php:244 src/Module/RemoteFollow.php:54 -msgid "Profile unavailable." -msgstr "Profil nicht verfügbar." - -#: mod/dfrn_request.php:265 -#, php-format -msgid "%s has received too many connection requests today." -msgstr "%s hat heute zu viele Kontaktanfragen erhalten." - -#: mod/dfrn_request.php:266 -msgid "Spam protection measures have been invoked." -msgstr "Maßnahmen zum Spamschutz wurden ergriffen." - -#: mod/dfrn_request.php:267 -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:291 src/Module/RemoteFollow.php:60 -msgid "Invalid locator" -msgstr "Ungültiger Locator" - -#: mod/dfrn_request.php:327 -msgid "You have already introduced yourself here." -msgstr "Du hast dich hier bereits vorgestellt." - -#: mod/dfrn_request.php:330 -#, php-format -msgid "Apparently you are already friends with %s." -msgstr "Es scheint so, als ob du bereits mit %s in Kontakt stehst." - -#: mod/dfrn_request.php:350 -msgid "Invalid profile URL." -msgstr "Ungültige Profil-URL." - -#: mod/dfrn_request.php:356 src/Model/Contact.php:2143 -msgid "Disallowed profile URL." -msgstr "Nicht erlaubte Profil-URL." - -#: mod/dfrn_request.php:362 src/Module/Friendica.php:80 -#: src/Model/Contact.php:2148 -msgid "Blocked domain" -msgstr "Blockierte Domain" - -#: mod/dfrn_request.php:429 src/Module/Contact.php:157 -msgid "Failed to update contact record." -msgstr "Aktualisierung der Kontaktdaten fehlgeschlagen." - -#: mod/dfrn_request.php:449 -msgid "Your introduction has been sent." -msgstr "Deine Kontaktanfrage wurde gesendet." - -#: mod/dfrn_request.php:481 src/Module/RemoteFollow.php:72 -msgid "" -"Remote subscription can't be done for your network. Please subscribe " -"directly on your system." -msgstr "Entferntes Abon­nie­ren kann für dein Netzwerk nicht durchgeführt werden. Bitte nutze direkt die Abonnieren-Funktion deines Systems. " - -#: mod/dfrn_request.php:497 -msgid "Please login to confirm introduction." -msgstr "Bitte melde dich an, um die Kontaktanfrage zu bestätigen." - -#: mod/dfrn_request.php:505 -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:519 mod/dfrn_request.php:534 -msgid "Confirm" -msgstr "Bestätigen" - -#: mod/dfrn_request.php:530 -msgid "Hide this contact" -msgstr "Verberge diesen Kontakt" - -#: mod/dfrn_request.php:532 -#, php-format -msgid "Welcome home %s." -msgstr "Willkommen zurück %s." - -#: mod/dfrn_request.php:533 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "Bitte bestätige Deine Kontaktanfrage bei %s." - -#: mod/dfrn_request.php:637 src/Module/RemoteFollow.php:104 -msgid "Friend/Connection Request" -msgstr "Kontaktanfrage" - -#: mod/dfrn_request.php:638 -#, php-format -msgid "" -"Enter your Webfinger address (user@domain.tld) or profile URL here. If this " -"isn't supported by your system (for example it doesn't work with Diaspora), " -"you have to subscribe to %s directly on your system" -msgstr "Gib entweder deinen Webfinger (user@domain.tld) oder deine Profil-Adresse an. Wenn dies von deinem System nicht unterstützt wird (z.B. von Diaspora*) musst du von deinem System aus %s folgen " - -#: mod/dfrn_request.php:639 src/Module/RemoteFollow.php:106 -#, php-format -msgid "" -"If you are not yet a member of the free social web, follow " -"this link to find a public Friendica node and join us today." -msgstr "Solltest du das freie Soziale Netzwerk noch nicht benutzen, kannst du diesem Link folgen um eine öffentliche Friendica Instanz zu finden um noch heute dem Netzwerk beizutreten." - -#: mod/dfrn_request.php:640 src/Module/RemoteFollow.php:107 -msgid "Your Webfinger address or profile URL:" -msgstr "Deine Webfinger Adresse oder Profil-URL" - -#: mod/dfrn_request.php:641 mod/follow.php:146 src/Module/RemoteFollow.php:108 -msgid "Please answer the following:" -msgstr "Bitte beantworte folgendes:" - -#: mod/dfrn_request.php:649 mod/follow.php:160 -#, php-format -msgid "%s knows you" -msgstr "%skennt dich" - -#: mod/dfrn_request.php:650 mod/follow.php:161 -msgid "Add a personal note:" -msgstr "Eine persönliche Notiz beifügen:" - -#: mod/api.php:102 mod/api.php:124 -msgid "Authorize application connection" -msgstr "Verbindung der Applikation autorisieren" - -#: mod/api.php:103 -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:112 src/Module/BaseAdmin.php:54 src/Module/BaseAdmin.php:58 -msgid "Please login to continue." -msgstr "Bitte melde dich an, um fortzufahren." - -#: mod/api.php:126 -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/api.php:127 src/Module/Notifications/Introductions.php:123 -#: src/Module/Register.php:115 src/Module/Contact.php:456 -msgid "Yes" -msgstr "Ja" - -#: mod/api.php:128 src/Module/Notifications/Introductions.php:123 -#: src/Module/Register.php:116 -msgid "No" -msgstr "Nein" - -#: mod/wall_attach.php:105 -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/wall_attach.php:105 -msgid "Or - did you try to upload an empty file?" -msgstr "Oder - hast du versucht, eine leere Datei hochzuladen?" - -#: mod/wall_attach.php:116 -#, php-format -msgid "File exceeds size limit of %s" -msgstr "Die Datei ist größer als das erlaubte Limit von %s" - -#: mod/wall_attach.php:131 -msgid "File upload failed." -msgstr "Hochladen der Datei fehlgeschlagen." - -#: mod/item.php:134 mod/item.php:138 -msgid "Unable to locate original post." -msgstr "Konnte den Originalbeitrag nicht finden." - -#: mod/item.php:333 mod/item.php:338 -msgid "Empty post discarded." -msgstr "Leerer Beitrag wurde verworfen." - -#: mod/item.php:705 -msgid "Post updated." -msgstr "Beitrag aktualisiert." - -#: mod/item.php:722 mod/item.php:727 -msgid "Item wasn't stored." -msgstr "Eintrag wurde nicht gespeichert" - -#: mod/item.php:738 -msgid "Item couldn't be fetched." -msgstr "Eintrag konnte nicht geholt werden." - -#: mod/item.php:866 src/Module/Debug/ItemBody.php:46 -#: src/Module/Debug/ItemBody.php:59 src/Module/Admin/Themes/Details.php:39 -#: src/Module/Admin/Themes/Index.php:59 -msgid "Item not found." -msgstr "Beitrag nicht gefunden." +#: mod/tagrm.php:126 src/Module/Settings/Delegation.php:179 +msgid "Remove" +msgstr "Entfernen" #: mod/uimport.php:45 msgid "User imports on closed servers can only be done by an administrator." @@ -2982,457 +2965,80 @@ msgid "" "select \"Export account\"" msgstr "Um Deinen Account zu exportieren, rufe \"Einstellungen -> Persönliche Daten exportieren\" auf und wähle \"Account exportieren\"" -#: mod/cal.php:74 src/Module/Profile/Common.php:41 -#: src/Module/Profile/Common.php:53 src/Module/Profile/Status.php:57 -#: src/Module/Profile/Contacts.php:40 src/Module/Profile/Contacts.php:51 -#: src/Module/Register.php:258 src/Module/HoverCard.php:53 -msgid "User not found." -msgstr "Benutzer nicht gefunden." +#: mod/unfollow.php:65 mod/unfollow.php:133 +msgid "You aren't following this contact." +msgstr "Du folgst diesem Kontakt." -#: mod/cal.php:274 mod/events.php:422 -msgid "View" -msgstr "Ansehen" +#: mod/unfollow.php:71 mod/unfollow.php:139 +msgid "Unfollowing is currently not supported by your network." +msgstr "Bei diesem Netzwerk wird das Entfolgen derzeit nicht unterstützt." -#: mod/cal.php:275 mod/events.php:424 -msgid "Previous" -msgstr "Vorherige" +#: mod/unfollow.php:95 +msgid "Disconnect/Unfollow" +msgstr "Verbindung lösen/Nicht mehr folgen" -#: mod/cal.php:276 mod/events.php:425 src/Module/Install.php:196 -msgid "Next" -msgstr "Nächste" +#: mod/videos.php:134 +msgid "No videos selected" +msgstr "Keine Videos ausgewählt" -#: mod/cal.php:279 mod/events.php:430 src/Model/Event.php:444 -msgid "today" -msgstr "Heute" +#: mod/videos.php:252 src/Model/Item.php:2952 +msgid "View Video" +msgstr "Video ansehen" -#: mod/cal.php:280 mod/events.php:431 src/Util/Temporal.php:330 -#: src/Model/Event.php:445 -msgid "month" -msgstr "Monat" +#: mod/videos.php:267 +msgid "Recent Videos" +msgstr "Neueste Videos" -#: mod/cal.php:281 mod/events.php:432 src/Util/Temporal.php:331 -#: src/Model/Event.php:446 -msgid "week" -msgstr "Woche" +#: mod/videos.php:269 +msgid "Upload New Videos" +msgstr "Neues Video hochladen" -#: mod/cal.php:282 mod/events.php:433 src/Util/Temporal.php:332 -#: src/Model/Event.php:447 -msgid "day" -msgstr "Tag" - -#: mod/cal.php:283 mod/events.php:434 -msgid "list" -msgstr "Liste" - -#: mod/cal.php:296 src/Console/User.php:152 src/Console/User.php:250 -#: src/Console/User.php:283 src/Console/User.php:309 -#: src/Module/Api/Twitter/ContactEndpoint.php:73 -#: src/Module/Admin/Users/Pending.php:71 src/Module/Admin/Users/Index.php:80 -#: src/Module/Admin/Users/Active.php:73 src/Module/Admin/Users/Blocked.php:74 -#: src/Model/User.php:607 -msgid "User not found" -msgstr "Nutzer nicht gefunden" - -#: mod/cal.php:305 -msgid "This calendar format is not supported" -msgstr "Dieses Kalenderformat wird nicht unterstützt." - -#: mod/cal.php:307 -msgid "No exportable data found" -msgstr "Keine exportierbaren Daten gefunden" - -#: mod/cal.php:324 -msgid "calendar" -msgstr "Kalender" - -#: mod/editpost.php:45 mod/editpost.php:55 -msgid "Item not found" -msgstr "Beitrag nicht gefunden" - -#: mod/editpost.php:62 -msgid "Edit post" -msgstr "Beitrag bearbeiten" - -#: mod/editpost.php:89 mod/notes.php:62 src/Module/Filer/SaveTag.php:66 -#: src/Content/Text/HTML.php:881 -msgid "Save" -msgstr "Speichern" - -#: mod/editpost.php:96 -msgid "web link" -msgstr "Weblink" - -#: mod/editpost.php:97 -msgid "Insert video link" -msgstr "Video-Adresse einfügen" - -#: mod/editpost.php:98 -msgid "video link" -msgstr "Video-Link" - -#: mod/editpost.php:99 -msgid "Insert audio link" -msgstr "Audio-Adresse einfügen" - -#: mod/editpost.php:100 -msgid "audio link" -msgstr "Audio-Link" - -#: mod/editpost.php:114 src/Core/ACL.php:312 -msgid "CC: email addresses" -msgstr "Cc: E-Mail-Addressen" - -#: mod/editpost.php:121 src/Core/ACL.php:313 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Z.B.: bob@example.com, mary@example.com" - -#: mod/events.php:135 mod/events.php:137 -msgid "Event can not end before it has started." -msgstr "Die Veranstaltung kann nicht enden, bevor sie beginnt." - -#: mod/events.php:144 mod/events.php:146 -msgid "Event title and start time are required." -msgstr "Der Veranstaltungstitel und die Anfangszeit müssen angegeben werden." - -#: mod/events.php:423 -msgid "Create New Event" -msgstr "Neue Veranstaltung erstellen" - -#: mod/events.php:535 -msgid "Event details" -msgstr "Veranstaltungsdetails" - -#: mod/events.php:536 -msgid "Starting date and Title are required." -msgstr "Anfangszeitpunkt und Titel werden benötigt" - -#: mod/events.php:537 mod/events.php:542 -msgid "Event Starts:" -msgstr "Veranstaltungsbeginn:" - -#: mod/events.php:537 mod/events.php:569 -#: src/Module/Security/TwoFactor/Verify.php:85 src/Module/Debug/Probe.php:57 -#: src/Module/Register.php:135 src/Module/Install.php:189 -#: src/Module/Install.php:222 src/Module/Install.php:227 -#: src/Module/Install.php:246 src/Module/Install.php:257 -#: src/Module/Install.php:262 src/Module/Install.php:268 -#: src/Module/Install.php:273 src/Module/Install.php:287 -#: src/Module/Install.php:302 src/Module/Install.php:329 -#: src/Module/Admin/Blocklist/Server.php:79 -#: src/Module/Admin/Blocklist/Server.php:80 -#: src/Module/Admin/Blocklist/Server.php:99 -#: src/Module/Admin/Blocklist/Server.php:100 -#: src/Module/Admin/Item/Delete.php:70 -#: src/Module/Settings/TwoFactor/Index.php:128 -#: src/Module/Settings/TwoFactor/Verify.php:141 -msgid "Required" -msgstr "Benötigt" - -#: mod/events.php:550 mod/events.php:575 -msgid "Finish date/time is not known or not relevant" -msgstr "Enddatum/-zeit ist nicht bekannt oder nicht relevant" - -#: mod/events.php:552 mod/events.php:557 -msgid "Event Finishes:" -msgstr "Veranstaltungsende:" - -#: mod/events.php:563 mod/events.php:576 -msgid "Adjust for viewer timezone" -msgstr "An Zeitzone des Betrachters anpassen" - -#: mod/events.php:565 src/Module/Profile/Profile.php:172 -#: src/Module/Settings/Profile/Index.php:253 -msgid "Description:" -msgstr "Beschreibung" - -#: mod/events.php:567 src/Module/Notifications/Introductions.php:172 -#: src/Module/Profile/Profile.php:190 src/Module/Contact.php:646 -#: src/Module/Directory.php:156 src/Model/Event.php:84 src/Model/Event.php:111 -#: src/Model/Event.php:453 src/Model/Event.php:947 src/Model/Profile.php:358 -msgid "Location:" -msgstr "Ort:" - -#: mod/events.php:569 mod/events.php:571 -msgid "Title:" -msgstr "Titel:" - -#: mod/events.php:572 mod/events.php:573 -msgid "Share this event" -msgstr "Veranstaltung teilen" - -#: mod/events.php:580 src/Module/Profile/Profile.php:243 -msgid "Basic" -msgstr "Allgemein" - -#: mod/events.php:581 src/Module/Profile/Profile.php:244 -#: src/Module/Contact.php:953 src/Module/Admin/Site.php:603 -msgid "Advanced" -msgstr "Erweitert" - -#: mod/events.php:598 -msgid "Failed to remove event" -msgstr "Entfernen der Veranstaltung fehlgeschlagen" - -#: mod/follow.php:83 -msgid "You already added this contact." -msgstr "Du hast den Kontakt bereits hinzugefügt." - -#: mod/follow.php:99 -msgid "The network type couldn't be detected. Contact can't be added." -msgstr "Der Netzwerktyp wurde nicht erkannt. Der Kontakt kann nicht hinzugefügt werden." - -#: mod/follow.php:107 -msgid "Diaspora support isn't enabled. Contact can't be added." -msgstr "Diaspora-Unterstützung ist nicht aktiviert. Der Kontakt kann nicht zugefügt werden." - -#: mod/follow.php:112 -msgid "OStatus support is disabled. Contact can't be added." -msgstr "OStatus-Unterstützung ist nicht aktiviert. Der Kontakt kann nicht zugefügt werden." - -#: mod/follow.php:149 src/Module/Notifications/Introductions.php:176 -#: src/Module/Profile/Profile.php:202 src/Module/Contact.php:652 -msgid "Tags:" -msgstr "Tags:" - -#: mod/follow.php:202 -msgid "The contact could not be added." -msgstr "Der Kontakt konnte nicht hinzugefügt werden." - -#: mod/fbrowser.php:107 mod/fbrowser.php:136 -#: src/Module/Settings/Profile/Photo/Index.php:130 -msgid "Upload" -msgstr "Hochladen" - -#: mod/fbrowser.php:131 -msgid "Files" -msgstr "Dateien" - -#: mod/notes.php:50 src/Module/BaseProfile.php:110 -msgid "Personal Notes" -msgstr "Persönliche Notizen" - -#: mod/notes.php:58 -msgid "Personal notes are visible only by yourself." -msgstr "Persönliche Notizen sind nur für dich sichtbar." - -#: mod/photos.php:128 src/Module/BaseProfile.php:71 -msgid "Photo Albums" -msgstr "Fotoalben" - -#: mod/photos.php:129 mod/photos.php:1636 -msgid "Recent Photos" -msgstr "Neueste Fotos" - -#: mod/photos.php:131 mod/photos.php:1104 mod/photos.php:1638 -msgid "Upload New Photos" -msgstr "Neue Fotos hochladen" - -#: mod/photos.php:149 src/Module/BaseSettings.php:37 -msgid "everybody" -msgstr "jeder" - -#: mod/photos.php:182 -msgid "Contact information unavailable" -msgstr "Kontaktinformationen nicht verfügbar" - -#: mod/photos.php:221 -msgid "Album not found." -msgstr "Album nicht gefunden." - -#: mod/photos.php:279 -msgid "Album successfully deleted" -msgstr "Album wurde erfolgreich gelöscht." - -#: mod/photos.php:281 -msgid "Album was empty." -msgstr "Album ist leer." - -#: mod/photos.php:313 -msgid "Failed to delete the photo." -msgstr "Das Foto konnte nicht gelöscht werden." - -#: mod/photos.php:588 -msgid "a photo" -msgstr "einem Foto" - -#: mod/photos.php:588 +#: mod/wallmessage.php:68 mod/wallmessage.php:129 #, php-format -msgid "%1$s was tagged in %2$s by %3$s" -msgstr "%1$s wurde von %3$s in %2$s getaggt" +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/photos.php:677 -msgid "Image upload didn't complete, please try again" -msgstr "Der Upload des Bildes war nicht vollständig. Bitte versuche es erneut." +#: mod/wallmessage.php:79 +msgid "Unable to check your home location." +msgstr "Konnte Deinen Heimatort nicht bestimmen." -#: mod/photos.php:680 -msgid "Image file is missing" -msgstr "Bilddatei konnte nicht gefunden werden." +#: mod/wallmessage.php:103 mod/wallmessage.php:112 +msgid "No recipient." +msgstr "Kein Empfänger." -#: mod/photos.php:685 +#: mod/wallmessage.php:143 +#, php-format msgid "" -"Server can't accept new file upload at this time, please contact your " -"administrator" -msgstr "Der Server kann derzeit keine neuen Datei-Uploads akzeptieren. Bitte kontaktiere deinen Administrator." +"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/photos.php:709 -msgid "Image file is empty." -msgstr "Bilddatei ist leer." +#: mod/wall_attach.php:42 mod/wall_attach.php:49 mod/wall_attach.php:87 +#: mod/wall_upload.php:52 mod/wall_upload.php:63 mod/wall_upload.php:108 +#: mod/wall_upload.php:159 mod/wall_upload.php:162 +msgid "Invalid request." +msgstr "Ungültige Anfrage" -#: mod/photos.php:840 -msgid "No photos selected" -msgstr "Keine Bilder ausgewählt" +#: mod/wall_attach.php:105 +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/photos.php:960 -msgid "Upload Photos" -msgstr "Bilder hochladen" +#: mod/wall_attach.php:105 +msgid "Or - did you try to upload an empty file?" +msgstr "Oder - hast du versucht, eine leere Datei hochzuladen?" -#: mod/photos.php:964 mod/photos.php:1049 -msgid "New album name: " -msgstr "Name des neuen Albums: " +#: mod/wall_attach.php:116 +#, php-format +msgid "File exceeds size limit of %s" +msgstr "Die Datei ist größer als das erlaubte Limit von %s" -#: mod/photos.php:965 -msgid "or select existing album:" -msgstr "oder wähle ein bestehendes Album:" +#: mod/wall_attach.php:131 +msgid "File upload failed." +msgstr "Hochladen der Datei fehlgeschlagen." -#: mod/photos.php:966 -msgid "Do not show a status post for this upload" -msgstr "Keine Status-Mitteilung für diesen Beitrag anzeigen" - -#: mod/photos.php:1032 -msgid "Do you really want to delete this photo album and all its photos?" -msgstr "Möchtest du wirklich dieses Foto-Album und all seine Foto löschen?" - -#: mod/photos.php:1033 mod/photos.php:1054 -msgid "Delete Album" -msgstr "Album löschen" - -#: mod/photos.php:1060 -msgid "Edit Album" -msgstr "Album bearbeiten" - -#: mod/photos.php:1061 -msgid "Drop Album" -msgstr "Album löschen" - -#: mod/photos.php:1066 -msgid "Show Newest First" -msgstr "Zeige neueste zuerst" - -#: mod/photos.php:1068 -msgid "Show Oldest First" -msgstr "Zeige älteste zuerst" - -#: mod/photos.php:1089 mod/photos.php:1621 -msgid "View Photo" -msgstr "Foto betrachten" - -#: mod/photos.php:1126 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Zugriff verweigert. Zugriff zu diesem Eintrag könnte eingeschränkt sein." - -#: mod/photos.php:1128 -msgid "Photo not available" -msgstr "Foto nicht verfügbar" - -#: mod/photos.php:1138 -msgid "Do you really want to delete this photo?" -msgstr "Möchtest du wirklich dieses Foto löschen?" - -#: mod/photos.php:1139 mod/photos.php:1340 -msgid "Delete Photo" -msgstr "Foto löschen" - -#: mod/photos.php:1230 -msgid "View photo" -msgstr "Fotos ansehen" - -#: mod/photos.php:1232 -msgid "Edit photo" -msgstr "Foto bearbeiten" - -#: mod/photos.php:1233 -msgid "Delete photo" -msgstr "Foto löschen" - -#: mod/photos.php:1234 -msgid "Use as profile photo" -msgstr "Als Profilbild verwenden" - -#: mod/photos.php:1241 -msgid "Private Photo" -msgstr "Privates Foto" - -#: mod/photos.php:1247 -msgid "View Full Size" -msgstr "Betrachte Originalgröße" - -#: mod/photos.php:1308 -msgid "Tags: " -msgstr "Tags: " - -#: mod/photos.php:1311 -msgid "[Select tags to remove]" -msgstr "[Zu entfernende Tags auswählen]" - -#: mod/photos.php:1326 -msgid "New album name" -msgstr "Name des neuen Albums" - -#: mod/photos.php:1327 -msgid "Caption" -msgstr "Bildunterschrift" - -#: mod/photos.php:1328 -msgid "Add a Tag" -msgstr "Tag hinzufügen" - -#: mod/photos.php:1328 -msgid "" -"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -msgstr "Beispiel: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" - -#: mod/photos.php:1329 -msgid "Do not rotate" -msgstr "Nicht rotieren" - -#: mod/photos.php:1330 -msgid "Rotate CW (right)" -msgstr "Drehen US (rechts)" - -#: mod/photos.php:1331 -msgid "Rotate CCW (left)" -msgstr "Drehen EUS (links)" - -#: mod/photos.php:1377 mod/photos.php:1434 mod/photos.php:1507 -#: src/Object/Post.php:950 src/Module/Contact.php:1096 -#: src/Module/Item/Compose.php:142 -msgid "This is you" -msgstr "Das bist du" - -#: mod/photos.php:1379 mod/photos.php:1436 mod/photos.php:1509 -#: src/Object/Post.php:490 src/Object/Post.php:952 -msgid "Comment" -msgstr "Kommentar" - -#: mod/photos.php:1531 -msgid "Like" -msgstr "Mag ich" - -#: mod/photos.php:1532 src/Object/Post.php:351 -msgid "I like this (toggle)" -msgstr "Ich mag das (toggle)" - -#: mod/photos.php:1533 -msgid "Dislike" -msgstr "Mag ich nicht" - -#: mod/photos.php:1535 src/Object/Post.php:352 -msgid "I don't like this (toggle)" -msgstr "Ich mag das nicht (toggle)" - -#: mod/photos.php:1557 -msgid "Map" -msgstr "Karte" +#: mod/wall_upload.php:219 +msgid "Wall Photos" +msgstr "Pinnwand-Bilder" #: src/App/Module.php:241 msgid "You must be logged in to use addons. " @@ -3442,7 +3048,13 @@ msgstr "Du musst angemeldet sein, um Addons benutzen zu können." msgid "Delete this item?" msgstr "Diesen Beitrag löschen?" -#: src/App/Page.php:298 +#: src/App/Page.php:251 +msgid "" +"Block this author? They won't be able to follow you nor see your public " +"posts, and you won't be able to see their posts and their notifications." +msgstr "" + +#: src/App/Page.php:299 msgid "toggle mobile" msgstr "mobile Ansicht umschalten" @@ -3455,137 +3067,834 @@ msgstr "Diese Methode ist in diesem Modul nicht erlaubt. Erlaubte Methoden sind: msgid "Page not found." msgstr "Seite nicht gefunden." -#: src/Security/Authentication.php:210 src/Security/Authentication.php:262 -msgid "Login failed." -msgstr "Anmeldung fehlgeschlagen." +#: src/App.php:309 +msgid "No system theme config value set." +msgstr "Es wurde kein Konfigurationswert für das systemweite Theme gesetzt." -#: src/Security/Authentication.php:224 src/Model/User.php:843 +#: src/BaseModule.php:150 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." +"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)." -#: src/Security/Authentication.php:224 src/Model/User.php:843 -msgid "The error message was:" -msgstr "Die Fehlermeldung lautete:" +#: src/BaseModule.php:179 +msgid "All contacts" +msgstr "Alle Kontakte" -#: src/Security/Authentication.php:273 -msgid "Login failed. Please check your credentials." -msgstr "Anmeldung fehlgeschlagen. Bitte überprüfe deine Angaben." +#: src/BaseModule.php:184 src/Content/Widget.php:237 src/Core/ACL.php:182 +#: src/Module/Contact.php:852 src/Module/PermissionTooltip.php:77 +#: src/Module/PermissionTooltip.php:99 +msgid "Followers" +msgstr "Folgende" -#: src/Security/Authentication.php:389 +#: src/BaseModule.php:189 src/Content/Widget.php:238 +#: src/Module/Contact.php:853 +msgid "Following" +msgstr "Gefolgte" + +#: src/BaseModule.php:194 src/Content/Widget.php:239 +#: src/Module/Contact.php:854 +msgid "Mutual friends" +msgstr "Beidseitige Freundschaft" + +#: src/BaseModule.php:202 +msgid "Common" +msgstr "Gemeinsam" + +#: src/Console/ArchiveContact.php:105 #, php-format -msgid "Welcome %s" -msgstr "Willkommen %s" +msgid "Could not find any unarchived contact entry for this URL (%s)" +msgstr "Für die URL (%s) konnte kein nicht-archivierter Kontakt gefunden werden" -#: src/Security/Authentication.php:390 -msgid "Please upload a profile photo." -msgstr "Bitte lade ein Profilbild hoch." +#: src/Console/ArchiveContact.php:108 +msgid "The contact entries have been archived" +msgstr "Die Kontakteinträge wurden archiviert." -#: src/Database/DBStructure.php:64 +#: src/Console/GlobalCommunityBlock.php:96 +#: src/Module/Admin/Blocklist/Contact.php:49 #, php-format -msgid "The database version had been set to %s." -msgstr "Die Datenbank Version wurde auf %s gesetzt." +msgid "Could not find any contact entry for this URL (%s)" +msgstr "Für die URL (%s) konnte kein Kontakt gefunden werden" -#: src/Database/DBStructure.php:82 -msgid "No unused tables found." -msgstr "Keine Tabellen gefunden die nicht verwendet werden." +#: src/Console/GlobalCommunityBlock.php:101 +#: src/Module/Admin/Blocklist/Contact.php:47 +msgid "The contact has been blocked from the node" +msgstr "Der Kontakt wurde von diesem Knoten geblockt" -#: src/Database/DBStructure.php:87 +#: src/Console/PostUpdate.php:87 +#, php-format +msgid "Post update version number has been set to %s." +msgstr "Die Post-Update-Versionsnummer wurde auf %s gesetzt." + +#: src/Console/PostUpdate.php:95 +msgid "Check for pending update actions." +msgstr "Überprüfe ausstehende Update-Aktionen" + +#: src/Console/PostUpdate.php:97 +msgid "Done." +msgstr "Erledigt." + +#: src/Console/PostUpdate.php:99 +msgid "Execute pending post updates." +msgstr "Ausstehende Post-Updates ausführen" + +#: src/Console/PostUpdate.php:105 +msgid "All pending post updates are done." +msgstr "Alle ausstehenden Post-Updates wurden ausgeführt." + +#: src/Console/User.php:158 +msgid "Enter new password: " +msgstr "Neues Passwort eingeben:" + +#: src/Console/User.php:193 +msgid "Enter user name: " +msgstr "Nutzername angeben" + +#: src/Console/User.php:201 src/Console/User.php:241 src/Console/User.php:274 +#: src/Console/User.php:300 +msgid "Enter user nickname: " +msgstr "Spitzname angeben:" + +#: src/Console/User.php:209 +msgid "Enter user email address: " +msgstr "E-Mail Adresse angeben:" + +#: src/Console/User.php:217 +msgid "Enter a language (optional): " +msgstr "Sprache angeben (optional):" + +#: src/Console/User.php:255 +msgid "User is not pending." +msgstr "Benutzer wartet nicht." + +#: src/Console/User.php:313 +msgid "User has already been marked for deletion." +msgstr "User wurde bereits zum Löschen ausgewählt" + +#: src/Console/User.php:318 +#, php-format +msgid "Type \"yes\" to delete %s" +msgstr "\"yes\" eingeben um %s zu löschen" + +#: src/Console/User.php:320 +msgid "Deletion aborted." +msgstr "Löschvorgang abgebrochen." + +#: src/Content/BoundariesPager.php:116 src/Content/Pager.php:171 +msgid "newer" +msgstr "neuer" + +#: src/Content/BoundariesPager.php:124 src/Content/Pager.php:176 +msgid "older" +msgstr "älter" + +#: src/Content/ContactSelector.php:48 +msgid "Frequently" +msgstr "immer wieder" + +#: src/Content/ContactSelector.php:49 +msgid "Hourly" +msgstr "Stündlich" + +#: src/Content/ContactSelector.php:50 +msgid "Twice daily" +msgstr "Zweimal täglich" + +#: src/Content/ContactSelector.php:51 +msgid "Daily" +msgstr "Täglich" + +#: src/Content/ContactSelector.php:52 +msgid "Weekly" +msgstr "Wöchentlich" + +#: src/Content/ContactSelector.php:53 +msgid "Monthly" +msgstr "Monatlich" + +#: src/Content/ContactSelector.php:99 +msgid "DFRN" +msgstr "DFRN" + +#: src/Content/ContactSelector.php:100 +msgid "OStatus" +msgstr "OStatus" + +#: src/Content/ContactSelector.php:101 +msgid "RSS/Atom" +msgstr "RSS/Atom" + +#: src/Content/ContactSelector.php:102 src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 src/Module/Admin/Users/Create.php:73 +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:142 +#: src/Module/Admin/Users/Index.php:162 src/Module/Admin/Users/Pending.php:104 +msgid "Email" +msgstr "E-Mail" + +#: src/Content/ContactSelector.php:103 src/Module/Debug/Babel.php:306 +msgid "Diaspora" +msgstr "Diaspora" + +#: src/Content/ContactSelector.php:104 +msgid "Zot!" +msgstr "Zott" + +#: src/Content/ContactSelector.php:105 +msgid "LinkedIn" +msgstr "LinkedIn" + +#: src/Content/ContactSelector.php:106 +msgid "XMPP/IM" +msgstr "XMPP/Chat" + +#: src/Content/ContactSelector.php:107 +msgid "MySpace" +msgstr "MySpace" + +#: src/Content/ContactSelector.php:108 +msgid "Google+" +msgstr "Google+" + +#: src/Content/ContactSelector.php:109 +msgid "pump.io" +msgstr "pump.io" + +#: src/Content/ContactSelector.php:110 +msgid "Twitter" +msgstr "Twitter" + +#: src/Content/ContactSelector.php:111 +msgid "Discourse" +msgstr "Discourse" + +#: src/Content/ContactSelector.php:112 +msgid "Diaspora Connector" +msgstr "Diaspora Connector" + +#: src/Content/ContactSelector.php:113 +msgid "GNU Social Connector" +msgstr "GNU Social Connector" + +#: src/Content/ContactSelector.php:114 +msgid "ActivityPub" +msgstr "ActivityPub" + +#: src/Content/ContactSelector.php:115 +msgid "pnut" +msgstr "pnut" + +#: src/Content/ContactSelector.php:149 +#, php-format +msgid "%s (via %s)" +msgstr "%s (via %s)" + +#: src/Content/Feature.php:96 +msgid "General Features" +msgstr "Allgemeine Features" + +#: src/Content/Feature.php:98 +msgid "Photo Location" +msgstr "Aufnahmeort" + +#: src/Content/Feature.php:98 msgid "" -"These tables are not used for friendica and will be deleted when you execute" -" \"dbstructure drop -e\":" -msgstr "Diese Tabellen werden nicht von Friendica verwendet. Sie werden gelöscht, wenn du \"dbstructure drop -e\" ausführst." +"Photo metadata is normally stripped. This extracts the location (if present)" +" prior to stripping metadata and links it to a map." +msgstr "Die Foto-Metadaten werden ausgelesen. Dadurch kann der Aufnahmeort (wenn vorhanden) in einer Karte angezeigt werden." -#: src/Database/DBStructure.php:125 -msgid "There are no tables on MyISAM or InnoDB with the Antelope file format." -msgstr "Es gibt keine MyISAM oder InnoDB Tabellem mit dem Antelope Dateiformat." +#: src/Content/Feature.php:99 +msgid "Trending Tags" +msgstr "Trending Tags" -#: src/Database/DBStructure.php:149 -#, php-format +#: src/Content/Feature.php:99 msgid "" -"\n" -"Error %d occurred during database update:\n" -"%s\n" -msgstr "\nFehler %d beim Update der Datenbank aufgetreten\n%s\n" +"Show a community page widget with a list of the most popular tags in recent " +"public posts." +msgstr "Auf der Gemeinschaftsseite ein Widget mit den meist benutzten Tags in öffentlichen Beiträgen anzeigen." -#: src/Database/DBStructure.php:152 -msgid "Errors encountered performing database changes: " -msgstr "Fehler beim Ändern der Datenbank aufgetreten" +#: src/Content/Feature.php:104 +msgid "Post Composition Features" +msgstr "Beitragserstellung-Features" -#: src/Database/DBStructure.php:380 -msgid "Another database update is currently running." -msgstr "Es läuft bereits ein anderes Datenbank Update" +#: src/Content/Feature.php:105 +msgid "Auto-mention Forums" +msgstr "Foren automatisch erwähnen" -#: src/Database/DBStructure.php:384 -#, php-format -msgid "%s: Database update" -msgstr "%s: Datenbank Aktualisierung" - -#: src/Database/DBStructure.php:684 -#, php-format -msgid "%s: updating %s table." -msgstr "%s: aktualisiere Tabelle %s" - -#: src/Core/Renderer.php:90 src/Core/Renderer.php:119 -#: src/Core/Renderer.php:146 src/Core/Renderer.php:180 -#: src/Render/FriendicaSmartyEngine.php:56 +#: src/Content/Feature.php:105 msgid "" -"Friendica can't display this page at the moment, please contact the " -"administrator." -msgstr "Friendica kann die Seite im Moment nicht darstellen. Bitte kontaktiere das Administratoren Team." +"Add/remove mention when a forum 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." -#: src/Core/Renderer.php:142 -msgid "template engine cannot be registered without a name." -msgstr "Die Template Engine kann nicht ohne einen Namen registriert werden." +#: src/Content/Feature.php:106 +msgid "Explicit Mentions" +msgstr "Explizite Erwähnungen" -#: src/Core/Renderer.php:176 -msgid "template engine is not registered!" -msgstr "Template Engine wurde nicht registriert!" - -#: src/Core/Update.php:226 -#, php-format -msgid "Update %s failed. See error logs." -msgstr "Update %s fehlgeschlagen. Bitte Fehlerprotokoll überprüfen." - -#: src/Core/Update.php:279 -#, php-format +#: src/Content/Feature.php:106 msgid "" -"\n" -"\t\t\t\tThe friendica developers released update %s recently,\n" -"\t\t\t\tbut when I tried to install it, something went terribly wrong.\n" -"\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n" -"\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid." -msgstr "\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." +"Add explicit mentions to comment box for manual control over who gets " +"mentioned in replies." +msgstr "Füge Erwähnungen zum Kommentarfeld hinzu, um manuell über die explizite Erwähnung von Gesprächsteilnehmern zu entscheiden." -#: src/Core/Update.php:285 +#: src/Content/Feature.php:111 +msgid "Post/Comment Tools" +msgstr "Werkzeuge für Beiträge und Kommentare" + +#: src/Content/Feature.php:112 +msgid "Post Categories" +msgstr "Beitragskategorien" + +#: src/Content/Feature.php:112 +msgid "Add categories to your posts" +msgstr "Eigene Beiträge mit Kategorien versehen" + +#: src/Content/Feature.php:117 +msgid "Advanced Profile Settings" +msgstr "Erweiterte Profil-Einstellungen" + +#: src/Content/Feature.php:118 +msgid "List Forums" +msgstr "Zeige Foren" + +#: src/Content/Feature.php:118 +msgid "Show visitors public community forums at the Advanced Profile Page" +msgstr "Zeige Besuchern öffentliche Gemeinschafts-Foren auf der Erweiterten Profil-Seite" + +#: src/Content/Feature.php:119 +msgid "Tag Cloud" +msgstr "Schlagwortwolke" + +#: src/Content/Feature.php:119 +msgid "Provide a personal tag cloud on your profile page" +msgstr "Wortwolke aus den von dir verwendeten Schlagwörtern im Profil anzeigen" + +#: src/Content/Feature.php:120 +msgid "Display Membership Date" +msgstr "Mitgliedschaftsdatum anzeigen" + +#: src/Content/Feature.php:120 +msgid "Display membership date in profile" +msgstr "Das Datum der Registrierung deines Accounts im Profil anzeigen" + +#: src/Content/ForumManager.php:145 src/Content/Nav.php:229 +#: src/Content/Text/HTML.php:902 src/Content/Widget.php:526 +msgid "Forums" +msgstr "Foren" + +#: src/Content/ForumManager.php:147 +msgid "External link to forum" +msgstr "Externer Link zum Forum" + +#: src/Content/ForumManager.php:150 src/Content/Widget.php:505 +msgid "show less" +msgstr "weniger anzeigen" + +#: src/Content/ForumManager.php:151 src/Content/Widget.php:410 +#: src/Content/Widget.php:506 +msgid "show more" +msgstr "mehr anzeigen" + +#: src/Content/Nav.php:90 +msgid "Nothing new here" +msgstr "Keine Neuigkeiten" + +#: src/Content/Nav.php:94 src/Module/Special/HTTPException.php:75 +msgid "Go back" +msgstr "Geh zurück" + +#: src/Content/Nav.php:95 +msgid "Clear notifications" +msgstr "Bereinige Benachrichtigungen" + +#: src/Content/Nav.php:96 src/Content/Text/HTML.php:889 +msgid "@name, !forum, #tags, content" +msgstr "@name, !forum, #tags, content" + +#: src/Content/Nav.php:169 src/Module/Security/Login.php:141 +msgid "Logout" +msgstr "Abmelden" + +#: src/Content/Nav.php:169 +msgid "End this session" +msgstr "Diese Sitzung beenden" + +#: src/Content/Nav.php:171 src/Module/Bookmarklet.php:46 +#: src/Module/Security/Login.php:142 +msgid "Login" +msgstr "Anmeldung" + +#: src/Content/Nav.php:171 +msgid "Sign in" +msgstr "Anmelden" + +#: src/Content/Nav.php:177 src/Module/BaseProfile.php:60 +#: src/Module/Contact.php:655 src/Module/Contact.php:920 +#: src/Module/Settings/TwoFactor/Index.php:107 view/theme/frio/theme.php:225 +msgid "Status" +msgstr "Status" + +#: src/Content/Nav.php:177 src/Content/Nav.php:263 +#: view/theme/frio/theme.php:225 +msgid "Your posts and conversations" +msgstr "Deine Beiträge und Unterhaltungen" + +#: src/Content/Nav.php:178 src/Module/BaseProfile.php:52 +#: src/Module/BaseSettings.php:57 src/Module/Contact.php:657 +#: src/Module/Contact.php:936 src/Module/Profile/Profile.php:236 +#: src/Module/Welcome.php:57 view/theme/frio/theme.php:226 +msgid "Profile" +msgstr "Profil" + +#: src/Content/Nav.php:178 view/theme/frio/theme.php:226 +msgid "Your profile page" +msgstr "Deine Profilseite" + +#: src/Content/Nav.php:179 view/theme/frio/theme.php:227 +msgid "Your photos" +msgstr "Deine Fotos" + +#: src/Content/Nav.php:180 src/Module/BaseProfile.php:76 +#: src/Module/BaseProfile.php:79 view/theme/frio/theme.php:228 +msgid "Videos" +msgstr "Videos" + +#: src/Content/Nav.php:180 view/theme/frio/theme.php:228 +msgid "Your videos" +msgstr "Deine Videos" + +#: src/Content/Nav.php:181 view/theme/frio/theme.php:229 +msgid "Your events" +msgstr "Deine Ereignisse" + +#: src/Content/Nav.php:182 +msgid "Personal notes" +msgstr "Persönliche Notizen" + +#: src/Content/Nav.php:182 +msgid "Your personal notes" +msgstr "Deine persönlichen Notizen" + +#: src/Content/Nav.php:202 src/Content/Nav.php:263 +msgid "Home" +msgstr "Pinnwand" + +#: src/Content/Nav.php:202 +msgid "Home Page" +msgstr "Homepage" + +#: src/Content/Nav.php:206 src/Module/Register.php:155 +#: src/Module/Security/Login.php:102 +msgid "Register" +msgstr "Registrieren" + +#: src/Content/Nav.php:206 +msgid "Create an account" +msgstr "Nutzerkonto erstellen" + +#: src/Content/Nav.php:212 src/Module/Help.php:69 +#: src/Module/Settings/TwoFactor/AppSpecific.php:115 +#: src/Module/Settings/TwoFactor/Index.php:106 +#: src/Module/Settings/TwoFactor/Recovery.php:93 +#: src/Module/Settings/TwoFactor/Verify.php:132 view/theme/vier/theme.php:217 +msgid "Help" +msgstr "Hilfe" + +#: src/Content/Nav.php:212 +msgid "Help and documentation" +msgstr "Hilfe und Dokumentation" + +#: src/Content/Nav.php:216 +msgid "Apps" +msgstr "Apps" + +#: src/Content/Nav.php:216 +msgid "Addon applications, utilities, games" +msgstr "Zusätzliche Anwendungen, Dienstprogramme, Spiele" + +#: src/Content/Nav.php:220 src/Content/Text/HTML.php:887 +#: src/Module/Search/Index.php:100 +msgid "Search" +msgstr "Suche" + +#: src/Content/Nav.php:220 +msgid "Search site content" +msgstr "Inhalt der Seite durchsuchen" + +#: src/Content/Nav.php:223 src/Content/Text/HTML.php:896 +msgid "Full Text" +msgstr "Volltext" + +#: src/Content/Nav.php:224 src/Content/Text/HTML.php:897 +#: src/Content/Widget/TagCloud.php:68 +msgid "Tags" +msgstr "Tags" + +#: src/Content/Nav.php:225 src/Content/Nav.php:284 +#: src/Content/Text/HTML.php:898 src/Module/BaseProfile.php:121 +#: src/Module/BaseProfile.php:124 src/Module/Contact.php:855 +#: src/Module/Contact.php:943 view/theme/frio/theme.php:236 +msgid "Contacts" +msgstr "Kontakte" + +#: src/Content/Nav.php:244 +msgid "Community" +msgstr "Gemeinschaft" + +#: src/Content/Nav.php:244 +msgid "Conversations on this and other servers" +msgstr "Unterhaltungen auf diesem und anderen Servern" + +#: src/Content/Nav.php:248 src/Module/BaseProfile.php:91 +#: src/Module/BaseProfile.php:102 view/theme/frio/theme.php:233 +msgid "Events and Calendar" +msgstr "Ereignisse und Kalender" + +#: src/Content/Nav.php:251 +msgid "Directory" +msgstr "Verzeichnis" + +#: src/Content/Nav.php:251 +msgid "People directory" +msgstr "Nutzerverzeichnis" + +#: src/Content/Nav.php:253 src/Module/BaseAdmin.php:85 +msgid "Information" +msgstr "Information" + +#: src/Content/Nav.php:253 +msgid "Information about this friendica instance" +msgstr "Informationen zu dieser Friendica-Instanz" + +#: src/Content/Nav.php:256 src/Module/Admin/Tos.php:59 +#: src/Module/BaseAdmin.php:95 src/Module/Register.php:163 +#: src/Module/Tos.php:84 +msgid "Terms of Service" +msgstr "Nutzungsbedingungen" + +#: src/Content/Nav.php:256 +msgid "Terms of Service of this Friendica instance" +msgstr "Die Nutzungsbedingungen dieser Friendica-Instanz" + +#: src/Content/Nav.php:261 view/theme/frio/theme.php:232 +msgid "Network" +msgstr "Netzwerk" + +#: src/Content/Nav.php:261 view/theme/frio/theme.php:232 +msgid "Conversations from your friends" +msgstr "Unterhaltungen Deiner Kontakte" + +#: src/Content/Nav.php:267 +msgid "Introductions" +msgstr "Kontaktanfragen" + +#: src/Content/Nav.php:267 +msgid "Friend Requests" +msgstr "Kontaktanfragen" + +#: src/Content/Nav.php:268 src/Module/BaseNotifications.php:139 +#: src/Module/Notifications/Introductions.php:54 +msgid "Notifications" +msgstr "Benachrichtigungen" + +#: src/Content/Nav.php:269 +msgid "See all notifications" +msgstr "Alle Benachrichtigungen anzeigen" + +#: src/Content/Nav.php:270 +msgid "Mark all system notifications seen" +msgstr "Markiere alle Systembenachrichtigungen als gelesen" + +#: src/Content/Nav.php:273 view/theme/frio/theme.php:234 +msgid "Private mail" +msgstr "Private E-Mail" + +#: src/Content/Nav.php:274 +msgid "Inbox" +msgstr "Eingang" + +#: src/Content/Nav.php:275 +msgid "Outbox" +msgstr "Ausgang" + +#: src/Content/Nav.php:279 +msgid "Accounts" +msgstr "Nutzerkonten" + +#: src/Content/Nav.php:279 +msgid "Manage other pages" +msgstr "Andere Seiten verwalten" + +#: src/Content/Nav.php:282 src/Module/Admin/Addons/Details.php:114 +#: src/Module/Admin/Themes/Details.php:93 src/Module/BaseSettings.php:124 +#: src/Module/Welcome.php:52 view/theme/frio/theme.php:235 +msgid "Settings" +msgstr "Einstellungen" + +#: src/Content/Nav.php:282 view/theme/frio/theme.php:235 +msgid "Account settings" +msgstr "Kontoeinstellungen" + +#: src/Content/Nav.php:284 view/theme/frio/theme.php:236 +msgid "Manage/edit friends and contacts" +msgstr "Freunde und Kontakte verwalten/bearbeiten" + +#: src/Content/Nav.php:289 src/Module/BaseAdmin.php:125 +msgid "Admin" +msgstr "Administration" + +#: src/Content/Nav.php:289 +msgid "Site setup and configuration" +msgstr "Einstellungen der Seite und Konfiguration" + +#: src/Content/Nav.php:292 +msgid "Navigation" +msgstr "Navigation" + +#: src/Content/Nav.php:292 +msgid "Site map" +msgstr "Sitemap" + +#: src/Content/OEmbed.php:267 +msgid "Embedding disabled" +msgstr "Einbettungen deaktiviert" + +#: src/Content/OEmbed.php:389 +msgid "Embedded content" +msgstr "Eingebetteter Inhalt" + +#: src/Content/Pager.php:221 +msgid "prev" +msgstr "vorige" + +#: src/Content/Pager.php:281 +msgid "last" +msgstr "letzte" + +#: src/Content/Text/BBCode.php:961 src/Content/Text/BBCode.php:1605 +#: src/Content/Text/BBCode.php:1606 +msgid "Image/photo" +msgstr "Bild/Foto" + +#: src/Content/Text/BBCode.php:1063 #, php-format -msgid "The error message is\\n[pre]%s[/pre]" -msgstr "Die Fehlermeldung lautet [pre]%s[/pre]" +msgid "%2$s %3$s" +msgstr "%2$s%3$s" -#: src/Core/Update.php:289 src/Core/Update.php:331 -msgid "[Friendica Notify] Database update" -msgstr "[Friendica-Benachrichtigung]: Datenbank Update" +#: src/Content/Text/BBCode.php:1088 src/Model/Item.php:3020 +#: src/Model/Item.php:3026 +msgid "link to source" +msgstr "Link zum Originalbeitrag" -#: src/Core/Update.php:325 +#: src/Content/Text/BBCode.php:1523 src/Content/Text/HTML.php:939 +msgid "Click to open/close" +msgstr "Zum Öffnen/Schließen klicken" + +#: src/Content/Text/BBCode.php:1554 +msgid "$1 wrote:" +msgstr "$1 hat geschrieben:" + +#: src/Content/Text/BBCode.php:1608 src/Content/Text/BBCode.php:1609 +msgid "Encrypted content" +msgstr "Verschlüsselter Inhalt" + +#: src/Content/Text/BBCode.php:1821 +msgid "Invalid source protocol" +msgstr "Ungültiges Quell-Protokoll" + +#: src/Content/Text/BBCode.php:1836 +msgid "Invalid link protocol" +msgstr "Ungültiges Link-Protokoll" + +#: src/Content/Text/HTML.php:787 +msgid "Loading more entries..." +msgstr "lade weitere Einträge..." + +#: src/Content/Text/HTML.php:788 +msgid "The end" +msgstr "Das Ende" + +#: src/Content/Text/HTML.php:881 src/Model/Profile.php:439 +#: src/Module/Contact.php:340 +msgid "Follow" +msgstr "Folge" + +#: src/Content/Widget/CalendarExport.php:63 +msgid "Export" +msgstr "Exportieren" + +#: src/Content/Widget/CalendarExport.php:64 +msgid "Export calendar as ical" +msgstr "Kalender als ical exportieren" + +#: src/Content/Widget/CalendarExport.php:65 +msgid "Export calendar as csv" +msgstr "Kalender als csv exportieren" + +#: src/Content/Widget/ContactBlock.php:73 +msgid "No contacts" +msgstr "Keine Kontakte" + +#: src/Content/Widget/ContactBlock.php:105 #, php-format -msgid "" -"\n" -"\t\t\t\t\tThe friendica database was successfully updated from %s to %s." -msgstr "\n \t\t\t\t\tDie Friendica Datenbank wurde erfolgreich von %s auf %s aktualisiert." +msgid "%d Contact" +msgid_plural "%d Contacts" +msgstr[0] "%d Kontakt" +msgstr[1] "%d Kontakte" + +#: src/Content/Widget/ContactBlock.php:124 +msgid "View Contacts" +msgstr "Kontakte anzeigen" + +#: src/Content/Widget/SavedSearches.php:47 +msgid "Remove term" +msgstr "Begriff entfernen" + +#: src/Content/Widget/SavedSearches.php:60 +msgid "Saved Searches" +msgstr "Gespeicherte Suchen" + +#: src/Content/Widget/TrendingTags.php:51 +#, php-format +msgid "Trending Tags (last %d hour)" +msgid_plural "Trending Tags (last %d hours)" +msgstr[0] "Trending Tags (%d Stunde)" +msgstr[1] "Trending Tags (%d Stunden)" + +#: src/Content/Widget/TrendingTags.php:52 +msgid "More Trending Tags" +msgstr "mehr Trending Tags" + +#: src/Content/Widget.php:48 +msgid "Add New Contact" +msgstr "Neuen Kontakt hinzufügen" + +#: src/Content/Widget.php:49 +msgid "Enter address or web location" +msgstr "Adresse oder Web-Link eingeben" + +#: src/Content/Widget.php:50 +msgid "Example: bob@example.com, http://example.com/barbara" +msgstr "Beispiel: bob@example.com, http://example.com/barbara" + +#: src/Content/Widget.php:52 +msgid "Connect" +msgstr "Verbinden" + +#: src/Content/Widget.php:67 +#, php-format +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "%d Einladung verfügbar" +msgstr[1] "%d Einladungen verfügbar" + +#: src/Content/Widget.php:73 view/theme/vier/theme.php:170 +msgid "Find People" +msgstr "Leute finden" + +#: src/Content/Widget.php:74 view/theme/vier/theme.php:171 +msgid "Enter name or interest" +msgstr "Name oder Interessen eingeben" + +#: src/Content/Widget.php:76 view/theme/vier/theme.php:173 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "Beispiel: Robert Morgenstein, Angeln" + +#: src/Content/Widget.php:77 src/Module/Contact.php:876 +#: src/Module/Directory.php:105 view/theme/vier/theme.php:174 +msgid "Find" +msgstr "Finde" + +#: src/Content/Widget.php:79 view/theme/vier/theme.php:176 +msgid "Similar Interests" +msgstr "Ähnliche Interessen" + +#: src/Content/Widget.php:80 view/theme/vier/theme.php:177 +msgid "Random Profile" +msgstr "Zufälliges Profil" + +#: src/Content/Widget.php:81 view/theme/vier/theme.php:178 +msgid "Invite Friends" +msgstr "Freunde einladen" + +#: src/Content/Widget.php:82 src/Module/Directory.php:97 +#: view/theme/vier/theme.php:179 +msgid "Global Directory" +msgstr "Weltweites Verzeichnis" + +#: src/Content/Widget.php:84 view/theme/vier/theme.php:181 +msgid "Local Directory" +msgstr "Lokales Verzeichnis" + +#: src/Content/Widget.php:213 src/Model/Group.php:535 +#: src/Module/Contact.php:839 src/Module/Welcome.php:76 +msgid "Groups" +msgstr "Gruppen" + +#: src/Content/Widget.php:215 +msgid "Everyone" +msgstr "Jeder" + +#: src/Content/Widget.php:244 +msgid "Relationships" +msgstr "Beziehungen" + +#: src/Content/Widget.php:246 src/Module/Contact.php:791 +#: src/Module/Group.php:292 +msgid "All Contacts" +msgstr "Alle Kontakte" + +#: src/Content/Widget.php:285 +msgid "Protocols" +msgstr "Protokolle" + +#: src/Content/Widget.php:287 +msgid "All Protocols" +msgstr "Alle Protokolle" + +#: src/Content/Widget.php:315 +msgid "Saved Folders" +msgstr "Gespeicherte Ordner" + +#: src/Content/Widget.php:317 src/Content/Widget.php:351 +msgid "Everything" +msgstr "Alles" + +#: src/Content/Widget.php:349 +msgid "Categories" +msgstr "Kategorien" + +#: src/Content/Widget.php:406 +#, php-format +msgid "%d contact in common" +msgid_plural "%d contacts in common" +msgstr[0] "%d gemeinsamer Kontakt" +msgstr[1] "%d gemeinsame Kontakte" + +#: src/Content/Widget.php:499 +msgid "Archives" +msgstr "Archiv" + +#: src/Content/Widget.php:523 +msgid "Persons" +msgstr "Personen" + +#: src/Content/Widget.php:524 +msgid "Organisations" +msgstr "Organisationen" + +#: src/Content/Widget.php:525 src/Model/Contact.php:1402 +msgid "News" +msgstr "Nachrichten" + +#: src/Content/Widget.php:530 src/Module/Admin/BaseUsers.php:50 +msgid "All" +msgstr "Alle" #: src/Core/ACL.php:153 src/Module/Profile/Profile.php:237 msgid "Yourself" msgstr "Du selbst" -#: src/Core/ACL.php:182 src/Module/PermissionTooltip.php:76 -#: src/Module/PermissionTooltip.php:98 src/Module/Contact.php:852 -#: src/Content/Widget.php:237 src/BaseModule.php:184 -msgid "Followers" -msgstr "Folgende" - -#: src/Core/ACL.php:189 src/Module/PermissionTooltip.php:82 -#: src/Module/PermissionTooltip.php:104 +#: src/Core/ACL.php:189 src/Module/PermissionTooltip.php:83 +#: src/Module/PermissionTooltip.php:105 msgid "Mutuals" msgstr "Beidseitige Freundschaft" @@ -3790,244 +4099,252 @@ msgid "Error: POSIX PHP module required but not installed." msgstr "Fehler POSIX PHP Modul erforderlich, aber nicht installiert." #: src/Core/Installer.php:467 +msgid "Program execution functions" +msgstr "Funktionen zur Programmausführung" + +#: src/Core/Installer.php:468 +msgid "Error: Program execution functions required but not enabled." +msgstr "Fehler: Die Funktionen zur Ausführung des Programms müssen aktiviert sein." + +#: src/Core/Installer.php:474 msgid "JSON PHP module" msgstr "PHP JASON Modul" -#: src/Core/Installer.php:468 +#: src/Core/Installer.php:475 msgid "Error: JSON PHP module required but not installed." msgstr "Fehler: Das JSON PHP Modul wird benötigt, ist aber nicht installiert." -#: src/Core/Installer.php:474 +#: src/Core/Installer.php:481 msgid "File Information PHP module" msgstr "PHP Datei Informations-Modul" -#: src/Core/Installer.php:475 +#: src/Core/Installer.php:482 msgid "Error: File Information PHP module required but not installed." msgstr "Fehler: Das Datei Informations PHP Modul ist nicht installiert." -#: src/Core/Installer.php:498 +#: src/Core/Installer.php:505 msgid "" "The web installer needs to be able to create a file called " "\"local.config.php\" in the \"config\" folder of your web server and it is " "unable to do so." msgstr "Das Installationsprogramm muss in der Lage sein, eine Datei namens \"local.config.php\" im Ordner \"config\" Ihres Webservers zu erstellen, ist aber nicht in der Lage dazu." -#: src/Core/Installer.php:499 +#: src/Core/Installer.php:506 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 "In den meisten Fällen ist dies ein Problem mit den Schreibrechten. Der Webserver könnte keine Schreiberlaubnis haben, selbst wenn du sie hast." -#: src/Core/Installer.php:500 +#: src/Core/Installer.php:507 msgid "" "At the end of this procedure, we will give you a text to save in a file " "named local.config.php in your Friendica \"config\" folder." msgstr "Am Ende dieser Prozedur bekommst du einen Text, der in der local.config.php im Friendica \"config\" Ordner gespeichert werden muss." -#: src/Core/Installer.php:501 +#: src/Core/Installer.php:508 msgid "" "You can alternatively skip this procedure and perform a manual installation." " Please see the file \"INSTALL.txt\" for instructions." msgstr "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." -#: src/Core/Installer.php:504 +#: src/Core/Installer.php:511 msgid "config/local.config.php is writable" msgstr "config/local.config.php ist schreibbar" -#: src/Core/Installer.php:524 +#: src/Core/Installer.php:531 msgid "" "Friendica uses the Smarty3 template engine to render its web views. Smarty3 " "compiles templates to PHP to speed up rendering." msgstr "Friendica nutzt die Smarty3-Template-Engine, um die Webansichten zu rendern. Smarty3 kompiliert Templates zu PHP, um das Rendern zu beschleunigen." -#: src/Core/Installer.php:525 +#: src/Core/Installer.php:532 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 "Um diese kompilierten Templates zu speichern, benötigt der Webserver Schreibrechte zum Verzeichnis view/smarty3/ im obersten Ordner von Friendica." -#: src/Core/Installer.php:526 +#: src/Core/Installer.php:533 msgid "" "Please ensure that the user that your web server runs as (e.g. www-data) has" " write access to this folder." msgstr "Bitte stelle sicher, dass der Nutzer, unter dem der Webserver läuft (z.B. www-data), Schreibrechte zu diesem Verzeichnis hat." -#: src/Core/Installer.php:527 +#: src/Core/Installer.php:534 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 "Hinweis: aus Sicherheitsgründen solltest du dem Webserver nur Schreibrechte für view/smarty3/ geben -- Nicht für die darin enthaltenen Template-Dateien (.tpl)." -#: src/Core/Installer.php:530 +#: src/Core/Installer.php:537 msgid "view/smarty3 is writable" msgstr "view/smarty3 ist schreibbar" -#: src/Core/Installer.php:559 +#: src/Core/Installer.php:566 msgid "" "Url rewrite in .htaccess is not working. Make sure you copied .htaccess-dist" " to .htaccess." msgstr "Umschreiben der URLs in der .htaccess funktioniert nicht. Vergewissere dich, dass du .htaccess-dist nach.htaccess kopiert hast." -#: src/Core/Installer.php:561 +#: src/Core/Installer.php:568 msgid "Error message from Curl when fetching" msgstr "Fehlermeldung von Curl während des Ladens" -#: src/Core/Installer.php:566 +#: src/Core/Installer.php:573 msgid "Url rewrite is working" msgstr "URL rewrite funktioniert" -#: src/Core/Installer.php:595 +#: src/Core/Installer.php:602 msgid "ImageMagick PHP extension is not installed" msgstr "ImageMagicx PHP Erweiterung ist nicht installiert." -#: src/Core/Installer.php:597 +#: src/Core/Installer.php:604 msgid "ImageMagick PHP extension is installed" msgstr "ImageMagick PHP Erweiterung ist installiert" -#: src/Core/Installer.php:599 +#: src/Core/Installer.php:606 msgid "ImageMagick supports GIF" msgstr "ImageMagick unterstützt GIF" -#: src/Core/Installer.php:621 +#: src/Core/Installer.php:628 msgid "Database already in use." msgstr "Die Datenbank wird bereits verwendet." -#: src/Core/Installer.php:626 +#: src/Core/Installer.php:633 msgid "Could not connect to database." msgstr "Verbindung zur Datenbank gescheitert." -#: src/Core/L10n.php:371 src/Module/Settings/Display.php:178 -#: src/Model/Event.php:412 +#: src/Core/L10n.php:371 src/Model/Event.php:428 +#: src/Module/Settings/Display.php:178 msgid "Monday" msgstr "Montag" -#: src/Core/L10n.php:371 src/Model/Event.php:413 +#: src/Core/L10n.php:371 src/Model/Event.php:429 msgid "Tuesday" msgstr "Dienstag" -#: src/Core/L10n.php:371 src/Model/Event.php:414 +#: src/Core/L10n.php:371 src/Model/Event.php:430 msgid "Wednesday" msgstr "Mittwoch" -#: src/Core/L10n.php:371 src/Model/Event.php:415 +#: src/Core/L10n.php:371 src/Model/Event.php:431 msgid "Thursday" msgstr "Donnerstag" -#: src/Core/L10n.php:371 src/Model/Event.php:416 +#: src/Core/L10n.php:371 src/Model/Event.php:432 msgid "Friday" msgstr "Freitag" -#: src/Core/L10n.php:371 src/Model/Event.php:417 +#: src/Core/L10n.php:371 src/Model/Event.php:433 msgid "Saturday" msgstr "Samstag" -#: src/Core/L10n.php:371 src/Module/Settings/Display.php:178 -#: src/Model/Event.php:411 +#: src/Core/L10n.php:371 src/Model/Event.php:427 +#: src/Module/Settings/Display.php:178 msgid "Sunday" msgstr "Sonntag" -#: src/Core/L10n.php:375 src/Model/Event.php:432 +#: src/Core/L10n.php:375 src/Model/Event.php:448 msgid "January" msgstr "Januar" -#: src/Core/L10n.php:375 src/Model/Event.php:433 +#: src/Core/L10n.php:375 src/Model/Event.php:449 msgid "February" msgstr "Februar" -#: src/Core/L10n.php:375 src/Model/Event.php:434 +#: src/Core/L10n.php:375 src/Model/Event.php:450 msgid "March" msgstr "März" -#: src/Core/L10n.php:375 src/Model/Event.php:435 +#: src/Core/L10n.php:375 src/Model/Event.php:451 msgid "April" msgstr "April" -#: src/Core/L10n.php:375 src/Core/L10n.php:395 src/Model/Event.php:423 +#: src/Core/L10n.php:375 src/Core/L10n.php:395 src/Model/Event.php:439 msgid "May" msgstr "Mai" -#: src/Core/L10n.php:375 src/Model/Event.php:436 +#: src/Core/L10n.php:375 src/Model/Event.php:452 msgid "June" msgstr "Juni" -#: src/Core/L10n.php:375 src/Model/Event.php:437 +#: src/Core/L10n.php:375 src/Model/Event.php:453 msgid "July" msgstr "Juli" -#: src/Core/L10n.php:375 src/Model/Event.php:438 +#: src/Core/L10n.php:375 src/Model/Event.php:454 msgid "August" msgstr "August" -#: src/Core/L10n.php:375 src/Model/Event.php:439 +#: src/Core/L10n.php:375 src/Model/Event.php:455 msgid "September" msgstr "September" -#: src/Core/L10n.php:375 src/Model/Event.php:440 +#: src/Core/L10n.php:375 src/Model/Event.php:456 msgid "October" msgstr "Oktober" -#: src/Core/L10n.php:375 src/Model/Event.php:441 +#: src/Core/L10n.php:375 src/Model/Event.php:457 msgid "November" msgstr "November" -#: src/Core/L10n.php:375 src/Model/Event.php:442 +#: src/Core/L10n.php:375 src/Model/Event.php:458 msgid "December" msgstr "Dezember" -#: src/Core/L10n.php:391 src/Model/Event.php:404 +#: src/Core/L10n.php:391 src/Model/Event.php:420 msgid "Mon" msgstr "Mo" -#: src/Core/L10n.php:391 src/Model/Event.php:405 +#: src/Core/L10n.php:391 src/Model/Event.php:421 msgid "Tue" msgstr "Di" -#: src/Core/L10n.php:391 src/Model/Event.php:406 +#: src/Core/L10n.php:391 src/Model/Event.php:422 msgid "Wed" msgstr "Mi" -#: src/Core/L10n.php:391 src/Model/Event.php:407 +#: src/Core/L10n.php:391 src/Model/Event.php:423 msgid "Thu" msgstr "Do" -#: src/Core/L10n.php:391 src/Model/Event.php:408 +#: src/Core/L10n.php:391 src/Model/Event.php:424 msgid "Fri" msgstr "Fr" -#: src/Core/L10n.php:391 src/Model/Event.php:409 +#: src/Core/L10n.php:391 src/Model/Event.php:425 msgid "Sat" msgstr "Sa" -#: src/Core/L10n.php:391 src/Model/Event.php:403 +#: src/Core/L10n.php:391 src/Model/Event.php:419 msgid "Sun" msgstr "So" -#: src/Core/L10n.php:395 src/Model/Event.php:419 +#: src/Core/L10n.php:395 src/Model/Event.php:435 msgid "Jan" msgstr "Jan" -#: src/Core/L10n.php:395 src/Model/Event.php:420 +#: src/Core/L10n.php:395 src/Model/Event.php:436 msgid "Feb" msgstr "Feb" -#: src/Core/L10n.php:395 src/Model/Event.php:421 +#: src/Core/L10n.php:395 src/Model/Event.php:437 msgid "Mar" msgstr "März" -#: src/Core/L10n.php:395 src/Model/Event.php:422 +#: src/Core/L10n.php:395 src/Model/Event.php:438 msgid "Apr" msgstr "Apr" -#: src/Core/L10n.php:395 src/Model/Event.php:424 +#: src/Core/L10n.php:395 src/Model/Event.php:440 msgid "Jun" msgstr "Jun" -#: src/Core/L10n.php:395 src/Model/Event.php:425 +#: src/Core/L10n.php:395 src/Model/Event.php:441 msgid "Jul" msgstr "Juli" -#: src/Core/L10n.php:395 src/Model/Event.php:426 +#: src/Core/L10n.php:395 src/Model/Event.php:442 msgid "Aug" msgstr "Aug" @@ -4035,15 +4352,15 @@ msgstr "Aug" msgid "Sep" msgstr "Sep" -#: src/Core/L10n.php:395 src/Model/Event.php:428 +#: src/Core/L10n.php:395 src/Model/Event.php:444 msgid "Oct" msgstr "Okt" -#: src/Core/L10n.php:395 src/Model/Event.php:429 +#: src/Core/L10n.php:395 src/Model/Event.php:445 msgid "Nov" msgstr "Nov" -#: src/Core/L10n.php:395 src/Model/Event.php:430 +#: src/Core/L10n.php:395 src/Model/Event.php:446 msgid "Dec" msgstr "Dez" @@ -4095,6 +4412,67 @@ msgstr "eine Abfuhr erteilen" msgid "rebuffed" msgstr "abfuhrerteilte" +#: src/Core/Renderer.php:90 src/Core/Renderer.php:119 +#: src/Core/Renderer.php:146 src/Core/Renderer.php:180 +#: src/Render/FriendicaSmartyEngine.php:56 +msgid "" +"Friendica can't display this page at the moment, please contact the " +"administrator." +msgstr "Friendica kann die Seite im Moment nicht darstellen. Bitte kontaktiere das Administratoren Team." + +#: src/Core/Renderer.php:142 +msgid "template engine cannot be registered without a name." +msgstr "Die Template Engine kann nicht ohne einen Namen registriert werden." + +#: src/Core/Renderer.php:176 +msgid "template engine is not registered!" +msgstr "Template Engine wurde nicht registriert!" + +#: src/Core/Update.php:66 +#, php-format +msgid "" +"Updates from version %s are not supported. Please update at least to version" +" 2021.01 and wait until the postupdate finished version 1383." +msgstr "Aktualisierungen von der Version %s werden nicht unterstützt. Bitte aktualisiere vorher auf die Version 2021.01 von Friendica und warte bis das Postupdate auf die Version 1383 abgeschlossen ist." + +#: src/Core/Update.php:77 +#, php-format +msgid "" +"Updates from postupdate version %s are not supported. Please update at least" +" to version 2021.01 and wait until the postupdate finished version 1383." +msgstr "Aktualisierungen von der Postupdate Version %s werden nicht unterstützt. Bitte aktualisiere zunächst auf die Friendica Version 2021.01 und warte bis das Postupdate 1383 abgeschlossen ist." + +#: src/Core/Update.php:244 +#, php-format +msgid "Update %s failed. See error logs." +msgstr "Update %s fehlgeschlagen. Bitte Fehlerprotokoll überprüfen." + +#: src/Core/Update.php:297 +#, php-format +msgid "" +"\n" +"\t\t\t\tThe friendica developers released update %s recently,\n" +"\t\t\t\tbut when I tried to install it, something went terribly wrong.\n" +"\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n" +"\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid." +msgstr "\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." + +#: src/Core/Update.php:303 +#, php-format +msgid "The error message is\\n[pre]%s[/pre]" +msgstr "Die Fehlermeldung lautet [pre]%s[/pre]" + +#: src/Core/Update.php:307 src/Core/Update.php:349 +msgid "[Friendica Notify] Database update" +msgstr "[Friendica-Benachrichtigung]: Datenbank Update" + +#: src/Core/Update.php:343 +#, php-format +msgid "" +"\n" +"\t\t\t\t\tThe friendica database was successfully updated from %s to %s." +msgstr "\n \t\t\t\t\tDie Friendica Datenbank wurde erfolgreich von %s auf %s aktualisiert." + #: src/Core/UserImport.php:126 msgid "Error decoding account file" msgstr "Fehler beim Verarbeiten der Account-Datei" @@ -4127,399 +4505,50 @@ msgstr "Fehler beim Anlegen des Nutzer-Profils" msgid "Done. You can now login with your username and password" msgstr "Erledigt. Du kannst dich jetzt mit deinem Nutzernamen und Passwort anmelden" -#: src/LegacyModule.php:49 +#: src/Database/DBStructure.php:64 #, php-format -msgid "Legacy module file not found: %s" -msgstr "Legacy-Moduldatei nicht gefunden: %s" +msgid "The database version had been set to %s." +msgstr "Die Datenbank Version wurde auf %s gesetzt." -#: src/Worker/Delivery.php:557 -msgid "(no subject)" -msgstr "(kein Betreff)" +#: src/Database/DBStructure.php:82 +msgid "No unused tables found." +msgstr "Keine Tabellen gefunden die nicht verwendet werden." -#: src/Object/EMail/ItemCCEMail.php:39 +#: src/Database/DBStructure.php:87 +msgid "" +"These tables are not used for friendica and will be deleted when you execute" +" \"dbstructure drop -e\":" +msgstr "Diese Tabellen werden nicht von Friendica verwendet. Sie werden gelöscht, wenn du \"dbstructure drop -e\" ausführst." + +#: src/Database/DBStructure.php:125 +msgid "There are no tables on MyISAM or InnoDB with the Antelope file format." +msgstr "Es gibt keine MyISAM oder InnoDB Tabellem mit dem Antelope Dateiformat." + +#: src/Database/DBStructure.php:149 #, 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." +"\n" +"Error %d occurred during database update:\n" +"%s\n" +msgstr "\nFehler %d beim Update der Datenbank aufgetreten\n%s\n" -#: src/Object/EMail/ItemCCEMail.php:41 +#: src/Database/DBStructure.php:152 +msgid "Errors encountered performing database changes: " +msgstr "Fehler beim Ändern der Datenbank aufgetreten" + +#: src/Database/DBStructure.php:380 +msgid "Another database update is currently running." +msgstr "Es läuft bereits ein anderes Datenbank Update" + +#: src/Database/DBStructure.php:384 #, php-format -msgid "You may visit them online at %s" -msgstr "Du kannst sie online unter %s besuchen" +msgid "%s: Database update" +msgstr "%s: Datenbank Aktualisierung" -#: src/Object/EMail/ItemCCEMail.php:42 -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." - -#: src/Object/EMail/ItemCCEMail.php:46 +#: src/Database/DBStructure.php:684 #, php-format -msgid "%s posted an update." -msgstr "%s hat ein Update veröffentlicht." - -#: src/Object/Post.php:147 -msgid "This entry was edited" -msgstr "Dieser Beitrag wurde bearbeitet." - -#: src/Object/Post.php:175 -msgid "Private Message" -msgstr "Private Nachricht" - -#: src/Object/Post.php:220 -msgid "pinned item" -msgstr "Angehefteter Beitrag" - -#: src/Object/Post.php:225 -msgid "Delete locally" -msgstr "Lokal löschen" - -#: src/Object/Post.php:228 -msgid "Delete globally" -msgstr "Global löschen" - -#: src/Object/Post.php:228 -msgid "Remove locally" -msgstr "Lokal entfernen" - -#: src/Object/Post.php:241 -msgid "save to folder" -msgstr "In Ordner speichern" - -#: src/Object/Post.php:276 -msgid "I will attend" -msgstr "Ich werde teilnehmen" - -#: src/Object/Post.php:276 -msgid "I will not attend" -msgstr "Ich werde nicht teilnehmen" - -#: src/Object/Post.php:276 -msgid "I might attend" -msgstr "Ich werde eventuell teilnehmen" - -#: src/Object/Post.php:306 -msgid "ignore thread" -msgstr "Thread ignorieren" - -#: src/Object/Post.php:307 -msgid "unignore thread" -msgstr "Thread nicht mehr ignorieren" - -#: src/Object/Post.php:308 -msgid "toggle ignore status" -msgstr "Ignoriert-Status ein-/ausschalten" - -#: src/Object/Post.php:320 -msgid "pin" -msgstr "anheften" - -#: src/Object/Post.php:321 -msgid "unpin" -msgstr "losmachen" - -#: src/Object/Post.php:322 -msgid "toggle pin status" -msgstr "Angeheftet Status ändern" - -#: src/Object/Post.php:325 -msgid "pinned" -msgstr "angeheftet" - -#: src/Object/Post.php:332 -msgid "add star" -msgstr "markieren" - -#: src/Object/Post.php:333 -msgid "remove star" -msgstr "Markierung entfernen" - -#: src/Object/Post.php:334 -msgid "toggle star status" -msgstr "Markierung umschalten" - -#: src/Object/Post.php:337 -msgid "starred" -msgstr "markiert" - -#: src/Object/Post.php:341 -msgid "add tag" -msgstr "Tag hinzufügen" - -#: src/Object/Post.php:351 -msgid "like" -msgstr "mag ich" - -#: src/Object/Post.php:352 -msgid "dislike" -msgstr "mag ich nicht" - -#: src/Object/Post.php:354 -msgid "Quote and share this" -msgstr "Dies zitieren und teilen" - -#: src/Object/Post.php:354 -msgid "Quote Share" -msgstr "Zitat teilen" - -#: src/Object/Post.php:357 -msgid "Share this" -msgstr "Weitersagen" - -#: src/Object/Post.php:402 -#, php-format -msgid "%s (Received %s)" -msgstr "%s (Empfangen %s)" - -#: src/Object/Post.php:407 -msgid "Comment this item on your system" -msgstr "Kommentiere diesen Beitrag von deinem System aus" - -#: src/Object/Post.php:407 -msgid "remote comment" -msgstr "Entfernter Kommentar" - -#: src/Object/Post.php:419 -msgid "Pushed" -msgstr "Pushed" - -#: src/Object/Post.php:419 -msgid "Pulled" -msgstr "Pulled" - -#: src/Object/Post.php:451 -msgid "to" -msgstr "zu" - -#: src/Object/Post.php:452 -msgid "via" -msgstr "via" - -#: src/Object/Post.php:453 -msgid "Wall-to-Wall" -msgstr "Wall-to-Wall" - -#: src/Object/Post.php:454 -msgid "via Wall-To-Wall:" -msgstr "via Wall-To-Wall:" - -#: src/Object/Post.php:491 -#, php-format -msgid "Reply to %s" -msgstr "Antworte %s" - -#: src/Object/Post.php:494 -msgid "More" -msgstr "Mehr" - -#: src/Object/Post.php:512 -msgid "Notifier task is pending" -msgstr "Die Benachrichtigungsaufgabe ist ausstehend" - -#: src/Object/Post.php:513 -msgid "Delivery to remote servers is pending" -msgstr "Die Auslieferung an Remote-Server steht noch aus" - -#: src/Object/Post.php:514 -msgid "Delivery to remote servers is underway" -msgstr "Die Auslieferung an Remote-Server ist unterwegs" - -#: src/Object/Post.php:515 -msgid "Delivery to remote servers is mostly done" -msgstr "Die Zustellung an Remote-Server ist fast erledigt" - -#: src/Object/Post.php:516 -msgid "Delivery to remote servers is done" -msgstr "Die Zustellung an die Remote-Server ist erledigt" - -#: src/Object/Post.php:536 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d Kommentar" -msgstr[1] "%d Kommentare" - -#: src/Object/Post.php:537 -msgid "Show more" -msgstr "Zeige mehr" - -#: src/Object/Post.php:538 -msgid "Show fewer" -msgstr "Zeige weniger" - -#: src/Object/Post.php:549 src/Model/Item.php:3527 -msgid "comment" -msgid_plural "comments" -msgstr[0] "Kommentar" -msgstr[1] "Kommentare" - -#: src/Console/ArchiveContact.php:105 -#, php-format -msgid "Could not find any unarchived contact entry for this URL (%s)" -msgstr "Für die URL (%s) konnte kein nicht-archivierter Kontakt gefunden werden" - -#: src/Console/ArchiveContact.php:108 -msgid "The contact entries have been archived" -msgstr "Die Kontakteinträge wurden archiviert." - -#: src/Console/GlobalCommunityBlock.php:96 -#: src/Module/Admin/Blocklist/Contact.php:49 -#, php-format -msgid "Could not find any contact entry for this URL (%s)" -msgstr "Für die URL (%s) konnte kein Kontakt gefunden werden" - -#: src/Console/GlobalCommunityBlock.php:101 -#: src/Module/Admin/Blocklist/Contact.php:47 -msgid "The contact has been blocked from the node" -msgstr "Der Kontakt wurde von diesem Knoten geblockt" - -#: src/Console/User.php:158 -msgid "Enter new password: " -msgstr "Neues Passwort eingeben:" - -#: src/Console/User.php:193 -msgid "Enter user name: " -msgstr "Nutzername angeben" - -#: src/Console/User.php:201 src/Console/User.php:241 src/Console/User.php:274 -#: src/Console/User.php:300 -msgid "Enter user nickname: " -msgstr "Spitzname angeben:" - -#: src/Console/User.php:209 -msgid "Enter user email address: " -msgstr "E-Mail Adresse angeben:" - -#: src/Console/User.php:217 -msgid "Enter a language (optional): " -msgstr "Sprache angeben (optional):" - -#: src/Console/User.php:255 -msgid "User is not pending." -msgstr "Benutzer wartet nicht." - -#: src/Console/User.php:313 -msgid "User has already been marked for deletion." -msgstr "User wurde bereits zum Löschen ausgewählt" - -#: src/Console/User.php:318 -#, php-format -msgid "Type \"yes\" to delete %s" -msgstr "\"yes\" eingeben um %s zu löschen" - -#: src/Console/User.php:320 -msgid "Deletion aborted." -msgstr "Löschvorgang abgebrochen." - -#: src/Console/PostUpdate.php:87 -#, php-format -msgid "Post update version number has been set to %s." -msgstr "Die Post-Update-Versionsnummer wurde auf %s gesetzt." - -#: src/Console/PostUpdate.php:95 -msgid "Check for pending update actions." -msgstr "Überprüfe ausstehende Update-Aktionen" - -#: src/Console/PostUpdate.php:97 -msgid "Done." -msgstr "Erledigt." - -#: src/Console/PostUpdate.php:99 -msgid "Execute pending post updates." -msgstr "Ausstehende Post-Updates ausführen" - -#: src/Console/PostUpdate.php:105 -msgid "All pending post updates are done." -msgstr "Alle ausstehenden Post-Updates wurden ausgeführt." - -#: src/Render/FriendicaSmartyEngine.php:52 -msgid "The folder view/smarty3/ must be writable by webserver." -msgstr "Das Verzeichnis view/smarty3/ muss für den Web-Server beschreibbar sein." - -#: src/Repository/ProfileField.php:275 -msgid "Hometown:" -msgstr "Heimatort:" - -#: src/Repository/ProfileField.php:276 -msgid "Marital Status:" -msgstr "Familienstand:" - -#: src/Repository/ProfileField.php:277 -msgid "With:" -msgstr "Mit:" - -#: src/Repository/ProfileField.php:278 -msgid "Since:" -msgstr "Seit:" - -#: src/Repository/ProfileField.php:279 -msgid "Sexual Preference:" -msgstr "Sexuelle Vorlieben:" - -#: src/Repository/ProfileField.php:280 -msgid "Political Views:" -msgstr "Politische Ansichten:" - -#: src/Repository/ProfileField.php:281 -msgid "Religious Views:" -msgstr "Religiöse Ansichten:" - -#: src/Repository/ProfileField.php:282 -msgid "Likes:" -msgstr "Likes:" - -#: src/Repository/ProfileField.php:283 -msgid "Dislikes:" -msgstr "Dislikes:" - -#: src/Repository/ProfileField.php:284 -msgid "Title/Description:" -msgstr "Titel/Beschreibung:" - -#: src/Repository/ProfileField.php:285 src/Module/Admin/Summary.php:231 -msgid "Summary" -msgstr "Zusammenfassung" - -#: src/Repository/ProfileField.php:286 -msgid "Musical interests" -msgstr "Musikalische Interessen" - -#: src/Repository/ProfileField.php:287 -msgid "Books, literature" -msgstr "Bücher, Literatur" - -#: src/Repository/ProfileField.php:288 -msgid "Television" -msgstr "Fernsehen" - -#: src/Repository/ProfileField.php:289 -msgid "Film/dance/culture/entertainment" -msgstr "Filme/Tänze/Kultur/Unterhaltung" - -#: src/Repository/ProfileField.php:290 -msgid "Hobbies/Interests" -msgstr "Hobbies/Interessen" - -#: src/Repository/ProfileField.php:291 -msgid "Love/romance" -msgstr "Liebe/Romantik" - -#: src/Repository/ProfileField.php:292 -msgid "Work/employment" -msgstr "Arbeit/Anstellung" - -#: src/Repository/ProfileField.php:293 -msgid "School/education" -msgstr "Schule/Ausbildung" - -#: src/Repository/ProfileField.php:294 -msgid "Contact information and Social Networks" -msgstr "Kontaktinformationen und Soziale Netzwerke" - -#: src/App.php:309 -msgid "No system theme config value set." -msgstr "Es wurde kein Konfigurationswert für das systemweite Theme gesetzt." +msgid "%s: updating %s table." +msgstr "%s: aktualisiere Tabelle %s" #: src/Factory/Api/Mastodon/Error.php:32 msgid "Record not found" @@ -4543,7 +4572,7 @@ msgid "%s created a new post" msgstr "%s hat einen neuen Beitrag erstellt" #: src/Factory/Notification/Notification.php:104 -#: src/Factory/Notification/Notification.php:366 +#: src/Factory/Notification/Notification.php:362 #, php-format msgid "%s commented on %s's post" msgstr "%s hat %ss Beitrag kommentiert" @@ -4578,2229 +4607,670 @@ msgstr "%s nimmt eventuell an %s's Veranstaltung teil" msgid "%s is now friends with %s" msgstr "%s ist jetzt mit %s befreundet" -#: src/Module/Notifications/Notifications.php:50 -msgid "Network Notifications" -msgstr "Netzwerkbenachrichtigungen" - -#: src/Module/Notifications/Notifications.php:58 -msgid "System Notifications" -msgstr "Systembenachrichtigungen" - -#: src/Module/Notifications/Notifications.php:66 -msgid "Personal Notifications" -msgstr "Persönliche Benachrichtigungen" - -#: src/Module/Notifications/Notifications.php:74 -msgid "Home Notifications" -msgstr "Pinnwandbenachrichtigungen" - -#: src/Module/Notifications/Notifications.php:133 -#: src/Module/Notifications/Introductions.php:202 +#: src/LegacyModule.php:49 #, php-format -msgid "No more %s notifications." -msgstr "Keine weiteren %s-Benachrichtigungen" +msgid "Legacy module file not found: %s" +msgstr "Legacy-Moduldatei nicht gefunden: %s" -#: src/Module/Notifications/Notifications.php:138 -msgid "Show unread" -msgstr "Ungelesene anzeigen" +#: src/Model/Contact.php:980 src/Model/Contact.php:993 +msgid "UnFollow" +msgstr "Entfolgen" -#: src/Module/Notifications/Notifications.php:138 -msgid "Show all" -msgstr "Alle anzeigen" - -#: src/Module/Notifications/Notification.php:103 -msgid "You must be logged in to show this page." -msgstr "Du musst eingeloggt sein damit diese Seite angezeigt werden kann." - -#: src/Module/Notifications/Introductions.php:54 -#: src/Module/BaseNotifications.php:139 src/Content/Nav.php:268 -msgid "Notifications" -msgstr "Benachrichtigungen" - -#: src/Module/Notifications/Introductions.php:78 -msgid "Show Ignored Requests" -msgstr "Zeige ignorierte Anfragen" - -#: src/Module/Notifications/Introductions.php:78 -msgid "Hide Ignored Requests" -msgstr "Verberge ignorierte Anfragen" - -#: src/Module/Notifications/Introductions.php:94 -#: src/Module/Notifications/Introductions.php:163 -msgid "Notification type:" -msgstr "Art der Benachrichtigung:" - -#: src/Module/Notifications/Introductions.php:97 -msgid "Suggested by:" -msgstr "Vorgeschlagen von:" +#: src/Model/Contact.php:989 +msgid "Drop Contact" +msgstr "Kontakt löschen" +#: src/Model/Contact.php:999 src/Module/Admin/Users/Pending.php:107 #: src/Module/Notifications/Introductions.php:111 #: src/Module/Notifications/Introductions.php:189 -#: src/Module/Admin/Users/Pending.php:107 src/Model/Contact.php:999 msgid "Approve" msgstr "Genehmigen" -#: src/Module/Notifications/Introductions.php:122 -msgid "Claims to be known to you: " -msgstr "Behauptet, dich zu kennen: " +#: src/Model/Contact.php:1398 +msgid "Organisation" +msgstr "Organisation" -#: src/Module/Notifications/Introductions.php:131 -msgid "Shall your connection be bidirectional or not?" -msgstr "Soll die Verbindung beidseitig sein oder nicht?" +#: src/Model/Contact.php:1406 +msgid "Forum" +msgstr "Forum" -#: src/Module/Notifications/Introductions.php:132 -#, php-format +#: src/Model/Contact.php:2146 +msgid "Connect URL missing." +msgstr "Connect-URL fehlt" + +#: src/Model/Contact.php:2155 msgid "" -"Accepting %s as a friend allows %s to subscribe to your posts, and you will " -"also receive updates from them in your news feed." -msgstr "Akzeptierst du %s als Kontakt, erlaubst du damit das Lesen deiner Beiträge und abonnierst selbst auch die Beiträge von %s." +"The contact could not be added. Please check the relevant network " +"credentials in your Settings -> Social Networks page." +msgstr "Der Kontakt konnte nicht hinzugefügt werden. Bitte überprüfe die Einstellungen unter Einstellungen -> Soziale Netzwerke" -#: src/Module/Notifications/Introductions.php:133 -#, php-format +#: src/Model/Contact.php:2196 msgid "" -"Accepting %s as a subscriber allows them to subscribe to your posts, but you" -" will not receive updates from them in your news feed." -msgstr "Wenn du %s als Abonnent akzeptierst, erlaubst du damit das Lesen deiner Beiträge, wirst aber selbst die Beiträge der anderen Seite nicht erhalten." +"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." -#: src/Module/Notifications/Introductions.php:135 -msgid "Friend" -msgstr "Kontakt" +#: src/Model/Contact.php:2197 src/Model/Contact.php:2210 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "Es wurden keine kompatiblen Kommunikationsprotokolle oder Feeds gefunden." -#: src/Module/Notifications/Introductions.php:136 -msgid "Subscriber" -msgstr "Abonnent" +#: src/Model/Contact.php:2208 +msgid "The profile address specified does not provide adequate information." +msgstr "Die angegebene Profiladresse liefert unzureichende Informationen." -#: src/Module/Notifications/Introductions.php:174 src/Module/Contact.php:650 -#: src/Model/Profile.php:362 -msgid "About:" -msgstr "Über:" +#: src/Model/Contact.php:2213 +msgid "An author or name was not found." +msgstr "Es wurde kein Autor oder Name gefunden." -#: src/Module/Notifications/Introductions.php:177 src/Module/Contact.php:634 -msgid "Hide this contact from others" -msgstr "Verbirg diesen Kontakt vor Anderen" +#: src/Model/Contact.php:2216 +msgid "No browser URL could be matched to this address." +msgstr "Zu dieser Adresse konnte keine passende Browser-URL gefunden werden." -#: src/Module/Notifications/Introductions.php:186 src/Module/Contact.php:338 -#: src/Model/Profile.php:451 -msgid "Network:" -msgstr "Netzwerk:" - -#: src/Module/Notifications/Introductions.php:201 -msgid "No introductions." -msgstr "Keine Kontaktanfragen." - -#: src/Module/Manifest.php:42 -msgid "A Decentralized Social Network" -msgstr "Ein dezentrales Soziales Netzwerk" - -#: src/Module/Security/Logout.php:53 -msgid "Logged out." -msgstr "Abgemeldet." - -#: src/Module/Security/TwoFactor/Verify.php:61 -#: src/Module/Security/TwoFactor/Recovery.php:64 -#: src/Module/Settings/TwoFactor/Verify.php:82 -msgid "Invalid code, please retry." -msgstr "Ungültiger Code, bitte erneut versuchen." - -#: src/Module/Security/TwoFactor/Verify.php:80 src/Module/BaseSettings.php:50 -#: src/Module/Settings/TwoFactor/Index.php:105 -msgid "Two-factor authentication" -msgstr "Zwei-Faktor Authentifizierung" - -#: src/Module/Security/TwoFactor/Verify.php:81 +#: src/Model/Contact.php:2219 msgid "" -"

Open the two-factor authentication app on your device to get an " -"authentication code and verify your identity.

" -msgstr "

Öffne die Zwei-Faktor-Authentifizierungs-App auf deinem Gerät, um einen Authentifizierungscode abzurufen und deine Identität zu überprüfen.

" +"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." -#: src/Module/Security/TwoFactor/Verify.php:84 -#: src/Module/Security/TwoFactor/Recovery.php:85 -#, php-format -msgid "Don’t have your phone? Enter a two-factor recovery code" -msgstr "Hast du dein Handy nicht? Gib einen Zwei-Faktor-Wiederherstellungscode ein" +#: src/Model/Contact.php:2220 +msgid "Use mailto: in front of address to force email check." +msgstr "Verwende mailto: vor der E-Mail-Adresse, um eine Überprüfung der E-Mail-Adresse zu erzwingen." -#: src/Module/Security/TwoFactor/Verify.php:85 -#: src/Module/Settings/TwoFactor/Verify.php:141 -msgid "Please enter a code from your authentication app" -msgstr "Bitte gebe einen Code aus Ihrer Authentifizierungs-App ein" - -#: src/Module/Security/TwoFactor/Verify.php:86 -msgid "Verify code and complete login" -msgstr "Code überprüfen und Anmeldung abschließen" - -#: src/Module/Security/TwoFactor/Recovery.php:60 -#, php-format -msgid "Remaining recovery codes: %d" -msgstr "Verbleibende Wiederherstellungscodes: %d" - -#: src/Module/Security/TwoFactor/Recovery.php:83 -msgid "Two-factor recovery" -msgstr "Zwei-Faktor-Wiederherstellung" - -#: src/Module/Security/TwoFactor/Recovery.php:84 +#: src/Model/Contact.php:2226 msgid "" -"

You can enter one of your one-time recovery codes in case you lost access" -" to your mobile device.

" -msgstr "Du kannst einen deiner einmaligen Wiederherstellungscodes eingeben, falls du den Zugriff auf dein Mobilgerät verloren hast.

" +"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." -#: src/Module/Security/TwoFactor/Recovery.php:86 -msgid "Please enter a recovery code" -msgstr "Bitte gib einen Wiederherstellungscode ein" - -#: src/Module/Security/TwoFactor/Recovery.php:87 -msgid "Submit recovery code and complete login" -msgstr "Sende den Wiederherstellungscode und schließe die Anmeldung ab" - -#: src/Module/Security/Login.php:101 -msgid "Create a New Account" -msgstr "Neues Konto erstellen" - -#: src/Module/Security/Login.php:102 src/Module/Register.php:155 -#: src/Content/Nav.php:206 -msgid "Register" -msgstr "Registrieren" - -#: src/Module/Security/Login.php:126 -msgid "Your OpenID: " -msgstr "Deine OpenID:" - -#: src/Module/Security/Login.php:129 +#: src/Model/Contact.php:2231 msgid "" -"Please enter your username and password to add the OpenID to your existing " -"account." -msgstr "Bitte gib seinen Nutzernamen und das Passwort ein um die OpenID zu deinem bestehenden Nutzerkonto hinzufügen zu können." +"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." -#: src/Module/Security/Login.php:131 -msgid "Or login using OpenID: " -msgstr "Oder melde dich mit deiner OpenID an: " +#: src/Model/Contact.php:2290 +msgid "Unable to retrieve contact information." +msgstr "Konnte die Kontaktinformationen nicht empfangen." -#: src/Module/Security/Login.php:141 src/Content/Nav.php:169 -msgid "Logout" -msgstr "Abmelden" - -#: src/Module/Security/Login.php:142 src/Module/Bookmarklet.php:46 -#: src/Content/Nav.php:171 -msgid "Login" -msgstr "Anmeldung" - -#: src/Module/Security/Login.php:145 -msgid "Password: " -msgstr "Passwort: " - -#: src/Module/Security/Login.php:146 -msgid "Remember me" -msgstr "Anmeldedaten merken" - -#: src/Module/Security/Login.php:155 -msgid "Forgot your password?" -msgstr "Passwort vergessen?" - -#: src/Module/Security/Login.php:158 -msgid "Website Terms of Service" -msgstr "Website-Nutzungsbedingungen" - -#: src/Module/Security/Login.php:159 -msgid "terms of service" -msgstr "Nutzungsbedingungen" - -#: src/Module/Security/Login.php:161 -msgid "Website Privacy Policy" -msgstr "Website-Datenschutzerklärung" - -#: src/Module/Security/Login.php:162 -msgid "privacy policy" -msgstr "Datenschutzerklärung" - -#: src/Module/Security/OpenID.php:54 -msgid "OpenID protocol error. No ID returned" -msgstr "OpenID Protokollfehler. Keine ID zurückgegeben." - -#: src/Module/Security/OpenID.php:92 -msgid "" -"Account not found. Please login to your existing account to add the OpenID " -"to it." -msgstr "Nutzerkonto nicht gefunden. Bitte melde dich an und füge die OpenID zu deinem Konto hinzu." - -#: src/Module/Security/OpenID.php:94 -msgid "" -"Account not found. Please register a new account or login to your existing " -"account to add the OpenID to it." -msgstr "Nutzerkonto nicht gefunden. Bitte registriere ein neues Konto oder melde dich mit einem existierendem Konto an um diene OpenID hinzuzufügen." - -#: src/Module/Debug/Localtime.php:36 src/Model/Event.php:50 -#: src/Model/Event.php:861 +#: src/Model/Event.php:50 src/Model/Event.php:868 +#: src/Module/Debug/Localtime.php:36 msgid "l F d, Y \\@ g:i A" msgstr "l, d. F Y\\, H:i" -#: src/Module/Debug/Localtime.php:49 -msgid "Time Conversion" -msgstr "Zeitumrechnung" +#: src/Model/Event.php:77 src/Model/Event.php:94 src/Model/Event.php:467 +#: src/Model/Event.php:936 +msgid "Starts:" +msgstr "Beginnt:" -#: src/Module/Debug/Localtime.php:50 +#: src/Model/Event.php:80 src/Model/Event.php:100 src/Model/Event.php:468 +#: src/Model/Event.php:940 +msgid "Finishes:" +msgstr "Endet:" + +#: src/Model/Event.php:417 +msgid "all-day" +msgstr "ganztägig" + +#: src/Model/Event.php:443 +msgid "Sept" +msgstr "Sep" + +#: src/Model/Event.php:465 +msgid "No events to display" +msgstr "Keine Veranstaltung zum Anzeigen" + +#: src/Model/Event.php:584 +msgid "l, F j" +msgstr "l, F j" + +#: src/Model/Event.php:615 +msgid "Edit event" +msgstr "Veranstaltung bearbeiten" + +#: src/Model/Event.php:616 +msgid "Duplicate event" +msgstr "Veranstaltung kopieren" + +#: src/Model/Event.php:617 +msgid "Delete event" +msgstr "Veranstaltung löschen" + +#: src/Model/Event.php:869 +msgid "D g:i A" +msgstr "D H:i" + +#: src/Model/Event.php:870 +msgid "g:i A" +msgstr "H:i" + +#: src/Model/Event.php:955 src/Model/Event.php:957 +msgid "Show map" +msgstr "Karte anzeigen" + +#: src/Model/Event.php:956 +msgid "Hide map" +msgstr "Karte verbergen" + +#: src/Model/Event.php:1048 +#, php-format +msgid "%s's birthday" +msgstr "%ss Geburtstag" + +#: src/Model/Event.php:1049 +#, php-format +msgid "Happy Birthday %s" +msgstr "Herzlichen Glückwunsch, %s" + +#: src/Model/Group.php:92 msgid "" -"Friendica provides this service for sharing events with other networks and " -"friends in unknown timezones." -msgstr "Friendica bietet diese Funktion an, um das Teilen von Events mit Kontakten zu vereinfachen, deren Zeitzone nicht ermittelt werden kann." +"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." -#: src/Module/Debug/Localtime.php:51 +#: src/Model/Group.php:451 +msgid "Default privacy group for new contacts" +msgstr "Voreingestellte Gruppe für neue Kontakte" + +#: src/Model/Group.php:483 +msgid "Everybody" +msgstr "Alle Kontakte" + +#: src/Model/Group.php:502 +msgid "edit" +msgstr "bearbeiten" + +#: src/Model/Group.php:534 +msgid "add" +msgstr "hinzufügen" + +#: src/Model/Group.php:539 +msgid "Edit group" +msgstr "Gruppe bearbeiten" + +#: src/Model/Group.php:540 src/Module/Group.php:193 +msgid "Contacts not in any group" +msgstr "Kontakte in keiner Gruppe" + +#: src/Model/Group.php:542 +msgid "Create a new group" +msgstr "Neue Gruppe erstellen" + +#: src/Model/Group.php:543 src/Module/Group.php:178 src/Module/Group.php:201 +#: src/Module/Group.php:276 +msgid "Group Name: " +msgstr "Gruppenname:" + +#: src/Model/Group.php:544 +msgid "Edit groups" +msgstr "Gruppen bearbeiten" + +#: src/Model/Item.php:1760 #, php-format -msgid "UTC time: %s" -msgstr "UTC Zeit: %s" +msgid "Detected languages in this post:\\n%s" +msgstr "Erkannte Sprachen in diesem Beitrag:\\n%s" -#: src/Module/Debug/Localtime.php:54 -#, php-format -msgid "Current timezone: %s" -msgstr "Aktuelle Zeitzone: %s" - -#: src/Module/Debug/Localtime.php:58 -#, php-format -msgid "Converted localtime: %s" -msgstr "Umgerechnete lokale Zeit: %s" - -#: src/Module/Debug/Localtime.php:62 -msgid "Please select your timezone:" -msgstr "Bitte wähle Deine Zeitzone:" - -#: src/Module/Debug/Babel.php:54 -msgid "Source input" -msgstr "Originaltext:" - -#: src/Module/Debug/Babel.php:60 -msgid "BBCode::toPlaintext" -msgstr "BBCode::toPlaintext" - -#: src/Module/Debug/Babel.php:66 -msgid "BBCode::convert (raw HTML)" -msgstr "BBCode::convert (pures HTML)" - -#: src/Module/Debug/Babel.php:71 -msgid "BBCode::convert (hex)" -msgstr "BBCode::convert (hex)" - -#: src/Module/Debug/Babel.php:76 -msgid "BBCode::convert" -msgstr "BBCode::convert" - -#: src/Module/Debug/Babel.php:82 -msgid "BBCode::convert => HTML::toBBCode" -msgstr "BBCode::convert => HTML::toBBCode" - -#: src/Module/Debug/Babel.php:88 -msgid "BBCode::toMarkdown" -msgstr "BBCode::toMarkdown" - -#: src/Module/Debug/Babel.php:94 -msgid "BBCode::toMarkdown => Markdown::convert (raw HTML)" -msgstr "BBCode::toMarkdown => Markdown::convert (rohes HTML)" - -#: src/Module/Debug/Babel.php:98 -msgid "BBCode::toMarkdown => Markdown::convert" -msgstr "BBCode::toMarkdown => Markdown::convert" - -#: src/Module/Debug/Babel.php:104 -msgid "BBCode::toMarkdown => Markdown::toBBCode" -msgstr "BBCode::toMarkdown => Markdown::toBBCode" - -#: src/Module/Debug/Babel.php:110 -msgid "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" -msgstr "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" - -#: src/Module/Debug/Babel.php:118 -msgid "Item Body" -msgstr "Beitragskörper" - -#: src/Module/Debug/Babel.php:122 -msgid "Item Tags" -msgstr "Tags des Beitrags" - -#: src/Module/Debug/Babel.php:128 -msgid "PageInfo::appendToBody" -msgstr "PageInfo::appendToBody" - -#: src/Module/Debug/Babel.php:133 -msgid "PageInfo::appendToBody => BBCode::convert (raw HTML)" -msgstr "PageInfo::appendToBody => BBCode::convert (pures HTML)" - -#: src/Module/Debug/Babel.php:137 -msgid "PageInfo::appendToBody => BBCode::convert" -msgstr "PageInfo::appendToBody => BBCode::convert" - -#: src/Module/Debug/Babel.php:144 -msgid "Source input (Diaspora format)" -msgstr "Originaltext (Diaspora Format): " - -#: src/Module/Debug/Babel.php:153 -msgid "Source input (Markdown)" -msgstr "Originaltext (Markdown)" - -#: src/Module/Debug/Babel.php:159 -msgid "Markdown::convert (raw HTML)" -msgstr "Markdown::convert (pures HTML)" - -#: src/Module/Debug/Babel.php:164 -msgid "Markdown::convert" -msgstr "Markdown::convert" - -#: src/Module/Debug/Babel.php:170 -msgid "Markdown::toBBCode" -msgstr "Markdown::toBBCode" - -#: src/Module/Debug/Babel.php:177 -msgid "Raw HTML input" -msgstr "Reine HTML Eingabe" - -#: src/Module/Debug/Babel.php:182 -msgid "HTML Input" -msgstr "HTML Eingabe" - -#: src/Module/Debug/Babel.php:191 -msgid "HTML Purified (raw)" -msgstr "HTML Purified (raw)" - -#: src/Module/Debug/Babel.php:196 -msgid "HTML Purified (hex)" -msgstr "HTML Purified (hex)" - -#: src/Module/Debug/Babel.php:201 -msgid "HTML Purified" -msgstr "HTML Purified" - -#: src/Module/Debug/Babel.php:207 -msgid "HTML::toBBCode" -msgstr "HTML::toBBCode" - -#: src/Module/Debug/Babel.php:213 -msgid "HTML::toBBCode => BBCode::convert" -msgstr "HTML::toBBCode => BBCode::convert" - -#: src/Module/Debug/Babel.php:218 -msgid "HTML::toBBCode => BBCode::convert (raw HTML)" -msgstr "HTML::toBBCode => BBCode::convert (pures HTML)" - -#: src/Module/Debug/Babel.php:224 -msgid "HTML::toBBCode => BBCode::toPlaintext" -msgstr "HTML::toBBCode => BBCode::toPlaintext" - -#: src/Module/Debug/Babel.php:230 -msgid "HTML::toMarkdown" -msgstr "HTML::toMarkdown" - -#: src/Module/Debug/Babel.php:236 -msgid "HTML::toPlaintext" -msgstr "HTML::toPlaintext" - -#: src/Module/Debug/Babel.php:242 -msgid "HTML::toPlaintext (compact)" -msgstr "HTML::toPlaintext (kompakt)" - -#: src/Module/Debug/Babel.php:252 -msgid "Decoded post" -msgstr "Dekodierter Beitrag" - -#: src/Module/Debug/Babel.php:276 -msgid "Post array before expand entities" -msgstr "Beiträgs Array bevor die Entitäten erweitert wurden." - -#: src/Module/Debug/Babel.php:283 -msgid "Post converted" -msgstr "Konvertierter Beitrag" - -#: src/Module/Debug/Babel.php:288 -msgid "Converted body" -msgstr "Konvertierter Beitragskörper" - -#: src/Module/Debug/Babel.php:294 -msgid "Twitter addon is absent from the addon/ folder." -msgstr "Das Twitter-Addon konnte nicht im addpn/ Verzeichnis gefunden werden." - -#: src/Module/Debug/Babel.php:304 -msgid "Source text" -msgstr "Quelltext" - -#: src/Module/Debug/Babel.php:305 -msgid "BBCode" -msgstr "BBCode" - -#: src/Module/Debug/Babel.php:306 src/Content/ContactSelector.php:103 -msgid "Diaspora" -msgstr "Diaspora" - -#: src/Module/Debug/Babel.php:307 -msgid "Markdown" -msgstr "Markdown" - -#: src/Module/Debug/Babel.php:308 -msgid "HTML" -msgstr "HTML" - -#: src/Module/Debug/Babel.php:310 -msgid "Twitter Source" -msgstr "Twitter Quelle" - -#: src/Module/Debug/WebFinger.php:37 src/Module/Debug/Probe.php:38 -msgid "Only logged in users are permitted to perform a probing." -msgstr "Nur eingeloggten Benutzern ist das Untersuchen von Adressen gestattet." - -#: src/Module/Debug/ActivityPubConversion.php:58 -msgid "Formatted" -msgstr "Formatiert" - -#: src/Module/Debug/ActivityPubConversion.php:62 -msgid "Source" -msgstr "Quelle" - -#: src/Module/Debug/ActivityPubConversion.php:70 -msgid "Activity" +#: src/Model/Item.php:2767 +msgid "activity" msgstr "Aktivität" -#: src/Module/Debug/ActivityPubConversion.php:118 -msgid "Object data" -msgstr "Objekt Daten" +#: src/Model/Item.php:2769 src/Object/Post.php:558 +msgid "comment" +msgid_plural "comments" +msgstr[0] "Kommentar" +msgstr[1] "Kommentare" -#: src/Module/Debug/ActivityPubConversion.php:125 -msgid "Result Item" -msgstr "Resultierender Eintrag" +#: src/Model/Item.php:2772 +msgid "post" +msgstr "Beitrag" -#: src/Module/Debug/ActivityPubConversion.php:138 -msgid "Source activity" -msgstr "Quelle der Aktivität" - -#: src/Module/Debug/Feed.php:38 src/Module/Filer/SaveTag.php:38 -#: src/Module/Settings/Profile/Index.php:158 -msgid "You must be logged in to use this module" -msgstr "Du musst eingeloggt sein, um dieses Modul benutzen zu können." - -#: src/Module/Debug/Feed.php:63 -msgid "Source URL" -msgstr "URL der Quelle" - -#: src/Module/Debug/Probe.php:54 -msgid "Lookup address" -msgstr "Adresse nachschlagen" - -#: src/Module/Profile/Common.php:87 src/Module/Contact/Contacts.php:96 +#: src/Model/Item.php:2896 #, php-format -msgid "Common contact (%s)" -msgid_plural "Common contacts (%s)" -msgstr[0] "Gemeinsamer Kontakt (%s)" -msgstr[1] "Gemeinsame Kontakte (%s)" +msgid "Content warning: %s" +msgstr "Inhaltswarnung: %s" -#: src/Module/Profile/Common.php:89 src/Module/Contact/Contacts.php:98 -#, php-format -msgid "" -"Both %s and yourself have publicly interacted with these " -"contacts (follow, comment or likes on public posts)." -msgstr "Du und %s haben mit diesen Kontakten öffentlich interagiert (Folgen, Kommentare und Likes in öffentlichen Beiträgen)" +#: src/Model/Item.php:2969 +msgid "bytes" +msgstr "Byte" -#: src/Module/Profile/Common.php:99 src/Module/Contact/Contacts.php:68 -msgid "No common contacts." -msgstr "Keine gemeinsamen Kontakte." +#: src/Model/Item.php:3014 +msgid "View on separate page" +msgstr "Auf separater Seite ansehen" -#: src/Module/Profile/Status.php:64 src/Module/Profile/Status.php:67 -#: src/Module/Profile/Profile.php:321 src/Module/Profile/Profile.php:324 -#: src/Protocol/OStatus.php:1261 src/Protocol/Feed.php:999 -#, php-format -msgid "%s's timeline" -msgstr "Timeline von %s" +#: src/Model/Item.php:3015 +msgid "view on separate page" +msgstr "auf separater Seite ansehen" -#: src/Module/Profile/Status.php:65 src/Module/Profile/Profile.php:322 -#: src/Protocol/OStatus.php:1265 src/Protocol/Feed.php:1003 -#, php-format -msgid "%s's posts" -msgstr "Beiträge von %s" +#: src/Model/Mail.php:121 src/Model/Mail.php:259 +msgid "[no subject]" +msgstr "[kein Betreff]" -#: src/Module/Profile/Status.php:66 src/Module/Profile/Profile.php:323 -#: src/Protocol/OStatus.php:1268 src/Protocol/Feed.php:1006 -#, php-format -msgid "%s's comments" -msgstr "Kommentare von %s" - -#: src/Module/Profile/Contacts.php:97 src/Module/Contact/Contacts.php:80 -#, php-format -msgid "Follower (%s)" -msgid_plural "Followers (%s)" -msgstr[0] "Folgende (%s)" -msgstr[1] "Folgende (%s)" - -#: src/Module/Profile/Contacts.php:100 src/Module/Contact/Contacts.php:84 -#, php-format -msgid "Following (%s)" -msgid_plural "Following (%s)" -msgstr[0] "Gefolgte (%s)" -msgstr[1] "Gefolgte (%s)" - -#: src/Module/Profile/Contacts.php:103 src/Module/Contact/Contacts.php:88 -#, php-format -msgid "Mutual friend (%s)" -msgid_plural "Mutual friends (%s)" -msgstr[0] "Beidseitige Freundschafte (%s)" -msgstr[1] "Beidseitige Freundschaften (%s)" - -#: src/Module/Profile/Contacts.php:105 src/Module/Contact/Contacts.php:90 -#, php-format -msgid "These contacts both follow and are followed by %s." -msgstr "Diese Kontakte sind sowohl Folgende als auch Gefolgte von %s." - -#: src/Module/Profile/Contacts.php:111 src/Module/Contact/Contacts.php:104 -#, php-format -msgid "Contact (%s)" -msgid_plural "Contacts (%s)" -msgstr[0] "Kontakt (%s)" -msgstr[1] "Kontakte (%s)" - -#: src/Module/Profile/Contacts.php:121 -msgid "No contacts." -msgstr "Keine Kontakte." - -#: src/Module/Profile/Profile.php:135 -#, php-format -msgid "" -"You're currently viewing your profile as %s Cancel" -msgstr "Du betrachtest dein Profil gerade als %s Abbrechen" - -#: src/Module/Profile/Profile.php:149 -msgid "Member since:" -msgstr "Mitglied seit:" - -#: src/Module/Profile/Profile.php:155 -msgid "j F, Y" -msgstr "j F, Y" - -#: src/Module/Profile/Profile.php:156 -msgid "j F" -msgstr "j F" - -#: src/Module/Profile/Profile.php:164 src/Util/Temporal.php:163 -msgid "Birthday:" -msgstr "Geburtstag:" - -#: src/Module/Profile/Profile.php:167 -#: src/Module/Settings/Profile/Index.php:260 src/Util/Temporal.php:165 -msgid "Age: " -msgstr "Alter: " - -#: src/Module/Profile/Profile.php:167 -#: src/Module/Settings/Profile/Index.php:260 src/Util/Temporal.php:165 -#, php-format -msgid "%d year old" -msgid_plural "%d years old" -msgstr[0] "%d Jahr alt" -msgstr[1] "%d Jahre alt" - -#: src/Module/Profile/Profile.php:176 src/Module/Contact.php:648 -#: src/Model/Profile.php:363 -msgid "XMPP:" -msgstr "XMPP:" - -#: src/Module/Profile/Profile.php:180 src/Module/Directory.php:161 -#: src/Model/Profile.php:361 -msgid "Homepage:" -msgstr "Homepage:" - -#: src/Module/Profile/Profile.php:229 -msgid "Forums:" -msgstr "Foren:" - -#: src/Module/Profile/Profile.php:241 -msgid "View profile as:" -msgstr "Das Profil aus der Sicht von jemandem anderen betrachten:" - -#: src/Module/Profile/Profile.php:251 src/Module/Profile/Profile.php:253 -#: src/Model/Profile.php:346 +#: src/Model/Profile.php:346 src/Module/Profile/Profile.php:251 +#: src/Module/Profile/Profile.php:253 msgid "Edit profile" msgstr "Profil bearbeiten" -#: src/Module/Profile/Profile.php:258 -msgid "View as" -msgstr "Betrachten als" - -#: src/Module/Register.php:69 -msgid "Only parent users can create additional accounts." -msgstr "Zusätzliche Nutzerkonten können nur von Verwaltern angelegt werden." - -#: src/Module/Register.php:101 -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." - -#: src/Module/Register.php:102 -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." - -#: src/Module/Register.php:103 -msgid "Your OpenID (optional): " -msgstr "Deine OpenID (optional): " - -#: src/Module/Register.php:112 -msgid "Include your profile in member directory?" -msgstr "Soll dein Profil im Nutzerverzeichnis angezeigt werden?" - -#: src/Module/Register.php:135 -msgid "Note for the admin" -msgstr "Hinweis für den Admin" - -#: src/Module/Register.php:135 -msgid "Leave a message for the admin, why you want to join this node" -msgstr "Hinterlasse eine Nachricht an den Admin, warum du einen Account auf dieser Instanz haben möchtest." - -#: src/Module/Register.php:136 -msgid "Membership on this site is by invitation only." -msgstr "Mitgliedschaft auf dieser Seite ist nur nach vorheriger Einladung möglich." - -#: src/Module/Register.php:137 -msgid "Your invitation code: " -msgstr "Dein Ein­la­dungs­code" - -#: src/Module/Register.php:139 src/Module/Admin/Site.php:600 -msgid "Registration" -msgstr "Registrierung" - -#: src/Module/Register.php:145 -msgid "Your Full Name (e.g. Joe Smith, real or real-looking): " -msgstr "Dein vollständiger Name (z.B. Hans Mustermann, echt oder echt erscheinend):" - -#: src/Module/Register.php:146 -msgid "" -"Your Email Address: (Initial information will be send there, so this has to " -"be an existing address.)" -msgstr "Deine E-Mail Adresse (Informationen zur Registrierung werden an diese Adresse gesendet, darum muss sie existieren.)" - -#: src/Module/Register.php:147 -msgid "Please repeat your e-mail address:" -msgstr "Bitte wiederhole deine E-Mail Adresse" - -#: src/Module/Register.php:149 -msgid "Leave empty for an auto generated password." -msgstr "Leer lassen, um das Passwort automatisch zu generieren." - -#: src/Module/Register.php:151 -#, php-format -msgid "" -"Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be \"nickname@%s\"." -msgstr "Wähle einen Spitznamen für dein Profil. Dieser muss mit einem Buchstaben beginnen. Die Adresse deines Profils auf dieser Seite wird 'spitzname@%s' sein." - -#: src/Module/Register.php:152 -msgid "Choose a nickname: " -msgstr "Spitznamen wählen: " - -#: src/Module/Register.php:161 -msgid "Import your profile to this friendica instance" -msgstr "Importiere dein Profil auf diese Friendica-Instanz" - -#: src/Module/Register.php:163 src/Module/BaseAdmin.php:95 -#: src/Module/Tos.php:84 src/Module/Admin/Tos.php:59 src/Content/Nav.php:256 -msgid "Terms of Service" -msgstr "Nutzungsbedingungen" - -#: src/Module/Register.php:168 -msgid "Note: This node explicitly contains adult content" -msgstr "Hinweis: Dieser Knoten enthält explizit Inhalte für Erwachsene" - -#: src/Module/Register.php:170 src/Module/Settings/Delegation.php:155 -msgid "Parent Password:" -msgstr "Passwort des Verwalters" - -#: src/Module/Register.php:170 src/Module/Settings/Delegation.php:155 -msgid "" -"Please enter the password of the parent account to legitimize your request." -msgstr "Bitte gib das Passwort des Verwalters ein, um deine Anfrage zu bestätigen." - -#: src/Module/Register.php:199 -msgid "Password doesn't match." -msgstr "Das Passwort stimmt nicht." - -#: src/Module/Register.php:205 -msgid "Please enter your password." -msgstr "Bitte gib dein Passwort an." - -#: src/Module/Register.php:247 -msgid "You have entered too much information." -msgstr "Du hast zu viele Informationen eingegeben." - -#: src/Module/Register.php:271 -msgid "Please enter the identical mail address in the second field." -msgstr "Bitte gib die gleiche E-Mail Adresse noch einmal an." - -#: src/Module/Register.php:298 -msgid "The additional account was created." -msgstr "Das zusätzliche Nutzerkonto wurde angelegt." - -#: src/Module/Register.php:323 -msgid "" -"Registration successful. Please check your email for further instructions." -msgstr "Registrierung erfolgreich. Eine E-Mail mit weiteren Anweisungen wurde an dich gesendet." - -#: src/Module/Register.php:327 -#, 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." - -#: src/Module/Register.php:333 -msgid "Registration successful." -msgstr "Registrierung erfolgreich." - -#: src/Module/Register.php:338 src/Module/Register.php:345 -msgid "Your registration can not be processed." -msgstr "Deine Registrierung konnte nicht verarbeitet werden." - -#: src/Module/Register.php:344 -msgid "You have to leave a request note for the admin." -msgstr "Du musst eine Nachricht für den Administrator als Begründung deiner Anfrage hinterlegen." - -#: src/Module/Register.php:390 -msgid "Your registration is pending approval by the site owner." -msgstr "Deine Registrierung muss noch vom Betreiber der Seite freigegeben werden." - -#: src/Module/Special/HTTPException.php:49 -msgid "Bad Request" -msgstr "Ungültige Anfrage" - -#: src/Module/Special/HTTPException.php:50 -msgid "Unauthorized" -msgstr "Nicht autorisiert" - -#: src/Module/Special/HTTPException.php:51 -msgid "Forbidden" -msgstr "Verboten" - -#: src/Module/Special/HTTPException.php:52 -msgid "Not Found" -msgstr "Nicht gefunden" - -#: src/Module/Special/HTTPException.php:53 -msgid "Internal Server Error" -msgstr "Interner Serverfehler" - -#: src/Module/Special/HTTPException.php:54 -msgid "Service Unavailable" -msgstr "Dienst nicht verfügbar" - -#: src/Module/Special/HTTPException.php:61 -msgid "" -"The server cannot or will not process the request due to an apparent client " -"error." -msgstr "Aufgrund eines offensichtlichen Fehlers auf der Seite des Clients kann oder wird der Server die Anfrage nicht bearbeiten." - -#: src/Module/Special/HTTPException.php:62 -msgid "" -"Authentication is required and has failed or has not yet been provided." -msgstr "Die erforderliche Authentifizierung ist fehlgeschlagen oder noch nicht erfolgt." - -#: src/Module/Special/HTTPException.php:63 -msgid "" -"The request was valid, but the server is refusing action. The user might not" -" have the necessary permissions for a resource, or may need an account." -msgstr "Die Anfrage war gültig, aber der Server verweigert die Ausführung. Der Benutzer verfügt möglicherweise nicht über die erforderlichen Berechtigungen oder benötigt ein Nutzerkonto." - -#: src/Module/Special/HTTPException.php:64 -msgid "" -"The requested resource could not be found but may be available in the " -"future." -msgstr "Die angeforderte Ressource konnte nicht gefunden werden, sie könnte allerdings zu einem späteren Zeitpunkt verfügbar sein." - -#: src/Module/Special/HTTPException.php:65 -msgid "" -"An unexpected condition was encountered and no more specific message is " -"suitable." -msgstr "Eine unerwartete Situation ist eingetreten, zu der keine detailliertere Nachricht vorliegt." - -#: src/Module/Special/HTTPException.php:66 -msgid "" -"The server is currently unavailable (because it is overloaded or down for " -"maintenance). Please try again later." -msgstr "Der Server ist derzeit nicht verfügbar (wegen Überlastung oder Wartungsarbeiten). Bitte versuche es später noch einmal." - -#: src/Module/Special/HTTPException.php:72 src/Content/Nav.php:94 -msgid "Go back" -msgstr "Geh zurück" - -#: src/Module/Home.php:54 -#, php-format -msgid "Welcome to %s" -msgstr "Willkommen zu %s" - -#: src/Module/FriendSuggest.php:65 -msgid "Suggested contact not found." -msgstr "Vorgeschlagener Kontakt wurde nicht gefunden." - -#: src/Module/FriendSuggest.php:84 -msgid "Friend suggestion sent." -msgstr "Kontaktvorschlag gesendet." - -#: src/Module/FriendSuggest.php:121 -msgid "Suggest Friends" -msgstr "Kontakte vorschlagen" - -#: src/Module/FriendSuggest.php:124 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Schlage %s einen Kontakt vor" - -#: src/Module/Credits.php:44 -msgid "Credits" -msgstr "Credits" - -#: src/Module/Credits.php:45 -msgid "" -"Friendica is a community project, that would not be possible without the " -"help of many people. Here is a list of those who have contributed to the " -"code or the translation of Friendica. Thank you all!" -msgstr "Friendica ist ein Gemeinschaftsprojekt, das nicht ohne die Hilfe vieler Personen möglich wäre. Hier ist eine Aufzählung der Personen, die zum Code oder der Übersetzung beigetragen haben. Dank an alle !" - -#: src/Module/Install.php:177 -msgid "Friendica Communications Server - Setup" -msgstr "Friendica Komunikationsserver - Installation" - -#: src/Module/Install.php:188 -msgid "System check" -msgstr "Systemtest" - -#: src/Module/Install.php:190 src/Module/Install.php:247 -#: src/Module/Install.php:330 -msgid "Requirement not satisfied" -msgstr "Anforderung ist nicht erfüllt" - -#: src/Module/Install.php:191 -msgid "Optional requirement not satisfied" -msgstr "Optionale Anforderung ist nicht erfüllt" - -#: src/Module/Install.php:192 -msgid "OK" -msgstr "Ok" - -#: src/Module/Install.php:197 -msgid "Check again" -msgstr "Noch einmal testen" - -#: src/Module/Install.php:204 src/Module/Admin/Site.php:530 -msgid "No SSL policy, links will track page SSL state" -msgstr "Keine SSL-Richtlinie, Links werden das verwendete Protokoll beibehalten" - -#: src/Module/Install.php:205 src/Module/Admin/Site.php:531 -msgid "Force all links to use SSL" -msgstr "SSL für alle Links erzwingen" - -#: src/Module/Install.php:206 src/Module/Admin/Site.php:532 -msgid "Self-signed certificate, use SSL for local links only (discouraged)" -msgstr "Selbst-unterzeichnetes Zertifikat, SSL nur für lokale Links verwenden (nicht empfohlen)" - -#: src/Module/Install.php:212 -msgid "Base settings" -msgstr "Grundeinstellungen" - -#: src/Module/Install.php:214 src/Module/Admin/Site.php:624 -msgid "SSL link policy" -msgstr "Regeln für SSL Links" - -#: src/Module/Install.php:216 src/Module/Admin/Site.php:624 -msgid "Determines whether generated links should be forced to use SSL" -msgstr "Bestimmt, ob generierte Links SSL verwenden müssen" - -#: src/Module/Install.php:219 -msgid "Host name" -msgstr "Host Name" - -#: src/Module/Install.php:221 -msgid "" -"Overwrite this field in case the determinated hostname isn't right, " -"otherweise leave it as is." -msgstr "Sollte der ermittelte Hostname nicht stimmen, korrigiere bitte den Eintrag." - -#: src/Module/Install.php:224 -msgid "Base path to installation" -msgstr "Basis-Pfad zur Installation" - -#: src/Module/Install.php:226 -msgid "" -"If the system cannot detect the correct path to your installation, enter the" -" correct path here. This setting should only be set if you are using a " -"restricted system and symbolic links to your webroot." -msgstr "Falls das System nicht den korrekten Pfad zu deiner Installation gefunden hat, gib den richtigen Pfad bitte hier ein. Du solltest hier den Pfad nur auf einem eingeschränkten System angeben müssen, bei dem du mit symbolischen Links auf dein Webverzeichnis verweist." - -#: src/Module/Install.php:229 -msgid "Sub path of the URL" -msgstr "Unterverzeichnis (Pfad) der URL" - -#: src/Module/Install.php:231 -msgid "" -"Overwrite this field in case the sub path determination isn't right, " -"otherwise leave it as is. Leaving this field blank means the installation is" -" at the base URL without sub path." -msgstr "Sollte das ermittelte Unterverzeichnis der Friendica Installation nicht stimmen, korrigiere es bitte. Wenn dieses Feld leer ist, bedeutet dies, dass die Installation direkt unter der Basis-URL installiert wird." - -#: src/Module/Install.php:242 -msgid "Database connection" -msgstr "Datenbankverbindung" - -#: src/Module/Install.php:243 -msgid "" -"In order to install Friendica we need to know how to connect to your " -"database." -msgstr "Um Friendica installieren zu können, müssen wir wissen, wie wir mit Deiner Datenbank Kontakt aufnehmen können." - -#: src/Module/Install.php:244 -msgid "" -"Please contact your hosting provider or site administrator if you have " -"questions about these settings." -msgstr "Bitte kontaktiere den Hosting-Provider oder den Administrator der Seite, falls du Fragen zu diesen Einstellungen haben solltest." - -#: src/Module/Install.php:245 -msgid "" -"The database you specify below should already exist. If it does not, please " -"create it before continuing." -msgstr "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." - -#: src/Module/Install.php:254 -msgid "Database Server Name" -msgstr "Datenbank-Server" - -#: src/Module/Install.php:259 -msgid "Database Login Name" -msgstr "Datenbank-Nutzer" - -#: src/Module/Install.php:265 -msgid "Database Login Password" -msgstr "Datenbank-Passwort" - -#: src/Module/Install.php:267 -msgid "For security reasons the password must not be empty" -msgstr "Aus Sicherheitsgründen darf das Passwort nicht leer sein." - -#: src/Module/Install.php:270 -msgid "Database Name" -msgstr "Datenbank-Name" - -#: src/Module/Install.php:274 src/Module/Install.php:304 -msgid "Please select a default timezone for your website" -msgstr "Bitte wähle die Standardzeitzone Deiner Webseite" - -#: src/Module/Install.php:289 -msgid "Site settings" -msgstr "Server-Einstellungen" - -#: src/Module/Install.php:299 -msgid "Site administrator email address" -msgstr "E-Mail-Adresse des Administrators" - -#: src/Module/Install.php:301 -msgid "" -"Your account email address must match this in order to use the web admin " -"panel." -msgstr "Die E-Mail-Adresse, die in Deinem Friendica-Account eingetragen ist, muss mit dieser Adresse übereinstimmen, damit du das Admin-Panel benutzen kannst." - -#: src/Module/Install.php:308 -msgid "System Language:" -msgstr "Systemsprache:" - -#: src/Module/Install.php:310 -msgid "" -"Set the default language for your Friendica installation interface and to " -"send emails." -msgstr "Wähle die Standardsprache für deine Friendica-Installations-Oberfläche und den E-Mail-Versand" - -#: src/Module/Install.php:322 -msgid "Your Friendica site database has been installed." -msgstr "Die Datenbank Deiner Friendica-Seite wurde installiert." - -#: src/Module/Install.php:332 -msgid "Installation finished" -msgstr "Installation abgeschlossen" - -#: src/Module/Install.php:352 -msgid "

What next

" -msgstr "

Wie geht es weiter?

" - -#: src/Module/Install.php:353 -msgid "" -"IMPORTANT: You will need to [manually] setup a scheduled task for the " -"worker." -msgstr "Wichtig: du musst [manuell] einen Cronjob (o.ä.) für den Worker einrichten." - -#: src/Module/Install.php:354 -msgid "Please see the file \"INSTALL.txt\"." -msgstr "Lies bitte die \"INSTALL.txt\"." - -#: src/Module/Install.php:356 -#, php-format -msgid "" -"Go to your new Friendica node registration page " -"and register as new user. Remember to use the same email you have entered as" -" administrator email. This will allow you to enter the site admin panel." -msgstr "Du solltest nun die Seite zur Nutzerregistrierung deiner neuen Friendica Instanz besuchen und einen neuen Nutzer einrichten. Bitte denke daran, dieselbe E-Mail Adresse anzugeben, die du auch als Administrator-E-Mail angegeben hast, damit du das Admin-Panel verwenden kannst." - -#: src/Module/Filer/SaveTag.php:65 -msgid "- select -" -msgstr "- auswählen -" - -#: src/Module/Filer/RemoveTag.php:63 -msgid "Item was not removed" -msgstr "Item wurde nicht entfernt" - -#: src/Module/Filer/RemoveTag.php:66 -msgid "Item was not deleted" -msgstr "Item wurde nicht gelöscht" - -#: src/Module/PermissionTooltip.php:24 -#, php-format -msgid "Wrong type \"%s\", expected one of: %s" -msgstr "Falscher Typ \"%s\", hatte einen der Folgenden erwartet: %s" - -#: src/Module/PermissionTooltip.php:37 -msgid "Model not found" -msgstr "Model nicht gefunden" - -#: src/Module/PermissionTooltip.php:59 -msgid "Remote privacy information not available." -msgstr "Entfernte Privatsphäreneinstellungen nicht verfügbar." - -#: src/Module/PermissionTooltip.php:70 -msgid "Visible to:" -msgstr "Sichtbar für:" - -#: src/Module/Delegation.php:147 -msgid "Switch between your accounts" -msgstr "Wechsle deine Konten" - -#: src/Module/Delegation.php:148 -msgid "Manage your accounts" -msgstr "Verwalte deine Konten" - -#: src/Module/Delegation.php:149 -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." - -#: src/Module/Delegation.php:150 -msgid "Select an identity to manage: " -msgstr "Wähle eine Identität zum Verwalten aus: " - -#: src/Module/Conversation/Community.php:68 -msgid "Local Community" -msgstr "Lokale Gemeinschaft" - -#: src/Module/Conversation/Community.php:71 -msgid "Posts from local users on this server" -msgstr "Beiträge von Nutzern dieses Servers" - -#: src/Module/Conversation/Community.php:79 -msgid "Global Community" -msgstr "Globale Gemeinschaft" - -#: src/Module/Conversation/Community.php:82 -msgid "Posts from users of the whole federated network" -msgstr "Beiträge von Nutzern des gesamten föderalen Netzwerks" - -#: src/Module/Conversation/Community.php:115 -msgid "Own Contacts" -msgstr "Eigene Kontakte" - -#: src/Module/Conversation/Community.php:119 -msgid "Include" -msgstr "Einschließen" - -#: src/Module/Conversation/Community.php:120 -msgid "Hide" -msgstr "Verbergen" - -#: src/Module/Conversation/Community.php:148 src/Module/Search/Index.php:139 -#: src/Module/Search/Index.php:179 -msgid "No results." -msgstr "Keine Ergebnisse." - -#: src/Module/Conversation/Community.php:173 -msgid "" -"This community stream shows all public posts received by this node. They may" -" not reflect the opinions of this node’s users." -msgstr "Diese Gemeinschaftsseite zeigt alle öffentlichen Beiträge, die auf diesem Knoten eingegangen sind. Der Inhalt entspricht nicht zwingend der Meinung der Nutzer dieses Servers." - -#: src/Module/Conversation/Community.php:211 -msgid "Community option not available." -msgstr "Optionen für die Gemeinschaftsseite nicht verfügbar." - -#: src/Module/Conversation/Community.php:227 -msgid "Not available." -msgstr "Nicht verfügbar." - -#: src/Module/Conversation/Network.php:160 -msgid "No such group" -msgstr "Es gibt keine solche Gruppe" - -#: src/Module/Conversation/Network.php:164 -#, php-format -msgid "Group: %s" -msgstr "Gruppe: %s" - -#: src/Module/Conversation/Network.php:174 src/Module/Contact/Contacts.php:31 -msgid "Invalid contact." -msgstr "Ungültiger Kontakt." - -#: src/Module/Conversation/Network.php:240 -msgid "Latest Activity" -msgstr "Neueste Aktivität" - -#: src/Module/Conversation/Network.php:243 -msgid "Sort by latest activity" -msgstr "Sortiere nach neueste Aktivität" - -#: src/Module/Conversation/Network.php:248 -msgid "Latest Posts" -msgstr "Neueste Beiträge" - -#: src/Module/Conversation/Network.php:251 -msgid "Sort by post received date" -msgstr "Nach Empfangsdatum der Beiträge sortiert" - -#: src/Module/Conversation/Network.php:256 -#: src/Module/Settings/Profile/Index.php:242 -msgid "Personal" -msgstr "Persönlich" - -#: src/Module/Conversation/Network.php:259 -msgid "Posts that mention or involve you" -msgstr "Beiträge, in denen es um dich geht" - -#: src/Module/Conversation/Network.php:264 -msgid "Starred" -msgstr "Markierte" - -#: src/Module/Conversation/Network.php:267 -msgid "Favourite Posts" -msgstr "Favorisierte Beiträge" - -#: src/Module/Welcome.php:44 -msgid "Welcome to Friendica" -msgstr "Willkommen bei Friendica" - -#: src/Module/Welcome.php:45 -msgid "New Member Checklist" -msgstr "Checkliste für neue Mitglieder" - -#: src/Module/Welcome.php:46 -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 "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." - -#: src/Module/Welcome.php:48 -msgid "Getting Started" -msgstr "Einstieg" - -#: src/Module/Welcome.php:49 -msgid "Friendica Walk-Through" -msgstr "Friendica Rundgang" - -#: src/Module/Welcome.php:50 -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 "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." - -#: src/Module/Welcome.php:53 -msgid "Go to Your Settings" -msgstr "Gehe zu deinen Einstellungen" - -#: src/Module/Welcome.php:54 -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 "Ä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 Kontakte mit anderen im Friendica Netzwerk zu knüpfen.." - -#: src/Module/Welcome.php:55 -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 "Ü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 Kontakte und potentiellen Kontakte wissen genau, wie sie dich finden können." - -#: src/Module/Welcome.php:58 src/Module/Settings/Profile/Index.php:248 -msgid "Upload Profile Photo" -msgstr "Profilbild hochladen" - -#: src/Module/Welcome.php:59 -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 "Lade ein Profilbild hoch, falls du es noch nicht getan hast. Studien haben gezeigt, dass es zehnmal wahrscheinlicher ist, neue Kontakte zu finden, wenn du ein Bild von dir selbst verwendest, als wenn du dies nicht tust." - -#: src/Module/Welcome.php:60 -msgid "Edit Your Profile" -msgstr "Editiere dein Profil" - -#: src/Module/Welcome.php:61 -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 "Editiere dein Standard-Profil nach deinen Vorlieben. Überprüfe die Einstellungen zum Verbergen deiner Kontaktliste vor unbekannten Betrachtern des Profils." - -#: src/Module/Welcome.php:62 -msgid "Profile Keywords" -msgstr "Profil-Schlüsselbegriffe" - -#: src/Module/Welcome.php:63 -msgid "" -"Set some public keywords for your profile which describe your interests. We " -"may be able to find other people with similar interests and suggest " -"friendships." -msgstr "Trage ein paar öffentliche Stichwörter in dein Profil ein, die deine Interessen beschreiben. Eventuell sind wir in der Lage Leute zu finden, die deine Interessen teilen und können dir dann Kontakte vorschlagen." - -#: src/Module/Welcome.php:65 -msgid "Connecting" -msgstr "Verbindungen knüpfen" - -#: src/Module/Welcome.php:67 -msgid "Importing Emails" -msgstr "Emails Importieren" - -#: src/Module/Welcome.php:68 -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 "Gib deine E-Mail-Zugangsinformationen auf der Connector-Einstellungsseite ein, falls du E-Mails aus Deinem Posteingang importieren und mit Kontakten und Mailinglisten interagieren willst." - -#: src/Module/Welcome.php:69 -msgid "Go to Your Contacts Page" -msgstr "Gehe zu deiner Kontakt-Seite" - -#: src/Module/Welcome.php:70 -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 "Die Kontakte-Seite ist die Einstiegsseite, von der aus du Kontakte verwalten und dich mit Personen in anderen Netzwerken verbinden kannst. Normalerweise gibst du dazu einfach ihre Adresse oder die URL der Seite im Kasten Neuen Kontakt hinzufügen ein." - -#: src/Module/Welcome.php:71 -msgid "Go to Your Site's Directory" -msgstr "Gehe zum Verzeichnis Deiner Friendica-Instanz" - -#: src/Module/Welcome.php:72 -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 "Über die Verzeichnisseite kannst du andere Personen auf diesem Server oder anderen, verknüpften Seiten finden. Halte nach einem Verbinden- oder Folgen-Link auf deren Profilseiten Ausschau und gib deine eigene Profiladresse an, falls du danach gefragt wirst." - -#: src/Module/Welcome.php:73 -msgid "Finding New People" -msgstr "Neue Leute kennenlernen" - -#: src/Module/Welcome.php:74 -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 "Im seitlichen Bedienfeld der Kontakteseite gibt es diverse Werkzeuge, um neue Personen zu finden. Wir können Menschen mit den gleichen Interessen finden, anhand von Namen oder Interessen suchen oder aber aufgrund vorhandener Kontakte neue Leute vorschlagen.\nAuf einer brandneuen - soeben erstellten - Seite starten die Kontaktvorschläge innerhalb von 24 Stunden." - -#: src/Module/Welcome.php:76 src/Module/Contact.php:839 -#: src/Model/Group.php:535 src/Content/Widget.php:213 -msgid "Groups" -msgstr "Gruppen" - -#: src/Module/Welcome.php:77 -msgid "Group Your Contacts" -msgstr "Gruppiere deine Kontakte" - -#: src/Module/Welcome.php:78 -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 "Sobald du einige Kontakte gefunden hast, organisiere sie in Gruppen zur privaten Kommunikation im Seitenmenü der Kontakte-Seite. Du kannst dann mit jeder dieser Gruppen von der Netzwerkseite aus privat interagieren." - -#: src/Module/Welcome.php:80 -msgid "Why Aren't My Posts Public?" -msgstr "Warum sind meine Beiträge nicht öffentlich?" - -#: src/Module/Welcome.php:81 -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 respektiert Deine Privatsphäre. Mit der Grundeinstellung werden Deine Beiträge ausschließlich Deinen Kontakten angezeigt. Für weitere Informationen diesbezüglich lies dir bitte den entsprechenden Abschnitt in der Hilfe unter dem obigen Link durch." - -#: src/Module/Welcome.php:83 -msgid "Getting Help" -msgstr "Hilfe bekommen" - -#: src/Module/Welcome.php:84 -msgid "Go to the Help Section" -msgstr "Zum Hilfe Abschnitt gehen" - -#: src/Module/Welcome.php:85 -msgid "" -"Our help pages may be consulted for detail on other program" -" features and resources." -msgstr "Unsere Hilfe-Seiten können herangezogen werden, um weitere Einzelheiten zu anderen Programm-Features zu erhalten." - -#: src/Module/Bookmarklet.php:56 -msgid "This page is missing a url parameter." -msgstr "Der Seite fehlt ein URL Parameter." - -#: src/Module/Bookmarklet.php:78 -msgid "The post was created" -msgstr "Der Beitrag wurde angelegt" - -#: src/Module/BaseAdmin.php:63 -msgid "You don't have access to administration pages." -msgstr "Du hast keinen Zugriff auf die Administrationsseiten." - -#: src/Module/BaseAdmin.php:67 -msgid "" -"Submanaged account can't access the administration pages. Please log back in" -" as the main account." -msgstr "Verwaltete Benutzerkonten haben keinen Zugriff auf die Administrationsseiten. Bitte wechsle wieder zurück auf das Administrator Konto." - -#: src/Module/BaseAdmin.php:85 src/Content/Nav.php:253 -msgid "Information" -msgstr "Information" - -#: src/Module/BaseAdmin.php:86 -msgid "Overview" -msgstr "Übersicht" - -#: src/Module/BaseAdmin.php:87 src/Module/Admin/Federation.php:141 -msgid "Federation Statistics" -msgstr "Föderation Statistik" - -#: src/Module/BaseAdmin.php:89 -msgid "Configuration" -msgstr "Konfiguration" - -#: src/Module/BaseAdmin.php:90 src/Module/Admin/Site.php:596 -msgid "Site" -msgstr "Seite" - -#: src/Module/BaseAdmin.php:91 src/Module/Admin/Users/Index.php:150 -#: src/Module/Admin/Users/Index.php:160 -msgid "Users" -msgstr "Nutzer" - -#: src/Module/BaseAdmin.php:92 src/Module/Admin/Addons/Details.php:112 -#: src/Module/Admin/Addons/Index.php:68 src/Module/BaseSettings.php:87 -msgid "Addons" -msgstr "Addons" - -#: src/Module/BaseAdmin.php:93 src/Module/Admin/Themes/Details.php:91 -#: src/Module/Admin/Themes/Index.php:112 -msgid "Themes" -msgstr "Themen" - -#: src/Module/BaseAdmin.php:94 src/Module/BaseSettings.php:65 -msgid "Additional features" -msgstr "Zusätzliche Features" - -#: src/Module/BaseAdmin.php:97 -msgid "Database" -msgstr "Datenbank" - -#: src/Module/BaseAdmin.php:98 -msgid "DB updates" -msgstr "DB Updates" - -#: src/Module/BaseAdmin.php:99 -msgid "Inspect Deferred Workers" -msgstr "Verzögerte Worker inspizieren" - -#: src/Module/BaseAdmin.php:100 -msgid "Inspect worker Queue" -msgstr "Worker Warteschlange inspizieren" - -#: src/Module/BaseAdmin.php:102 -msgid "Tools" -msgstr "Werkzeuge" - -#: src/Module/BaseAdmin.php:103 -msgid "Contact Blocklist" -msgstr "Kontakt Blockliste" - -#: src/Module/BaseAdmin.php:104 -msgid "Server Blocklist" -msgstr "Server Blockliste" - -#: src/Module/BaseAdmin.php:105 src/Module/Admin/Item/Delete.php:66 -msgid "Delete Item" -msgstr "Eintrag löschen" - -#: src/Module/BaseAdmin.php:107 src/Module/BaseAdmin.php:108 -#: src/Module/Admin/Logs/Settings.php:81 -msgid "Logs" -msgstr "Protokolle" - -#: src/Module/BaseAdmin.php:109 src/Module/Admin/Logs/View.php:65 -msgid "View Logs" -msgstr "Protokolle anzeigen" - -#: src/Module/BaseAdmin.php:111 -msgid "Diagnostics" -msgstr "Diagnostik" - -#: src/Module/BaseAdmin.php:112 -msgid "PHP Info" -msgstr "PHP-Info" - -#: src/Module/BaseAdmin.php:113 -msgid "probe address" -msgstr "Adresse untersuchen" - -#: src/Module/BaseAdmin.php:114 -msgid "check webfinger" -msgstr "Webfinger überprüfen" - -#: src/Module/BaseAdmin.php:115 -msgid "Item Source" -msgstr "Beitrags Quelle" - -#: src/Module/BaseAdmin.php:116 -msgid "Babel" -msgstr "Babel" - -#: src/Module/BaseAdmin.php:117 -msgid "ActivityPub Conversion" -msgstr "Umwandlung nach ActivityPub" - -#: src/Module/BaseAdmin.php:125 src/Content/Nav.php:289 -msgid "Admin" -msgstr "Administration" - -#: src/Module/BaseAdmin.php:126 -msgid "Addon Features" -msgstr "Addon Features" - -#: src/Module/BaseAdmin.php:127 -msgid "User registrations waiting for confirmation" -msgstr "Nutzeranmeldungen, die auf Bestätigung warten" - -#: src/Module/Contact.php:94 -#, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited." -msgstr[0] "%d Kontakt bearbeitet." -msgstr[1] "%d Kontakte bearbeitet." - -#: src/Module/Contact.php:121 -msgid "Could not access contact record." -msgstr "Konnte nicht auf die Kontaktdaten zugreifen." - -#: src/Module/Contact.php:340 src/Model/Profile.php:439 -#: src/Content/Text/HTML.php:881 -msgid "Follow" -msgstr "Folge" - -#: src/Module/Contact.php:342 src/Model/Profile.php:441 +#: src/Model/Profile.php:348 +msgid "Change profile photo" +msgstr "Profilbild ändern" + +#: src/Model/Profile.php:361 src/Module/Directory.php:161 +#: src/Module/Profile/Profile.php:180 +msgid "Homepage:" +msgstr "Homepage:" + +#: src/Model/Profile.php:362 src/Module/Contact.php:650 +#: src/Module/Notifications/Introductions.php:174 +msgid "About:" +msgstr "Über:" + +#: src/Model/Profile.php:363 src/Module/Contact.php:648 +#: src/Module/Profile/Profile.php:176 +msgid "XMPP:" +msgstr "XMPP:" + +#: src/Model/Profile.php:441 src/Module/Contact.php:342 msgid "Unfollow" msgstr "Entfolgen" -#: src/Module/Contact.php:400 src/Module/Api/Twitter/ContactEndpoint.php:65 -msgid "Contact not found" -msgstr "Kontakt nicht gefunden" +#: src/Model/Profile.php:443 +msgid "Atom feed" +msgstr "Atom-Feed" -#: src/Module/Contact.php:419 -msgid "Contact has been blocked" -msgstr "Kontakt wurde blockiert" +#: src/Model/Profile.php:451 src/Module/Contact.php:338 +#: src/Module/Notifications/Introductions.php:186 +msgid "Network:" +msgstr "Netzwerk:" -#: src/Module/Contact.php:419 -msgid "Contact has been unblocked" -msgstr "Kontakt wurde wieder freigegeben" +#: src/Model/Profile.php:481 src/Model/Profile.php:578 +msgid "g A l F d" +msgstr "l, d. F G \\U\\h\\r" -#: src/Module/Contact.php:429 -msgid "Contact has been ignored" -msgstr "Kontakt wurde ignoriert" +#: src/Model/Profile.php:482 +msgid "F d" +msgstr "d. F" -#: src/Module/Contact.php:429 -msgid "Contact has been unignored" -msgstr "Kontakt wird nicht mehr ignoriert" +#: src/Model/Profile.php:544 src/Model/Profile.php:629 +msgid "[today]" +msgstr "[heute]" -#: src/Module/Contact.php:439 -msgid "Contact has been archived" -msgstr "Kontakt wurde archiviert" +#: src/Model/Profile.php:554 +msgid "Birthday Reminders" +msgstr "Geburtstagserinnerungen" -#: src/Module/Contact.php:439 -msgid "Contact has been unarchived" -msgstr "Kontakt wurde aus dem Archiv geholt" +#: src/Model/Profile.php:555 +msgid "Birthdays this week:" +msgstr "Geburtstage diese Woche:" -#: src/Module/Contact.php:452 -msgid "Drop contact" -msgstr "Kontakt löschen" +#: src/Model/Profile.php:616 +msgid "[No description]" +msgstr "[keine Beschreibung]" -#: src/Module/Contact.php:455 src/Module/Contact.php:879 -msgid "Do you really want to delete this contact?" -msgstr "Möchtest Du wirklich diesen Kontakt löschen?" +#: src/Model/Profile.php:642 +msgid "Event Reminders" +msgstr "Veranstaltungserinnerungen" -#: src/Module/Contact.php:468 -msgid "Contact has been removed." -msgstr "Kontakt wurde entfernt." +#: src/Model/Profile.php:643 +msgid "Upcoming events the next 7 days:" +msgstr "Veranstaltungen der nächsten 7 Tage:" -#: src/Module/Contact.php:496 +#: src/Model/Profile.php:818 #, php-format -msgid "You are mutual friends with %s" -msgstr "Du hast mit %s eine beidseitige Freundschaft" +msgid "OpenWebAuth: %1$s welcomes %2$s" +msgstr "OpenWebAuth: %1$s heißt %2$s herzlich willkommen" -#: src/Module/Contact.php:500 +#: src/Model/Storage/Database.php:74 #, php-format -msgid "You are sharing with %s" -msgstr "Du teilst mit %s" +msgid "Database storage failed to update %s" +msgstr "Datenbankspeicher konnte nicht aktualisiert werden %s" -#: src/Module/Contact.php:504 +#: src/Model/Storage/Database.php:82 +msgid "Database storage failed to insert data" +msgstr "Der Datenbankspeicher konnte keine Daten einfügen" + +#: src/Model/Storage/Filesystem.php:100 #, php-format -msgid "%s is sharing with you" -msgstr "%s teilt mit dir" +msgid "Filesystem storage failed to create \"%s\". Check you write permissions." +msgstr "Dateisystemspeicher konnte nicht erstellt werden \"%s\". Überprüfe, ob du Schreibberechtigungen hast." -#: src/Module/Contact.php:528 -msgid "Private communications are not available for this contact." -msgstr "Private Kommunikation ist für diesen Kontakt nicht verfügbar." - -#: src/Module/Contact.php:530 -msgid "Never" -msgstr "Niemals" - -#: src/Module/Contact.php:533 -msgid "(Update was not successful)" -msgstr "(Aktualisierung war nicht erfolgreich)" - -#: src/Module/Contact.php:533 -msgid "(Update was successful)" -msgstr "(Aktualisierung war erfolgreich)" - -#: src/Module/Contact.php:535 src/Module/Contact.php:1136 -msgid "Suggest friends" -msgstr "Kontakte vorschlagen" - -#: src/Module/Contact.php:539 -#, php-format -msgid "Network type: %s" -msgstr "Netzwerktyp: %s" - -#: src/Module/Contact.php:544 -msgid "Communications lost with this contact!" -msgstr "Verbindungen mit diesem Kontakt verloren!" - -#: src/Module/Contact.php:550 -msgid "Fetch further information for feeds" -msgstr "Weitere Informationen zu Feeds holen" - -#: src/Module/Contact.php:552 -msgid "" -"Fetch information like preview pictures, title and teaser from the feed " -"item. You can activate this if the feed doesn't contain much text. Keywords " -"are taken from the meta header in the feed item and are posted as hash tags." -msgstr "Zusätzliche Informationen wie Vorschaubilder, Titel und Zusammenfassungen vom Feed-Eintrag laden. Du kannst diese Option aktivieren, wenn der Feed nicht allzu viel Text beinhaltet. Schlagwörter werden aus den Meta-Informationen des Feed-Headers bezogen und als Hash-Tags verwendet." - -#: src/Module/Contact.php:554 src/Module/Admin/Site.php:702 -#: src/Module/Admin/Site.php:712 src/Module/Settings/TwoFactor/Index.php:113 -msgid "Disabled" -msgstr "Deaktiviert" - -#: src/Module/Contact.php:555 -msgid "Fetch information" -msgstr "Beziehe Information" - -#: src/Module/Contact.php:556 -msgid "Fetch keywords" -msgstr "Schlüsselwörter abrufen" - -#: src/Module/Contact.php:557 -msgid "Fetch information and keywords" -msgstr "Beziehe Information und Schlüsselworte" - -#: src/Module/Contact.php:569 src/Module/Contact.php:573 -#: src/Module/Contact.php:576 src/Module/Contact.php:580 -msgid "No mirroring" -msgstr "Kein Spiegeln" - -#: src/Module/Contact.php:570 -msgid "Mirror as forwarded posting" -msgstr "Spiegeln als weitergeleitete Beiträge" - -#: src/Module/Contact.php:571 src/Module/Contact.php:577 -#: src/Module/Contact.php:581 -msgid "Mirror as my own posting" -msgstr "Spiegeln als meine eigenen Beiträge" - -#: src/Module/Contact.php:574 src/Module/Contact.php:578 -msgid "Native reshare" -msgstr "Natives Teilen" - -#: src/Module/Contact.php:593 -msgid "Contact Information / Notes" -msgstr "Kontakt-Informationen / -Notizen" - -#: src/Module/Contact.php:594 -msgid "Contact Settings" -msgstr "Kontakteinstellungen" - -#: src/Module/Contact.php:602 -msgid "Contact" -msgstr "Kontakt" - -#: src/Module/Contact.php:606 -msgid "Their personal note" -msgstr "Die persönliche Mitteilung" - -#: src/Module/Contact.php:608 -msgid "Edit contact notes" -msgstr "Notizen zum Kontakt bearbeiten" - -#: src/Module/Contact.php:611 src/Module/Contact.php:1104 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "Besuche %ss Profil [%s]" - -#: src/Module/Contact.php:612 -msgid "Block/Unblock contact" -msgstr "Kontakt blockieren/freischalten" - -#: src/Module/Contact.php:613 -msgid "Ignore contact" -msgstr "Ignoriere den Kontakt" - -#: src/Module/Contact.php:614 -msgid "View conversations" -msgstr "Unterhaltungen anzeigen" - -#: src/Module/Contact.php:619 -msgid "Last update:" -msgstr "Letzte Aktualisierung: " - -#: src/Module/Contact.php:621 -msgid "Update public posts" -msgstr "Öffentliche Beiträge aktualisieren" - -#: src/Module/Contact.php:623 src/Module/Contact.php:1146 -msgid "Update now" -msgstr "Jetzt aktualisieren" - -#: src/Module/Contact.php:625 src/Module/Contact.php:883 -#: src/Module/Contact.php:1165 src/Module/Admin/Users/Index.php:156 -#: src/Module/Admin/Users/Blocked.php:142 -#: src/Module/Admin/Blocklist/Contact.php:85 -msgid "Unblock" -msgstr "Entsperren" - -#: src/Module/Contact.php:626 src/Module/Contact.php:884 -#: src/Module/Contact.php:1173 -msgid "Unignore" -msgstr "Ignorieren aufheben" - -#: src/Module/Contact.php:630 -msgid "Currently blocked" -msgstr "Derzeit geblockt" - -#: src/Module/Contact.php:631 -msgid "Currently ignored" -msgstr "Derzeit ignoriert" - -#: src/Module/Contact.php:632 -msgid "Currently archived" -msgstr "Momentan archiviert" - -#: src/Module/Contact.php:633 -msgid "Awaiting connection acknowledge" -msgstr "Bedarf der Bestätigung des Kontakts" - -#: src/Module/Contact.php:634 -msgid "" -"Replies/likes to your public posts may still be visible" -msgstr "Antworten/Likes auf deine öffentlichen Beiträge könnten weiterhin sichtbar sein" - -#: src/Module/Contact.php:635 -msgid "Notification for new posts" -msgstr "Benachrichtigung bei neuen Beiträgen" - -#: src/Module/Contact.php:635 -msgid "Send a notification of every new post of this contact" -msgstr "Sende eine Benachrichtigung, wann immer dieser Kontakt einen neuen Beitrag schreibt." - -#: src/Module/Contact.php:637 -msgid "Keyword Deny List" -msgstr "Liste der gesperrten Schlüsselwörter" - -#: src/Module/Contact.php:637 -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" - -#: src/Module/Contact.php:653 src/Module/Settings/TwoFactor/Index.php:127 -msgid "Actions" -msgstr "Aktionen" - -#: src/Module/Contact.php:660 -msgid "Mirror postings from this contact" -msgstr "Spiegle Beiträge dieses Kontakts" - -#: src/Module/Contact.php:662 -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 (spiegeln)." - -#: src/Module/Contact.php:791 src/Module/Group.php:292 -#: src/Content/Widget.php:246 -msgid "All Contacts" -msgstr "Alle Kontakte" - -#: src/Module/Contact.php:794 -msgid "Show all contacts" -msgstr "Alle Kontakte anzeigen" - -#: src/Module/Contact.php:799 src/Module/Contact.php:859 -#: src/Module/Admin/BaseUsers.php:66 -msgid "Pending" -msgstr "Ausstehend" - -#: src/Module/Contact.php:802 -msgid "Only show pending contacts" -msgstr "Zeige nur noch ausstehende Kontakte." - -#: src/Module/Contact.php:807 src/Module/Contact.php:860 -#: src/Module/Admin/BaseUsers.php:74 -msgid "Blocked" -msgstr "Geblockt" - -#: src/Module/Contact.php:810 -msgid "Only show blocked contacts" -msgstr "Nur blockierte Kontakte anzeigen" - -#: src/Module/Contact.php:815 src/Module/Contact.php:862 -msgid "Ignored" -msgstr "Ignoriert" - -#: src/Module/Contact.php:818 -msgid "Only show ignored contacts" -msgstr "Nur ignorierte Kontakte anzeigen" - -#: src/Module/Contact.php:823 src/Module/Contact.php:863 -msgid "Archived" -msgstr "Archiviert" - -#: src/Module/Contact.php:826 -msgid "Only show archived contacts" -msgstr "Nur archivierte Kontakte anzeigen" - -#: src/Module/Contact.php:831 src/Module/Contact.php:861 -msgid "Hidden" -msgstr "Verborgen" - -#: src/Module/Contact.php:834 -msgid "Only show hidden contacts" -msgstr "Nur verborgene Kontakte anzeigen" - -#: src/Module/Contact.php:842 -msgid "Organize your contact groups" -msgstr "Verwalte deine Kontaktgruppen" - -#: src/Module/Contact.php:853 src/Content/Widget.php:238 -#: src/BaseModule.php:189 -msgid "Following" -msgstr "Gefolgte" - -#: src/Module/Contact.php:854 src/Content/Widget.php:239 -#: src/BaseModule.php:194 -msgid "Mutual friends" -msgstr "Beidseitige Freundschaft" - -#: src/Module/Contact.php:874 -msgid "Search your contacts" -msgstr "Suche in deinen Kontakten" - -#: src/Module/Contact.php:875 src/Module/Search/Index.php:192 -#, php-format -msgid "Results for: %s" -msgstr "Ergebnisse für: %s" - -#: src/Module/Contact.php:885 src/Module/Contact.php:1182 -msgid "Archive" -msgstr "Archivieren" - -#: src/Module/Contact.php:885 src/Module/Contact.php:1182 -msgid "Unarchive" -msgstr "Aus Archiv zurückholen" - -#: src/Module/Contact.php:888 -msgid "Batch Actions" -msgstr "Stapelverarbeitung" - -#: src/Module/Contact.php:923 -msgid "Conversations started by this contact" -msgstr "Unterhaltungen, die von diesem Kontakt begonnen wurden" - -#: src/Module/Contact.php:928 -msgid "Posts and Comments" -msgstr "Statusnachrichten und Kommentare" - -#: src/Module/Contact.php:939 src/Module/BaseProfile.php:55 -msgid "Profile Details" -msgstr "Profildetails" - -#: src/Module/Contact.php:946 -msgid "View all known contacts" -msgstr "Alle bekannten Kontakte anzeigen" - -#: src/Module/Contact.php:956 -msgid "Advanced Contact Settings" -msgstr "Fortgeschrittene Kontakteinstellungen" - -#: src/Module/Contact.php:1063 -msgid "Mutual Friendship" -msgstr "Beidseitige Freundschaft" - -#: src/Module/Contact.php:1067 -msgid "is a fan of yours" -msgstr "ist ein Fan von dir" - -#: src/Module/Contact.php:1071 -msgid "you are a fan of" -msgstr "Du bist Fan von" - -#: src/Module/Contact.php:1089 -msgid "Pending outgoing contact request" -msgstr "Ausstehende ausgehende Kontaktanfrage" - -#: src/Module/Contact.php:1091 -msgid "Pending incoming contact request" -msgstr "Ausstehende eingehende Kontaktanfrage" - -#: src/Module/Contact.php:1156 -msgid "Refetch contact data" -msgstr "Kontaktdaten neu laden" - -#: src/Module/Contact.php:1167 -msgid "Toggle Blocked status" -msgstr "Geblockt-Status ein-/ausschalten" - -#: src/Module/Contact.php:1175 -msgid "Toggle Ignored status" -msgstr "Ignoriert-Status ein-/ausschalten" - -#: src/Module/Contact.php:1184 -msgid "Toggle Archive status" -msgstr "Archiviert-Status ein-/ausschalten" - -#: src/Module/Contact.php:1192 -msgid "Delete contact" -msgstr "Lösche den Kontakt" - -#: src/Module/Tos.php:46 src/Module/Tos.php:88 -msgid "" -"At the time of registration, and for providing communications between the " -"user account and their contacts, the user has to provide a display name (pen" -" name), an username (nickname) and a working email address. The names will " -"be accessible on the profile page of the account by any visitor of the page," -" even if other profile details are not displayed. The email address will " -"only be used to send the user notifications about interactions, but wont be " -"visibly displayed. The listing of an account in the node's user directory or" -" the global user directory is optional and can be controlled in the user " -"settings, it is not necessary for communication." -msgstr "Zum Zwecke der Registrierung und um die Kommunikation zwischen dem Nutzer und seinen Kontakten zu gewährleisten, muß der Nutzer einen Namen (auch Pseudonym) und einen Nutzernamen (Spitzname) sowie eine funktionierende E-Mail-Adresse angeben. Der Name ist auf der Profilseite für alle Nutzer sichtbar, auch wenn die Profildetails nicht angezeigt werden.\nDie E-Mail-Adresse wird nur zur Benachrichtigung des Nutzers verwendet, sie wird nirgends angezeigt. Die Anzeige des Nutzerkontos im Server-Verzeichnis bzw. dem weltweiten Verzeichnis erfolgt gemäß den Einstellungen des Nutzers, sie ist zur Kommunikation nicht zwingend notwendig." - -#: src/Module/Tos.php:47 src/Module/Tos.php:89 -msgid "" -"This data is required for communication and is passed on to the nodes of the" -" communication partners and is stored there. Users can enter additional " -"private data that may be transmitted to the communication partners accounts." -msgstr "Diese Daten sind für die Kommunikation notwendig und werden an die Knoten der Kommunikationspartner übermittelt und dort gespeichert. Nutzer können weitere, private Angaben machen, die ebenfalls an die verwendeten Server der Kommunikationspartner übermittelt werden können." - -#: src/Module/Tos.php:48 src/Module/Tos.php:90 +#: src/Model/Storage/Filesystem.php:148 #, php-format msgid "" -"At any point in time a logged in user can export their account data from the" -" account settings. If the user " -"wants to delete their account they can do so at %1$s/removeme. The deletion of the account will " -"be permanent. Deletion of the data will also be requested from the nodes of " -"the communication partners." -msgstr "Angemeldete Nutzer können ihre Nutzerdaten jederzeit von den Kontoeinstellungen aus exportieren. Wenn ein Nutzer wünscht das Nutzerkonto zu löschen, so ist dies jederzeit unter %1$s/removeme möglich. Die Löschung des Nutzerkontos ist permanent. Die Löschung der Daten wird auch von den Knoten der Kommunikationspartner angefordert." +"Filesystem storage failed to save data to \"%s\". Check your write " +"permissions" +msgstr "Der Dateisystemspeicher konnte die Daten nicht in \"%s\" speichern. Überprüfe Deine Schreibberechtigungen" -#: src/Module/Tos.php:51 src/Module/Tos.php:87 -msgid "Privacy Statement" -msgstr "Datenschutzerklärung" +#: src/Model/Storage/Filesystem.php:176 +msgid "Storage base path" +msgstr "Dateipfad zum Speicher" -#: src/Module/Help.php:62 -msgid "Help:" -msgstr "Hilfe:" - -#: src/Module/HTTPException/MethodNotAllowed.php:32 -msgid "Method Not Allowed." -msgstr "Methode nicht erlaubt." - -#: src/Module/Api/Twitter/ContactEndpoint.php:135 -msgid "Profile not found" -msgstr "Profil wurde nicht gefunden" - -#: src/Module/Api/Mastodon/Unimplemented.php:42 -#, php-format -msgid "API endpoint \"%s\" is not implemented" -msgstr "API endpoint \"%s\" is not implemented" - -#: src/Module/Api/Mastodon/Unimplemented.php:43 +#: src/Model/Storage/Filesystem.php:178 msgid "" -"The API endpoint is currently not implemented but might be in the future." -msgstr "The API endpoint is currently not implemented but might be in the future." +"Folder where uploaded files are saved. For maximum security, This should be " +"a path outside web server folder tree" +msgstr "Verzeichnis, in das Dateien hochgeladen werden. Für maximale Sicherheit sollte dies ein Pfad außerhalb der Webserver-Verzeichnisstruktur sein" -#: src/Module/Invite.php:55 -msgid "Total invitation limit exceeded." -msgstr "Limit für Einladungen erreicht." +#: src/Model/Storage/Filesystem.php:191 +msgid "Enter a valid existing folder" +msgstr "Gib einen gültigen, existierenden Ordner ein" -#: src/Module/Invite.php:78 -#, php-format -msgid "%s : Not a valid email address." -msgstr "%s: Keine gültige Email Adresse." +#: src/Model/User.php:186 src/Model/User.php:931 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "FATALER FEHLER: Sicherheitsschlüssel konnten nicht erzeugt werden." -#: src/Module/Invite.php:105 -msgid "Please join us on Friendica" -msgstr "Ich lade dich zu unserem sozialen Netzwerk Friendica ein" +#: src/Model/User.php:549 +msgid "Login failed" +msgstr "Anmeldung fehlgeschlagen" -#: src/Module/Invite.php:114 -msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "Limit für Einladungen erreicht. Bitte kontaktiere des Administrator der Seite." +#: src/Model/User.php:581 +msgid "Not enough information to authenticate" +msgstr "Nicht genügend Informationen für die Authentifizierung" -#: src/Module/Invite.php:118 -#, php-format -msgid "%s : Message delivery failed." -msgstr "%s: Zustellung der Nachricht fehlgeschlagen." +#: src/Model/User.php:676 +msgid "Password can't be empty" +msgstr "Das Passwort kann nicht leer sein" -#: src/Module/Invite.php:122 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d Nachricht gesendet." -msgstr[1] "%d Nachrichten gesendet." +#: src/Model/User.php:695 +msgid "Empty passwords are not allowed." +msgstr "Leere Passwörter sind nicht erlaubt." -#: src/Module/Invite.php:140 -msgid "You have no more invitations available" -msgstr "Du hast keine weiteren Einladungen" +#: src/Model/User.php:699 +msgid "" +"The new password has been exposed in a public data dump, please choose " +"another." +msgstr "Das neue Passwort wurde in einem öffentlichen Daten-Dump veröffentlicht. Bitte verwende ein anderes Passwort." -#: src/Module/Invite.php:147 +#: src/Model/User.php:705 +msgid "" +"The password can't contain accentuated letters, white spaces or colons (:)" +msgstr "Das Passwort darf keine akzentuierten Buchstaben, Leerzeichen oder Doppelpunkte (:) beinhalten" + +#: src/Model/User.php:811 +msgid "Passwords do not match. Password unchanged." +msgstr "Die Passwörter stimmen nicht überein. Das Passwort bleibt unverändert." + +#: src/Model/User.php:818 +msgid "An invitation is required." +msgstr "Du benötigst eine Einladung." + +#: src/Model/User.php:822 +msgid "Invitation could not be verified." +msgstr "Die Einladung konnte nicht überprüft werden." + +#: src/Model/User.php:830 +msgid "Invalid OpenID url" +msgstr "Ungültige OpenID URL" + +#: src/Model/User.php:843 src/Security/Authentication.php:224 +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." + +#: src/Model/User.php:843 src/Security/Authentication.php:224 +msgid "The error message was:" +msgstr "Die Fehlermeldung lautete:" + +#: src/Model/User.php:849 +msgid "Please enter the required information." +msgstr "Bitte trage die erforderlichen Informationen ein." + +#: src/Model/User.php:863 #, 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." +"system.username_min_length (%s) and system.username_max_length (%s) are " +"excluding each other, swapping values." +msgstr "system.username_min_length (%s) and system.username_max_length (%s) schließen sich gegenseitig aus, tausche Werte aus." -#: src/Module/Invite.php:149 +#: src/Model/User.php:870 +#, php-format +msgid "Username should be at least %s character." +msgid_plural "Username should be at least %s characters." +msgstr[0] "Der Benutzername sollte aus mindestens %s Zeichen bestehen." +msgstr[1] "Der Benutzername sollte aus mindestens %s Zeichen bestehen." + +#: src/Model/User.php:874 +#, php-format +msgid "Username should be at most %s character." +msgid_plural "Username should be at most %s characters." +msgstr[0] "Der Benutzername sollte aus maximal %s Zeichen bestehen." +msgstr[1] "Der Benutzername sollte aus maximal %s Zeichen bestehen." + +#: src/Model/User.php:882 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "Das scheint nicht dein kompletter Name (Vor- und Nachname) zu sein." + +#: src/Model/User.php:887 +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." + +#: src/Model/User.php:891 +msgid "Not a valid email address." +msgstr "Keine gültige E-Mail-Adresse." + +#: src/Model/User.php:894 +msgid "The nickname was blocked from registration by the nodes admin." +msgstr "Der Admin des Knotens hat den Spitznamen für die Registrierung gesperrt." + +#: src/Model/User.php:898 src/Model/User.php:906 +msgid "Cannot use that email." +msgstr "Konnte diese E-Mail-Adresse nicht verwenden." + +#: src/Model/User.php:913 +msgid "Your nickname can only contain a-z, 0-9 and _." +msgstr "Dein Spitzname darf nur aus Buchstaben und Zahlen (\"a-z\",\"0-9\" und \"_\") bestehen." + +#: src/Model/User.php:921 src/Model/User.php:978 +msgid "Nickname is already registered. Please choose another." +msgstr "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen." + +#: src/Model/User.php:965 src/Model/User.php:969 +msgid "An error occurred during registration. Please try again." +msgstr "Während der Anmeldung ist ein Fehler aufgetreten. Bitte versuche es noch einmal." + +#: src/Model/User.php:992 +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." + +#: src/Model/User.php:999 +msgid "An error occurred creating your self contact. Please try again." +msgstr "Bei der Erstellung deines self-Kontakts ist ein Fehler aufgetreten. Bitte versuche es erneut." + +#: src/Model/User.php:1004 +msgid "Friends" +msgstr "Kontakte" + +#: src/Model/User.php:1008 +msgid "" +"An error occurred creating your default contact group. Please try again." +msgstr "Bei der Erstellung deiner Standardgruppe für Kontakte ist ein Fehler aufgetreten. Bitte versuche es erneut." + +#: src/Model/User.php:1199 #, 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." +"\n" +"\t\tDear %1$s,\n" +"\t\t\tthe administrator of %2$s has set up an account for you." +msgstr "\nHallo %1$s\nein Admin von %2$s hat dir ein Nutzerkonto angelegt." -#: src/Module/Invite.php:150 +#: src/Model/User.php:1202 #, 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." +"\n" +"\t\tThe login details are as follows:\n" +"\n" +"\t\tSite Location:\t%1$s\n" +"\t\tLogin Name:\t\t%2$s\n" +"\t\tPassword:\t\t%3$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" +"\t\tIf you ever want to delete your account, you can do so at %1$s/removeme\n" +"\n" +"\t\tThank you and welcome to %4$s." +msgstr "\nNachfolgend die Anmeldedetails:\n\nAdresse der Seite: %1$s\nBenutzername: %2$s\nPasswort: %3$s\n\nDu kannst dein Passwort unter \"Einstellungen\" ändern, sobald du dich angemeldet hast.Bitte nimm dir ein paar Minuten, um die anderen Einstellungen auf dieser Seite zu kontrollieren.Eventuell magst du ja auch einige Informationen über dich in deinem Profil veröffentlichen, damit andere Leute dich einfacher finden können.Bearbeite hierfür einfach dein Standard-Profil (über die Profil-Seite).Wir empfehlen dir, deinen kompletten Namen anzugeben und ein zu dir passendes Profilbild zu wählen, damit dich alte Bekannte wiederfinden.Außerdem ist es nützlich, wenn du auf deinem Profil Schlüsselwörter angibst. Das erleichtert es, Leute zu finden, die deine Interessen teilen.Wir respektieren deine Privatsphäre - keine dieser Angaben ist nötig.Wenn du neu im Netzwerk bist und noch niemanden kennst, dann können sie allerdings dabei helfen, neue und interessante Kontakte zu knüpfen.\n\nDu kannst dein Nutzerkonto jederzeit unter %1$s/removeme wieder löschen.\n\nDanke und willkommen auf %4$s." -#: src/Module/Invite.php:154 -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." - -#: src/Module/Invite.php:157 -msgid "" -"Friendica sites all inter-connect to create a huge privacy-enhanced social " -"web that is owned and controlled by its members. They can also connect with " -"many traditional social networks." -msgstr "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." - -#: src/Module/Invite.php:156 +#: src/Model/User.php:1235 src/Model/User.php:1342 #, php-format -msgid "To accept this invitation, please visit and register at %s." -msgstr "Um diese Kontaktanfrage zu akzeptieren, besuche und registriere dich bitte bei %s." +msgid "Registration details for %s" +msgstr "Details der Registration von %s" -#: src/Module/Invite.php:164 -msgid "Send invitations" -msgstr "Einladungen senden" - -#: src/Module/Invite.php:165 -msgid "Enter email addresses, one per line:" -msgstr "E-Mail-Adressen eingeben, eine pro Zeile:" - -#: src/Module/Invite.php:169 -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." - -#: src/Module/Invite.php:171 -msgid "You will need to supply this invitation code: $invite_code" -msgstr "Du benötigst den folgenden Einladungscode: $invite_code" - -#: src/Module/Invite.php:171 -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:" - -#: src/Module/Invite.php:173 -msgid "" -"For more information about the Friendica project and why we feel it is " -"important, please visit http://friendi.ca" -msgstr "Für weitere Informationen über das Friendica-Projekt und warum wir es für ein wichtiges Projekt halten, besuche bitte http://friendi.ca." - -#: src/Module/BaseSearch.php:69 +#: src/Model/User.php:1255 #, php-format -msgid "People Search - %s" -msgstr "Personensuche - %s" +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tThank you for registering at %2$s. Your account is pending for approval by the administrator.\n" +"\n" +"\t\t\tYour login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%3$s\n" +"\t\t\tLogin Name:\t\t%4$s\n" +"\t\t\tPassword:\t\t%5$s\n" +"\t\t" +msgstr "\n\t\t\tHallo %1$s,\n\t\t\t\tdanke für deine Registrierung auf %2$s. Dein Account muss noch vom Admin des Knotens freigeschaltet werden.\n\n\t\t\tDeine Zugangsdaten lauten wie folgt:\n\n\t\t\tSeitenadresse:\t%3$s\n\t\t\tAnmeldename:\t\t%4$s\n\t\t\tPasswort:\t\t%5$s\n\t\t" -#: src/Module/BaseSearch.php:79 +#: src/Model/User.php:1274 #, php-format -msgid "Forum Search - %s" -msgstr "Forensuche - %s" +msgid "Registration at %s" +msgstr "Registrierung als %s" + +#: src/Model/User.php:1298 +#, php-format +msgid "" +"\n" +"\t\t\t\tDear %1$s,\n" +"\t\t\t\tThank you for registering at %2$s. Your account has been created.\n" +"\t\t\t" +msgstr "\n\t\t\t\tHallo %1$s,\n\t\t\t\tDanke für die Registrierung auf %2$s. Dein Account wurde angelegt.\n\t\t\t" + +#: src/Model/User.php:1306 +#, php-format +msgid "" +"\n" +"\t\t\tThe login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%3$s\n" +"\t\t\tLogin Name:\t\t%1$s\n" +"\t\t\tPassword:\t\t%5$s\n" +"\n" +"\t\t\tYou may change your password from your account \"Settings\" page after logging\n" +"\t\t\tin.\n" +"\n" +"\t\t\tPlease take a few moments to review the other account settings on that page.\n" +"\n" +"\t\t\tYou may also wish to add some basic information to your default profile\n" +"\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" +"\n" +"\t\t\tWe recommend setting your full name, adding a profile photo,\n" +"\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" +"\t\t\tperhaps what country you live in; if you do not wish to be more specific\n" +"\t\t\tthan that.\n" +"\n" +"\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n" +"\t\t\tIf you are new and do not know anybody here, they may help\n" +"\t\t\tyou to make some new and interesting friends.\n" +"\n" +"\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n" +"\n" +"\t\t\tThank you and welcome to %2$s." +msgstr "\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 wiederfinden.\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\nSolltest du dein Nutzerkonto löschen wollen, kannst du dies unter %3$s/removeme jederzeit tun.\n\nDanke für deine Aufmerksamkeit und willkommen auf %2$s." + +#: src/Module/Admin/Addons/Details.php:65 +msgid "Addon not found." +msgstr "Addon nicht gefunden." + +#: src/Module/Admin/Addons/Details.php:76 src/Module/Admin/Addons/Index.php:49 +#, php-format +msgid "Addon %s disabled." +msgstr "Addon %s ausgeschaltet." + +#: src/Module/Admin/Addons/Details.php:79 src/Module/Admin/Addons/Index.php:51 +#, php-format +msgid "Addon %s enabled." +msgstr "Addon %s eingeschaltet." -#: src/Module/Admin/Themes/Details.php:46 #: src/Module/Admin/Addons/Details.php:88 +#: src/Module/Admin/Themes/Details.php:46 msgid "Disable" msgstr "Ausschalten" -#: src/Module/Admin/Themes/Details.php:49 #: src/Module/Admin/Addons/Details.php:91 +#: src/Module/Admin/Themes/Details.php:49 msgid "Enable" msgstr "Einschalten" -#: src/Module/Admin/Themes/Details.php:57 src/Module/Admin/Themes/Index.php:65 -#, php-format -msgid "Theme %s disabled." -msgstr "Theme %s deaktiviert." - -#: src/Module/Admin/Themes/Details.php:59 src/Module/Admin/Themes/Index.php:67 -#, php-format -msgid "Theme %s successfully enabled." -msgstr "Theme %s erfolgreich aktiviert." - -#: src/Module/Admin/Themes/Details.php:61 src/Module/Admin/Themes/Index.php:69 -#, php-format -msgid "Theme %s failed to install." -msgstr "Theme %s konnte nicht aktiviert werden." - -#: src/Module/Admin/Themes/Details.php:83 -msgid "Screenshot" -msgstr "Bildschirmfoto" - -#: src/Module/Admin/Themes/Details.php:90 -#: src/Module/Admin/Themes/Index.php:111 src/Module/Admin/Queue.php:72 -#: src/Module/Admin/Federation.php:140 src/Module/Admin/Logs/View.php:64 -#: src/Module/Admin/Logs/Settings.php:80 src/Module/Admin/Site.php:595 -#: src/Module/Admin/Summary.php:230 src/Module/Admin/Users/Create.php:61 -#: src/Module/Admin/Users/Pending.php:101 src/Module/Admin/Users/Index.php:149 -#: src/Module/Admin/Users/Active.php:136 -#: src/Module/Admin/Users/Blocked.php:137 -#: src/Module/Admin/Users/Deleted.php:85 src/Module/Admin/Tos.php:58 -#: src/Module/Admin/Blocklist/Server.php:88 -#: src/Module/Admin/Blocklist/Contact.php:78 -#: src/Module/Admin/Item/Delete.php:65 src/Module/Admin/Addons/Details.php:111 +#: src/Module/Admin/Addons/Details.php:111 #: src/Module/Admin/Addons/Index.php:67 +#: src/Module/Admin/Blocklist/Contact.php:78 +#: src/Module/Admin/Blocklist/Server.php:88 +#: src/Module/Admin/Federation.php:140 src/Module/Admin/Item/Delete.php:65 +#: src/Module/Admin/Logs/Settings.php:80 src/Module/Admin/Logs/View.php:64 +#: src/Module/Admin/Queue.php:72 src/Module/Admin/Site.php:579 +#: src/Module/Admin/Summary.php:230 src/Module/Admin/Themes/Details.php:90 +#: src/Module/Admin/Themes/Index.php:111 src/Module/Admin/Tos.php:58 +#: src/Module/Admin/Users/Active.php:136 +#: src/Module/Admin/Users/Blocked.php:137 src/Module/Admin/Users/Create.php:61 +#: src/Module/Admin/Users/Deleted.php:85 src/Module/Admin/Users/Index.php:149 +#: src/Module/Admin/Users/Pending.php:101 msgid "Administration" msgstr "Administration" -#: src/Module/Admin/Themes/Details.php:92 +#: src/Module/Admin/Addons/Details.php:112 +#: src/Module/Admin/Addons/Index.php:68 src/Module/BaseAdmin.php:92 +#: src/Module/BaseSettings.php:87 +msgid "Addons" +msgstr "Addons" + #: src/Module/Admin/Addons/Details.php:113 +#: src/Module/Admin/Themes/Details.php:92 msgid "Toggle" msgstr "Umschalten" -#: src/Module/Admin/Themes/Details.php:101 #: src/Module/Admin/Addons/Details.php:121 +#: src/Module/Admin/Themes/Details.php:101 msgid "Author: " msgstr "Autor:" -#: src/Module/Admin/Themes/Details.php:102 #: src/Module/Admin/Addons/Details.php:122 +#: src/Module/Admin/Themes/Details.php:102 msgid "Maintainer: " msgstr "Betreuer:" -#: src/Module/Admin/Themes/Embed.php:65 -msgid "Unknown theme." -msgstr "Unbekanntes Theme" +#: src/Module/Admin/Addons/Index.php:42 +msgid "Addons reloaded" +msgstr "Addons neu geladen" -#: src/Module/Admin/Themes/Index.php:51 -msgid "Themes reloaded" -msgstr "Themes wurden neu geladen" - -#: src/Module/Admin/Themes/Index.php:114 -msgid "Reload active themes" -msgstr "Aktives Theme neu laden" - -#: src/Module/Admin/Themes/Index.php:119 +#: src/Module/Admin/Addons/Index.php:53 #, php-format -msgid "No themes found on the system. They should be placed in %1$s" -msgstr "Es wurden keine Themes auf dem System gefunden. Diese sollten in %1$s platziert werden." +msgid "Addon %s failed to install." +msgstr "Addon %s konnte nicht installiert werden" -#: src/Module/Admin/Themes/Index.php:120 -msgid "[Experimental]" -msgstr "[Experimentell]" +#: src/Module/Admin/Addons/Index.php:70 +msgid "Reload active addons" +msgstr "Aktivierte Addons neu laden" -#: src/Module/Admin/Themes/Index.php:121 -msgid "[Unsupported]" -msgstr "[Nicht unterstützt]" - -#: src/Module/Admin/Features.php:76 +#: src/Module/Admin/Addons/Index.php:75 #, php-format -msgid "Lock feature %s" -msgstr "Feature festlegen: %s" - -#: src/Module/Admin/Features.php:85 -msgid "Manage Additional Features" -msgstr "Zusätzliche Features Verwalten" - -#: src/Module/Admin/Queue.php:50 -msgid "Inspect Deferred Worker Queue" -msgstr "Verzögerte Worker-Warteschlange inspizieren" - -#: src/Module/Admin/Queue.php:51 msgid "" -"This page lists the deferred worker jobs. This are jobs that couldn't be " -"executed at the first time." -msgstr "Auf dieser Seite werden die aufgeschobenen Worker-Jobs aufgelistet. Dies sind Jobs, die beim ersten Mal nicht ausgeführt werden konnten." - -#: src/Module/Admin/Queue.php:54 -msgid "Inspect Worker Queue" -msgstr "Worker-Warteschlange inspizieren" - -#: src/Module/Admin/Queue.php:55 -msgid "" -"This page lists the currently queued worker jobs. These jobs are handled by " -"the worker cronjob you've set up during install." -msgstr "Auf dieser Seite werden die derzeit in der Warteschlange befindlichen Worker-Jobs aufgelistet. Diese Jobs werden vom Cronjob verarbeitet, den du während der Installation eingerichtet hast." - -#: src/Module/Admin/Queue.php:75 -msgid "ID" -msgstr "ID" - -#: src/Module/Admin/Queue.php:76 -msgid "Job Parameters" -msgstr "Parameter der Aufgabe" - -#: src/Module/Admin/Queue.php:77 -msgid "Created" -msgstr "Erstellt" - -#: src/Module/Admin/Queue.php:78 -msgid "Priority" -msgstr "Priorität" - -#: src/Module/Admin/BaseUsers.php:50 src/Content/Widget.php:544 -msgid "All" -msgstr "Alle" +"There are currently no addons available on your node. You can find the " +"official addon repository at %1$s and might find other interesting addons in" +" the open addon registry at %2$s" +msgstr "Es sind derzeit keine Addons auf diesem Knoten verfügbar. Du findest das offizielle Addon-Repository unter %1$s und weitere eventuell interessante Addons im offenen Addon-Verzeichnis auf %2$s." #: src/Module/Admin/BaseUsers.php:53 msgid "List of all users" @@ -6814,10 +5284,20 @@ msgstr "Aktive" msgid "List of active accounts" msgstr "Liste der aktiven Benutzerkonten" +#: src/Module/Admin/BaseUsers.php:66 src/Module/Contact.php:799 +#: src/Module/Contact.php:859 +msgid "Pending" +msgstr "Ausstehend" + #: src/Module/Admin/BaseUsers.php:69 msgid "List of pending registrations" msgstr "Liste der anstehenden Benutzerkonten" +#: src/Module/Admin/BaseUsers.php:74 src/Module/Contact.php:807 +#: src/Module/Contact.php:860 +msgid "Blocked" +msgstr "Geblockt" + #: src/Module/Admin/BaseUsers.php:77 msgid "List of blocked users" msgstr "Liste der geblockten Benutzer" @@ -6838,6 +5318,172 @@ msgstr "Privates Forum" msgid "Relay" msgstr "Relais" +#: src/Module/Admin/Blocklist/Contact.php:57 +#, php-format +msgid "%s contact unblocked" +msgid_plural "%s contacts unblocked" +msgstr[0] "%sKontakt wieder freigegeben" +msgstr[1] "%sKontakte wieder freigegeben" + +#: src/Module/Admin/Blocklist/Contact.php:79 +msgid "Remote Contact Blocklist" +msgstr "Blockliste entfernter Kontakte" + +#: src/Module/Admin/Blocklist/Contact.php:80 +msgid "" +"This page allows you to prevent any message from a remote contact to reach " +"your node." +msgstr "Auf dieser Seite kannst du Accounts von anderen Knoten blockieren und damit verhindern, dass ihre Beiträge von deinem Knoten angenommen werden." + +#: src/Module/Admin/Blocklist/Contact.php:81 +msgid "Block Remote Contact" +msgstr "Blockiere entfernten Kontakt" + +#: src/Module/Admin/Blocklist/Contact.php:82 +#: src/Module/Admin/Users/Active.php:138 +#: src/Module/Admin/Users/Blocked.php:139 src/Module/Admin/Users/Index.php:151 +#: src/Module/Admin/Users/Pending.php:103 +msgid "select all" +msgstr "Alle auswählen" + +#: src/Module/Admin/Blocklist/Contact.php:83 +msgid "select none" +msgstr "Auswahl aufheben" + +#: src/Module/Admin/Blocklist/Contact.php:85 +#: src/Module/Admin/Users/Blocked.php:142 src/Module/Admin/Users/Index.php:156 +#: src/Module/Contact.php:625 src/Module/Contact.php:883 +#: src/Module/Contact.php:1165 +msgid "Unblock" +msgstr "Entsperren" + +#: src/Module/Admin/Blocklist/Contact.php:86 +msgid "No remote contact is blocked from this node." +msgstr "Derzeit werden keine Kontakte auf diesem Knoten blockiert." + +#: src/Module/Admin/Blocklist/Contact.php:88 +msgid "Blocked Remote Contacts" +msgstr "Blockierte Kontakte von anderen Knoten" + +#: src/Module/Admin/Blocklist/Contact.php:89 +msgid "Block New Remote Contact" +msgstr "Blockieren von weiteren Kontakten" + +#: src/Module/Admin/Blocklist/Contact.php:90 +msgid "Photo" +msgstr "Foto:" + +#: src/Module/Admin/Blocklist/Contact.php:90 +msgid "Reason" +msgstr "Grund" + +#: src/Module/Admin/Blocklist/Contact.php:98 +#, php-format +msgid "%s total blocked contact" +msgid_plural "%s total blocked contacts" +msgstr[0] "Insgesamt %s blockierter Kontakt" +msgstr[1] "Insgesamt %s blockierte Kontakte" + +#: src/Module/Admin/Blocklist/Contact.php:100 +msgid "URL of the remote contact to block." +msgstr "Die URL des entfernten Kontakts, der blockiert werden soll." + +#: src/Module/Admin/Blocklist/Contact.php:101 +msgid "Block Reason" +msgstr "Sperrgrund" + +#: src/Module/Admin/Blocklist/Server.php:49 +msgid "Server domain pattern added to blocklist." +msgstr "Server Domain Muster zur Blockliste hinzugefügt" + +#: src/Module/Admin/Blocklist/Server.php:79 +#: src/Module/Admin/Blocklist/Server.php:104 +msgid "Blocked server domain pattern" +msgstr "Blockierte Server Domain Muster" + +#: src/Module/Admin/Blocklist/Server.php:80 +#: src/Module/Admin/Blocklist/Server.php:105 src/Module/Friendica.php:81 +msgid "Reason for the block" +msgstr "Begründung für die Blockierung" + +#: src/Module/Admin/Blocklist/Server.php:81 +msgid "Delete server domain pattern" +msgstr "Server Domain Muster löschen" + +#: src/Module/Admin/Blocklist/Server.php:81 +msgid "Check to delete this entry from the blocklist" +msgstr "Markieren, um diesen Eintrag von der Blocklist zu entfernen" + +#: src/Module/Admin/Blocklist/Server.php:89 +msgid "Server Domain Pattern Blocklist" +msgstr "Server Domain Muster Blockliste" + +#: src/Module/Admin/Blocklist/Server.php:90 +msgid "" +"This page can be used to define a blocklist of server domain patterns from " +"the federated network that are not allowed to interact with your node. For " +"each domain pattern you should also provide the reason why you block it." +msgstr "Auf dieser Seite kannst du Muster definieren mit denen Server Domains aus dem föderierten Netzwerk daran gehindert werden mit deiner Instanz zu interagieren. Es ist ratsam für jedes Muster anzugeben, warum du es zur Blockliste hinzugefügt hast." + +#: src/Module/Admin/Blocklist/Server.php:91 +msgid "" +"The list of blocked server domain patterns will be made publically available" +" on the /friendica page so that your users and " +"people investigating communication problems can find the reason easily." +msgstr "Die Liste der blockierten Domain Muster wird auf der Seite /friendica öffentlich einsehbar gemacht, damit deine Nutzer und Personen, die Kommunikationsprobleme erkunden, die Ursachen einfach finden können." + +#: src/Module/Admin/Blocklist/Server.php:92 +msgid "" +"

The server domain pattern syntax is case-insensitive shell wildcard, comprising the following special characters:

\n" +"
    \n" +"\t
  • *: Any number of characters
  • \n" +"\t
  • ?: Any single character
  • \n" +"\t
  • [<char1><char2>...]: char1 or char2
  • \n" +"
" +msgstr "

Die Server Domain Muster sind Groß-/Kleinschreibung unabhängig mit Shell-Jokerzeichen, die die folgenden Sonderzeichen umfassen:

\n
    \n\t
  • *: Beliebige Anzahl von Zeichen
  • \n\t
  • ?: Ein einzelnes beliebiges Zeichen
  • \n\t
  • [<Zeichen1><Zeichen2>...]:Zeichen1 oder Zeichen2
  • \n
" + +#: src/Module/Admin/Blocklist/Server.php:98 +msgid "Add new entry to block list" +msgstr "Neuen Eintrag in die Blockliste" + +#: src/Module/Admin/Blocklist/Server.php:99 +msgid "Server Domain Pattern" +msgstr "Server Domain Muster" + +#: src/Module/Admin/Blocklist/Server.php:99 +msgid "" +"The domain pattern of the new server to add to the block list. Do not " +"include the protocol." +msgstr "Das Muster für Server Domains die geblockt werden sollen. Gib das Protokoll nicht mit an!" + +#: src/Module/Admin/Blocklist/Server.php:100 +msgid "Block reason" +msgstr "Begründung der Blockierung" + +#: src/Module/Admin/Blocklist/Server.php:100 +msgid "The reason why you blocked this server domain pattern." +msgstr "Die Begründung, warum du dieses Domain Muster blockiert hast." + +#: src/Module/Admin/Blocklist/Server.php:101 +msgid "Add Entry" +msgstr "Eintrag hinzufügen" + +#: src/Module/Admin/Blocklist/Server.php:102 +msgid "Save changes to the blocklist" +msgstr "Änderungen der Blockliste speichern" + +#: src/Module/Admin/Blocklist/Server.php:103 +msgid "Current Entries in the Blocklist" +msgstr "Aktuelle Einträge der Blockliste" + +#: src/Module/Admin/Blocklist/Server.php:106 +msgid "Delete entry from blocklist" +msgstr "Eintrag von der Blockliste entfernen" + +#: src/Module/Admin/Blocklist/Server.php:109 +msgid "Delete entry from blocklist?" +msgstr "Eintrag von der Blockliste entfernen?" + #: src/Module/Admin/DBSync.php:51 msgid "Update has been marked successful" msgstr "Update wurde als erfolgreich markiert" @@ -6897,6 +5543,15 @@ msgstr "Als erfolgreich markieren (falls das Update manuell installiert wurde)" msgid "Attempt to execute this update step automatically" msgstr "Versuchen, diesen Schritt automatisch auszuführen" +#: src/Module/Admin/Features.php:76 +#, php-format +msgid "Lock feature %s" +msgstr "Feature festlegen: %s" + +#: src/Module/Admin/Features.php:85 +msgid "Manage Additional Features" +msgstr "Zusätzliche Features Verwalten" + #: src/Module/Admin/Federation.php:53 msgid "Other" msgstr "Andere" @@ -6912,6 +5567,10 @@ msgid "" "only reflect the part of the network your node is aware of." msgstr "Diese Seite präsentiert einige Zahlen zu dem bekannten Teil des föderalen sozialen Netzwerks, von dem deine Friendica Installation ein Teil ist. Diese Zahlen sind nicht absolut und reflektieren nur den Teil des Netzwerks, den dein Knoten kennt." +#: src/Module/Admin/Federation.php:141 src/Module/BaseAdmin.php:87 +msgid "Federation Statistics" +msgstr "Föderation Statistik" + #: src/Module/Admin/Federation.php:145 #, php-format msgid "" @@ -6919,19 +5578,42 @@ msgid "" "following platforms:" msgstr "Momentan kennt dieser Knoten %d Knoten mit insgesamt %d registrierten Nutzern, die die folgenden Plattformen verwenden:" -#: src/Module/Admin/Logs/View.php:40 -#, php-format -msgid "" -"Error trying to open %1$s log file.\\r\\n
Check to see " -"if file %1$s exist and is readable." -msgstr "Fehler beim Öffnen der Logdatei %1$s.\\r\\n
Bitte überprüfe ob die Datei %1$s existiert und gelesen werden kann." +#: src/Module/Admin/Item/Delete.php:54 +msgid "Item marked for deletion." +msgstr "Eintrag wurden zur Löschung markiert" -#: src/Module/Admin/Logs/View.php:44 -#, php-format +#: src/Module/Admin/Item/Delete.php:66 src/Module/BaseAdmin.php:105 +msgid "Delete Item" +msgstr "Eintrag löschen" + +#: src/Module/Admin/Item/Delete.php:67 +msgid "Delete this Item" +msgstr "Diesen Eintrag löschen" + +#: src/Module/Admin/Item/Delete.php:68 msgid "" -"Couldn't open %1$s log file.\\r\\n
Check to see if file" -" %1$s is readable." -msgstr "Konnte die Logdatei %1$s nicht öffnen.\\r\\n
Bitte stelle sicher, dass die Datei %1$s lesbar ist." +"On this page you can delete an item from your node. If the item is a top " +"level posting, the entire thread will be deleted." +msgstr "Auf dieser Seite kannst du Einträge von deinem Knoten löschen. Wenn der Eintrag der Anfang einer Diskussion ist, wird der gesamte Diskussionsverlauf gelöscht." + +#: src/Module/Admin/Item/Delete.php:69 +msgid "" +"You need to know the GUID of the item. You can find it e.g. by looking at " +"the display URL. The last part of http://example.com/display/123456 is the " +"GUID, here 123456." +msgstr "Zur Löschung musst du die GUID des Eintrags kennen. Diese findest du z.B. durch die /display URL des Eintrags. Der letzte Teil der URL ist die GUID. Lautet die URL beispielsweise http://example.com/display/123456, ist die GUID 123456." + +#: src/Module/Admin/Item/Delete.php:70 +msgid "GUID" +msgstr "GUID" + +#: src/Module/Admin/Item/Delete.php:70 +msgid "The GUID of the item you want to delete." +msgstr "Die GUID des zu löschenden Eintrags" + +#: src/Module/Admin/Item/Source.php:57 +msgid "Item Guid" +msgstr "Beitrags-Guid" #: src/Module/Admin/Logs/Settings.php:48 #, php-format @@ -6946,6 +5628,11 @@ msgstr "PHP Protokollierung ist derzeit aktiviert." msgid "PHP log currently disabled." msgstr "PHP Protokollierung ist derzeit nicht aktiviert." +#: src/Module/Admin/Logs/Settings.php:81 src/Module/BaseAdmin.php:107 +#: src/Module/BaseAdmin.php:108 +msgid "Logs" +msgstr "Protokolle" + #: src/Module/Admin/Logs/Settings.php:83 msgid "Clear" msgstr "löschen" @@ -6981,6 +5668,60 @@ msgid "" "'display_errors' is to enable these options, set to '0' to disable them." msgstr "Um die Protokollierung von PHP-Fehlern und Warnungen vorübergehend zu aktivieren, kannst du der Datei index.php deiner Installation Folgendes voranstellen. Der in der Datei 'error_log' angegebene Dateiname ist relativ zum obersten Verzeichnis von Friendica und muss vom Webserver beschreibbar sein. Die Option '1' für 'log_errors' und 'display_errors' aktiviert diese Optionen, ersetze die '1' durch eine '0', um sie zu deaktivieren." +#: src/Module/Admin/Logs/View.php:40 +#, php-format +msgid "" +"Error trying to open %1$s log file.\\r\\n
Check to see " +"if file %1$s exist and is readable." +msgstr "Fehler beim Öffnen der Logdatei %1$s.\\r\\n
Bitte überprüfe ob die Datei %1$s existiert und gelesen werden kann." + +#: src/Module/Admin/Logs/View.php:44 +#, php-format +msgid "" +"Couldn't open %1$s log file.\\r\\n
Check to see if file" +" %1$s is readable." +msgstr "Konnte die Logdatei %1$s nicht öffnen.\\r\\n
Bitte stelle sicher, dass die Datei %1$s lesbar ist." + +#: src/Module/Admin/Logs/View.php:65 src/Module/BaseAdmin.php:109 +msgid "View Logs" +msgstr "Protokolle anzeigen" + +#: src/Module/Admin/Queue.php:50 +msgid "Inspect Deferred Worker Queue" +msgstr "Verzögerte Worker-Warteschlange inspizieren" + +#: src/Module/Admin/Queue.php:51 +msgid "" +"This page lists the deferred worker jobs. This are jobs that couldn't be " +"executed at the first time." +msgstr "Auf dieser Seite werden die aufgeschobenen Worker-Jobs aufgelistet. Dies sind Jobs, die beim ersten Mal nicht ausgeführt werden konnten." + +#: src/Module/Admin/Queue.php:54 +msgid "Inspect Worker Queue" +msgstr "Worker-Warteschlange inspizieren" + +#: src/Module/Admin/Queue.php:55 +msgid "" +"This page lists the currently queued worker jobs. These jobs are handled by " +"the worker cronjob you've set up during install." +msgstr "Auf dieser Seite werden die derzeit in der Warteschlange befindlichen Worker-Jobs aufgelistet. Diese Jobs werden vom Cronjob verarbeitet, den du während der Installation eingerichtet hast." + +#: src/Module/Admin/Queue.php:75 +msgid "ID" +msgstr "ID" + +#: src/Module/Admin/Queue.php:76 +msgid "Job Parameters" +msgstr "Parameter der Aufgabe" + +#: src/Module/Admin/Queue.php:77 +msgid "Created" +msgstr "Erstellt" + +#: src/Module/Admin/Queue.php:78 +msgid "Priority" +msgstr "Priorität" + #: src/Module/Admin/Site.php:69 msgid "Can not parse base url. Must have at least ://" msgstr "Die Basis-URL konnte nicht analysiert werden. Sie muss mindestens aus :// bestehen" @@ -6989,239 +5730,267 @@ msgstr "Die Basis-URL konnte nicht analysiert werden. Sie muss mindestens aus

Warning! Advanced function. Could make this server " "unreachable." msgstr "Achtung Funktionen für Fortgeschrittene. Könnte diesen Server unerreichbar machen." -#: src/Module/Admin/Site.php:613 +#: src/Module/Admin/Site.php:597 msgid "Site name" msgstr "Seitenname" -#: src/Module/Admin/Site.php:614 +#: src/Module/Admin/Site.php:598 msgid "Sender Email" msgstr "Absender für Emails" -#: src/Module/Admin/Site.php:614 +#: src/Module/Admin/Site.php:598 msgid "" "The email address your server shall use to send notification emails from." msgstr "Die E-Mail Adresse, die dein Server zum Versenden von Benachrichtigungen verwenden soll." -#: src/Module/Admin/Site.php:615 +#: src/Module/Admin/Site.php:599 msgid "Name of the system actor" msgstr "Name des System-Actors" -#: src/Module/Admin/Site.php:615 +#: src/Module/Admin/Site.php:599 msgid "" "Name of the internal system account that is used to perform ActivityPub " "requests. This must be an unused username. If set, this can't be changed " "again." msgstr "Name des internen System-Accounts der für ActivityPub Anfragen verwendet wird. Der Nutzername darf bisher nicht verwendet werden. Ist der Name einmal gesetzt kann er nicht mehr geändert werden." -#: src/Module/Admin/Site.php:616 +#: src/Module/Admin/Site.php:600 msgid "Banner/Logo" msgstr "Banner/Logo" -#: src/Module/Admin/Site.php:617 +#: src/Module/Admin/Site.php:601 msgid "Email Banner/Logo" msgstr "E-Mail Banner / Logo" -#: src/Module/Admin/Site.php:618 +#: src/Module/Admin/Site.php:602 msgid "Shortcut icon" msgstr "Shortcut Icon" -#: src/Module/Admin/Site.php:618 +#: src/Module/Admin/Site.php:602 msgid "Link to an icon that will be used for browsers." msgstr "Link zu einem Icon, das Browser verwenden werden." -#: src/Module/Admin/Site.php:619 +#: src/Module/Admin/Site.php:603 msgid "Touch icon" msgstr "Touch Icon" -#: src/Module/Admin/Site.php:619 +#: src/Module/Admin/Site.php:603 msgid "Link to an icon that will be used for tablets and mobiles." msgstr "Link zu einem Icon, das Tablets und Mobiltelefone verwenden sollen." -#: src/Module/Admin/Site.php:620 +#: src/Module/Admin/Site.php:604 msgid "Additional Info" msgstr "Zusätzliche Informationen" -#: src/Module/Admin/Site.php:620 +#: src/Module/Admin/Site.php:604 #, php-format msgid "" "For public servers: you can add additional information here that will be " "listed at %s/servers." msgstr "Für öffentliche Server kannst du hier zusätzliche Informationen angeben, die dann auf %s/servers angezeigt werden." -#: src/Module/Admin/Site.php:621 +#: src/Module/Admin/Site.php:605 msgid "System language" msgstr "Systemsprache" -#: src/Module/Admin/Site.php:622 +#: src/Module/Admin/Site.php:606 msgid "System theme" msgstr "Systemweites Theme" -#: src/Module/Admin/Site.php:622 +#: src/Module/Admin/Site.php:606 msgid "" "Default system theme - may be over-ridden by user profiles - Change default theme settings" msgstr "Standard-Theme des Systems - kann von Benutzerprofilen überschrieben werden - Ändere Einstellung des Standard-Themes" -#: src/Module/Admin/Site.php:623 +#: src/Module/Admin/Site.php:607 msgid "Mobile system theme" msgstr "Systemweites mobiles Theme" -#: src/Module/Admin/Site.php:623 +#: src/Module/Admin/Site.php:607 msgid "Theme for mobile devices" msgstr "Theme für mobile Geräte" -#: src/Module/Admin/Site.php:625 +#: src/Module/Admin/Site.php:608 src/Module/Install.php:214 +msgid "SSL link policy" +msgstr "Regeln für SSL Links" + +#: src/Module/Admin/Site.php:608 src/Module/Install.php:216 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "Bestimmt, ob generierte Links SSL verwenden müssen" + +#: src/Module/Admin/Site.php:609 msgid "Force SSL" msgstr "Erzwinge SSL" -#: src/Module/Admin/Site.php:625 +#: src/Module/Admin/Site.php:609 msgid "" "Force all Non-SSL requests to SSL - Attention: on some systems it could lead" " to endless loops." msgstr "Erzwinge SSL für alle Nicht-SSL-Anfragen - Achtung: auf manchen Systemen verursacht dies eine Endlosschleife." -#: src/Module/Admin/Site.php:626 +#: src/Module/Admin/Site.php:610 msgid "Hide help entry from navigation menu" msgstr "Verberge den Hilfe-Eintrag im Navigationsmenü" -#: src/Module/Admin/Site.php:626 +#: src/Module/Admin/Site.php:610 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." -#: src/Module/Admin/Site.php:627 +#: src/Module/Admin/Site.php:611 msgid "Single user instance" msgstr "Ein-Nutzer Instanz" -#: src/Module/Admin/Site.php:627 +#: src/Module/Admin/Site.php:611 msgid "Make this instance multi-user or single-user for the named user" msgstr "Bestimmt, ob es sich bei dieser Instanz um eine Installation mit nur einen Nutzer oder mit mehreren Nutzern handelt." -#: src/Module/Admin/Site.php:629 +#: src/Module/Admin/Site.php:613 msgid "File storage backend" msgstr "Datenspeicher-Backend" -#: src/Module/Admin/Site.php:629 +#: src/Module/Admin/Site.php:613 msgid "" "The backend used to store uploaded data. If you change the storage backend, " "you can manually move the existing files. If you do not do so, the files " @@ -7230,190 +5999,190 @@ msgid "" " for more information about the choices and the moving procedure." msgstr "Das zu verwendende Datenspeicher-Backend, wenn Dateien hochgeladen werden. Wenn du das Datenspeicher-Backend änderst, kannst du die bestehenden Dateien zum neuen Backend verschieben. Machst du dies nicht, verbleiben sie im alten Backend und werden weiterhin von dort geladen. Für weitere Informationen zu den verfügbaren Alternativen und der Prozedur zum Verschieben der Daten schaue bitte in die Dokumentation zu den Einstellungen." -#: src/Module/Admin/Site.php:631 +#: src/Module/Admin/Site.php:615 msgid "Maximum image size" msgstr "Maximale Bildgröße" -#: src/Module/Admin/Site.php:631 +#: src/Module/Admin/Site.php:615 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." -#: src/Module/Admin/Site.php:632 +#: src/Module/Admin/Site.php:616 msgid "Maximum image length" msgstr "Maximale Bildlänge" -#: src/Module/Admin/Site.php:632 +#: src/Module/Admin/Site.php:616 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 hochgeladenen Bildes. Grundeinstellung ist -1, was keine Einschränkung bedeutet." -#: src/Module/Admin/Site.php:633 +#: src/Module/Admin/Site.php:617 msgid "JPEG image quality" msgstr "Qualität des JPEG Bildes" -#: src/Module/Admin/Site.php:633 +#: src/Module/Admin/Site.php:617 msgid "" "Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " "100, which is full quality." msgstr "Hochgeladene JPEG-Bilder werden mit dieser Qualität [0-100] gespeichert. Grundeinstellung ist 100, kein Qualitätsverlust." -#: src/Module/Admin/Site.php:635 +#: src/Module/Admin/Site.php:619 msgid "Register policy" msgstr "Registrierungsmethode" -#: src/Module/Admin/Site.php:636 +#: src/Module/Admin/Site.php:620 msgid "Maximum Daily Registrations" msgstr "Maximum täglicher Registrierungen" -#: src/Module/Admin/Site.php:636 +#: src/Module/Admin/Site.php:620 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." -#: src/Module/Admin/Site.php:637 +#: src/Module/Admin/Site.php:621 msgid "Register text" msgstr "Registrierungstext" -#: src/Module/Admin/Site.php:637 +#: src/Module/Admin/Site.php:621 msgid "" "Will be displayed prominently on the registration page. You can use BBCode " "here." msgstr "Wird gut sichtbar auf der Registrierungsseite angezeigt. BBCode kann verwendet werden." -#: src/Module/Admin/Site.php:638 +#: src/Module/Admin/Site.php:622 msgid "Forbidden Nicknames" msgstr "Verbotene Spitznamen" -#: src/Module/Admin/Site.php:638 +#: src/Module/Admin/Site.php:622 msgid "" "Comma separated list of nicknames that are forbidden from registration. " "Preset is a list of role names according RFC 2142." msgstr "Durch Kommas getrennte Liste von Spitznamen, die von der Registrierung ausgeschlossen sind. Die Vorgabe ist eine Liste von Rollennamen nach RFC 2142." -#: src/Module/Admin/Site.php:639 +#: src/Module/Admin/Site.php:623 msgid "Accounts abandoned after x days" msgstr "Nutzerkonten gelten nach x Tagen als unbenutzt" -#: src/Module/Admin/Site.php:639 +#: src/Module/Admin/Site.php:623 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." -#: src/Module/Admin/Site.php:640 +#: src/Module/Admin/Site.php:624 msgid "Allowed friend domains" msgstr "Erlaubte Domains für Kontakte" -#: src/Module/Admin/Site.php:640 +#: src/Module/Admin/Site.php:624 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 Kontakte erlaubt sind, durch Kommas getrennt. Platzhalter werden akzeptiert. Leer lassen, um alle Domains zu erlauben." -#: src/Module/Admin/Site.php:641 +#: src/Module/Admin/Site.php:625 msgid "Allowed email domains" msgstr "Erlaubte Domains für E-Mails" -#: src/Module/Admin/Site.php:641 +#: src/Module/Admin/Site.php:625 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." -#: src/Module/Admin/Site.php:642 +#: src/Module/Admin/Site.php:626 msgid "No OEmbed rich content" msgstr "OEmbed nicht verwenden" -#: src/Module/Admin/Site.php:642 +#: src/Module/Admin/Site.php:626 msgid "" "Don't show the rich content (e.g. embedded PDF), except from the domains " "listed below." msgstr "Verhindert das Einbetten von reichhaltigen Inhalten (z.B. eingebettete PDF Dateien). Ausgenommen von dieser Regel werden Domänen, die unten aufgeführt werden." -#: src/Module/Admin/Site.php:643 +#: src/Module/Admin/Site.php:627 msgid "Allowed OEmbed domains" msgstr "Erlaubte OEmbed-Domänen" -#: src/Module/Admin/Site.php:643 +#: src/Module/Admin/Site.php:627 msgid "" "Comma separated list of domains which oembed content is allowed to be " "displayed. Wildcards are accepted." msgstr "Durch Kommas getrennte Liste von Domänen, für die das Einbetten reichhaltiger Inhalte erlaubt ist. Platzhalter können verwendet werden." -#: src/Module/Admin/Site.php:644 +#: src/Module/Admin/Site.php:628 msgid "Block public" msgstr "Öffentlichen Zugriff blockieren" -#: src/Module/Admin/Site.php:644 +#: src/Module/Admin/Site.php:628 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." -#: src/Module/Admin/Site.php:645 +#: src/Module/Admin/Site.php:629 msgid "Force publish" msgstr "Erzwinge Veröffentlichung" -#: src/Module/Admin/Site.php:645 +#: src/Module/Admin/Site.php:629 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." -#: src/Module/Admin/Site.php:645 +#: src/Module/Admin/Site.php:629 msgid "Enabling this may violate privacy laws like the GDPR" msgstr "Wenn du diese Option aktivierst, verstößt das unter Umständen gegen Gesetze wie die EU-DSGVO." -#: src/Module/Admin/Site.php:646 +#: src/Module/Admin/Site.php:630 msgid "Global directory URL" msgstr "URL des weltweiten Verzeichnisses" -#: src/Module/Admin/Site.php:646 +#: src/Module/Admin/Site.php:630 msgid "" "URL to the global directory. If this is not set, the global directory is " "completely unavailable to the application." msgstr "URL des weltweiten Verzeichnisses. Wenn diese nicht gesetzt ist, ist das Verzeichnis für die Applikation nicht erreichbar." -#: src/Module/Admin/Site.php:647 +#: src/Module/Admin/Site.php:631 msgid "Private posts by default for new users" msgstr "Private Beiträge als Standard für neue Nutzer" -#: src/Module/Admin/Site.php:647 +#: src/Module/Admin/Site.php:631 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." -#: src/Module/Admin/Site.php:648 +#: src/Module/Admin/Site.php:632 msgid "Don't include post content in email notifications" msgstr "Inhalte von Beiträgen nicht in E-Mail-Benachrichtigungen versenden" -#: src/Module/Admin/Site.php:648 +#: src/Module/Admin/Site.php:632 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." -#: src/Module/Admin/Site.php:649 +#: src/Module/Admin/Site.php:633 msgid "Disallow public access to addons listed in the apps menu." msgstr "Öffentlichen Zugriff auf Addons im Apps Menü verbieten." -#: src/Module/Admin/Site.php:649 +#: src/Module/Admin/Site.php:633 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." -#: src/Module/Admin/Site.php:650 +#: src/Module/Admin/Site.php:634 msgid "Don't embed private images in posts" msgstr "Private Bilder nicht in Beiträgen einbetten." -#: src/Module/Admin/Site.php:650 +#: src/Module/Admin/Site.php:634 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 " @@ -7421,11 +6190,11 @@ msgid "" "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." -#: src/Module/Admin/Site.php:651 +#: src/Module/Admin/Site.php:635 msgid "Explicit Content" msgstr "Sensibler Inhalt" -#: src/Module/Admin/Site.php:651 +#: src/Module/Admin/Site.php:635 msgid "" "Set this to announce that your node is used mostly for explicit content that" " might not be suited for minors. This information will be published in the " @@ -7434,234 +6203,234 @@ msgid "" "will be shown at the user registration page." msgstr "Wähle dies, um anzuzeigen, dass dein Knoten hauptsächlich für explizite Inhalte verwendet wird, die möglicherweise nicht für Minderjährige geeignet sind. Diese Info wird in der Knoteninformation veröffentlicht und kann durch das Globale Verzeichnis genutzt werden, um deinen Knoten von den Auflistungen auszuschließen. Zusätzlich wird auf der Registrierungsseite ein Hinweis darüber angezeigt." -#: src/Module/Admin/Site.php:652 +#: src/Module/Admin/Site.php:636 msgid "Allow Users to set remote_self" msgstr "Nutzern erlauben, das remote_self Flag zu setzen" -#: src/Module/Admin/Site.php:652 +#: src/Module/Admin/Site.php:636 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 \"Erweitert\"-Reiter der Kontaktansicht markieren. Nach dem Setzen dieses Flags werden alle Top-Level-Beiträge dieser Kontakte automatisch in den Stream dieses Nutzers gepostet (gespiegelt)." -#: src/Module/Admin/Site.php:653 +#: src/Module/Admin/Site.php:637 msgid "Block multiple registrations" msgstr "Unterbinde Mehrfachregistrierung" -#: src/Module/Admin/Site.php:653 +#: src/Module/Admin/Site.php:637 msgid "Disallow users to register additional accounts for use as pages." msgstr "Benutzern nicht erlauben, weitere Konten für Organisationsseiten o. ä. mit der gleichen E-Mail-Adresse anzulegen." -#: src/Module/Admin/Site.php:654 +#: src/Module/Admin/Site.php:638 msgid "Disable OpenID" msgstr "OpenID deaktivieren" -#: src/Module/Admin/Site.php:654 +#: src/Module/Admin/Site.php:638 msgid "Disable OpenID support for registration and logins." msgstr "OpenID-Unterstützung für Registrierung und Login." -#: src/Module/Admin/Site.php:655 +#: src/Module/Admin/Site.php:639 msgid "No Fullname check" msgstr "Namen nicht auf Vollständigkeit überprüfen" -#: src/Module/Admin/Site.php:655 +#: src/Module/Admin/Site.php:639 msgid "" "Allow users to register without a space between the first name and the last " "name in their full name." msgstr "Erlaubt Nutzern, Konten zu registrieren, bei denen im Namensfeld kein Leerzeichen zur Trennung von Vor- und Nachnamen verwendet wird." -#: src/Module/Admin/Site.php:656 +#: src/Module/Admin/Site.php:640 msgid "Community pages for visitors" msgstr "Für Besucher verfügbare Gemeinschaftsseite" -#: src/Module/Admin/Site.php:656 +#: src/Module/Admin/Site.php:640 msgid "" "Which community pages should be available for visitors. Local users always " "see both pages." msgstr "Welche Gemeinschaftsseiten sollen für Besucher dieses Knotens verfügbar sein? Lokale Nutzer können grundsätzlich beide Seiten verwenden." -#: src/Module/Admin/Site.php:657 +#: src/Module/Admin/Site.php:641 msgid "Posts per user on community page" msgstr "Anzahl der Beiträge pro Benutzer auf der Gemeinschaftsseite" -#: src/Module/Admin/Site.php:657 +#: src/Module/Admin/Site.php:641 msgid "" "The maximum number of posts per user on the community page. (Not valid for " "\"Global Community\")" msgstr "Maximale Anzahl der Beiträge, die von jedem Nutzer auf der Gemeinschaftsseite angezeigt werden. (Gilt nicht für die 'Globale Gemeinschaftsseite')" -#: src/Module/Admin/Site.php:658 +#: src/Module/Admin/Site.php:642 msgid "Disable OStatus support" msgstr "OStatus-Unterstützung deaktivieren" -#: src/Module/Admin/Site.php:658 +#: src/Module/Admin/Site.php:642 msgid "" "Disable built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " "communications in OStatus are public, so privacy warnings will be " "occasionally displayed." msgstr "Die eingebaute OStatus-Unterstützung (StatusNet, GNU Social, etc.) deaktivieren. Jede Kommunikation in OStatus ist öffentlich, Privatsphäre-Warnungen werden nur bei Bedarf angezeigt." -#: src/Module/Admin/Site.php:659 +#: src/Module/Admin/Site.php:643 msgid "OStatus support can only be enabled if threading is enabled." msgstr "OStatus Unterstützung kann nur aktiviert werden, wenn \"Threading\" aktiviert ist. " -#: src/Module/Admin/Site.php:661 +#: src/Module/Admin/Site.php:645 msgid "" "Diaspora support can't be enabled because Friendica was installed into a sub" " directory." msgstr "Diaspora Unterstützung kann nicht aktiviert werden, da Friendica in ein Unterverzeichnis installiert ist." -#: src/Module/Admin/Site.php:662 +#: src/Module/Admin/Site.php:646 msgid "Enable Diaspora support" msgstr "Diaspora-Unterstützung aktivieren" -#: src/Module/Admin/Site.php:662 +#: src/Module/Admin/Site.php:646 msgid "Provide built-in Diaspora network compatibility." msgstr "Verwende die eingebaute Diaspora-Verknüpfung." -#: src/Module/Admin/Site.php:663 +#: src/Module/Admin/Site.php:647 msgid "Only allow Friendica contacts" msgstr "Nur Friendica-Kontakte erlauben" -#: src/Module/Admin/Site.php:663 +#: src/Module/Admin/Site.php:647 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." -#: src/Module/Admin/Site.php:664 +#: src/Module/Admin/Site.php:648 msgid "Verify SSL" msgstr "SSL Überprüfen" -#: src/Module/Admin/Site.php:664 +#: src/Module/Admin/Site.php:648 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 Zertifikatskontrolle einstellen. Das bedeutet, dass man zu keinen Seiten mit selbst unterzeichnetem SSL-Zertifikat eine Verbindung herstellen kann." -#: src/Module/Admin/Site.php:665 +#: src/Module/Admin/Site.php:649 msgid "Proxy user" msgstr "Proxy-Nutzer" -#: src/Module/Admin/Site.php:666 +#: src/Module/Admin/Site.php:650 msgid "Proxy URL" msgstr "Proxy-URL" -#: src/Module/Admin/Site.php:667 +#: src/Module/Admin/Site.php:651 msgid "Network timeout" msgstr "Netzwerk-Wartezeit" -#: src/Module/Admin/Site.php:667 +#: src/Module/Admin/Site.php:651 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)." -#: src/Module/Admin/Site.php:668 +#: src/Module/Admin/Site.php:652 msgid "Maximum Load Average" msgstr "Maximum Load Average" -#: src/Module/Admin/Site.php:668 +#: src/Module/Admin/Site.php:652 #, php-format msgid "" "Maximum system load before delivery and poll processes are deferred - " "default %d." msgstr "Maximale System-LOAD bevor Verteil- und Empfangsprozesse verschoben werden - Standard %d" -#: src/Module/Admin/Site.php:669 +#: src/Module/Admin/Site.php:653 msgid "Maximum Load Average (Frontend)" msgstr "Maximum Load Average (Frontend)" -#: src/Module/Admin/Site.php:669 +#: src/Module/Admin/Site.php:653 msgid "Maximum system load before the frontend quits service - default 50." msgstr "Maximale Systemlast, bevor Vordergrundprozesse pausiert werden - Standard 50." -#: src/Module/Admin/Site.php:670 +#: src/Module/Admin/Site.php:654 msgid "Minimal Memory" msgstr "Minimaler Speicher" -#: src/Module/Admin/Site.php:670 +#: src/Module/Admin/Site.php:654 msgid "" "Minimal free memory in MB for the worker. Needs access to /proc/meminfo - " "default 0 (deactivated)." msgstr "Minimal freier Speicher in MB für den Worker Prozess. Benötigt Zugriff auf /proc/meminfo - Standardwert ist 0 (deaktiviert)" -#: src/Module/Admin/Site.php:671 +#: src/Module/Admin/Site.php:655 msgid "Periodically optimize tables" msgstr "Optimiere die Tabellen regelmäßig" -#: src/Module/Admin/Site.php:671 +#: src/Module/Admin/Site.php:655 msgid "Periodically optimize tables like the cache and the workerqueue" msgstr "Optimiert Tabellen wie den Cache oder die Worker-Warteschlage regelmäßig." -#: src/Module/Admin/Site.php:673 +#: src/Module/Admin/Site.php:657 msgid "Discover followers/followings from contacts" msgstr "Endecke folgende und gefolgte Kontakte von Kontakten" -#: src/Module/Admin/Site.php:673 +#: src/Module/Admin/Site.php:657 msgid "" "If enabled, contacts are checked for their followers and following contacts." msgstr "Ist dies aktiv, werden die Kontakte auf deren folgenden und gefolgten Kontakte überprüft." -#: src/Module/Admin/Site.php:674 +#: src/Module/Admin/Site.php:658 msgid "None - deactivated" msgstr "Keine - deaktiviert" -#: src/Module/Admin/Site.php:675 +#: src/Module/Admin/Site.php:659 msgid "" "Local contacts - contacts of our local contacts are discovered for their " "followers/followings." msgstr "Lokale Kontakte - Die Beziehungen der lokalen Kontakte werden analysiert." -#: src/Module/Admin/Site.php:676 +#: src/Module/Admin/Site.php:660 msgid "" "Interactors - contacts of our local contacts and contacts who interacted on " "locally visible postings are discovered for their followers/followings." msgstr "Interaktionen - Kontakte der lokalen Kontakte sowie die Profile die mit öffentlichen lokalen Beiträgen interagiert haben, werden bzgl. ihrer Beziehungen analysiert." -#: src/Module/Admin/Site.php:678 +#: src/Module/Admin/Site.php:662 msgid "Synchronize the contacts with the directory server" msgstr "Gleiche die Kontakte mit dem Directory-Server ab" -#: src/Module/Admin/Site.php:678 +#: src/Module/Admin/Site.php:662 msgid "" "if enabled, the system will check periodically for new contacts on the " "defined directory server." msgstr "Ist dies aktiv, wird das System regelmäßig auf dem Verzeichnis-Server nach neuen potentiellen Kontakten nachsehen." -#: src/Module/Admin/Site.php:680 +#: src/Module/Admin/Site.php:664 msgid "Days between requery" msgstr "Tage zwischen erneuten Abfragen" -#: src/Module/Admin/Site.php:680 +#: src/Module/Admin/Site.php:664 msgid "Number of days after which a server is requeried for his contacts." msgstr "Legt das Abfrageintervall fest, nach dem ein Server erneut nach Kontakten abgefragt werden soll." -#: src/Module/Admin/Site.php:681 +#: src/Module/Admin/Site.php:665 msgid "Discover contacts from other servers" msgstr "Neue Kontakte auf anderen Servern entdecken" -#: src/Module/Admin/Site.php:681 +#: src/Module/Admin/Site.php:665 msgid "" "Periodically query other servers for contacts. The system queries Friendica," " Mastodon and Hubzilla servers." msgstr "Frage regelmäßig bei anderen Servern nach neuen potentiellen Kontakten an. Diese Anfragen werden an Friendica, Mastodon und Hubzilla Server gesandt." -#: src/Module/Admin/Site.php:682 +#: src/Module/Admin/Site.php:666 msgid "Search the local directory" msgstr "Lokales Verzeichnis durchsuchen" -#: src/Module/Admin/Site.php:682 +#: src/Module/Admin/Site.php:666 msgid "" "Search the local directory instead of the global directory. When searching " "locally, every search will be executed on the global directory in the " "background. This improves the search results when the search is repeated." msgstr "Suche im lokalen Verzeichnis anstelle des globalen Verzeichnisses durchführen. Jede Suche wird im Hintergrund auch im globalen Verzeichnis durchgeführt, um die Suchresultate zu verbessern, wenn die Suche wiederholt wird." -#: src/Module/Admin/Site.php:684 +#: src/Module/Admin/Site.php:668 msgid "Publish server information" msgstr "Server-Informationen veröffentlichen" -#: src/Module/Admin/Site.php:684 +#: src/Module/Admin/Site.php:668 msgid "" "If enabled, general server and usage data will be published. The data " "contains the name and version of the server, number of users with public " @@ -7669,50 +6438,50 @@ msgid "" " href=\"http://the-federation.info/\">the-federation.info for details." msgstr "Wenn aktiviert, werden allgemeine Informationen über den Server und Nutzungsdaten veröffentlicht. Die Daten beinhalten den Namen sowie die Version des Servers, die Anzahl der Personen mit öffentlichen Profilen, die Anzahl der Beiträge sowie aktivierte Protokolle und Konnektoren. Für Details bitte the-federation.info aufrufen." -#: src/Module/Admin/Site.php:686 +#: src/Module/Admin/Site.php:670 msgid "Check upstream version" msgstr "Suche nach Updates" -#: src/Module/Admin/Site.php:686 +#: src/Module/Admin/Site.php:670 msgid "" "Enables checking for new Friendica versions at github. If there is a new " "version, you will be informed in the admin panel overview." msgstr "Wenn diese Option aktiviert ist, wird regelmäßig nach neuen Friendica-Versionen auf github gesucht. Wenn es eine neue Version gibt, wird dies auf der Übersichtsseite im Admin-Panel angezeigt." -#: src/Module/Admin/Site.php:687 +#: src/Module/Admin/Site.php:671 msgid "Suppress Tags" msgstr "Tags unterdrücken" -#: src/Module/Admin/Site.php:687 +#: src/Module/Admin/Site.php:671 msgid "Suppress showing a list of hashtags at the end of the posting." msgstr "Unterdrückt die Anzeige von Tags am Ende eines Beitrags." -#: src/Module/Admin/Site.php:688 +#: src/Module/Admin/Site.php:672 msgid "Clean database" msgstr "Datenbank aufräumen" -#: src/Module/Admin/Site.php:688 +#: src/Module/Admin/Site.php:672 msgid "" "Remove old remote items, orphaned database records and old content from some" " other helper tables." msgstr "Entferne alte Beiträge von anderen Knoten, verwaiste Einträge und alten Inhalt einiger Hilfstabellen." -#: src/Module/Admin/Site.php:689 +#: src/Module/Admin/Site.php:673 msgid "Lifespan of remote items" msgstr "Lebensdauer von Beiträgen anderer Knoten" -#: src/Module/Admin/Site.php:689 +#: src/Module/Admin/Site.php:673 msgid "" "When the database cleanup is enabled, this defines the days after which " "remote items will be deleted. Own items, and marked or filed items are " "always kept. 0 disables this behaviour." msgstr "Wenn das Aufräumen der Datenbank aktiviert ist, definiert dies die Anzahl in Tagen, nach der Beiträge, die auf anderen Knoten des Netzwerks verfasst wurden, gelöscht werden sollen. Eigene Beiträge sowie markierte oder abgespeicherte Beiträge werden nicht gelöscht. Ein Wert von 0 deaktiviert das automatische Löschen von Beiträgen." -#: src/Module/Admin/Site.php:690 +#: src/Module/Admin/Site.php:674 msgid "Lifespan of unclaimed items" msgstr "Lebensdauer nicht angeforderter Beiträge" -#: src/Module/Admin/Site.php:690 +#: src/Module/Admin/Site.php:674 msgid "" "When the database cleanup is enabled, this defines the days after which " "unclaimed remote items (mostly content from the relay) will be deleted. " @@ -7720,164 +6489,144 @@ msgid "" "items if set to 0." msgstr "Wenn das Aufräumen der Datenbank aktiviert ist, definiert dies die Anzahl von Tagen, nach denen nicht angeforderte Beiträge (hauptsächlich solche, die über das Relais eintreffen) gelöscht werden. Der Standardwert beträgt 90 Tage. Wird dieser Wert auf 0 gesetzt, wird die Lebensdauer von Beiträgen anderer Knoten verwendet." -#: src/Module/Admin/Site.php:691 +#: src/Module/Admin/Site.php:675 msgid "Lifespan of raw conversation data" msgstr "Lebensdauer der Beiträge" -#: src/Module/Admin/Site.php:691 +#: src/Module/Admin/Site.php:675 msgid "" "The conversation data is used for ActivityPub and OStatus, as well as for " "debug purposes. It should be safe to remove it after 14 days, default is 90 " "days." msgstr "Die Konversationsdaten werden für ActivityPub und OStatus sowie für Debug-Zwecke verwendet. Sie sollten gefahrlos nach 14 Tagen entfernt werden können, der Standardwert beträgt 90 Tage." -#: src/Module/Admin/Site.php:692 +#: src/Module/Admin/Site.php:676 msgid "Path to item cache" msgstr "Pfad zum Item-Cache" -#: src/Module/Admin/Site.php:692 +#: src/Module/Admin/Site.php:676 msgid "The item caches buffers generated bbcode and external images." msgstr "Im Item-Cache werden externe Bilder und geparster BBCode zwischen gespeichert." -#: src/Module/Admin/Site.php:693 +#: src/Module/Admin/Site.php:677 msgid "Cache duration in seconds" msgstr "Cache-Dauer in Sekunden" -#: src/Module/Admin/Site.php:693 +#: src/Module/Admin/Site.php:677 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 zwischengespeicherten Dateien vorgehalten werden? Grundeinstellung sind 86400 Sekunden (ein Tag). Um den Item-Cache zu deaktivieren, setze diesen Wert auf -1." -#: src/Module/Admin/Site.php:694 +#: src/Module/Admin/Site.php:678 msgid "Maximum numbers of comments per post" msgstr "Maximale Anzahl von Kommentaren pro Beitrag" -#: src/Module/Admin/Site.php:694 +#: src/Module/Admin/Site.php:678 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." -#: src/Module/Admin/Site.php:695 +#: src/Module/Admin/Site.php:679 msgid "Maximum numbers of comments per post on the display page" msgstr "Maximale Anzahl von Kommentaren in der Einzelansicht" -#: src/Module/Admin/Site.php:695 +#: src/Module/Admin/Site.php:679 msgid "" "How many comments should be shown on the single view for each post? Default " "value is 1000." msgstr "Wie viele Kommentare sollen auf der Einzelansicht eines Beitrags angezeigt werden? Grundeinstellung sind 1000." -#: src/Module/Admin/Site.php:696 +#: src/Module/Admin/Site.php:680 msgid "Temp path" msgstr "Temp-Pfad" -#: src/Module/Admin/Site.php:696 +#: src/Module/Admin/Site.php:680 msgid "" "If you have a restricted system where the webserver can't access the system " "temp path, enter another path here." msgstr "Solltest du ein eingeschränktes System haben, auf dem der Webserver nicht auf das temp-Verzeichnis des Systems zugreifen kann, setze hier einen anderen Pfad." -#: src/Module/Admin/Site.php:697 +#: src/Module/Admin/Site.php:681 msgid "Disable picture proxy" msgstr "Bilder-Proxy deaktivieren" -#: src/Module/Admin/Site.php:697 +#: src/Module/Admin/Site.php:681 msgid "" "The picture proxy increases performance and privacy. It shouldn't be used on" " systems with very low bandwidth." msgstr "Der Proxy für Bilder verbessert die Leistung und Privatsphäre der Nutzer. Er sollte nicht auf Systemen verwendet werden, die nur über begrenzte Bandbreite verfügen." -#: src/Module/Admin/Site.php:698 +#: src/Module/Admin/Site.php:682 msgid "Only search in tags" msgstr "Nur in Tags suchen" -#: src/Module/Admin/Site.php:698 +#: src/Module/Admin/Site.php:682 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." -#: src/Module/Admin/Site.php:700 +#: src/Module/Admin/Site.php:684 msgid "New base url" msgstr "Neue Basis-URL" -#: src/Module/Admin/Site.php:700 +#: src/Module/Admin/Site.php:684 msgid "" "Change base url for this server. Sends relocate message to all Friendica and" " Diaspora* contacts of all users." msgstr "Ändert die Basis-URL dieses Servers und sendet eine Umzugsmitteilung an alle Friendica- und Diaspora*-Kontakte deiner NutzerInnen." -#: src/Module/Admin/Site.php:702 +#: src/Module/Admin/Site.php:686 msgid "RINO Encryption" msgstr "RINO-Verschlüsselung" -#: src/Module/Admin/Site.php:702 +#: src/Module/Admin/Site.php:686 msgid "Encryption layer between nodes." msgstr "Verschlüsselung zwischen Friendica-Instanzen" -#: src/Module/Admin/Site.php:702 +#: src/Module/Admin/Site.php:686 src/Module/Admin/Site.php:694 +#: src/Module/Contact.php:554 src/Module/Settings/TwoFactor/Index.php:113 +msgid "Disabled" +msgstr "Deaktiviert" + +#: src/Module/Admin/Site.php:686 msgid "Enabled" msgstr "Aktiv" -#: src/Module/Admin/Site.php:704 +#: src/Module/Admin/Site.php:688 msgid "Maximum number of parallel workers" msgstr "Maximale Anzahl parallel laufender Worker" -#: src/Module/Admin/Site.php:704 +#: src/Module/Admin/Site.php:688 #, php-format msgid "" "On shared hosters set this to %d. On larger systems, values of %d are great." " Default value is %d." msgstr "Wenn dein Knoten bei einem Shared Hoster ist, setze diesen Wert auf %d. Auf größeren Systemen funktioniert ein Wert von %d recht gut. Standardeinstellung sind %d." -#: src/Module/Admin/Site.php:705 -msgid "Don't use \"proc_open\" with the worker" -msgstr "\"proc_open\" nicht für die Worker verwenden" - -#: src/Module/Admin/Site.php:705 -msgid "" -"Enable this if your system doesn't allow the use of \"proc_open\". This can " -"happen on shared hosters. If this is enabled you should increase the " -"frequency of worker calls in your crontab." -msgstr "Aktiviere diese Option, wenn dein System die Verwendung von 'proc_open' verhindert. Dies könnte auf Shared Hostern der Fall sein. Wenn du diese Option aktivierst, solltest du die Frequenz der worker-Aufrufe in deiner crontab erhöhen." - -#: src/Module/Admin/Site.php:706 +#: src/Module/Admin/Site.php:689 msgid "Enable fastlane" msgstr "Aktiviere Fastlane" -#: src/Module/Admin/Site.php:706 +#: src/Module/Admin/Site.php:689 msgid "" "When enabed, the fastlane mechanism starts an additional worker if processes" " with higher priority are blocked by processes of lower priority." msgstr "Wenn aktiviert, wird der Fastlane-Mechanismus einen weiteren Worker-Prozeß starten, wenn Prozesse mit höherer Priorität von Prozessen mit niedrigerer Priorität blockiert werden." -#: src/Module/Admin/Site.php:707 -msgid "Enable frontend worker" -msgstr "Aktiviere den Frontend-Worker" - -#: src/Module/Admin/Site.php:707 -#, php-format -msgid "" -"When enabled the Worker process is triggered when backend access is " -"performed (e.g. messages being delivered). On smaller sites you might want " -"to call %s/worker on a regular basis via an external cron job. You should " -"only enable this option if you cannot utilize cron/scheduled jobs on your " -"server." -msgstr "Ist diese Option aktiv, wird der Worker Prozess durch Aktionen am Frontend gestartet (z.B. wenn Nachrichten zugestellt werden). Auf kleineren Seiten sollte %s/worker regelmäßig, beispielsweise durch einen externen Cron Anbieter, aufgerufen werden. Du solltest diese Option nur dann aktivieren, wenn du keinen Cron Job auf deinem eigenen Server starten kannst." - -#: src/Module/Admin/Site.php:709 +#: src/Module/Admin/Site.php:691 msgid "Use relay servers" msgstr "Verwende Relais-Server" -#: src/Module/Admin/Site.php:709 +#: src/Module/Admin/Site.php:691 msgid "" "Enables the receiving of public posts from relay servers. They will be " "included in the search, subscribed tags and on the global community page." msgstr "Aktiviert den Empfang von öffentlichen Beiträgen vom Relais-Server. Diese Beiträge werden in der Suche, den abonnierten Hashtags sowie der globalen Gemeinschaftsseite verfügbar sein." -#: src/Module/Admin/Site.php:710 +#: src/Module/Admin/Site.php:692 msgid "\"Social Relay\" server" msgstr "\"Social Relais\" Server" -#: src/Module/Admin/Site.php:710 +#: src/Module/Admin/Site.php:692 #, php-format msgid "" "Address of the \"Social Relay\" server where public posts should be send to." @@ -7885,61 +6634,61 @@ msgid "" "relay\" command line command." msgstr "Adresse des \"Social Relais\" Servers, an den die öffentlichen Beiträge gesendet werden sollen.- Zum Beispiel %s. ActivityRelais Server werden mit dem Kommandozeilen Befehl \"console relay\" administriert." -#: src/Module/Admin/Site.php:711 +#: src/Module/Admin/Site.php:693 msgid "Direct relay transfer" msgstr "Direkte Relais-Übertragung" -#: src/Module/Admin/Site.php:711 +#: src/Module/Admin/Site.php:693 msgid "" "Enables the direct transfer to other servers without using the relay servers" msgstr "Aktiviert das direkte Verteilen an andere Server, ohne dass ein Relais-Server verwendet wird." -#: src/Module/Admin/Site.php:712 +#: src/Module/Admin/Site.php:694 msgid "Relay scope" msgstr "Geltungsbereich des Relais" -#: src/Module/Admin/Site.php:712 +#: src/Module/Admin/Site.php:694 msgid "" "Can be \"all\" or \"tags\". \"all\" means that every public post should be " "received. \"tags\" means that only posts with selected tags should be " "received." msgstr "Der Wert kann entweder 'Alle' oder 'Schlagwörter' sein. 'Alle' bedeutet, dass alle öffentliche Beiträge empfangen werden sollen. 'Schlagwörter' schränkt dem Empfang auf Beiträge ein, die bestimmte Schlagwörter beinhalten." -#: src/Module/Admin/Site.php:712 +#: src/Module/Admin/Site.php:694 msgid "all" msgstr "Alle" -#: src/Module/Admin/Site.php:712 +#: src/Module/Admin/Site.php:694 msgid "tags" msgstr "Schlagwörter" -#: src/Module/Admin/Site.php:713 +#: src/Module/Admin/Site.php:695 msgid "Server tags" msgstr "Server-Schlagworte" -#: src/Module/Admin/Site.php:713 +#: src/Module/Admin/Site.php:695 msgid "Comma separated list of tags for the \"tags\" subscription." msgstr "Liste von Schlagworten, die abonniert werden sollen, mit Komma getrennt." -#: src/Module/Admin/Site.php:714 +#: src/Module/Admin/Site.php:696 msgid "Deny Server tags" msgstr "Server Tags ablehnen" -#: src/Module/Admin/Site.php:714 +#: src/Module/Admin/Site.php:696 msgid "Comma separated list of tags that are rejected." msgstr "Durch Kommas getrennte Liste der Tags, die abgelehnt werden" -#: src/Module/Admin/Site.php:715 +#: src/Module/Admin/Site.php:697 msgid "Allow user tags" msgstr "Verwende Schlagworte der Nutzer" -#: src/Module/Admin/Site.php:715 +#: src/Module/Admin/Site.php:697 msgid "" "If enabled, the tags from the saved searches will used for the \"tags\" " "subscription in addition to the \"relay_server_tags\"." msgstr "Ist dies aktiviert, werden die Schlagwörter der gespeicherten Suchen zusätzlich zu den oben definierten Server-Schlagworten abonniert." -#: src/Module/Admin/Site.php:718 +#: src/Module/Admin/Site.php:700 msgid "Start Relocation" msgstr "Umsiedlung starten" @@ -8101,6 +6850,10 @@ msgstr "Nachrichten-Warteschlangen" msgid "Server Settings" msgstr "Servereinstellungen" +#: src/Module/Admin/Summary.php:231 src/Repository/ProfileField.php:285 +msgid "Summary" +msgstr "Zusammenfassung" + #: src/Module/Admin/Summary.php:233 msgid "Registered users" msgstr "Registrierte Personen" @@ -8117,209 +6870,54 @@ msgstr "Version" msgid "Active addons" msgstr "Aktivierte Addons" -#: src/Module/Admin/Users/Create.php:62 -msgid "New User" -msgstr "Neuer Nutzer" - -#: src/Module/Admin/Users/Create.php:63 -msgid "Add User" -msgstr "Nutzer hinzufügen" - -#: src/Module/Admin/Users/Create.php:71 -msgid "Name of the new user." -msgstr "Name des neuen Nutzers" - -#: src/Module/Admin/Users/Create.php:72 -msgid "Nickname" -msgstr "Spitzname" - -#: src/Module/Admin/Users/Create.php:72 -msgid "Nickname of the new user." -msgstr "Spitznamen für den neuen Nutzer" - -#: src/Module/Admin/Users/Create.php:73 src/Module/Admin/Users/Pending.php:104 -#: src/Module/Admin/Users/Index.php:142 src/Module/Admin/Users/Index.php:162 -#: src/Module/Admin/Users/Active.php:129 -#: src/Module/Admin/Users/Blocked.php:130 -#: src/Module/Admin/Users/Deleted.php:88 src/Content/ContactSelector.php:102 -msgid "Email" -msgstr "E-Mail" - -#: src/Module/Admin/Users/Create.php:73 -msgid "Email address of the new user." -msgstr "Email Adresse des neuen Nutzers" - -#: src/Module/Admin/Users/Pending.php:48 +#: src/Module/Admin/Themes/Details.php:57 src/Module/Admin/Themes/Index.php:65 #, php-format -msgid "%s user approved" -msgid_plural "%s users approved" -msgstr[0] "%sNutzer zugelassen" -msgstr[1] "%sNutzer zugelassen" +msgid "Theme %s disabled." +msgstr "Theme %s deaktiviert." -#: src/Module/Admin/Users/Pending.php:55 +#: src/Module/Admin/Themes/Details.php:59 src/Module/Admin/Themes/Index.php:67 #, php-format -msgid "%s registration revoked" -msgid_plural "%s registrations revoked" -msgstr[0] "%sRegistration zurückgezogen" -msgstr[1] "%sRegistrierungen zurückgezogen" +msgid "Theme %s successfully enabled." +msgstr "Theme %s erfolgreich aktiviert." -#: src/Module/Admin/Users/Pending.php:81 -msgid "Account approved." -msgstr "Konto freigegeben." - -#: src/Module/Admin/Users/Pending.php:87 -msgid "Registration revoked" -msgstr "Registrierung zurückgezogen" - -#: src/Module/Admin/Users/Pending.php:102 -msgid "User registrations awaiting review" -msgstr "Neuanmeldungen, die auf Deine Bestätigung warten" - -#: src/Module/Admin/Users/Pending.php:103 src/Module/Admin/Users/Index.php:151 -#: src/Module/Admin/Users/Active.php:138 -#: src/Module/Admin/Users/Blocked.php:139 -#: src/Module/Admin/Blocklist/Contact.php:82 -msgid "select all" -msgstr "Alle auswählen" - -#: src/Module/Admin/Users/Pending.php:104 -msgid "Request date" -msgstr "Anfragedatum" - -#: src/Module/Admin/Users/Pending.php:105 -msgid "No registrations." -msgstr "Keine Neuanmeldungen." - -#: src/Module/Admin/Users/Pending.php:106 -msgid "Note from the user" -msgstr "Hinweis vom Nutzer" - -#: src/Module/Admin/Users/Pending.php:108 -msgid "Deny" -msgstr "Verwehren" - -#: src/Module/Admin/Users/Index.php:45 src/Module/Admin/Users/Active.php:45 +#: src/Module/Admin/Themes/Details.php:61 src/Module/Admin/Themes/Index.php:69 #, php-format -msgid "%s user blocked" -msgid_plural "%s users blocked" -msgstr[0] "%s Nutzer blockiert" -msgstr[1] "%s Nutzer blockiert" +msgid "Theme %s failed to install." +msgstr "Theme %s konnte nicht aktiviert werden." -#: src/Module/Admin/Users/Index.php:52 src/Module/Admin/Users/Blocked.php:46 +#: src/Module/Admin/Themes/Details.php:83 +msgid "Screenshot" +msgstr "Bildschirmfoto" + +#: src/Module/Admin/Themes/Details.php:91 +#: src/Module/Admin/Themes/Index.php:112 src/Module/BaseAdmin.php:93 +msgid "Themes" +msgstr "Themen" + +#: src/Module/Admin/Themes/Embed.php:65 +msgid "Unknown theme." +msgstr "Unbekanntes Theme" + +#: src/Module/Admin/Themes/Index.php:51 +msgid "Themes reloaded" +msgstr "Themes wurden neu geladen" + +#: src/Module/Admin/Themes/Index.php:114 +msgid "Reload active themes" +msgstr "Aktives Theme neu laden" + +#: src/Module/Admin/Themes/Index.php:119 #, php-format -msgid "%s user unblocked" -msgid_plural "%s users unblocked" -msgstr[0] "%s Nutzer freigeschaltet" -msgstr[1] "%s Nutzer freigeschaltet" +msgid "No themes found on the system. They should be placed in %1$s" +msgstr "Es wurden keine Themes auf dem System gefunden. Diese sollten in %1$s platziert werden." -#: src/Module/Admin/Users/Index.php:60 src/Module/Admin/Users/Index.php:95 -#: src/Module/Admin/Users/Active.php:53 src/Module/Admin/Users/Active.php:88 -#: src/Module/Admin/Users/Blocked.php:54 src/Module/Admin/Users/Blocked.php:89 -msgid "You can't remove yourself" -msgstr "Du kannst dich nicht selbst löschen!" +#: src/Module/Admin/Themes/Index.php:120 +msgid "[Experimental]" +msgstr "[Experimentell]" -#: src/Module/Admin/Users/Index.php:64 src/Module/Admin/Users/Active.php:57 -#: src/Module/Admin/Users/Blocked.php:58 -#, php-format -msgid "%s user deleted" -msgid_plural "%s users deleted" -msgstr[0] "%s Nutzer gelöscht" -msgstr[1] "%s Nutzer gelöscht" - -#: src/Module/Admin/Users/Index.php:93 src/Module/Admin/Users/Active.php:86 -#: src/Module/Admin/Users/Blocked.php:87 -#, php-format -msgid "User \"%s\" deleted" -msgstr "Nutzer \"%s\" gelöscht" - -#: src/Module/Admin/Users/Index.php:103 src/Module/Admin/Users/Active.php:96 -#, php-format -msgid "User \"%s\" blocked" -msgstr "Nutzer \"%s\" blockiert" - -#: src/Module/Admin/Users/Index.php:109 src/Module/Admin/Users/Blocked.php:96 -#, php-format -msgid "User \"%s\" unblocked" -msgstr "Nutzer \"%s\" frei geschaltet" - -#: src/Module/Admin/Users/Index.php:142 src/Module/Admin/Users/Index.php:162 -#: src/Module/Admin/Users/Active.php:129 -#: src/Module/Admin/Users/Blocked.php:130 -#: src/Module/Admin/Users/Deleted.php:88 -msgid "Register date" -msgstr "Anmeldedatum" - -#: src/Module/Admin/Users/Index.php:142 src/Module/Admin/Users/Index.php:162 -#: src/Module/Admin/Users/Active.php:129 -#: src/Module/Admin/Users/Blocked.php:130 -#: src/Module/Admin/Users/Deleted.php:88 -msgid "Last login" -msgstr "Letzte Anmeldung" - -#: src/Module/Admin/Users/Index.php:142 src/Module/Admin/Users/Index.php:162 -#: src/Module/Admin/Users/Active.php:129 -#: src/Module/Admin/Users/Blocked.php:130 -#: src/Module/Admin/Users/Deleted.php:88 -msgid "Last public item" -msgstr "Letzter öffentliche Beitrag" - -#: src/Module/Admin/Users/Index.php:142 src/Module/Admin/Users/Active.php:129 -#: src/Module/Admin/Users/Blocked.php:130 -msgid "Type" -msgstr "Typ" - -#: src/Module/Admin/Users/Index.php:152 -msgid "User waiting for permanent deletion" -msgstr "Nutzer wartet auf permanente Löschung" - -#: src/Module/Admin/Users/Index.php:155 src/Module/Admin/Users/Active.php:141 -#: src/Module/Admin/Users/Blocked.php:141 -msgid "User blocked" -msgstr "Nutzer blockiert." - -#: src/Module/Admin/Users/Index.php:157 src/Module/Admin/Users/Active.php:142 -#: src/Module/Admin/Users/Blocked.php:143 -msgid "Site admin" -msgstr "Seitenadministrator" - -#: src/Module/Admin/Users/Index.php:158 src/Module/Admin/Users/Active.php:143 -#: src/Module/Admin/Users/Blocked.php:144 -msgid "Account expired" -msgstr "Account ist abgelaufen" - -#: src/Module/Admin/Users/Index.php:161 src/Module/Admin/Users/Active.php:144 -msgid "Create a new user" -msgstr "Neues Benutzerkonto anlegen" - -#: src/Module/Admin/Users/Index.php:162 src/Module/Admin/Users/Deleted.php:88 -msgid "Permanent deletion" -msgstr "Permanent löschen" - -#: src/Module/Admin/Users/Index.php:167 src/Module/Admin/Users/Active.php:150 -#: src/Module/Admin/Users/Blocked.php:150 -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?" - -#: src/Module/Admin/Users/Index.php:168 src/Module/Admin/Users/Active.php:151 -#: src/Module/Admin/Users/Blocked.php:151 -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?" - -#: src/Module/Admin/Users/Active.php:137 -msgid "Active Accounts" -msgstr "Aktive Benutzerkonten" - -#: src/Module/Admin/Users/Blocked.php:138 -msgid "Blocked Users" -msgstr "Blockierte Benutzer" - -#: src/Module/Admin/Users/Deleted.php:86 -msgid "Users awaiting permanent deletion" -msgstr "Nutzer wartet auf permanente Löschung" +#: src/Module/Admin/Themes/Index.php:121 +msgid "[Unsupported]" +msgstr "[Nicht unterstützt]" #: src/Module/Admin/Tos.php:60 msgid "Display Terms of Service" @@ -8357,321 +6955,319 @@ msgid "" "of sections should be [h2] and below." msgstr "Füge hier die Nutzungsbedingungen deines Knotens ein. Du kannst BBCode zur Formatierung verwenden. Überschriften sollten [h2] oder darunter sein." -#: src/Module/Admin/Blocklist/Server.php:49 -msgid "Server domain pattern added to blocklist." -msgstr "Server Domain Muster zur Blockliste hinzugefügt" - -#: src/Module/Admin/Blocklist/Server.php:79 -#: src/Module/Admin/Blocklist/Server.php:104 -msgid "Blocked server domain pattern" -msgstr "Blockierte Server Domain Muster" - -#: src/Module/Admin/Blocklist/Server.php:80 -#: src/Module/Admin/Blocklist/Server.php:105 src/Module/Friendica.php:81 -msgid "Reason for the block" -msgstr "Begründung für die Blockierung" - -#: src/Module/Admin/Blocklist/Server.php:81 -msgid "Delete server domain pattern" -msgstr "Server Domain Muster löschen" - -#: src/Module/Admin/Blocklist/Server.php:81 -msgid "Check to delete this entry from the blocklist" -msgstr "Markieren, um diesen Eintrag von der Blocklist zu entfernen" - -#: src/Module/Admin/Blocklist/Server.php:89 -msgid "Server Domain Pattern Blocklist" -msgstr "Server Domain Muster Blockliste" - -#: src/Module/Admin/Blocklist/Server.php:90 -msgid "" -"This page can be used to define a blocklist of server domain patterns from " -"the federated network that are not allowed to interact with your node. For " -"each domain pattern you should also provide the reason why you block it." -msgstr "Auf dieser Seite kannst du Muster definieren mit denen Server Domains aus dem föderierten Netzwerk daran gehindert werden mit deiner Instanz zu interagieren. Es ist ratsam für jedes Muster anzugeben, warum du es zur Blockliste hinzugefügt hast." - -#: src/Module/Admin/Blocklist/Server.php:91 -msgid "" -"The list of blocked server domain patterns will be made publically available" -" on the /friendica page so that your users and " -"people investigating communication problems can find the reason easily." -msgstr "Die Liste der blockierten Domain Muster wird auf der Seite /friendica öffentlich einsehbar gemacht, damit deine Nutzer und Personen, die Kommunikationsprobleme erkunden, die Ursachen einfach finden können." - -#: src/Module/Admin/Blocklist/Server.php:92 -msgid "" -"

The server domain pattern syntax is case-insensitive shell wildcard, comprising the following special characters:

\n" -"
    \n" -"\t
  • *: Any number of characters
  • \n" -"\t
  • ?: Any single character
  • \n" -"\t
  • [<char1><char2>...]: char1 or char2
  • \n" -"
" -msgstr "

Die Server Domain Muster sind Groß-/Kleinschreibung unabhängig mit Shell-Jokerzeichen, die die folgenden Sonderzeichen umfassen:

\n
    \n\t
  • *: Beliebige Anzahl von Zeichen
  • \n\t
  • ?: Ein einzelnes beliebiges Zeichen
  • \n\t
  • [<Zeichen1><Zeichen2>...]:Zeichen1 oder Zeichen2
  • \n
" - -#: src/Module/Admin/Blocklist/Server.php:98 -msgid "Add new entry to block list" -msgstr "Neuen Eintrag in die Blockliste" - -#: src/Module/Admin/Blocklist/Server.php:99 -msgid "Server Domain Pattern" -msgstr "Server Domain Muster" - -#: src/Module/Admin/Blocklist/Server.php:99 -msgid "" -"The domain pattern of the new server to add to the block list. Do not " -"include the protocol." -msgstr "Das Muster für Server Domains die geblockt werden sollen. Gib das Protokoll nicht mit an!" - -#: src/Module/Admin/Blocklist/Server.php:100 -msgid "Block reason" -msgstr "Begründung der Blockierung" - -#: src/Module/Admin/Blocklist/Server.php:100 -msgid "The reason why you blocked this server domain pattern." -msgstr "Die Begründung, warum du dieses Domain Muster blockiert hast." - -#: src/Module/Admin/Blocklist/Server.php:101 -msgid "Add Entry" -msgstr "Eintrag hinzufügen" - -#: src/Module/Admin/Blocklist/Server.php:102 -msgid "Save changes to the blocklist" -msgstr "Änderungen der Blockliste speichern" - -#: src/Module/Admin/Blocklist/Server.php:103 -msgid "Current Entries in the Blocklist" -msgstr "Aktuelle Einträge der Blockliste" - -#: src/Module/Admin/Blocklist/Server.php:106 -msgid "Delete entry from blocklist" -msgstr "Eintrag von der Blockliste entfernen" - -#: src/Module/Admin/Blocklist/Server.php:109 -msgid "Delete entry from blocklist?" -msgstr "Eintrag von der Blockliste entfernen?" - -#: src/Module/Admin/Blocklist/Contact.php:57 +#: src/Module/Admin/Users/Active.php:45 src/Module/Admin/Users/Index.php:45 #, php-format -msgid "%s contact unblocked" -msgid_plural "%s contacts unblocked" -msgstr[0] "%sKontakt wieder freigegeben" -msgstr[1] "%sKontakte wieder freigegeben" +msgid "%s user blocked" +msgid_plural "%s users blocked" +msgstr[0] "%s Nutzer blockiert" +msgstr[1] "%s Nutzer blockiert" -#: src/Module/Admin/Blocklist/Contact.php:79 -msgid "Remote Contact Blocklist" -msgstr "Blockliste entfernter Kontakte" +#: src/Module/Admin/Users/Active.php:53 src/Module/Admin/Users/Active.php:88 +#: src/Module/Admin/Users/Blocked.php:54 src/Module/Admin/Users/Blocked.php:89 +#: src/Module/Admin/Users/Index.php:60 src/Module/Admin/Users/Index.php:95 +msgid "You can't remove yourself" +msgstr "Du kannst dich nicht selbst löschen!" -#: src/Module/Admin/Blocklist/Contact.php:80 +#: src/Module/Admin/Users/Active.php:57 src/Module/Admin/Users/Blocked.php:58 +#: src/Module/Admin/Users/Index.php:64 +#, php-format +msgid "%s user deleted" +msgid_plural "%s users deleted" +msgstr[0] "%s Nutzer gelöscht" +msgstr[1] "%s Nutzer gelöscht" + +#: src/Module/Admin/Users/Active.php:86 src/Module/Admin/Users/Blocked.php:87 +#: src/Module/Admin/Users/Index.php:93 +#, php-format +msgid "User \"%s\" deleted" +msgstr "Nutzer \"%s\" gelöscht" + +#: src/Module/Admin/Users/Active.php:96 src/Module/Admin/Users/Index.php:103 +#, php-format +msgid "User \"%s\" blocked" +msgstr "Nutzer \"%s\" blockiert" + +#: src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:142 +#: src/Module/Admin/Users/Index.php:162 +msgid "Register date" +msgstr "Anmeldedatum" + +#: src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:142 +#: src/Module/Admin/Users/Index.php:162 +msgid "Last login" +msgstr "Letzte Anmeldung" + +#: src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:142 +#: src/Module/Admin/Users/Index.php:162 +msgid "Last public item" +msgstr "Letzter öffentliche Beitrag" + +#: src/Module/Admin/Users/Active.php:129 +#: src/Module/Admin/Users/Blocked.php:130 src/Module/Admin/Users/Index.php:142 +msgid "Type" +msgstr "Typ" + +#: src/Module/Admin/Users/Active.php:137 +msgid "Active Accounts" +msgstr "Aktive Benutzerkonten" + +#: src/Module/Admin/Users/Active.php:141 +#: src/Module/Admin/Users/Blocked.php:141 src/Module/Admin/Users/Index.php:155 +msgid "User blocked" +msgstr "Nutzer blockiert." + +#: src/Module/Admin/Users/Active.php:142 +#: src/Module/Admin/Users/Blocked.php:143 src/Module/Admin/Users/Index.php:157 +msgid "Site admin" +msgstr "Seitenadministrator" + +#: src/Module/Admin/Users/Active.php:143 +#: src/Module/Admin/Users/Blocked.php:144 src/Module/Admin/Users/Index.php:158 +msgid "Account expired" +msgstr "Account ist abgelaufen" + +#: src/Module/Admin/Users/Active.php:144 src/Module/Admin/Users/Index.php:161 +msgid "Create a new user" +msgstr "Neues Benutzerkonto anlegen" + +#: src/Module/Admin/Users/Active.php:150 +#: src/Module/Admin/Users/Blocked.php:150 src/Module/Admin/Users/Index.php:167 msgid "" -"This page allows you to prevent any message from a remote contact to reach " -"your node." -msgstr "Auf dieser Seite kannst du Accounts von anderen Knoten blockieren und damit verhindern, dass ihre Beiträge von deinem Knoten angenommen werden." +"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?" -#: src/Module/Admin/Blocklist/Contact.php:81 -msgid "Block Remote Contact" -msgstr "Blockiere entfernten Kontakt" - -#: src/Module/Admin/Blocklist/Contact.php:83 -msgid "select none" -msgstr "Auswahl aufheben" - -#: src/Module/Admin/Blocklist/Contact.php:86 -msgid "No remote contact is blocked from this node." -msgstr "Derzeit werden keine Kontakte auf diesem Knoten blockiert." - -#: src/Module/Admin/Blocklist/Contact.php:88 -msgid "Blocked Remote Contacts" -msgstr "Blockierte Kontakte von anderen Knoten" - -#: src/Module/Admin/Blocklist/Contact.php:89 -msgid "Block New Remote Contact" -msgstr "Blockieren von weiteren Kontakten" - -#: src/Module/Admin/Blocklist/Contact.php:90 -msgid "Photo" -msgstr "Foto:" - -#: src/Module/Admin/Blocklist/Contact.php:90 -msgid "Reason" -msgstr "Grund" - -#: src/Module/Admin/Blocklist/Contact.php:98 -#, php-format -msgid "%s total blocked contact" -msgid_plural "%s total blocked contacts" -msgstr[0] "Insgesamt %s blockierter Kontakt" -msgstr[1] "Insgesamt %s blockierte Kontakte" - -#: src/Module/Admin/Blocklist/Contact.php:100 -msgid "URL of the remote contact to block." -msgstr "Die URL des entfernten Kontakts, der blockiert werden soll." - -#: src/Module/Admin/Blocklist/Contact.php:101 -msgid "Block Reason" -msgstr "Sperrgrund" - -#: src/Module/Admin/Item/Source.php:57 -msgid "Item Guid" -msgstr "Beitrags-Guid" - -#: src/Module/Admin/Item/Delete.php:54 -msgid "Item marked for deletion." -msgstr "Eintrag wurden zur Löschung markiert" - -#: src/Module/Admin/Item/Delete.php:67 -msgid "Delete this Item" -msgstr "Diesen Eintrag löschen" - -#: src/Module/Admin/Item/Delete.php:68 +#: src/Module/Admin/Users/Active.php:151 +#: src/Module/Admin/Users/Blocked.php:151 src/Module/Admin/Users/Index.php:168 msgid "" -"On this page you can delete an item from your node. If the item is a top " -"level posting, the entire thread will be deleted." -msgstr "Auf dieser Seite kannst du Einträge von deinem Knoten löschen. Wenn der Eintrag der Anfang einer Diskussion ist, wird der gesamte Diskussionsverlauf gelöscht." +"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?" -#: src/Module/Admin/Item/Delete.php:69 +#: src/Module/Admin/Users/Blocked.php:46 src/Module/Admin/Users/Index.php:52 +#, php-format +msgid "%s user unblocked" +msgid_plural "%s users unblocked" +msgstr[0] "%s Nutzer freigeschaltet" +msgstr[1] "%s Nutzer freigeschaltet" + +#: src/Module/Admin/Users/Blocked.php:96 src/Module/Admin/Users/Index.php:109 +#, php-format +msgid "User \"%s\" unblocked" +msgstr "Nutzer \"%s\" frei geschaltet" + +#: src/Module/Admin/Users/Blocked.php:138 +msgid "Blocked Users" +msgstr "Blockierte Benutzer" + +#: src/Module/Admin/Users/Create.php:62 +msgid "New User" +msgstr "Neuer Nutzer" + +#: src/Module/Admin/Users/Create.php:63 +msgid "Add User" +msgstr "Nutzer hinzufügen" + +#: src/Module/Admin/Users/Create.php:71 +msgid "Name of the new user." +msgstr "Name des neuen Nutzers" + +#: src/Module/Admin/Users/Create.php:72 +msgid "Nickname" +msgstr "Spitzname" + +#: src/Module/Admin/Users/Create.php:72 +msgid "Nickname of the new user." +msgstr "Spitznamen für den neuen Nutzer" + +#: src/Module/Admin/Users/Create.php:73 +msgid "Email address of the new user." +msgstr "Email Adresse des neuen Nutzers" + +#: src/Module/Admin/Users/Deleted.php:86 +msgid "Users awaiting permanent deletion" +msgstr "Nutzer wartet auf permanente Löschung" + +#: src/Module/Admin/Users/Deleted.php:88 src/Module/Admin/Users/Index.php:162 +msgid "Permanent deletion" +msgstr "Permanent löschen" + +#: src/Module/Admin/Users/Index.php:150 src/Module/Admin/Users/Index.php:160 +#: src/Module/BaseAdmin.php:91 +msgid "Users" +msgstr "Nutzer" + +#: src/Module/Admin/Users/Index.php:152 +msgid "User waiting for permanent deletion" +msgstr "Nutzer wartet auf permanente Löschung" + +#: src/Module/Admin/Users/Pending.php:48 +#, php-format +msgid "%s user approved" +msgid_plural "%s users approved" +msgstr[0] "%sNutzer zugelassen" +msgstr[1] "%sNutzer zugelassen" + +#: src/Module/Admin/Users/Pending.php:55 +#, php-format +msgid "%s registration revoked" +msgid_plural "%s registrations revoked" +msgstr[0] "%sRegistration zurückgezogen" +msgstr[1] "%sRegistrierungen zurückgezogen" + +#: src/Module/Admin/Users/Pending.php:81 +msgid "Account approved." +msgstr "Konto freigegeben." + +#: src/Module/Admin/Users/Pending.php:87 +msgid "Registration revoked" +msgstr "Registrierung zurückgezogen" + +#: src/Module/Admin/Users/Pending.php:102 +msgid "User registrations awaiting review" +msgstr "Neuanmeldungen, die auf Deine Bestätigung warten" + +#: src/Module/Admin/Users/Pending.php:104 +msgid "Request date" +msgstr "Anfragedatum" + +#: src/Module/Admin/Users/Pending.php:105 +msgid "No registrations." +msgstr "Keine Neuanmeldungen." + +#: src/Module/Admin/Users/Pending.php:106 +msgid "Note from the user" +msgstr "Hinweis vom Nutzer" + +#: src/Module/Admin/Users/Pending.php:108 +msgid "Deny" +msgstr "Verwehren" + +#: src/Module/Api/Mastodon/Unimplemented.php:42 +#, php-format +msgid "API endpoint \"%s\" is not implemented" +msgstr "API endpoint \"%s\" is not implemented" + +#: src/Module/Api/Mastodon/Unimplemented.php:43 msgid "" -"You need to know the GUID of the item. You can find it e.g. by looking at " -"the display URL. The last part of http://example.com/display/123456 is the " -"GUID, here 123456." -msgstr "Zur Löschung musst du die GUID des Eintrags kennen. Diese findest du z.B. durch die /display URL des Eintrags. Der letzte Teil der URL ist die GUID. Lautet die URL beispielsweise http://example.com/display/123456, ist die GUID 123456." +"The API endpoint is currently not implemented but might be in the future." +msgstr "The API endpoint is currently not implemented but might be in the future." -#: src/Module/Admin/Item/Delete.php:70 -msgid "GUID" -msgstr "GUID" +#: src/Module/Api/Twitter/ContactEndpoint.php:65 src/Module/Contact.php:400 +msgid "Contact not found" +msgstr "Kontakt nicht gefunden" -#: src/Module/Admin/Item/Delete.php:70 -msgid "The GUID of the item you want to delete." -msgstr "Die GUID des zu löschenden Eintrags" +#: src/Module/Api/Twitter/ContactEndpoint.php:135 +msgid "Profile not found" +msgstr "Profil wurde nicht gefunden" -#: src/Module/Admin/Addons/Details.php:65 -msgid "Addon not found." -msgstr "Addon nicht gefunden." +#: src/Module/Apps.php:47 +msgid "No installed applications." +msgstr "Keine Applikationen installiert." -#: src/Module/Admin/Addons/Details.php:76 src/Module/Admin/Addons/Index.php:49 -#, php-format -msgid "Addon %s disabled." -msgstr "Addon %s ausgeschaltet." - -#: src/Module/Admin/Addons/Details.php:79 src/Module/Admin/Addons/Index.php:51 -#, php-format -msgid "Addon %s enabled." -msgstr "Addon %s eingeschaltet." - -#: src/Module/Admin/Addons/Index.php:42 -msgid "Addons reloaded" -msgstr "Addons neu geladen" - -#: src/Module/Admin/Addons/Index.php:53 -#, php-format -msgid "Addon %s failed to install." -msgstr "Addon %s konnte nicht installiert werden" - -#: src/Module/Admin/Addons/Index.php:70 -msgid "Reload active addons" -msgstr "Aktivierte Addons neu laden" - -#: src/Module/Admin/Addons/Index.php:75 -#, php-format -msgid "" -"There are currently no addons available on your node. You can find the " -"official addon repository at %1$s and might find other interesting addons in" -" the open addon registry at %2$s" -msgstr "Es sind derzeit keine Addons auf diesem Knoten verfügbar. Du findest das offizielle Addon-Repository unter %1$s und weitere eventuell interessante Addons im offenen Addon-Verzeichnis auf %2$s." - -#: src/Module/Directory.php:77 -msgid "No entries (some entries may be hidden)." -msgstr "Keine Einträge (einige Einträge könnten versteckt sein)." - -#: src/Module/Directory.php:99 -msgid "Find on this site" -msgstr "Auf diesem Server suchen" - -#: src/Module/Directory.php:101 -msgid "Results for:" -msgstr "Ergebnisse für:" - -#: src/Module/Directory.php:103 -msgid "Site Directory" -msgstr "Verzeichnis" +#: src/Module/Apps.php:52 +msgid "Applications" +msgstr "Anwendungen" #: src/Module/Attach.php:50 src/Module/Attach.php:62 msgid "Item was not found." msgstr "Beitrag konnte nicht gefunden werden." -#: src/Module/Item/Compose.php:46 -msgid "Please enter a post body." -msgstr "Bitte gibt den Text des Beitrags an" +#: src/Module/BaseAdmin.php:63 +msgid "You don't have access to administration pages." +msgstr "Du hast keinen Zugriff auf die Administrationsseiten." -#: src/Module/Item/Compose.php:59 -msgid "This feature is only available with the frio theme." -msgstr "Diese Seite kann ausschließlich mit dem Frio Theme verwendet werden." - -#: src/Module/Item/Compose.php:86 -msgid "Compose new personal note" -msgstr "Neue persönliche Notiz verfassen" - -#: src/Module/Item/Compose.php:95 -msgid "Compose new post" -msgstr "Neuen Beitrag verfassen" - -#: src/Module/Item/Compose.php:135 -msgid "Visibility" -msgstr "Sichtbarkeit" - -#: src/Module/Item/Compose.php:156 -msgid "Clear the location" -msgstr "Ort löschen" - -#: src/Module/Item/Compose.php:157 -msgid "Location services are unavailable on your device" -msgstr "Ortungsdienste sind auf Ihrem Gerät nicht verfügbar" - -#: src/Module/Item/Compose.php:158 +#: src/Module/BaseAdmin.php:67 msgid "" -"Location services are disabled. Please check the website's permissions on " -"your device" -msgstr "Ortungsdienste sind deaktiviert. Bitte überprüfe die Berechtigungen der Website auf deinem Gerät" +"Submanaged account can't access the administration pages. Please log back in" +" as the main account." +msgstr "Verwaltete Benutzerkonten haben keinen Zugriff auf die Administrationsseiten. Bitte wechsle wieder zurück auf das Administrator Konto." -#: src/Module/Friendica.php:61 -msgid "Installed addons/apps:" -msgstr "Installierte Apps und Addons" +#: src/Module/BaseAdmin.php:86 +msgid "Overview" +msgstr "Übersicht" -#: src/Module/Friendica.php:66 -msgid "No installed addons/apps" -msgstr "Es sind keine Addons oder Apps installiert" +#: src/Module/BaseAdmin.php:89 +msgid "Configuration" +msgstr "Konfiguration" -#: src/Module/Friendica.php:71 -#, php-format -msgid "Read about the Terms of Service of this node." -msgstr "Erfahre mehr über die Nutzungsbedingungen dieses Knotens." +#: src/Module/BaseAdmin.php:94 src/Module/BaseSettings.php:65 +msgid "Additional features" +msgstr "Zusätzliche Features" -#: src/Module/Friendica.php:78 -msgid "On this server the following remote servers are blocked." -msgstr "Auf diesem Server werden die folgenden, entfernten Server blockiert." +#: src/Module/BaseAdmin.php:97 +msgid "Database" +msgstr "Datenbank" -#: src/Module/Friendica.php:96 -#, php-format -msgid "" -"This is Friendica, version %s that is running at the web location %s. The " -"database version is %s, the post update version is %s." -msgstr "Diese Friendica-Instanz verwendet die Version %s, sie ist unter der folgenden Adresse im Web zu finden %s. Die Datenbankversion ist %s und die Post-Update-Version %s." +#: src/Module/BaseAdmin.php:98 +msgid "DB updates" +msgstr "DB Updates" -#: src/Module/Friendica.php:101 -msgid "" -"Please visit Friendi.ca to learn more " -"about the Friendica project." -msgstr "Bitte besuche Friendi.ca, um mehr über das Friendica-Projekt zu erfahren." +#: src/Module/BaseAdmin.php:99 +msgid "Inspect Deferred Workers" +msgstr "Verzögerte Worker inspizieren" -#: src/Module/Friendica.php:102 -msgid "Bug reports and issues: please visit" -msgstr "Probleme oder Fehler gefunden? Bitte besuche" +#: src/Module/BaseAdmin.php:100 +msgid "Inspect worker Queue" +msgstr "Worker Warteschlange inspizieren" -#: src/Module/Friendica.php:102 -msgid "the bugtracker at github" -msgstr "den Bugtracker auf github" +#: src/Module/BaseAdmin.php:102 +msgid "Tools" +msgstr "Werkzeuge" -#: src/Module/Friendica.php:103 -msgid "Suggestions, praise, etc. - please email \"info\" at \"friendi - dot - ca" -msgstr "Vorschläge, Lob usw.: E-Mail an \"Info\" at \"Friendi - dot ca\"" +#: src/Module/BaseAdmin.php:103 +msgid "Contact Blocklist" +msgstr "Kontakt Blockliste" + +#: src/Module/BaseAdmin.php:104 +msgid "Server Blocklist" +msgstr "Server Blockliste" + +#: src/Module/BaseAdmin.php:111 +msgid "Diagnostics" +msgstr "Diagnostik" + +#: src/Module/BaseAdmin.php:112 +msgid "PHP Info" +msgstr "PHP-Info" + +#: src/Module/BaseAdmin.php:113 +msgid "probe address" +msgstr "Adresse untersuchen" + +#: src/Module/BaseAdmin.php:114 +msgid "check webfinger" +msgstr "Webfinger überprüfen" + +#: src/Module/BaseAdmin.php:115 +msgid "Item Source" +msgstr "Beitrags Quelle" + +#: src/Module/BaseAdmin.php:116 +msgid "Babel" +msgstr "Babel" + +#: src/Module/BaseAdmin.php:117 +msgid "ActivityPub Conversion" +msgstr "Umwandlung nach ActivityPub" + +#: src/Module/BaseAdmin.php:126 +msgid "Addon Features" +msgstr "Addon Features" + +#: src/Module/BaseAdmin.php:127 +msgid "User registrations waiting for confirmation" +msgstr "Nutzeranmeldungen, die auf Bestätigung warten" + +#: src/Module/BaseProfile.php:55 src/Module/Contact.php:939 +msgid "Profile Details" +msgstr "Profildetails" #: src/Module/BaseProfile.php:113 msgid "Only You Can See This" @@ -8681,32 +7277,25 @@ msgstr "Nur du kannst das sehen" msgid "Tips for New Members" msgstr "Tipps für neue Nutzer" -#: src/Module/Photo.php:93 +#: src/Module/BaseSearch.php:69 #, php-format -msgid "The Photo with id %s is not available." -msgstr "Das Bild mit ID %s ist nicht verfügbar." +msgid "People Search - %s" +msgstr "Personensuche - %s" -#: src/Module/Photo.php:111 +#: src/Module/BaseSearch.php:79 #, php-format -msgid "Invalid photo with id %s." -msgstr "Fehlerhaftes Foto mit der ID %s." - -#: src/Module/RemoteFollow.php:67 -msgid "The provided profile link doesn't seem to be valid" -msgstr "Der angegebene Profil-Link scheint nicht gültig zu sein." - -#: src/Module/RemoteFollow.php:105 -#, php-format -msgid "" -"Enter your Webfinger address (user@domain.tld) or profile URL here. If this " -"isn't supported by your system, you have to subscribe to %s" -" or %s directly on your system." -msgstr "Gib entweder deine Webfinger- (user@domain.tld) oder die Profil-Adresse an. Wenn dies von deinem System nicht unterstützt wird, folge bitte %s oder %s direkt von deinem System. " +msgid "Forum Search - %s" +msgstr "Forensuche - %s" #: src/Module/BaseSettings.php:43 msgid "Account" msgstr "Nutzerkonto" +#: src/Module/BaseSettings.php:50 src/Module/Security/TwoFactor/Verify.php:80 +#: src/Module/Settings/TwoFactor/Index.php:105 +msgid "Two-factor authentication" +msgstr "Zwei-Faktor Authentifizierung" + #: src/Module/BaseSettings.php:73 msgid "Display" msgstr "Anzeige" @@ -8719,7 +7308,7 @@ msgstr "Accounts Verwalten" msgid "Connected apps" msgstr "Verbundene Programme" -#: src/Module/BaseSettings.php:108 src/Module/Settings/UserExport.php:66 +#: src/Module/BaseSettings.php:108 src/Module/Settings/UserExport.php:67 msgid "Export personal data" msgstr "Persönliche Daten exportieren" @@ -8727,160 +7316,13 @@ msgstr "Persönliche Daten exportieren" msgid "Remove account" msgstr "Konto löschen" -#: src/Module/Group.php:61 -msgid "Could not create group." -msgstr "Konnte die Gruppe nicht erstellen." +#: src/Module/Bookmarklet.php:56 +msgid "This page is missing a url parameter." +msgstr "Der Seite fehlt ein URL Parameter." -#: src/Module/Group.php:72 src/Module/Group.php:214 src/Module/Group.php:238 -msgid "Group not found." -msgstr "Gruppe nicht gefunden." - -#: src/Module/Group.php:78 -msgid "Group name was not changed." -msgstr "Der Name der Gruppe wurde nicht verändert." - -#: src/Module/Group.php:100 -msgid "Unknown group." -msgstr "Unbekannte Gruppe" - -#: src/Module/Group.php:109 -msgid "Contact is deleted." -msgstr "Kontakt wurde gelöscht" - -#: src/Module/Group.php:115 -msgid "Unable to add the contact to the group." -msgstr "Konnte den Kontakt nicht zur Gruppe hinzufügen" - -#: src/Module/Group.php:118 -msgid "Contact successfully added to group." -msgstr "Kontakt zur Gruppe hinzugefügt" - -#: src/Module/Group.php:122 -msgid "Unable to remove the contact from the group." -msgstr "Konnte den Kontakt nicht aus der Gruppe entfernen" - -#: src/Module/Group.php:125 -msgid "Contact successfully removed from group." -msgstr "Kontakt aus Gruppe entfernt" - -#: src/Module/Group.php:128 -msgid "Unknown group command." -msgstr "Unbekannter Gruppen Befehl" - -#: src/Module/Group.php:131 -msgid "Bad request." -msgstr "Ungültige Anfrage." - -#: src/Module/Group.php:170 -msgid "Save Group" -msgstr "Gruppe speichern" - -#: src/Module/Group.php:171 -msgid "Filter" -msgstr "Filter" - -#: src/Module/Group.php:177 -msgid "Create a group of contacts/friends." -msgstr "Eine Kontaktgruppe anlegen." - -#: src/Module/Group.php:178 src/Module/Group.php:201 src/Module/Group.php:276 -#: src/Model/Group.php:543 -msgid "Group Name: " -msgstr "Gruppenname:" - -#: src/Module/Group.php:193 src/Model/Group.php:540 -msgid "Contacts not in any group" -msgstr "Kontakte in keiner Gruppe" - -#: src/Module/Group.php:219 -msgid "Unable to remove group." -msgstr "Konnte die Gruppe nicht entfernen." - -#: src/Module/Group.php:270 -msgid "Delete Group" -msgstr "Gruppe löschen" - -#: src/Module/Group.php:280 -msgid "Edit Group Name" -msgstr "Gruppen Name bearbeiten" - -#: src/Module/Group.php:290 -msgid "Members" -msgstr "Mitglieder" - -#: src/Module/Group.php:293 -msgid "Group is empty" -msgstr "Gruppe ist leer" - -#: src/Module/Group.php:306 -msgid "Remove contact from group" -msgstr "Entferne den Kontakt aus der Gruppe" - -#: src/Module/Group.php:326 -msgid "Click on a contact to add or remove." -msgstr "Klicke einen Kontakt an, um ihn hinzuzufügen oder zu entfernen" - -#: src/Module/Group.php:340 -msgid "Add contact to group" -msgstr "Füge den Kontakt zur Gruppe hinzu" - -#: src/Module/Search/Index.php:54 -msgid "Only logged in users are permitted to perform a search." -msgstr "Nur eingeloggten Benutzern ist das Suchen gestattet." - -#: src/Module/Search/Index.php:76 -msgid "Only one search per minute is permitted for not logged in users." -msgstr "Es ist nur eine Suchanfrage pro Minute für nicht eingeloggte Benutzer gestattet." - -#: src/Module/Search/Index.php:99 src/Content/Nav.php:220 -#: src/Content/Text/HTML.php:887 -msgid "Search" -msgstr "Suche" - -#: src/Module/Search/Index.php:190 -#, php-format -msgid "Items tagged with: %s" -msgstr "Beiträge, die mit %s getaggt sind" - -#: src/Module/Search/Acl.php:55 src/Module/Contact/Poke.php:126 -msgid "You must be logged in to use this module." -msgstr "Du musst eingeloggt sein, um dieses Modul benutzen zu können." - -#: src/Module/Search/Saved.php:45 -msgid "Search term was not saved." -msgstr "Der Suchbegriff wurde nicht gespeichert." - -#: src/Module/Search/Saved.php:48 -msgid "Search term already saved." -msgstr "Suche ist bereits gespeichert." - -#: src/Module/Search/Saved.php:54 -msgid "Search term was not removed." -msgstr "Der Suchbegriff wurde nicht entfernt." - -#: src/Module/HoverCard.php:47 -msgid "No profile" -msgstr "Kein Profil" - -#: src/Module/Contact/Poke.php:113 -msgid "Error while sending poke, please retry." -msgstr "Beim Versenden des Stupsers ist ein Fehler aufgetreten. Bitte erneut versuchen." - -#: src/Module/Contact/Poke.php:149 -msgid "Poke/Prod" -msgstr "Anstupsen" - -#: src/Module/Contact/Poke.php:150 -msgid "poke, prod or do other things to somebody" -msgstr "Stupse Leute an oder mache anderes mit ihnen" - -#: src/Module/Contact/Poke.php:152 -msgid "Choose what you wish to do to recipient" -msgstr "Was willst du mit dem Empfänger machen:" - -#: src/Module/Contact/Poke.php:153 -msgid "Make this post private" -msgstr "Diesen Beitrag privat machen" +#: src/Module/Bookmarklet.php:78 +msgid "The post was created" +msgstr "Der Beitrag wurde angelegt" #: src/Module/Contact/Advanced.php:92 msgid "Contact update failed." @@ -8938,17 +7380,1983 @@ msgstr "Pull/Feed-URL" msgid "New photo from this URL" msgstr "Neues Foto von dieser URL" +#: src/Module/Contact/Contacts.php:31 src/Module/Conversation/Network.php:175 +msgid "Invalid contact." +msgstr "Ungültiger Kontakt." + #: src/Module/Contact/Contacts.php:54 msgid "No known contacts." msgstr "Keine bekannten Kontakte." -#: src/Module/Apps.php:47 -msgid "No installed applications." -msgstr "Keine Applikationen installiert." +#: src/Module/Contact/Contacts.php:68 src/Module/Profile/Common.php:99 +msgid "No common contacts." +msgstr "Keine gemeinsamen Kontakte." -#: src/Module/Apps.php:52 -msgid "Applications" -msgstr "Anwendungen" +#: src/Module/Contact/Contacts.php:80 src/Module/Profile/Contacts.php:97 +#, php-format +msgid "Follower (%s)" +msgid_plural "Followers (%s)" +msgstr[0] "Folgende (%s)" +msgstr[1] "Folgende (%s)" + +#: src/Module/Contact/Contacts.php:84 src/Module/Profile/Contacts.php:100 +#, php-format +msgid "Following (%s)" +msgid_plural "Following (%s)" +msgstr[0] "Gefolgte (%s)" +msgstr[1] "Gefolgte (%s)" + +#: src/Module/Contact/Contacts.php:88 src/Module/Profile/Contacts.php:103 +#, php-format +msgid "Mutual friend (%s)" +msgid_plural "Mutual friends (%s)" +msgstr[0] "Beidseitige Freundschafte (%s)" +msgstr[1] "Beidseitige Freundschaften (%s)" + +#: src/Module/Contact/Contacts.php:90 src/Module/Profile/Contacts.php:105 +#, php-format +msgid "These contacts both follow and are followed by %s." +msgstr "Diese Kontakte sind sowohl Folgende als auch Gefolgte von %s." + +#: src/Module/Contact/Contacts.php:96 src/Module/Profile/Common.php:87 +#, php-format +msgid "Common contact (%s)" +msgid_plural "Common contacts (%s)" +msgstr[0] "Gemeinsamer Kontakt (%s)" +msgstr[1] "Gemeinsame Kontakte (%s)" + +#: src/Module/Contact/Contacts.php:98 src/Module/Profile/Common.php:89 +#, php-format +msgid "" +"Both %s and yourself have publicly interacted with these " +"contacts (follow, comment or likes on public posts)." +msgstr "Du und %s haben mit diesen Kontakten öffentlich interagiert (Folgen, Kommentare und Likes in öffentlichen Beiträgen)" + +#: src/Module/Contact/Contacts.php:104 src/Module/Profile/Contacts.php:111 +#, php-format +msgid "Contact (%s)" +msgid_plural "Contacts (%s)" +msgstr[0] "Kontakt (%s)" +msgstr[1] "Kontakte (%s)" + +#: src/Module/Contact/Poke.php:113 +msgid "Error while sending poke, please retry." +msgstr "Beim Versenden des Stupsers ist ein Fehler aufgetreten. Bitte erneut versuchen." + +#: src/Module/Contact/Poke.php:126 src/Module/Search/Acl.php:56 +msgid "You must be logged in to use this module." +msgstr "Du musst eingeloggt sein, um dieses Modul benutzen zu können." + +#: src/Module/Contact/Poke.php:149 +msgid "Poke/Prod" +msgstr "Anstupsen" + +#: src/Module/Contact/Poke.php:150 +msgid "poke, prod or do other things to somebody" +msgstr "Stupse Leute an oder mache anderes mit ihnen" + +#: src/Module/Contact/Poke.php:152 +msgid "Choose what you wish to do to recipient" +msgstr "Was willst du mit dem Empfänger machen:" + +#: src/Module/Contact/Poke.php:153 +msgid "Make this post private" +msgstr "Diesen Beitrag privat machen" + +#: src/Module/Contact.php:94 +#, php-format +msgid "%d contact edited." +msgid_plural "%d contacts edited." +msgstr[0] "%d Kontakt bearbeitet." +msgstr[1] "%d Kontakte bearbeitet." + +#: src/Module/Contact.php:121 +msgid "Could not access contact record." +msgstr "Konnte nicht auf die Kontaktdaten zugreifen." + +#: src/Module/Contact.php:419 +msgid "Contact has been blocked" +msgstr "Kontakt wurde blockiert" + +#: src/Module/Contact.php:419 +msgid "Contact has been unblocked" +msgstr "Kontakt wurde wieder freigegeben" + +#: src/Module/Contact.php:429 +msgid "Contact has been ignored" +msgstr "Kontakt wurde ignoriert" + +#: src/Module/Contact.php:429 +msgid "Contact has been unignored" +msgstr "Kontakt wird nicht mehr ignoriert" + +#: src/Module/Contact.php:439 +msgid "Contact has been archived" +msgstr "Kontakt wurde archiviert" + +#: src/Module/Contact.php:439 +msgid "Contact has been unarchived" +msgstr "Kontakt wurde aus dem Archiv geholt" + +#: src/Module/Contact.php:452 +msgid "Drop contact" +msgstr "Kontakt löschen" + +#: src/Module/Contact.php:455 src/Module/Contact.php:879 +msgid "Do you really want to delete this contact?" +msgstr "Möchtest Du wirklich diesen Kontakt löschen?" + +#: src/Module/Contact.php:468 +msgid "Contact has been removed." +msgstr "Kontakt wurde entfernt." + +#: src/Module/Contact.php:496 +#, php-format +msgid "You are mutual friends with %s" +msgstr "Du hast mit %s eine beidseitige Freundschaft" + +#: src/Module/Contact.php:500 +#, php-format +msgid "You are sharing with %s" +msgstr "Du teilst mit %s" + +#: src/Module/Contact.php:504 +#, php-format +msgid "%s is sharing with you" +msgstr "%s teilt mit dir" + +#: src/Module/Contact.php:528 +msgid "Private communications are not available for this contact." +msgstr "Private Kommunikation ist für diesen Kontakt nicht verfügbar." + +#: src/Module/Contact.php:530 +msgid "Never" +msgstr "Niemals" + +#: src/Module/Contact.php:533 +msgid "(Update was not successful)" +msgstr "(Aktualisierung war nicht erfolgreich)" + +#: src/Module/Contact.php:533 +msgid "(Update was successful)" +msgstr "(Aktualisierung war erfolgreich)" + +#: src/Module/Contact.php:535 src/Module/Contact.php:1136 +msgid "Suggest friends" +msgstr "Kontakte vorschlagen" + +#: src/Module/Contact.php:539 +#, php-format +msgid "Network type: %s" +msgstr "Netzwerktyp: %s" + +#: src/Module/Contact.php:544 +msgid "Communications lost with this contact!" +msgstr "Verbindungen mit diesem Kontakt verloren!" + +#: src/Module/Contact.php:550 +msgid "Fetch further information for feeds" +msgstr "Weitere Informationen zu Feeds holen" + +#: src/Module/Contact.php:552 +msgid "" +"Fetch information like preview pictures, title and teaser from the feed " +"item. You can activate this if the feed doesn't contain much text. Keywords " +"are taken from the meta header in the feed item and are posted as hash tags." +msgstr "Zusätzliche Informationen wie Vorschaubilder, Titel und Zusammenfassungen vom Feed-Eintrag laden. Du kannst diese Option aktivieren, wenn der Feed nicht allzu viel Text beinhaltet. Schlagwörter werden aus den Meta-Informationen des Feed-Headers bezogen und als Hash-Tags verwendet." + +#: src/Module/Contact.php:555 +msgid "Fetch information" +msgstr "Beziehe Information" + +#: src/Module/Contact.php:556 +msgid "Fetch keywords" +msgstr "Schlüsselwörter abrufen" + +#: src/Module/Contact.php:557 +msgid "Fetch information and keywords" +msgstr "Beziehe Information und Schlüsselworte" + +#: src/Module/Contact.php:569 src/Module/Contact.php:573 +#: src/Module/Contact.php:576 src/Module/Contact.php:580 +msgid "No mirroring" +msgstr "Kein Spiegeln" + +#: src/Module/Contact.php:570 +msgid "Mirror as forwarded posting" +msgstr "Spiegeln als weitergeleitete Beiträge" + +#: src/Module/Contact.php:571 src/Module/Contact.php:577 +#: src/Module/Contact.php:581 +msgid "Mirror as my own posting" +msgstr "Spiegeln als meine eigenen Beiträge" + +#: src/Module/Contact.php:574 src/Module/Contact.php:578 +msgid "Native reshare" +msgstr "Natives Teilen" + +#: src/Module/Contact.php:593 +msgid "Contact Information / Notes" +msgstr "Kontakt-Informationen / -Notizen" + +#: src/Module/Contact.php:594 +msgid "Contact Settings" +msgstr "Kontakteinstellungen" + +#: src/Module/Contact.php:602 +msgid "Contact" +msgstr "Kontakt" + +#: src/Module/Contact.php:606 +msgid "Their personal note" +msgstr "Die persönliche Mitteilung" + +#: src/Module/Contact.php:608 +msgid "Edit contact notes" +msgstr "Notizen zum Kontakt bearbeiten" + +#: src/Module/Contact.php:611 src/Module/Contact.php:1104 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Besuche %ss Profil [%s]" + +#: src/Module/Contact.php:612 +msgid "Block/Unblock contact" +msgstr "Kontakt blockieren/freischalten" + +#: src/Module/Contact.php:613 +msgid "Ignore contact" +msgstr "Ignoriere den Kontakt" + +#: src/Module/Contact.php:614 +msgid "View conversations" +msgstr "Unterhaltungen anzeigen" + +#: src/Module/Contact.php:619 +msgid "Last update:" +msgstr "Letzte Aktualisierung: " + +#: src/Module/Contact.php:621 +msgid "Update public posts" +msgstr "Öffentliche Beiträge aktualisieren" + +#: src/Module/Contact.php:623 src/Module/Contact.php:1146 +msgid "Update now" +msgstr "Jetzt aktualisieren" + +#: src/Module/Contact.php:626 src/Module/Contact.php:884 +#: src/Module/Contact.php:1173 +msgid "Unignore" +msgstr "Ignorieren aufheben" + +#: src/Module/Contact.php:630 +msgid "Currently blocked" +msgstr "Derzeit geblockt" + +#: src/Module/Contact.php:631 +msgid "Currently ignored" +msgstr "Derzeit ignoriert" + +#: src/Module/Contact.php:632 +msgid "Currently archived" +msgstr "Momentan archiviert" + +#: src/Module/Contact.php:633 +msgid "Awaiting connection acknowledge" +msgstr "Bedarf der Bestätigung des Kontakts" + +#: src/Module/Contact.php:634 src/Module/Notifications/Introductions.php:177 +msgid "Hide this contact from others" +msgstr "Verbirg diesen Kontakt vor Anderen" + +#: src/Module/Contact.php:634 +msgid "" +"Replies/likes to your public posts may still be visible" +msgstr "Antworten/Likes auf deine öffentlichen Beiträge könnten weiterhin sichtbar sein" + +#: src/Module/Contact.php:635 +msgid "Notification for new posts" +msgstr "Benachrichtigung bei neuen Beiträgen" + +#: src/Module/Contact.php:635 +msgid "Send a notification of every new post of this contact" +msgstr "Sende eine Benachrichtigung, wann immer dieser Kontakt einen neuen Beitrag schreibt." + +#: src/Module/Contact.php:637 +msgid "Keyword Deny List" +msgstr "Liste der gesperrten Schlüsselwörter" + +#: src/Module/Contact.php:637 +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" + +#: src/Module/Contact.php:653 src/Module/Settings/TwoFactor/Index.php:127 +msgid "Actions" +msgstr "Aktionen" + +#: src/Module/Contact.php:660 +msgid "Mirror postings from this contact" +msgstr "Spiegle Beiträge dieses Kontakts" + +#: src/Module/Contact.php:662 +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 (spiegeln)." + +#: src/Module/Contact.php:794 +msgid "Show all contacts" +msgstr "Alle Kontakte anzeigen" + +#: src/Module/Contact.php:802 +msgid "Only show pending contacts" +msgstr "Zeige nur noch ausstehende Kontakte." + +#: src/Module/Contact.php:810 +msgid "Only show blocked contacts" +msgstr "Nur blockierte Kontakte anzeigen" + +#: src/Module/Contact.php:815 src/Module/Contact.php:862 +msgid "Ignored" +msgstr "Ignoriert" + +#: src/Module/Contact.php:818 +msgid "Only show ignored contacts" +msgstr "Nur ignorierte Kontakte anzeigen" + +#: src/Module/Contact.php:823 src/Module/Contact.php:863 +msgid "Archived" +msgstr "Archiviert" + +#: src/Module/Contact.php:826 +msgid "Only show archived contacts" +msgstr "Nur archivierte Kontakte anzeigen" + +#: src/Module/Contact.php:831 src/Module/Contact.php:861 +msgid "Hidden" +msgstr "Verborgen" + +#: src/Module/Contact.php:834 +msgid "Only show hidden contacts" +msgstr "Nur verborgene Kontakte anzeigen" + +#: src/Module/Contact.php:842 +msgid "Organize your contact groups" +msgstr "Verwalte deine Kontaktgruppen" + +#: src/Module/Contact.php:874 +msgid "Search your contacts" +msgstr "Suche in deinen Kontakten" + +#: src/Module/Contact.php:875 src/Module/Search/Index.php:193 +#, php-format +msgid "Results for: %s" +msgstr "Ergebnisse für: %s" + +#: src/Module/Contact.php:885 src/Module/Contact.php:1182 +msgid "Archive" +msgstr "Archivieren" + +#: src/Module/Contact.php:885 src/Module/Contact.php:1182 +msgid "Unarchive" +msgstr "Aus Archiv zurückholen" + +#: src/Module/Contact.php:888 +msgid "Batch Actions" +msgstr "Stapelverarbeitung" + +#: src/Module/Contact.php:923 +msgid "Conversations started by this contact" +msgstr "Unterhaltungen, die von diesem Kontakt begonnen wurden" + +#: src/Module/Contact.php:928 +msgid "Posts and Comments" +msgstr "Statusnachrichten und Kommentare" + +#: src/Module/Contact.php:946 +msgid "View all known contacts" +msgstr "Alle bekannten Kontakte anzeigen" + +#: src/Module/Contact.php:956 +msgid "Advanced Contact Settings" +msgstr "Fortgeschrittene Kontakteinstellungen" + +#: src/Module/Contact.php:1063 +msgid "Mutual Friendship" +msgstr "Beidseitige Freundschaft" + +#: src/Module/Contact.php:1067 +msgid "is a fan of yours" +msgstr "ist ein Fan von dir" + +#: src/Module/Contact.php:1071 +msgid "you are a fan of" +msgstr "Du bist Fan von" + +#: src/Module/Contact.php:1089 +msgid "Pending outgoing contact request" +msgstr "Ausstehende ausgehende Kontaktanfrage" + +#: src/Module/Contact.php:1091 +msgid "Pending incoming contact request" +msgstr "Ausstehende eingehende Kontaktanfrage" + +#: src/Module/Contact.php:1156 +msgid "Refetch contact data" +msgstr "Kontaktdaten neu laden" + +#: src/Module/Contact.php:1167 +msgid "Toggle Blocked status" +msgstr "Geblockt-Status ein-/ausschalten" + +#: src/Module/Contact.php:1175 +msgid "Toggle Ignored status" +msgstr "Ignoriert-Status ein-/ausschalten" + +#: src/Module/Contact.php:1184 +msgid "Toggle Archive status" +msgstr "Archiviert-Status ein-/ausschalten" + +#: src/Module/Contact.php:1192 +msgid "Delete contact" +msgstr "Lösche den Kontakt" + +#: src/Module/Conversation/Community.php:69 +msgid "Local Community" +msgstr "Lokale Gemeinschaft" + +#: src/Module/Conversation/Community.php:72 +msgid "Posts from local users on this server" +msgstr "Beiträge von Nutzern dieses Servers" + +#: src/Module/Conversation/Community.php:80 +msgid "Global Community" +msgstr "Globale Gemeinschaft" + +#: src/Module/Conversation/Community.php:83 +msgid "Posts from users of the whole federated network" +msgstr "Beiträge von Nutzern des gesamten föderalen Netzwerks" + +#: src/Module/Conversation/Community.php:116 +msgid "Own Contacts" +msgstr "Eigene Kontakte" + +#: src/Module/Conversation/Community.php:120 +msgid "Include" +msgstr "Einschließen" + +#: src/Module/Conversation/Community.php:121 +msgid "Hide" +msgstr "Verbergen" + +#: src/Module/Conversation/Community.php:149 src/Module/Search/Index.php:140 +#: src/Module/Search/Index.php:180 +msgid "No results." +msgstr "Keine Ergebnisse." + +#: src/Module/Conversation/Community.php:174 +msgid "" +"This community stream shows all public posts received by this node. They may" +" not reflect the opinions of this node’s users." +msgstr "Diese Gemeinschaftsseite zeigt alle öffentlichen Beiträge, die auf diesem Knoten eingegangen sind. Der Inhalt entspricht nicht zwingend der Meinung der Nutzer dieses Servers." + +#: src/Module/Conversation/Community.php:212 +msgid "Community option not available." +msgstr "Optionen für die Gemeinschaftsseite nicht verfügbar." + +#: src/Module/Conversation/Community.php:228 +msgid "Not available." +msgstr "Nicht verfügbar." + +#: src/Module/Conversation/Network.php:161 +msgid "No such group" +msgstr "Es gibt keine solche Gruppe" + +#: src/Module/Conversation/Network.php:165 +#, php-format +msgid "Group: %s" +msgstr "Gruppe: %s" + +#: src/Module/Conversation/Network.php:241 +msgid "Latest Activity" +msgstr "Neueste Aktivität" + +#: src/Module/Conversation/Network.php:244 +msgid "Sort by latest activity" +msgstr "Sortiere nach neueste Aktivität" + +#: src/Module/Conversation/Network.php:249 +msgid "Latest Posts" +msgstr "Neueste Beiträge" + +#: src/Module/Conversation/Network.php:252 +msgid "Sort by post received date" +msgstr "Nach Empfangsdatum der Beiträge sortiert" + +#: src/Module/Conversation/Network.php:257 +#: src/Module/Settings/Profile/Index.php:242 +msgid "Personal" +msgstr "Persönlich" + +#: src/Module/Conversation/Network.php:260 +msgid "Posts that mention or involve you" +msgstr "Beiträge, in denen es um dich geht" + +#: src/Module/Conversation/Network.php:265 +msgid "Starred" +msgstr "Markierte" + +#: src/Module/Conversation/Network.php:268 +msgid "Favourite Posts" +msgstr "Favorisierte Beiträge" + +#: src/Module/Credits.php:44 +msgid "Credits" +msgstr "Credits" + +#: src/Module/Credits.php:45 +msgid "" +"Friendica is a community project, that would not be possible without the " +"help of many people. Here is a list of those who have contributed to the " +"code or the translation of Friendica. Thank you all!" +msgstr "Friendica ist ein Gemeinschaftsprojekt, das nicht ohne die Hilfe vieler Personen möglich wäre. Hier ist eine Aufzählung der Personen, die zum Code oder der Übersetzung beigetragen haben. Dank an alle !" + +#: src/Module/Debug/ActivityPubConversion.php:58 +msgid "Formatted" +msgstr "Formatiert" + +#: src/Module/Debug/ActivityPubConversion.php:62 +msgid "Source" +msgstr "Quelle" + +#: src/Module/Debug/ActivityPubConversion.php:70 +msgid "Activity" +msgstr "Aktivität" + +#: src/Module/Debug/ActivityPubConversion.php:118 +msgid "Object data" +msgstr "Objekt Daten" + +#: src/Module/Debug/ActivityPubConversion.php:125 +msgid "Result Item" +msgstr "Resultierender Eintrag" + +#: src/Module/Debug/ActivityPubConversion.php:138 +msgid "Source activity" +msgstr "Quelle der Aktivität" + +#: src/Module/Debug/Babel.php:54 +msgid "Source input" +msgstr "Originaltext:" + +#: src/Module/Debug/Babel.php:60 +msgid "BBCode::toPlaintext" +msgstr "BBCode::toPlaintext" + +#: src/Module/Debug/Babel.php:66 +msgid "BBCode::convert (raw HTML)" +msgstr "BBCode::convert (pures HTML)" + +#: src/Module/Debug/Babel.php:71 +msgid "BBCode::convert (hex)" +msgstr "BBCode::convert (hex)" + +#: src/Module/Debug/Babel.php:76 +msgid "BBCode::convert" +msgstr "BBCode::convert" + +#: src/Module/Debug/Babel.php:82 +msgid "BBCode::convert => HTML::toBBCode" +msgstr "BBCode::convert => HTML::toBBCode" + +#: src/Module/Debug/Babel.php:88 +msgid "BBCode::toMarkdown" +msgstr "BBCode::toMarkdown" + +#: src/Module/Debug/Babel.php:94 +msgid "BBCode::toMarkdown => Markdown::convert (raw HTML)" +msgstr "BBCode::toMarkdown => Markdown::convert (rohes HTML)" + +#: src/Module/Debug/Babel.php:98 +msgid "BBCode::toMarkdown => Markdown::convert" +msgstr "BBCode::toMarkdown => Markdown::convert" + +#: src/Module/Debug/Babel.php:104 +msgid "BBCode::toMarkdown => Markdown::toBBCode" +msgstr "BBCode::toMarkdown => Markdown::toBBCode" + +#: src/Module/Debug/Babel.php:110 +msgid "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" +msgstr "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" + +#: src/Module/Debug/Babel.php:118 +msgid "Item Body" +msgstr "Beitragskörper" + +#: src/Module/Debug/Babel.php:122 +msgid "Item Tags" +msgstr "Tags des Beitrags" + +#: src/Module/Debug/Babel.php:128 +msgid "PageInfo::appendToBody" +msgstr "PageInfo::appendToBody" + +#: src/Module/Debug/Babel.php:133 +msgid "PageInfo::appendToBody => BBCode::convert (raw HTML)" +msgstr "PageInfo::appendToBody => BBCode::convert (pures HTML)" + +#: src/Module/Debug/Babel.php:137 +msgid "PageInfo::appendToBody => BBCode::convert" +msgstr "PageInfo::appendToBody => BBCode::convert" + +#: src/Module/Debug/Babel.php:144 +msgid "Source input (Diaspora format)" +msgstr "Originaltext (Diaspora Format): " + +#: src/Module/Debug/Babel.php:153 +msgid "Source input (Markdown)" +msgstr "Originaltext (Markdown)" + +#: src/Module/Debug/Babel.php:159 +msgid "Markdown::convert (raw HTML)" +msgstr "Markdown::convert (pures HTML)" + +#: src/Module/Debug/Babel.php:164 +msgid "Markdown::convert" +msgstr "Markdown::convert" + +#: src/Module/Debug/Babel.php:170 +msgid "Markdown::toBBCode" +msgstr "Markdown::toBBCode" + +#: src/Module/Debug/Babel.php:177 +msgid "Raw HTML input" +msgstr "Reine HTML Eingabe" + +#: src/Module/Debug/Babel.php:182 +msgid "HTML Input" +msgstr "HTML Eingabe" + +#: src/Module/Debug/Babel.php:191 +msgid "HTML Purified (raw)" +msgstr "HTML Purified (raw)" + +#: src/Module/Debug/Babel.php:196 +msgid "HTML Purified (hex)" +msgstr "HTML Purified (hex)" + +#: src/Module/Debug/Babel.php:201 +msgid "HTML Purified" +msgstr "HTML Purified" + +#: src/Module/Debug/Babel.php:207 +msgid "HTML::toBBCode" +msgstr "HTML::toBBCode" + +#: src/Module/Debug/Babel.php:213 +msgid "HTML::toBBCode => BBCode::convert" +msgstr "HTML::toBBCode => BBCode::convert" + +#: src/Module/Debug/Babel.php:218 +msgid "HTML::toBBCode => BBCode::convert (raw HTML)" +msgstr "HTML::toBBCode => BBCode::convert (pures HTML)" + +#: src/Module/Debug/Babel.php:224 +msgid "HTML::toBBCode => BBCode::toPlaintext" +msgstr "HTML::toBBCode => BBCode::toPlaintext" + +#: src/Module/Debug/Babel.php:230 +msgid "HTML::toMarkdown" +msgstr "HTML::toMarkdown" + +#: src/Module/Debug/Babel.php:236 +msgid "HTML::toPlaintext" +msgstr "HTML::toPlaintext" + +#: src/Module/Debug/Babel.php:242 +msgid "HTML::toPlaintext (compact)" +msgstr "HTML::toPlaintext (kompakt)" + +#: src/Module/Debug/Babel.php:252 +msgid "Decoded post" +msgstr "Dekodierter Beitrag" + +#: src/Module/Debug/Babel.php:276 +msgid "Post array before expand entities" +msgstr "Beiträgs Array bevor die Entitäten erweitert wurden." + +#: src/Module/Debug/Babel.php:283 +msgid "Post converted" +msgstr "Konvertierter Beitrag" + +#: src/Module/Debug/Babel.php:288 +msgid "Converted body" +msgstr "Konvertierter Beitragskörper" + +#: src/Module/Debug/Babel.php:294 +msgid "Twitter addon is absent from the addon/ folder." +msgstr "Das Twitter-Addon konnte nicht im addpn/ Verzeichnis gefunden werden." + +#: src/Module/Debug/Babel.php:304 +msgid "Source text" +msgstr "Quelltext" + +#: src/Module/Debug/Babel.php:305 +msgid "BBCode" +msgstr "BBCode" + +#: src/Module/Debug/Babel.php:307 +msgid "Markdown" +msgstr "Markdown" + +#: src/Module/Debug/Babel.php:308 +msgid "HTML" +msgstr "HTML" + +#: src/Module/Debug/Babel.php:310 +msgid "Twitter Source" +msgstr "Twitter Quelle" + +#: src/Module/Debug/Feed.php:38 src/Module/Filer/SaveTag.php:40 +#: src/Module/Settings/Profile/Index.php:158 +msgid "You must be logged in to use this module" +msgstr "Du musst eingeloggt sein, um dieses Modul benutzen zu können." + +#: src/Module/Debug/Feed.php:63 +msgid "Source URL" +msgstr "URL der Quelle" + +#: src/Module/Debug/Localtime.php:49 +msgid "Time Conversion" +msgstr "Zeitumrechnung" + +#: src/Module/Debug/Localtime.php:50 +msgid "" +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "Friendica bietet diese Funktion an, um das Teilen von Events mit Kontakten zu vereinfachen, deren Zeitzone nicht ermittelt werden kann." + +#: src/Module/Debug/Localtime.php:51 +#, php-format +msgid "UTC time: %s" +msgstr "UTC Zeit: %s" + +#: src/Module/Debug/Localtime.php:54 +#, php-format +msgid "Current timezone: %s" +msgstr "Aktuelle Zeitzone: %s" + +#: src/Module/Debug/Localtime.php:58 +#, php-format +msgid "Converted localtime: %s" +msgstr "Umgerechnete lokale Zeit: %s" + +#: src/Module/Debug/Localtime.php:62 +msgid "Please select your timezone:" +msgstr "Bitte wähle Deine Zeitzone:" + +#: src/Module/Debug/Probe.php:38 src/Module/Debug/WebFinger.php:37 +msgid "Only logged in users are permitted to perform a probing." +msgstr "Nur eingeloggten Benutzern ist das Untersuchen von Adressen gestattet." + +#: src/Module/Debug/Probe.php:54 +msgid "Lookup address" +msgstr "Adresse nachschlagen" + +#: src/Module/Delegation.php:147 +msgid "Switch between your accounts" +msgstr "Wechsle deine Konten" + +#: src/Module/Delegation.php:148 +msgid "Manage your accounts" +msgstr "Verwalte deine Konten" + +#: src/Module/Delegation.php:149 +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." + +#: src/Module/Delegation.php:150 +msgid "Select an identity to manage: " +msgstr "Wähle eine Identität zum Verwalten aus: " + +#: src/Module/Directory.php:77 +msgid "No entries (some entries may be hidden)." +msgstr "Keine Einträge (einige Einträge könnten versteckt sein)." + +#: src/Module/Directory.php:99 +msgid "Find on this site" +msgstr "Auf diesem Server suchen" + +#: src/Module/Directory.php:101 +msgid "Results for:" +msgstr "Ergebnisse für:" + +#: src/Module/Directory.php:103 +msgid "Site Directory" +msgstr "Verzeichnis" + +#: src/Module/Filer/RemoveTag.php:69 +msgid "Item was not removed" +msgstr "Item wurde nicht entfernt" + +#: src/Module/Filer/RemoveTag.php:72 +msgid "Item was not deleted" +msgstr "Item wurde nicht gelöscht" + +#: src/Module/Filer/SaveTag.php:69 +msgid "- select -" +msgstr "- auswählen -" + +#: src/Module/Friendica.php:61 +msgid "Installed addons/apps:" +msgstr "Installierte Apps und Addons" + +#: src/Module/Friendica.php:66 +msgid "No installed addons/apps" +msgstr "Es sind keine Addons oder Apps installiert" + +#: src/Module/Friendica.php:71 +#, php-format +msgid "Read about the Terms of Service of this node." +msgstr "Erfahre mehr über die Nutzungsbedingungen dieses Knotens." + +#: src/Module/Friendica.php:78 +msgid "On this server the following remote servers are blocked." +msgstr "Auf diesem Server werden die folgenden, entfernten Server blockiert." + +#: src/Module/Friendica.php:96 +#, php-format +msgid "" +"This is Friendica, version %s that is running at the web location %s. The " +"database version is %s, the post update version is %s." +msgstr "Diese Friendica-Instanz verwendet die Version %s, sie ist unter der folgenden Adresse im Web zu finden %s. Die Datenbankversion ist %s und die Post-Update-Version %s." + +#: src/Module/Friendica.php:101 +msgid "" +"Please visit Friendi.ca to learn more " +"about the Friendica project." +msgstr "Bitte besuche Friendi.ca, um mehr über das Friendica-Projekt zu erfahren." + +#: src/Module/Friendica.php:102 +msgid "Bug reports and issues: please visit" +msgstr "Probleme oder Fehler gefunden? Bitte besuche" + +#: src/Module/Friendica.php:102 +msgid "the bugtracker at github" +msgstr "den Bugtracker auf github" + +#: src/Module/Friendica.php:103 +msgid "Suggestions, praise, etc. - please email \"info\" at \"friendi - dot - ca" +msgstr "Vorschläge, Lob usw.: E-Mail an \"Info\" at \"Friendi - dot ca\"" + +#: src/Module/FriendSuggest.php:65 +msgid "Suggested contact not found." +msgstr "Vorgeschlagener Kontakt wurde nicht gefunden." + +#: src/Module/FriendSuggest.php:84 +msgid "Friend suggestion sent." +msgstr "Kontaktvorschlag gesendet." + +#: src/Module/FriendSuggest.php:121 +msgid "Suggest Friends" +msgstr "Kontakte vorschlagen" + +#: src/Module/FriendSuggest.php:124 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Schlage %s einen Kontakt vor" + +#: src/Module/Group.php:61 +msgid "Could not create group." +msgstr "Konnte die Gruppe nicht erstellen." + +#: src/Module/Group.php:72 src/Module/Group.php:214 src/Module/Group.php:238 +msgid "Group not found." +msgstr "Gruppe nicht gefunden." + +#: src/Module/Group.php:78 +msgid "Group name was not changed." +msgstr "Der Name der Gruppe wurde nicht verändert." + +#: src/Module/Group.php:100 +msgid "Unknown group." +msgstr "Unbekannte Gruppe" + +#: src/Module/Group.php:109 +msgid "Contact is deleted." +msgstr "Kontakt wurde gelöscht" + +#: src/Module/Group.php:115 +msgid "Unable to add the contact to the group." +msgstr "Konnte den Kontakt nicht zur Gruppe hinzufügen" + +#: src/Module/Group.php:118 +msgid "Contact successfully added to group." +msgstr "Kontakt zur Gruppe hinzugefügt" + +#: src/Module/Group.php:122 +msgid "Unable to remove the contact from the group." +msgstr "Konnte den Kontakt nicht aus der Gruppe entfernen" + +#: src/Module/Group.php:125 +msgid "Contact successfully removed from group." +msgstr "Kontakt aus Gruppe entfernt" + +#: src/Module/Group.php:128 +msgid "Unknown group command." +msgstr "Unbekannter Gruppen Befehl" + +#: src/Module/Group.php:131 +msgid "Bad request." +msgstr "Ungültige Anfrage." + +#: src/Module/Group.php:170 +msgid "Save Group" +msgstr "Gruppe speichern" + +#: src/Module/Group.php:171 +msgid "Filter" +msgstr "Filter" + +#: src/Module/Group.php:177 +msgid "Create a group of contacts/friends." +msgstr "Eine Kontaktgruppe anlegen." + +#: src/Module/Group.php:219 +msgid "Unable to remove group." +msgstr "Konnte die Gruppe nicht entfernen." + +#: src/Module/Group.php:270 +msgid "Delete Group" +msgstr "Gruppe löschen" + +#: src/Module/Group.php:280 +msgid "Edit Group Name" +msgstr "Gruppen Name bearbeiten" + +#: src/Module/Group.php:290 +msgid "Members" +msgstr "Mitglieder" + +#: src/Module/Group.php:293 +msgid "Group is empty" +msgstr "Gruppe ist leer" + +#: src/Module/Group.php:306 +msgid "Remove contact from group" +msgstr "Entferne den Kontakt aus der Gruppe" + +#: src/Module/Group.php:326 +msgid "Click on a contact to add or remove." +msgstr "Klicke einen Kontakt an, um ihn hinzuzufügen oder zu entfernen" + +#: src/Module/Group.php:340 +msgid "Add contact to group" +msgstr "Füge den Kontakt zur Gruppe hinzu" + +#: src/Module/Help.php:62 +msgid "Help:" +msgstr "Hilfe:" + +#: src/Module/Home.php:54 +#, php-format +msgid "Welcome to %s" +msgstr "Willkommen zu %s" + +#: src/Module/HoverCard.php:47 +msgid "No profile" +msgstr "Kein Profil" + +#: src/Module/HTTPException/MethodNotAllowed.php:32 +msgid "Method Not Allowed." +msgstr "Methode nicht erlaubt." + +#: src/Module/Install.php:177 +msgid "Friendica Communications Server - Setup" +msgstr "Friendica Komunikationsserver - Installation" + +#: src/Module/Install.php:188 +msgid "System check" +msgstr "Systemtest" + +#: src/Module/Install.php:190 src/Module/Install.php:247 +#: src/Module/Install.php:330 +msgid "Requirement not satisfied" +msgstr "Anforderung ist nicht erfüllt" + +#: src/Module/Install.php:191 +msgid "Optional requirement not satisfied" +msgstr "Optionale Anforderung ist nicht erfüllt" + +#: src/Module/Install.php:192 +msgid "OK" +msgstr "Ok" + +#: src/Module/Install.php:197 +msgid "Check again" +msgstr "Noch einmal testen" + +#: src/Module/Install.php:212 +msgid "Base settings" +msgstr "Grundeinstellungen" + +#: src/Module/Install.php:219 +msgid "Host name" +msgstr "Host Name" + +#: src/Module/Install.php:221 +msgid "" +"Overwrite this field in case the determinated hostname isn't right, " +"otherweise leave it as is." +msgstr "Sollte der ermittelte Hostname nicht stimmen, korrigiere bitte den Eintrag." + +#: src/Module/Install.php:224 +msgid "Base path to installation" +msgstr "Basis-Pfad zur Installation" + +#: src/Module/Install.php:226 +msgid "" +"If the system cannot detect the correct path to your installation, enter the" +" correct path here. This setting should only be set if you are using a " +"restricted system and symbolic links to your webroot." +msgstr "Falls das System nicht den korrekten Pfad zu deiner Installation gefunden hat, gib den richtigen Pfad bitte hier ein. Du solltest hier den Pfad nur auf einem eingeschränkten System angeben müssen, bei dem du mit symbolischen Links auf dein Webverzeichnis verweist." + +#: src/Module/Install.php:229 +msgid "Sub path of the URL" +msgstr "Unterverzeichnis (Pfad) der URL" + +#: src/Module/Install.php:231 +msgid "" +"Overwrite this field in case the sub path determination isn't right, " +"otherwise leave it as is. Leaving this field blank means the installation is" +" at the base URL without sub path." +msgstr "Sollte das ermittelte Unterverzeichnis der Friendica Installation nicht stimmen, korrigiere es bitte. Wenn dieses Feld leer ist, bedeutet dies, dass die Installation direkt unter der Basis-URL installiert wird." + +#: src/Module/Install.php:242 +msgid "Database connection" +msgstr "Datenbankverbindung" + +#: src/Module/Install.php:243 +msgid "" +"In order to install Friendica we need to know how to connect to your " +"database." +msgstr "Um Friendica installieren zu können, müssen wir wissen, wie wir mit Deiner Datenbank Kontakt aufnehmen können." + +#: src/Module/Install.php:244 +msgid "" +"Please contact your hosting provider or site administrator if you have " +"questions about these settings." +msgstr "Bitte kontaktiere den Hosting-Provider oder den Administrator der Seite, falls du Fragen zu diesen Einstellungen haben solltest." + +#: src/Module/Install.php:245 +msgid "" +"The database you specify below should already exist. If it does not, please " +"create it before continuing." +msgstr "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." + +#: src/Module/Install.php:254 +msgid "Database Server Name" +msgstr "Datenbank-Server" + +#: src/Module/Install.php:259 +msgid "Database Login Name" +msgstr "Datenbank-Nutzer" + +#: src/Module/Install.php:265 +msgid "Database Login Password" +msgstr "Datenbank-Passwort" + +#: src/Module/Install.php:267 +msgid "For security reasons the password must not be empty" +msgstr "Aus Sicherheitsgründen darf das Passwort nicht leer sein." + +#: src/Module/Install.php:270 +msgid "Database Name" +msgstr "Datenbank-Name" + +#: src/Module/Install.php:274 src/Module/Install.php:304 +msgid "Please select a default timezone for your website" +msgstr "Bitte wähle die Standardzeitzone Deiner Webseite" + +#: src/Module/Install.php:289 +msgid "Site settings" +msgstr "Server-Einstellungen" + +#: src/Module/Install.php:299 +msgid "Site administrator email address" +msgstr "E-Mail-Adresse des Administrators" + +#: src/Module/Install.php:301 +msgid "" +"Your account email address must match this in order to use the web admin " +"panel." +msgstr "Die E-Mail-Adresse, die in Deinem Friendica-Account eingetragen ist, muss mit dieser Adresse übereinstimmen, damit du das Admin-Panel benutzen kannst." + +#: src/Module/Install.php:308 +msgid "System Language:" +msgstr "Systemsprache:" + +#: src/Module/Install.php:310 +msgid "" +"Set the default language for your Friendica installation interface and to " +"send emails." +msgstr "Wähle die Standardsprache für deine Friendica-Installations-Oberfläche und den E-Mail-Versand" + +#: src/Module/Install.php:322 +msgid "Your Friendica site database has been installed." +msgstr "Die Datenbank Deiner Friendica-Seite wurde installiert." + +#: src/Module/Install.php:332 +msgid "Installation finished" +msgstr "Installation abgeschlossen" + +#: src/Module/Install.php:352 +msgid "

What next

" +msgstr "

Wie geht es weiter?

" + +#: src/Module/Install.php:353 +msgid "" +"IMPORTANT: You will need to [manually] setup a scheduled task for the " +"worker." +msgstr "Wichtig: du musst [manuell] einen Cronjob (o.ä.) für den Worker einrichten." + +#: src/Module/Install.php:354 +msgid "Please see the file \"INSTALL.txt\"." +msgstr "Lies bitte die \"INSTALL.txt\"." + +#: src/Module/Install.php:356 +#, php-format +msgid "" +"Go to your new Friendica node registration page " +"and register as new user. Remember to use the same email you have entered as" +" administrator email. This will allow you to enter the site admin panel." +msgstr "Du solltest nun die Seite zur Nutzerregistrierung deiner neuen Friendica Instanz besuchen und einen neuen Nutzer einrichten. Bitte denke daran, dieselbe E-Mail Adresse anzugeben, die du auch als Administrator-E-Mail angegeben hast, damit du das Admin-Panel verwenden kannst." + +#: src/Module/Invite.php:55 +msgid "Total invitation limit exceeded." +msgstr "Limit für Einladungen erreicht." + +#: src/Module/Invite.php:78 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s: Keine gültige Email Adresse." + +#: src/Module/Invite.php:105 +msgid "Please join us on Friendica" +msgstr "Ich lade dich zu unserem sozialen Netzwerk Friendica ein" + +#: src/Module/Invite.php:114 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "Limit für Einladungen erreicht. Bitte kontaktiere des Administrator der Seite." + +#: src/Module/Invite.php:118 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s: Zustellung der Nachricht fehlgeschlagen." + +#: src/Module/Invite.php:122 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d Nachricht gesendet." +msgstr[1] "%d Nachrichten gesendet." + +#: src/Module/Invite.php:140 +msgid "You have no more invitations available" +msgstr "Du hast keine weiteren Einladungen" + +#: src/Module/Invite.php:147 +#, 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." + +#: src/Module/Invite.php:149 +#, 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." + +#: src/Module/Invite.php:150 +#, 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." + +#: src/Module/Invite.php:154 +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." + +#: src/Module/Invite.php:157 +msgid "" +"Friendica sites all inter-connect to create a huge privacy-enhanced social " +"web that is owned and controlled by its members. They can also connect with " +"many traditional social networks." +msgstr "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." + +#: src/Module/Invite.php:156 +#, php-format +msgid "To accept this invitation, please visit and register at %s." +msgstr "Um diese Kontaktanfrage zu akzeptieren, besuche und registriere dich bitte bei %s." + +#: src/Module/Invite.php:164 +msgid "Send invitations" +msgstr "Einladungen senden" + +#: src/Module/Invite.php:165 +msgid "Enter email addresses, one per line:" +msgstr "E-Mail-Adressen eingeben, eine pro Zeile:" + +#: src/Module/Invite.php:169 +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." + +#: src/Module/Invite.php:171 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "Du benötigst den folgenden Einladungscode: $invite_code" + +#: src/Module/Invite.php:171 +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:" + +#: src/Module/Invite.php:173 +msgid "" +"For more information about the Friendica project and why we feel it is " +"important, please visit http://friendi.ca" +msgstr "Für weitere Informationen über das Friendica-Projekt und warum wir es für ein wichtiges Projekt halten, besuche bitte http://friendi.ca." + +#: src/Module/Item/Compose.php:46 +msgid "Please enter a post body." +msgstr "Bitte gibt den Text des Beitrags an" + +#: src/Module/Item/Compose.php:59 +msgid "This feature is only available with the frio theme." +msgstr "Diese Seite kann ausschließlich mit dem Frio Theme verwendet werden." + +#: src/Module/Item/Compose.php:86 +msgid "Compose new personal note" +msgstr "Neue persönliche Notiz verfassen" + +#: src/Module/Item/Compose.php:95 +msgid "Compose new post" +msgstr "Neuen Beitrag verfassen" + +#: src/Module/Item/Compose.php:135 +msgid "Visibility" +msgstr "Sichtbarkeit" + +#: src/Module/Item/Compose.php:156 +msgid "Clear the location" +msgstr "Ort löschen" + +#: src/Module/Item/Compose.php:157 +msgid "Location services are unavailable on your device" +msgstr "Ortungsdienste sind auf Ihrem Gerät nicht verfügbar" + +#: src/Module/Item/Compose.php:158 +msgid "" +"Location services are disabled. Please check the website's permissions on " +"your device" +msgstr "Ortungsdienste sind deaktiviert. Bitte überprüfe die Berechtigungen der Website auf deinem Gerät" + +#: src/Module/Maintenance.php:46 +msgid "System down for maintenance" +msgstr "System zur Wartung abgeschaltet" + +#: src/Module/Manifest.php:42 +msgid "A Decentralized Social Network" +msgstr "Ein dezentrales Soziales Netzwerk" + +#: src/Module/Notifications/Introductions.php:78 +msgid "Show Ignored Requests" +msgstr "Zeige ignorierte Anfragen" + +#: src/Module/Notifications/Introductions.php:78 +msgid "Hide Ignored Requests" +msgstr "Verberge ignorierte Anfragen" + +#: src/Module/Notifications/Introductions.php:94 +#: src/Module/Notifications/Introductions.php:163 +msgid "Notification type:" +msgstr "Art der Benachrichtigung:" + +#: src/Module/Notifications/Introductions.php:97 +msgid "Suggested by:" +msgstr "Vorgeschlagen von:" + +#: src/Module/Notifications/Introductions.php:122 +msgid "Claims to be known to you: " +msgstr "Behauptet, dich zu kennen: " + +#: src/Module/Notifications/Introductions.php:131 +msgid "Shall your connection be bidirectional or not?" +msgstr "Soll die Verbindung beidseitig sein oder nicht?" + +#: src/Module/Notifications/Introductions.php:132 +#, php-format +msgid "" +"Accepting %s as a friend allows %s to subscribe to your posts, and you will " +"also receive updates from them in your news feed." +msgstr "Akzeptierst du %s als Kontakt, erlaubst du damit das Lesen deiner Beiträge und abonnierst selbst auch die Beiträge von %s." + +#: src/Module/Notifications/Introductions.php:133 +#, php-format +msgid "" +"Accepting %s as a subscriber allows them to subscribe to your posts, but you" +" will not receive updates from them in your news feed." +msgstr "Wenn du %s als Abonnent akzeptierst, erlaubst du damit das Lesen deiner Beiträge, wirst aber selbst die Beiträge der anderen Seite nicht erhalten." + +#: src/Module/Notifications/Introductions.php:135 +msgid "Friend" +msgstr "Kontakt" + +#: src/Module/Notifications/Introductions.php:136 +msgid "Subscriber" +msgstr "Abonnent" + +#: src/Module/Notifications/Introductions.php:201 +msgid "No introductions." +msgstr "Keine Kontaktanfragen." + +#: src/Module/Notifications/Introductions.php:202 +#: src/Module/Notifications/Notifications.php:133 +#, php-format +msgid "No more %s notifications." +msgstr "Keine weiteren %s-Benachrichtigungen" + +#: src/Module/Notifications/Notification.php:103 +msgid "You must be logged in to show this page." +msgstr "Du musst eingeloggt sein damit diese Seite angezeigt werden kann." + +#: src/Module/Notifications/Notifications.php:50 +msgid "Network Notifications" +msgstr "Netzwerkbenachrichtigungen" + +#: src/Module/Notifications/Notifications.php:58 +msgid "System Notifications" +msgstr "Systembenachrichtigungen" + +#: src/Module/Notifications/Notifications.php:66 +msgid "Personal Notifications" +msgstr "Persönliche Benachrichtigungen" + +#: src/Module/Notifications/Notifications.php:74 +msgid "Home Notifications" +msgstr "Pinnwandbenachrichtigungen" + +#: src/Module/Notifications/Notifications.php:138 +msgid "Show unread" +msgstr "Ungelesene anzeigen" + +#: src/Module/Notifications/Notifications.php:138 +msgid "Show all" +msgstr "Alle anzeigen" + +#: src/Module/PermissionTooltip.php:25 +#, php-format +msgid "Wrong type \"%s\", expected one of: %s" +msgstr "Falscher Typ \"%s\", hatte einen der Folgenden erwartet: %s" + +#: src/Module/PermissionTooltip.php:38 +msgid "Model not found" +msgstr "Model nicht gefunden" + +#: src/Module/PermissionTooltip.php:60 +msgid "Remote privacy information not available." +msgstr "Entfernte Privatsphäreneinstellungen nicht verfügbar." + +#: src/Module/PermissionTooltip.php:71 +msgid "Visible to:" +msgstr "Sichtbar für:" + +#: src/Module/Photo.php:93 +#, php-format +msgid "The Photo with id %s is not available." +msgstr "Das Bild mit ID %s ist nicht verfügbar." + +#: src/Module/Photo.php:111 +#, php-format +msgid "Invalid photo with id %s." +msgstr "Fehlerhaftes Foto mit der ID %s." + +#: src/Module/Profile/Contacts.php:121 +msgid "No contacts." +msgstr "Keine Kontakte." + +#: src/Module/Profile/Profile.php:135 +#, php-format +msgid "" +"You're currently viewing your profile as %s Cancel" +msgstr "Du betrachtest dein Profil gerade als %s Abbrechen" + +#: src/Module/Profile/Profile.php:149 +msgid "Member since:" +msgstr "Mitglied seit:" + +#: src/Module/Profile/Profile.php:155 +msgid "j F, Y" +msgstr "j F, Y" + +#: src/Module/Profile/Profile.php:156 +msgid "j F" +msgstr "j F" + +#: src/Module/Profile/Profile.php:164 src/Util/Temporal.php:163 +msgid "Birthday:" +msgstr "Geburtstag:" + +#: src/Module/Profile/Profile.php:167 +#: src/Module/Settings/Profile/Index.php:260 src/Util/Temporal.php:165 +msgid "Age: " +msgstr "Alter: " + +#: src/Module/Profile/Profile.php:167 +#: src/Module/Settings/Profile/Index.php:260 src/Util/Temporal.php:165 +#, php-format +msgid "%d year old" +msgid_plural "%d years old" +msgstr[0] "%d Jahr alt" +msgstr[1] "%d Jahre alt" + +#: src/Module/Profile/Profile.php:229 +msgid "Forums:" +msgstr "Foren:" + +#: src/Module/Profile/Profile.php:241 +msgid "View profile as:" +msgstr "Das Profil aus der Sicht von jemandem anderen betrachten:" + +#: src/Module/Profile/Profile.php:258 +msgid "View as" +msgstr "Betrachten als" + +#: src/Module/Profile/Profile.php:321 src/Module/Profile/Profile.php:324 +#: src/Module/Profile/Status.php:65 src/Module/Profile/Status.php:68 +#: src/Protocol/Feed.php:940 src/Protocol/OStatus.php:1258 +#, php-format +msgid "%s's timeline" +msgstr "Timeline von %s" + +#: src/Module/Profile/Profile.php:322 src/Module/Profile/Status.php:66 +#: src/Protocol/Feed.php:944 src/Protocol/OStatus.php:1262 +#, php-format +msgid "%s's posts" +msgstr "Beiträge von %s" + +#: src/Module/Profile/Profile.php:323 src/Module/Profile/Status.php:67 +#: src/Protocol/Feed.php:947 src/Protocol/OStatus.php:1265 +#, php-format +msgid "%s's comments" +msgstr "Kommentare von %s" + +#: src/Module/Register.php:69 +msgid "Only parent users can create additional accounts." +msgstr "Zusätzliche Nutzerkonten können nur von Verwaltern angelegt werden." + +#: src/Module/Register.php:101 +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." + +#: src/Module/Register.php:102 +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." + +#: src/Module/Register.php:103 +msgid "Your OpenID (optional): " +msgstr "Deine OpenID (optional): " + +#: src/Module/Register.php:112 +msgid "Include your profile in member directory?" +msgstr "Soll dein Profil im Nutzerverzeichnis angezeigt werden?" + +#: src/Module/Register.php:135 +msgid "Note for the admin" +msgstr "Hinweis für den Admin" + +#: src/Module/Register.php:135 +msgid "Leave a message for the admin, why you want to join this node" +msgstr "Hinterlasse eine Nachricht an den Admin, warum du einen Account auf dieser Instanz haben möchtest." + +#: src/Module/Register.php:136 +msgid "Membership on this site is by invitation only." +msgstr "Mitgliedschaft auf dieser Seite ist nur nach vorheriger Einladung möglich." + +#: src/Module/Register.php:137 +msgid "Your invitation code: " +msgstr "Dein Ein­la­dungs­code" + +#: src/Module/Register.php:145 +msgid "Your Full Name (e.g. Joe Smith, real or real-looking): " +msgstr "Dein vollständiger Name (z.B. Hans Mustermann, echt oder echt erscheinend):" + +#: src/Module/Register.php:146 +msgid "" +"Your Email Address: (Initial information will be send there, so this has to " +"be an existing address.)" +msgstr "Deine E-Mail Adresse (Informationen zur Registrierung werden an diese Adresse gesendet, darum muss sie existieren.)" + +#: src/Module/Register.php:147 +msgid "Please repeat your e-mail address:" +msgstr "Bitte wiederhole deine E-Mail Adresse" + +#: src/Module/Register.php:149 +msgid "Leave empty for an auto generated password." +msgstr "Leer lassen, um das Passwort automatisch zu generieren." + +#: src/Module/Register.php:151 +#, php-format +msgid "" +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be \"nickname@%s\"." +msgstr "Wähle einen Spitznamen für dein Profil. Dieser muss mit einem Buchstaben beginnen. Die Adresse deines Profils auf dieser Seite wird 'spitzname@%s' sein." + +#: src/Module/Register.php:152 +msgid "Choose a nickname: " +msgstr "Spitznamen wählen: " + +#: src/Module/Register.php:161 +msgid "Import your profile to this friendica instance" +msgstr "Importiere dein Profil auf diese Friendica-Instanz" + +#: src/Module/Register.php:168 +msgid "Note: This node explicitly contains adult content" +msgstr "Hinweis: Dieser Knoten enthält explizit Inhalte für Erwachsene" + +#: src/Module/Register.php:170 src/Module/Settings/Delegation.php:155 +msgid "Parent Password:" +msgstr "Passwort des Verwalters" + +#: src/Module/Register.php:170 src/Module/Settings/Delegation.php:155 +msgid "" +"Please enter the password of the parent account to legitimize your request." +msgstr "Bitte gib das Passwort des Verwalters ein, um deine Anfrage zu bestätigen." + +#: src/Module/Register.php:199 +msgid "Password doesn't match." +msgstr "Das Passwort stimmt nicht." + +#: src/Module/Register.php:205 +msgid "Please enter your password." +msgstr "Bitte gib dein Passwort an." + +#: src/Module/Register.php:247 +msgid "You have entered too much information." +msgstr "Du hast zu viele Informationen eingegeben." + +#: src/Module/Register.php:271 +msgid "Please enter the identical mail address in the second field." +msgstr "Bitte gib die gleiche E-Mail Adresse noch einmal an." + +#: src/Module/Register.php:298 +msgid "The additional account was created." +msgstr "Das zusätzliche Nutzerkonto wurde angelegt." + +#: src/Module/Register.php:323 +msgid "" +"Registration successful. Please check your email for further instructions." +msgstr "Registrierung erfolgreich. Eine E-Mail mit weiteren Anweisungen wurde an dich gesendet." + +#: src/Module/Register.php:327 +#, 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." + +#: src/Module/Register.php:333 +msgid "Registration successful." +msgstr "Registrierung erfolgreich." + +#: src/Module/Register.php:338 src/Module/Register.php:345 +msgid "Your registration can not be processed." +msgstr "Deine Registrierung konnte nicht verarbeitet werden." + +#: src/Module/Register.php:344 +msgid "You have to leave a request note for the admin." +msgstr "Du musst eine Nachricht für den Administrator als Begründung deiner Anfrage hinterlegen." + +#: src/Module/Register.php:390 +msgid "Your registration is pending approval by the site owner." +msgstr "Deine Registrierung muss noch vom Betreiber der Seite freigegeben werden." + +#: src/Module/RemoteFollow.php:67 +msgid "The provided profile link doesn't seem to be valid" +msgstr "Der angegebene Profil-Link scheint nicht gültig zu sein." + +#: src/Module/RemoteFollow.php:105 +#, php-format +msgid "" +"Enter your Webfinger address (user@domain.tld) or profile URL here. If this " +"isn't supported by your system, you have to subscribe to %s" +" or %s directly on your system." +msgstr "Gib entweder deine Webfinger- (user@domain.tld) oder die Profil-Adresse an. Wenn dies von deinem System nicht unterstützt wird, folge bitte %s oder %s direkt von deinem System. " + +#: src/Module/Search/Index.php:55 +msgid "Only logged in users are permitted to perform a search." +msgstr "Nur eingeloggten Benutzern ist das Suchen gestattet." + +#: src/Module/Search/Index.php:77 +msgid "Only one search per minute is permitted for not logged in users." +msgstr "Es ist nur eine Suchanfrage pro Minute für nicht eingeloggte Benutzer gestattet." + +#: src/Module/Search/Index.php:191 +#, php-format +msgid "Items tagged with: %s" +msgstr "Beiträge, die mit %s getaggt sind" + +#: src/Module/Search/Saved.php:45 +msgid "Search term was not saved." +msgstr "Der Suchbegriff wurde nicht gespeichert." + +#: src/Module/Search/Saved.php:48 +msgid "Search term already saved." +msgstr "Suche ist bereits gespeichert." + +#: src/Module/Search/Saved.php:54 +msgid "Search term was not removed." +msgstr "Der Suchbegriff wurde nicht entfernt." + +#: src/Module/Security/Login.php:101 +msgid "Create a New Account" +msgstr "Neues Konto erstellen" + +#: src/Module/Security/Login.php:126 +msgid "Your OpenID: " +msgstr "Deine OpenID:" + +#: src/Module/Security/Login.php:129 +msgid "" +"Please enter your username and password to add the OpenID to your existing " +"account." +msgstr "Bitte gib seinen Nutzernamen und das Passwort ein um die OpenID zu deinem bestehenden Nutzerkonto hinzufügen zu können." + +#: src/Module/Security/Login.php:131 +msgid "Or login using OpenID: " +msgstr "Oder melde dich mit deiner OpenID an: " + +#: src/Module/Security/Login.php:145 +msgid "Password: " +msgstr "Passwort: " + +#: src/Module/Security/Login.php:146 +msgid "Remember me" +msgstr "Anmeldedaten merken" + +#: src/Module/Security/Login.php:155 +msgid "Forgot your password?" +msgstr "Passwort vergessen?" + +#: src/Module/Security/Login.php:158 +msgid "Website Terms of Service" +msgstr "Website-Nutzungsbedingungen" + +#: src/Module/Security/Login.php:159 +msgid "terms of service" +msgstr "Nutzungsbedingungen" + +#: src/Module/Security/Login.php:161 +msgid "Website Privacy Policy" +msgstr "Website-Datenschutzerklärung" + +#: src/Module/Security/Login.php:162 +msgid "privacy policy" +msgstr "Datenschutzerklärung" + +#: src/Module/Security/Logout.php:53 +msgid "Logged out." +msgstr "Abgemeldet." + +#: src/Module/Security/OpenID.php:54 +msgid "OpenID protocol error. No ID returned" +msgstr "OpenID Protokollfehler. Keine ID zurückgegeben." + +#: src/Module/Security/OpenID.php:92 +msgid "" +"Account not found. Please login to your existing account to add the OpenID " +"to it." +msgstr "Nutzerkonto nicht gefunden. Bitte melde dich an und füge die OpenID zu deinem Konto hinzu." + +#: src/Module/Security/OpenID.php:94 +msgid "" +"Account not found. Please register a new account or login to your existing " +"account to add the OpenID to it." +msgstr "Nutzerkonto nicht gefunden. Bitte registriere ein neues Konto oder melde dich mit einem existierendem Konto an um diene OpenID hinzuzufügen." + +#: src/Module/Security/TwoFactor/Recovery.php:60 +#, php-format +msgid "Remaining recovery codes: %d" +msgstr "Verbleibende Wiederherstellungscodes: %d" + +#: src/Module/Security/TwoFactor/Recovery.php:64 +#: src/Module/Security/TwoFactor/Verify.php:61 +#: src/Module/Settings/TwoFactor/Verify.php:82 +msgid "Invalid code, please retry." +msgstr "Ungültiger Code, bitte erneut versuchen." + +#: src/Module/Security/TwoFactor/Recovery.php:83 +msgid "Two-factor recovery" +msgstr "Zwei-Faktor-Wiederherstellung" + +#: src/Module/Security/TwoFactor/Recovery.php:84 +msgid "" +"

You can enter one of your one-time recovery codes in case you lost access" +" to your mobile device.

" +msgstr "Du kannst einen deiner einmaligen Wiederherstellungscodes eingeben, falls du den Zugriff auf dein Mobilgerät verloren hast.

" + +#: src/Module/Security/TwoFactor/Recovery.php:85 +#: src/Module/Security/TwoFactor/Verify.php:84 +#, php-format +msgid "Don’t have your phone? Enter a two-factor recovery code" +msgstr "Hast du dein Handy nicht? Gib einen Zwei-Faktor-Wiederherstellungscode ein" + +#: src/Module/Security/TwoFactor/Recovery.php:86 +msgid "Please enter a recovery code" +msgstr "Bitte gib einen Wiederherstellungscode ein" + +#: src/Module/Security/TwoFactor/Recovery.php:87 +msgid "Submit recovery code and complete login" +msgstr "Sende den Wiederherstellungscode und schließe die Anmeldung ab" + +#: src/Module/Security/TwoFactor/Verify.php:81 +msgid "" +"

Open the two-factor authentication app on your device to get an " +"authentication code and verify your identity.

" +msgstr "

Öffne die Zwei-Faktor-Authentifizierungs-App auf deinem Gerät, um einen Authentifizierungscode abzurufen und deine Identität zu überprüfen.

" + +#: src/Module/Security/TwoFactor/Verify.php:85 +#: src/Module/Settings/TwoFactor/Verify.php:141 +msgid "Please enter a code from your authentication app" +msgstr "Bitte gebe einen Code aus Ihrer Authentifizierungs-App ein" + +#: src/Module/Security/TwoFactor/Verify.php:86 +msgid "Verify code and complete login" +msgstr "Code überprüfen und Anmeldung abschließen" + +#: src/Module/Settings/Delegation.php:53 +msgid "Delegation successfully granted." +msgstr "Delegierung erfolgreich eingerichtet." + +#: src/Module/Settings/Delegation.php:55 +msgid "Parent user not found, unavailable or password doesn't match." +msgstr "Der angegebene Nutzer konnte nicht gefunden werden, ist nicht verfügbar oder das angegebene Passwort ist nicht richtig." + +#: src/Module/Settings/Delegation.php:59 +msgid "Delegation successfully revoked." +msgstr "Delegation erfolgreich aufgehoben." + +#: src/Module/Settings/Delegation.php:81 +#: src/Module/Settings/Delegation.php:103 +msgid "" +"Delegated administrators can view but not change delegation permissions." +msgstr "Verwalter können die Berechtigungen der Delegationen einsehen, sie aber nicht ändern." + +#: src/Module/Settings/Delegation.php:95 +msgid "Delegate user not found." +msgstr "Delegierter Nutzer nicht gefunden" + +#: src/Module/Settings/Delegation.php:143 +msgid "No parent user" +msgstr "Kein Verwalter" + +#: src/Module/Settings/Delegation.php:154 +#: src/Module/Settings/Delegation.php:165 +msgid "Parent User" +msgstr "Verwalter" + +#: src/Module/Settings/Delegation.php:162 +msgid "Additional Accounts" +msgstr "Zusätzliche Accounts" + +#: src/Module/Settings/Delegation.php:163 +msgid "" +"Register additional accounts that are automatically connected to your " +"existing account so you can manage them from this account." +msgstr "Zusätzliche Accounts registrieren, die automatisch mit deinem bestehenden Account verknüpft werden, damit du sie anschließend verwalten kannst." + +#: src/Module/Settings/Delegation.php:164 +msgid "Register an additional account" +msgstr "Einen zusätzlichen Account registrieren" + +#: src/Module/Settings/Delegation.php:168 +msgid "" +"Parent users have total control about this account, including the account " +"settings. Please double check whom you give this access." +msgstr "Verwalter haben Zugriff auf alle Funktionen dieses Benutzerkontos und können dessen Einstellungen ändern." + +#: src/Module/Settings/Delegation.php:172 +msgid "Delegates" +msgstr "Bevollmächtigte" + +#: src/Module/Settings/Delegation.php:174 +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!" + +#: src/Module/Settings/Delegation.php:175 +msgid "Existing Page Delegates" +msgstr "Vorhandene Bevollmächtigte für die Seite" + +#: src/Module/Settings/Delegation.php:177 +msgid "Potential Delegates" +msgstr "Potentielle Bevollmächtigte" + +#: src/Module/Settings/Delegation.php:180 +msgid "Add" +msgstr "Hinzufügen" + +#: src/Module/Settings/Delegation.php:181 +msgid "No entries." +msgstr "Keine Einträge." + +#: src/Module/Settings/Display.php:105 +msgid "The theme you chose isn't available." +msgstr "Das gewählte Theme ist nicht verfügbar" + +#: src/Module/Settings/Display.php:142 +#, php-format +msgid "%s - (Unsupported)" +msgstr "%s - (Nicht unterstützt)" + +#: src/Module/Settings/Display.php:188 +msgid "Display Settings" +msgstr "Anzeige-Einstellungen" + +#: src/Module/Settings/Display.php:190 +msgid "General Theme Settings" +msgstr "Allgemeine Theme-Einstellungen" + +#: src/Module/Settings/Display.php:191 +msgid "Custom Theme Settings" +msgstr "Benutzerdefinierte Theme-Einstellungen" + +#: src/Module/Settings/Display.php:192 +msgid "Content Settings" +msgstr "Einstellungen zum Inhalt" + +#: src/Module/Settings/Display.php:193 view/theme/duepuntozero/config.php:70 +#: view/theme/frio/config.php:161 view/theme/quattro/config.php:72 +#: view/theme/vier/config.php:120 +msgid "Theme settings" +msgstr "Theme-Einstellungen" + +#: src/Module/Settings/Display.php:194 +msgid "Calendar" +msgstr "Kalender" + +#: src/Module/Settings/Display.php:200 +msgid "Display Theme:" +msgstr "Theme:" + +#: src/Module/Settings/Display.php:201 +msgid "Mobile Theme:" +msgstr "Mobiles Theme" + +#: src/Module/Settings/Display.php:204 +msgid "Number of items to display per page:" +msgstr "Zahl der Beiträge, die pro Netzwerkseite angezeigt werden sollen: " + +#: src/Module/Settings/Display.php:204 src/Module/Settings/Display.php:205 +msgid "Maximum of 100 items" +msgstr "Maximal 100 Beiträge" + +#: src/Module/Settings/Display.php:205 +msgid "Number of items to display per page when viewed from mobile device:" +msgstr "Zahl der Beiträge, die pro Netzwerkseite auf mobilen Geräten angezeigt werden sollen:" + +#: src/Module/Settings/Display.php:206 +msgid "Update browser every xx seconds" +msgstr "Browser alle xx Sekunden aktualisieren" + +#: src/Module/Settings/Display.php:206 +msgid "Minimum of 10 seconds. Enter -1 to disable it." +msgstr "Minimum sind 10 Sekunden. Gib -1 ein, um abzuschalten." + +#: src/Module/Settings/Display.php:207 +msgid "Automatic updates only at the top of the post stream pages" +msgstr "Automatische Updates nur, wenn du oben auf den Beitragsstream-Seiten bist." + +#: src/Module/Settings/Display.php:207 +msgid "" +"Auto update may add new posts at the top of the post stream pages, which can" +" affect the scroll position and perturb normal reading if it happens " +"anywhere else the top of the page." +msgstr "Das automatische Aktualisieren des Streams kann neue Beiträge am Anfang des Stream einfügen. Dies kann die angezeigte Position im Stream beeinflussen, wenn du gerade nicht den Anfang des Streams betrachtest." + +#: src/Module/Settings/Display.php:208 +msgid "Don't show emoticons" +msgstr "Keine Smileys anzeigen" + +#: src/Module/Settings/Display.php:208 +msgid "" +"Normally emoticons are replaced with matching symbols. This setting disables" +" this behaviour." +msgstr "Normalerweise werden Smileys / Emoticons durch die passenden Symbolen ersetzt. Mit dieser Einstellung wird dieses Verhalten verhindert." + +#: src/Module/Settings/Display.php:209 +msgid "Infinite scroll" +msgstr "Endloses Scrollen" + +#: src/Module/Settings/Display.php:209 +msgid "Automatic fetch new items when reaching the page end." +msgstr "Automatisch neue Beiträge laden, wenn das Ende der Seite erreicht ist." + +#: src/Module/Settings/Display.php:210 +msgid "Disable Smart Threading" +msgstr "Intelligentes Threading deaktivieren" + +#: src/Module/Settings/Display.php:210 +msgid "Disable the automatic suppression of extraneous thread indentation." +msgstr "Schaltet das automatische Unterdrücken von überflüssigen Thread-Einrückungen aus." + +#: src/Module/Settings/Display.php:211 +msgid "Hide the Dislike feature" +msgstr "Das \"Nicht mögen\" Feature verbergen" + +#: src/Module/Settings/Display.php:211 +msgid "Hides the Dislike button and dislike reactions on posts and comments." +msgstr "Verbirgt den \"Ich mag das nicht\" Button und die dislike Reaktionen auf Beiträge und Kommentare." + +#: src/Module/Settings/Display.php:212 +msgid "Display the resharer" +msgstr "Teilenden anzeigen" + +#: src/Module/Settings/Display.php:212 +msgid "Display the first resharer as icon and text on a reshared item." +msgstr "Zeige das Profilbild des ersten Kontakts von dem ein Beitrag geteilt wurde." + +#: src/Module/Settings/Display.php:213 +msgid "Stay local" +msgstr "Bleib lokal" + +#: src/Module/Settings/Display.php:213 +msgid "Don't go to a remote system when following a contact link." +msgstr "Gehe nicht zu einem Remote-System, wenn einem Kontaktlink gefolgt wird" + +#: src/Module/Settings/Display.php:215 +msgid "Beginning of week:" +msgstr "Wochenbeginn:" #: src/Module/Settings/Profile/Index.php:85 msgid "Profile Name is required." @@ -9011,6 +9419,10 @@ msgstr "Verschiedenes" msgid "Custom Profile Fields" msgstr "Benutzerdefinierte Profilfelder" +#: src/Module/Settings/Profile/Index.php:248 src/Module/Welcome.php:58 +msgid "Upload Profile Photo" +msgstr "Profilbild hochladen" + #: src/Module/Settings/Profile/Index.php:252 msgid "Display name:" msgstr "Anzeigename:" @@ -9146,83 +9558,83 @@ msgstr "diesen Schritt überspringen" msgid "select a photo from your photo albums" msgstr "wähle ein Foto aus deinen Fotoalben" -#: src/Module/Settings/Delegation.php:53 -msgid "Delegation successfully granted." -msgstr "Delegierung erfolgreich eingerichtet." +#: src/Module/Settings/TwoFactor/AppSpecific.php:52 +#: src/Module/Settings/TwoFactor/Recovery.php:50 +#: src/Module/Settings/TwoFactor/Verify.php:56 +msgid "Please enter your password to access this page." +msgstr "Bitte gib dein Passwort ein, um auf diese Seite zuzugreifen." -#: src/Module/Settings/Delegation.php:55 -msgid "Parent user not found, unavailable or password doesn't match." -msgstr "Der angegebene Nutzer konnte nicht gefunden werden, ist nicht verfügbar oder das angegebene Passwort ist nicht richtig." +#: src/Module/Settings/TwoFactor/AppSpecific.php:70 +msgid "App-specific password generation failed: The description is empty." +msgstr "Die Erzeugung des App spezifischen Passworts ist fehlgeschlagen. Die Beschreibung ist leer." -#: src/Module/Settings/Delegation.php:59 -msgid "Delegation successfully revoked." -msgstr "Delegation erfolgreich aufgehoben." - -#: src/Module/Settings/Delegation.php:81 -#: src/Module/Settings/Delegation.php:103 +#: src/Module/Settings/TwoFactor/AppSpecific.php:73 msgid "" -"Delegated administrators can view but not change delegation permissions." -msgstr "Verwalter können die Berechtigungen der Delegationen einsehen, sie aber nicht ändern." +"App-specific password generation failed: This description already exists." +msgstr "Die Erzeugung des App spezifischen Passworts ist fehlgeschlagen. Die Beschreibung existiert bereits." -#: src/Module/Settings/Delegation.php:95 -msgid "Delegate user not found." -msgstr "Delegierter Nutzer nicht gefunden" +#: src/Module/Settings/TwoFactor/AppSpecific.php:77 +msgid "New app-specific password generated." +msgstr "Neues App spezifisches Passwort erzeugt." -#: src/Module/Settings/Delegation.php:143 -msgid "No parent user" -msgstr "Kein Verwalter" +#: src/Module/Settings/TwoFactor/AppSpecific.php:83 +msgid "App-specific passwords successfully revoked." +msgstr "App spezifische Passwörter erfolgreich widerrufen." -#: src/Module/Settings/Delegation.php:154 -#: src/Module/Settings/Delegation.php:165 -msgid "Parent User" -msgstr "Verwalter" +#: src/Module/Settings/TwoFactor/AppSpecific.php:93 +msgid "App-specific password successfully revoked." +msgstr "App spezifisches Passwort erfolgreich widerrufen." -#: src/Module/Settings/Delegation.php:162 -msgid "Additional Accounts" -msgstr "Zusätzliche Accounts" +#: src/Module/Settings/TwoFactor/AppSpecific.php:114 +msgid "Two-factor app-specific passwords" +msgstr "Zwei-Faktor App spezifische Passwörter." -#: src/Module/Settings/Delegation.php:163 +#: src/Module/Settings/TwoFactor/AppSpecific.php:116 msgid "" -"Register additional accounts that are automatically connected to your " -"existing account so you can manage them from this account." -msgstr "Zusätzliche Accounts registrieren, die automatisch mit deinem bestehenden Account verknüpft werden, damit du sie anschließend verwalten kannst." +"

App-specific passwords are randomly generated passwords used instead your" +" regular password to authenticate your account on third-party applications " +"that don't support two-factor authentication.

" +msgstr "

App spezifische Passwörter sind zufällig generierte Passwörter die anstelle des regulären Passworts zur Anmeldung mit Client Anwendungen verwendet werden, wenn diese Anwendungen die Zwei-Faktor-Authentifizierung nicht unterstützen.

" -#: src/Module/Settings/Delegation.php:164 -msgid "Register an additional account" -msgstr "Einen zusätzlichen Account registrieren" - -#: src/Module/Settings/Delegation.php:168 +#: src/Module/Settings/TwoFactor/AppSpecific.php:117 msgid "" -"Parent users have total control about this account, including the account " -"settings. Please double check whom you give this access." -msgstr "Verwalter haben Zugriff auf alle Funktionen dieses Benutzerkontos und können dessen Einstellungen ändern." +"Make sure to copy your new app-specific password now. You won’t be able to " +"see it again!" +msgstr "Das neue App spezifische Passwort muss jetzt übertragen werden. Später wirst du es nicht mehr einsehen können!" -#: src/Module/Settings/Delegation.php:172 -msgid "Delegates" -msgstr "Bevollmächtigte" +#: src/Module/Settings/TwoFactor/AppSpecific.php:120 +msgid "Description" +msgstr "Beschreibung" -#: src/Module/Settings/Delegation.php:174 +#: src/Module/Settings/TwoFactor/AppSpecific.php:121 +msgid "Last Used" +msgstr "Zuletzt verwendet" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:122 +msgid "Revoke" +msgstr "Widerrufen" + +#: src/Module/Settings/TwoFactor/AppSpecific.php:123 +msgid "Revoke All" +msgstr "Alle widerrufen" + +#: src/Module/Settings/TwoFactor/AppSpecific.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 "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!" +"When you generate a new app-specific password, you must use it right away, " +"it will be shown to you once after you generate it." +msgstr "Wenn du eine neues App spezifisches Passwort erstellst, musst du es sofort verwenden. Es wird dir nur ein einziges Mal nach der Erstellung angezeigt." -#: src/Module/Settings/Delegation.php:175 -msgid "Existing Page Delegates" -msgstr "Vorhandene Bevollmächtigte für die Seite" +#: src/Module/Settings/TwoFactor/AppSpecific.php:127 +msgid "Generate new app-specific password" +msgstr "Neues App spezifisches Passwort erstellen" -#: src/Module/Settings/Delegation.php:177 -msgid "Potential Delegates" -msgstr "Potentielle Bevollmächtigte" +#: src/Module/Settings/TwoFactor/AppSpecific.php:128 +msgid "Friendiqa on my Fairphone 2..." +msgstr "Friendiqa auf meinem Fairphone 2" -#: src/Module/Settings/Delegation.php:180 -msgid "Add" -msgstr "Hinzufügen" - -#: src/Module/Settings/Delegation.php:181 -msgid "No entries." -msgstr "Keine Einträge." +#: src/Module/Settings/TwoFactor/AppSpecific.php:129 +msgid "Generate" +msgstr "Erstellen" #: src/Module/Settings/TwoFactor/Index.php:67 msgid "Two-factor authentication successfully disabled." @@ -9316,11 +9728,36 @@ msgstr "App spezifische Passwörter verwalten" msgid "Finish app configuration" msgstr "Beende die App-Konfiguration" -#: src/Module/Settings/TwoFactor/Verify.php:56 -#: src/Module/Settings/TwoFactor/Recovery.php:50 -#: src/Module/Settings/TwoFactor/AppSpecific.php:52 -msgid "Please enter your password to access this page." -msgstr "Bitte gib dein Passwort ein, um auf diese Seite zuzugreifen." +#: src/Module/Settings/TwoFactor/Recovery.php:66 +msgid "New recovery codes successfully generated." +msgstr "Neue Wiederherstellungscodes erfolgreich generiert." + +#: src/Module/Settings/TwoFactor/Recovery.php:92 +msgid "Two-factor recovery codes" +msgstr "Zwei-Faktor-Wiederherstellungscodes" + +#: src/Module/Settings/TwoFactor/Recovery.php:94 +msgid "" +"

Recovery codes can be used to access your account in the event you lose " +"access to your device and cannot receive two-factor authentication " +"codes.

Put these in a safe spot! If you lose your " +"device and don’t have the recovery codes you will lose access to your " +"account.

" +msgstr "

Wiederherstellungscodes können verwendet werden, um auf dein Konto zuzugreifen, falls du den Zugriff auf dein Gerät verlieren und keine Zwei-Faktor-Authentifizierungscodes erhalten kannst.

Bewahre diese an einem sicheren Ort auf! Wenn du dein Gerät verlierst und nicht über die Wiederherstellungscodes verfügst, verlierst du den Zugriff auf dein Konto.

" + +#: src/Module/Settings/TwoFactor/Recovery.php:96 +msgid "" +"When you generate new recovery codes, you must copy the new codes. Your old " +"codes won’t work anymore." +msgstr "Wenn du neue Wiederherstellungscodes generierst, mußt du die neuen Codes kopieren. Deine alten Codes funktionieren nicht mehr." + +#: src/Module/Settings/TwoFactor/Recovery.php:97 +msgid "Generate new recovery codes" +msgstr "Generiere neue Wiederherstellungscodes" + +#: src/Module/Settings/TwoFactor/Recovery.php:99 +msgid "Next: Verification" +msgstr "Weiter: Überprüfung" #: src/Module/Settings/TwoFactor/Verify.php:78 msgid "Two-factor authentication successfully activated." @@ -9367,287 +9804,656 @@ msgstr "

Oder du kannst die folgende URL in deinem Mobilgerät öffnen:

msgid "Verify code and enable two-factor authentication" msgstr "Überprüfe den Code und aktiviere die Zwei-Faktor-Authentifizierung" -#: src/Module/Settings/TwoFactor/Recovery.php:66 -msgid "New recovery codes successfully generated." -msgstr "Neue Wiederherstellungscodes erfolgreich generiert." - -#: src/Module/Settings/TwoFactor/Recovery.php:92 -msgid "Two-factor recovery codes" -msgstr "Zwei-Faktor-Wiederherstellungscodes" - -#: src/Module/Settings/TwoFactor/Recovery.php:94 -msgid "" -"

Recovery codes can be used to access your account in the event you lose " -"access to your device and cannot receive two-factor authentication " -"codes.

Put these in a safe spot! If you lose your " -"device and don’t have the recovery codes you will lose access to your " -"account.

" -msgstr "

Wiederherstellungscodes können verwendet werden, um auf dein Konto zuzugreifen, falls du den Zugriff auf dein Gerät verlieren und keine Zwei-Faktor-Authentifizierungscodes erhalten kannst.

Bewahre diese an einem sicheren Ort auf! Wenn du dein Gerät verlierst und nicht über die Wiederherstellungscodes verfügst, verlierst du den Zugriff auf dein Konto.

" - -#: src/Module/Settings/TwoFactor/Recovery.php:96 -msgid "" -"When you generate new recovery codes, you must copy the new codes. Your old " -"codes won’t work anymore." -msgstr "Wenn du neue Wiederherstellungscodes generierst, mußt du die neuen Codes kopieren. Deine alten Codes funktionieren nicht mehr." - -#: src/Module/Settings/TwoFactor/Recovery.php:97 -msgid "Generate new recovery codes" -msgstr "Generiere neue Wiederherstellungscodes" - -#: src/Module/Settings/TwoFactor/Recovery.php:99 -msgid "Next: Verification" -msgstr "Weiter: Überprüfung" - -#: src/Module/Settings/TwoFactor/AppSpecific.php:70 -msgid "App-specific password generation failed: The description is empty." -msgstr "Die Erzeugung des App spezifischen Passworts ist fehlgeschlagen. Die Beschreibung ist leer." - -#: src/Module/Settings/TwoFactor/AppSpecific.php:73 -msgid "" -"App-specific password generation failed: This description already exists." -msgstr "Die Erzeugung des App spezifischen Passworts ist fehlgeschlagen. Die Beschreibung existiert bereits." - -#: src/Module/Settings/TwoFactor/AppSpecific.php:77 -msgid "New app-specific password generated." -msgstr "Neues App spezifisches Passwort erzeugt." - -#: src/Module/Settings/TwoFactor/AppSpecific.php:83 -msgid "App-specific passwords successfully revoked." -msgstr "App spezifische Passwörter erfolgreich widerrufen." - -#: src/Module/Settings/TwoFactor/AppSpecific.php:93 -msgid "App-specific password successfully revoked." -msgstr "App spezifisches Passwort erfolgreich widerrufen." - -#: src/Module/Settings/TwoFactor/AppSpecific.php:114 -msgid "Two-factor app-specific passwords" -msgstr "Zwei-Faktor App spezifische Passwörter." - -#: src/Module/Settings/TwoFactor/AppSpecific.php:116 -msgid "" -"

App-specific passwords are randomly generated passwords used instead your" -" regular password to authenticate your account on third-party applications " -"that don't support two-factor authentication.

" -msgstr "

App spezifische Passwörter sind zufällig generierte Passwörter die anstelle des regulären Passworts zur Anmeldung mit Client Anwendungen verwendet werden, wenn diese Anwendungen die Zwei-Faktor-Authentifizierung nicht unterstützen.

" - -#: src/Module/Settings/TwoFactor/AppSpecific.php:117 -msgid "" -"Make sure to copy your new app-specific password now. You won’t be able to " -"see it again!" -msgstr "Das neue App spezifische Passwort muss jetzt übertragen werden. Später wirst du es nicht mehr einsehen können!" - -#: src/Module/Settings/TwoFactor/AppSpecific.php:120 -msgid "Description" -msgstr "Beschreibung" - -#: src/Module/Settings/TwoFactor/AppSpecific.php:121 -msgid "Last Used" -msgstr "Zuletzt verwendet" - -#: src/Module/Settings/TwoFactor/AppSpecific.php:122 -msgid "Revoke" -msgstr "Widerrufen" - -#: src/Module/Settings/TwoFactor/AppSpecific.php:123 -msgid "Revoke All" -msgstr "Alle widerrufen" - -#: src/Module/Settings/TwoFactor/AppSpecific.php:126 -msgid "" -"When you generate a new app-specific password, you must use it right away, " -"it will be shown to you once after you generate it." -msgstr "Wenn du eine neues App spezifisches Passwort erstellst, musst du es sofort verwenden. Es wird dir nur ein einziges Mal nach der Erstellung angezeigt." - -#: src/Module/Settings/TwoFactor/AppSpecific.php:127 -msgid "Generate new app-specific password" -msgstr "Neues App spezifisches Passwort erstellen" - -#: src/Module/Settings/TwoFactor/AppSpecific.php:128 -msgid "Friendiqa on my Fairphone 2..." -msgstr "Friendiqa auf meinem Fairphone 2" - -#: src/Module/Settings/TwoFactor/AppSpecific.php:129 -msgid "Generate" -msgstr "Erstellen" - -#: src/Module/Settings/Display.php:105 -msgid "The theme you chose isn't available." -msgstr "Das gewählte Theme ist nicht verfügbar" - -#: src/Module/Settings/Display.php:142 -#, php-format -msgid "%s - (Unsupported)" -msgstr "%s - (Nicht unterstützt)" - -#: src/Module/Settings/Display.php:188 -msgid "Display Settings" -msgstr "Anzeige-Einstellungen" - -#: src/Module/Settings/Display.php:190 -msgid "General Theme Settings" -msgstr "Allgemeine Theme-Einstellungen" - -#: src/Module/Settings/Display.php:191 -msgid "Custom Theme Settings" -msgstr "Benutzerdefinierte Theme-Einstellungen" - -#: src/Module/Settings/Display.php:192 -msgid "Content Settings" -msgstr "Einstellungen zum Inhalt" - -#: src/Module/Settings/Display.php:194 -msgid "Calendar" -msgstr "Kalender" - -#: src/Module/Settings/Display.php:200 -msgid "Display Theme:" -msgstr "Theme:" - -#: src/Module/Settings/Display.php:201 -msgid "Mobile Theme:" -msgstr "Mobiles Theme" - -#: src/Module/Settings/Display.php:204 -msgid "Number of items to display per page:" -msgstr "Zahl der Beiträge, die pro Netzwerkseite angezeigt werden sollen: " - -#: src/Module/Settings/Display.php:204 src/Module/Settings/Display.php:205 -msgid "Maximum of 100 items" -msgstr "Maximal 100 Beiträge" - -#: src/Module/Settings/Display.php:205 -msgid "Number of items to display per page when viewed from mobile device:" -msgstr "Zahl der Beiträge, die pro Netzwerkseite auf mobilen Geräten angezeigt werden sollen:" - -#: src/Module/Settings/Display.php:206 -msgid "Update browser every xx seconds" -msgstr "Browser alle xx Sekunden aktualisieren" - -#: src/Module/Settings/Display.php:206 -msgid "Minimum of 10 seconds. Enter -1 to disable it." -msgstr "Minimum sind 10 Sekunden. Gib -1 ein, um abzuschalten." - -#: src/Module/Settings/Display.php:207 -msgid "Automatic updates only at the top of the post stream pages" -msgstr "Automatische Updates nur, wenn du oben auf den Beitragsstream-Seiten bist." - -#: src/Module/Settings/Display.php:207 -msgid "" -"Auto update may add new posts at the top of the post stream pages, which can" -" affect the scroll position and perturb normal reading if it happens " -"anywhere else the top of the page." -msgstr "Das automatische Aktualisieren des Streams kann neue Beiträge am Anfang des Stream einfügen. Dies kann die angezeigte Position im Stream beeinflussen, wenn du gerade nicht den Anfang des Streams betrachtest." - -#: src/Module/Settings/Display.php:208 -msgid "Don't show emoticons" -msgstr "Keine Smileys anzeigen" - -#: src/Module/Settings/Display.php:208 -msgid "" -"Normally emoticons are replaced with matching symbols. This setting disables" -" this behaviour." -msgstr "Normalerweise werden Smileys / Emoticons durch die passenden Symbolen ersetzt. Mit dieser Einstellung wird dieses Verhalten verhindert." - -#: src/Module/Settings/Display.php:209 -msgid "Infinite scroll" -msgstr "Endloses Scrollen" - -#: src/Module/Settings/Display.php:209 -msgid "Automatic fetch new items when reaching the page end." -msgstr "Automatisch neue Beiträge laden, wenn das Ende der Seite erreicht ist." - -#: src/Module/Settings/Display.php:210 -msgid "Disable Smart Threading" -msgstr "Intelligentes Threading deaktivieren" - -#: src/Module/Settings/Display.php:210 -msgid "Disable the automatic suppression of extraneous thread indentation." -msgstr "Schaltet das automatische Unterdrücken von überflüssigen Thread-Einrückungen aus." - -#: src/Module/Settings/Display.php:211 -msgid "Hide the Dislike feature" -msgstr "Das \"Nicht mögen\" Feature verbergen" - -#: src/Module/Settings/Display.php:211 -msgid "Hides the Dislike button and dislike reactions on posts and comments." -msgstr "Verbirgt den \"Ich mag das nicht\" Button und die dislike Reaktionen auf Beiträge und Kommentare." - -#: src/Module/Settings/Display.php:212 -msgid "Display the resharer" -msgstr "Teilenden anzeigen" - -#: src/Module/Settings/Display.php:212 -msgid "Display the first resharer as icon and text on a reshared item." -msgstr "Zeige das Profilbild des ersten Kontakts von dem ein Beitrag geteilt wurde." - -#: src/Module/Settings/Display.php:213 -msgid "Stay local" -msgstr "Bleib lokal" - -#: src/Module/Settings/Display.php:213 -msgid "Don't go to a remote system when following a contact link." -msgstr "Gehe nicht zu einem Remote-System, wenn einem Kontaktlink gefolgt wird" - -#: src/Module/Settings/Display.php:215 -msgid "Beginning of week:" -msgstr "Wochenbeginn:" - -#: src/Module/Settings/UserExport.php:58 +#: src/Module/Settings/UserExport.php:59 msgid "Export account" msgstr "Account exportieren" -#: src/Module/Settings/UserExport.php:58 +#: src/Module/Settings/UserExport.php:59 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 Account-Informationen und Kontakte. Verwende dies, um ein Backup Deines Accounts anzulegen und/oder damit auf einen anderen Server umzuziehen." -#: src/Module/Settings/UserExport.php:59 +#: src/Module/Settings/UserExport.php:60 msgid "Export all" msgstr "Alles exportieren" -#: src/Module/Settings/UserExport.php:59 +#: src/Module/Settings/UserExport.php:60 msgid "" "Export your account info, contacts and all your items as json. Could be a " "very big file, and could take a lot of time. Use this to make a full backup " "of your account (photos are not exported)" 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 (Photos werden nicht exportiert)." -#: src/Module/Settings/UserExport.php:60 +#: src/Module/Settings/UserExport.php:61 msgid "Export Contacts to CSV" msgstr "Kontakte nach CSV exportieren" -#: src/Module/Settings/UserExport.php:60 +#: src/Module/Settings/UserExport.php:61 msgid "" "Export the list of the accounts you are following as CSV file. Compatible to" " e.g. Mastodon." msgstr "Exportiert die Liste der Nutzerkonten denen du folgst in eine CSV Datei. Das Format ist z.B. zu Mastodon kompatibel." -#: src/Module/Maintenance.php:46 -msgid "System down for maintenance" -msgstr "System zur Wartung abgeschaltet" +#: src/Module/Special/HTTPException.php:49 +msgid "Bad Request" +msgstr "Ungültige Anfrage" -#: src/Protocol/OStatus.php:1763 +#: src/Module/Special/HTTPException.php:50 +msgid "Unauthorized" +msgstr "Nicht autorisiert" + +#: src/Module/Special/HTTPException.php:51 +msgid "Forbidden" +msgstr "Verboten" + +#: src/Module/Special/HTTPException.php:52 +msgid "Not Found" +msgstr "Nicht gefunden" + +#: src/Module/Special/HTTPException.php:53 +msgid "Internal Server Error" +msgstr "Interner Serverfehler" + +#: src/Module/Special/HTTPException.php:54 +msgid "Service Unavailable" +msgstr "Dienst nicht verfügbar" + +#: src/Module/Special/HTTPException.php:61 +msgid "" +"The server cannot or will not process the request due to an apparent client " +"error." +msgstr "Aufgrund eines offensichtlichen Fehlers auf der Seite des Clients kann oder wird der Server die Anfrage nicht bearbeiten." + +#: src/Module/Special/HTTPException.php:62 +msgid "" +"Authentication is required and has failed or has not yet been provided." +msgstr "Die erforderliche Authentifizierung ist fehlgeschlagen oder noch nicht erfolgt." + +#: src/Module/Special/HTTPException.php:63 +msgid "" +"The request was valid, but the server is refusing action. The user might not" +" have the necessary permissions for a resource, or may need an account." +msgstr "Die Anfrage war gültig, aber der Server verweigert die Ausführung. Der Benutzer verfügt möglicherweise nicht über die erforderlichen Berechtigungen oder benötigt ein Nutzerkonto." + +#: src/Module/Special/HTTPException.php:64 +msgid "" +"The requested resource could not be found but may be available in the " +"future." +msgstr "Die angeforderte Ressource konnte nicht gefunden werden, sie könnte allerdings zu einem späteren Zeitpunkt verfügbar sein." + +#: src/Module/Special/HTTPException.php:65 +msgid "" +"An unexpected condition was encountered and no more specific message is " +"suitable." +msgstr "Eine unerwartete Situation ist eingetreten, zu der keine detailliertere Nachricht vorliegt." + +#: src/Module/Special/HTTPException.php:66 +msgid "" +"The server is currently unavailable (because it is overloaded or down for " +"maintenance). Please try again later." +msgstr "Der Server ist derzeit nicht verfügbar (wegen Überlastung oder Wartungsarbeiten). Bitte versuche es später noch einmal." + +#: src/Module/Special/HTTPException.php:76 +msgid "Stack trace:" +msgstr "Stack trace:" + +#: src/Module/Special/HTTPException.php:80 +#, php-format +msgid "Exception thrown in %s:%d" +msgstr "Exception thrown in %s:%d" + +#: src/Module/Tos.php:46 src/Module/Tos.php:88 +msgid "" +"At the time of registration, and for providing communications between the " +"user account and their contacts, the user has to provide a display name (pen" +" name), an username (nickname) and a working email address. The names will " +"be accessible on the profile page of the account by any visitor of the page," +" even if other profile details are not displayed. The email address will " +"only be used to send the user notifications about interactions, but wont be " +"visibly displayed. The listing of an account in the node's user directory or" +" the global user directory is optional and can be controlled in the user " +"settings, it is not necessary for communication." +msgstr "Zum Zwecke der Registrierung und um die Kommunikation zwischen dem Nutzer und seinen Kontakten zu gewährleisten, muß der Nutzer einen Namen (auch Pseudonym) und einen Nutzernamen (Spitzname) sowie eine funktionierende E-Mail-Adresse angeben. Der Name ist auf der Profilseite für alle Nutzer sichtbar, auch wenn die Profildetails nicht angezeigt werden.\nDie E-Mail-Adresse wird nur zur Benachrichtigung des Nutzers verwendet, sie wird nirgends angezeigt. Die Anzeige des Nutzerkontos im Server-Verzeichnis bzw. dem weltweiten Verzeichnis erfolgt gemäß den Einstellungen des Nutzers, sie ist zur Kommunikation nicht zwingend notwendig." + +#: src/Module/Tos.php:47 src/Module/Tos.php:89 +msgid "" +"This data is required for communication and is passed on to the nodes of the" +" communication partners and is stored there. Users can enter additional " +"private data that may be transmitted to the communication partners accounts." +msgstr "Diese Daten sind für die Kommunikation notwendig und werden an die Knoten der Kommunikationspartner übermittelt und dort gespeichert. Nutzer können weitere, private Angaben machen, die ebenfalls an die verwendeten Server der Kommunikationspartner übermittelt werden können." + +#: src/Module/Tos.php:48 src/Module/Tos.php:90 +#, php-format +msgid "" +"At any point in time a logged in user can export their account data from the" +" account settings. If the user " +"wants to delete their account they can do so at %1$s/removeme. The deletion of the account will " +"be permanent. Deletion of the data will also be requested from the nodes of " +"the communication partners." +msgstr "Angemeldete Nutzer können ihre Nutzerdaten jederzeit von den Kontoeinstellungen aus exportieren. Wenn ein Nutzer wünscht das Nutzerkonto zu löschen, so ist dies jederzeit unter %1$s/removeme möglich. Die Löschung des Nutzerkontos ist permanent. Die Löschung der Daten wird auch von den Knoten der Kommunikationspartner angefordert." + +#: src/Module/Tos.php:51 src/Module/Tos.php:87 +msgid "Privacy Statement" +msgstr "Datenschutzerklärung" + +#: src/Module/Welcome.php:44 +msgid "Welcome to Friendica" +msgstr "Willkommen bei Friendica" + +#: src/Module/Welcome.php:45 +msgid "New Member Checklist" +msgstr "Checkliste für neue Mitglieder" + +#: src/Module/Welcome.php:46 +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 "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." + +#: src/Module/Welcome.php:48 +msgid "Getting Started" +msgstr "Einstieg" + +#: src/Module/Welcome.php:49 +msgid "Friendica Walk-Through" +msgstr "Friendica Rundgang" + +#: src/Module/Welcome.php:50 +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 "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." + +#: src/Module/Welcome.php:53 +msgid "Go to Your Settings" +msgstr "Gehe zu deinen Einstellungen" + +#: src/Module/Welcome.php:54 +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 "Ä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 Kontakte mit anderen im Friendica Netzwerk zu knüpfen.." + +#: src/Module/Welcome.php:55 +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 "Ü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 Kontakte und potentiellen Kontakte wissen genau, wie sie dich finden können." + +#: src/Module/Welcome.php:59 +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 "Lade ein Profilbild hoch, falls du es noch nicht getan hast. Studien haben gezeigt, dass es zehnmal wahrscheinlicher ist, neue Kontakte zu finden, wenn du ein Bild von dir selbst verwendest, als wenn du dies nicht tust." + +#: src/Module/Welcome.php:60 +msgid "Edit Your Profile" +msgstr "Editiere dein Profil" + +#: src/Module/Welcome.php:61 +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 "Editiere dein Standard-Profil nach deinen Vorlieben. Überprüfe die Einstellungen zum Verbergen deiner Kontaktliste vor unbekannten Betrachtern des Profils." + +#: src/Module/Welcome.php:62 +msgid "Profile Keywords" +msgstr "Profil-Schlüsselbegriffe" + +#: src/Module/Welcome.php:63 +msgid "" +"Set some public keywords for your profile which describe your interests. We " +"may be able to find other people with similar interests and suggest " +"friendships." +msgstr "Trage ein paar öffentliche Stichwörter in dein Profil ein, die deine Interessen beschreiben. Eventuell sind wir in der Lage Leute zu finden, die deine Interessen teilen und können dir dann Kontakte vorschlagen." + +#: src/Module/Welcome.php:65 +msgid "Connecting" +msgstr "Verbindungen knüpfen" + +#: src/Module/Welcome.php:67 +msgid "Importing Emails" +msgstr "Emails Importieren" + +#: src/Module/Welcome.php:68 +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 "Gib deine E-Mail-Zugangsinformationen auf der Connector-Einstellungsseite ein, falls du E-Mails aus Deinem Posteingang importieren und mit Kontakten und Mailinglisten interagieren willst." + +#: src/Module/Welcome.php:69 +msgid "Go to Your Contacts Page" +msgstr "Gehe zu deiner Kontakt-Seite" + +#: src/Module/Welcome.php:70 +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 "Die Kontakte-Seite ist die Einstiegsseite, von der aus du Kontakte verwalten und dich mit Personen in anderen Netzwerken verbinden kannst. Normalerweise gibst du dazu einfach ihre Adresse oder die URL der Seite im Kasten Neuen Kontakt hinzufügen ein." + +#: src/Module/Welcome.php:71 +msgid "Go to Your Site's Directory" +msgstr "Gehe zum Verzeichnis Deiner Friendica-Instanz" + +#: src/Module/Welcome.php:72 +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 "Über die Verzeichnisseite kannst du andere Personen auf diesem Server oder anderen, verknüpften Seiten finden. Halte nach einem Verbinden- oder Folgen-Link auf deren Profilseiten Ausschau und gib deine eigene Profiladresse an, falls du danach gefragt wirst." + +#: src/Module/Welcome.php:73 +msgid "Finding New People" +msgstr "Neue Leute kennenlernen" + +#: src/Module/Welcome.php:74 +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 "Im seitlichen Bedienfeld der Kontakteseite gibt es diverse Werkzeuge, um neue Personen zu finden. Wir können Menschen mit den gleichen Interessen finden, anhand von Namen oder Interessen suchen oder aber aufgrund vorhandener Kontakte neue Leute vorschlagen.\nAuf einer brandneuen - soeben erstellten - Seite starten die Kontaktvorschläge innerhalb von 24 Stunden." + +#: src/Module/Welcome.php:77 +msgid "Group Your Contacts" +msgstr "Gruppiere deine Kontakte" + +#: src/Module/Welcome.php:78 +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 "Sobald du einige Kontakte gefunden hast, organisiere sie in Gruppen zur privaten Kommunikation im Seitenmenü der Kontakte-Seite. Du kannst dann mit jeder dieser Gruppen von der Netzwerkseite aus privat interagieren." + +#: src/Module/Welcome.php:80 +msgid "Why Aren't My Posts Public?" +msgstr "Warum sind meine Beiträge nicht öffentlich?" + +#: src/Module/Welcome.php:81 +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 respektiert Deine Privatsphäre. Mit der Grundeinstellung werden Deine Beiträge ausschließlich Deinen Kontakten angezeigt. Für weitere Informationen diesbezüglich lies dir bitte den entsprechenden Abschnitt in der Hilfe unter dem obigen Link durch." + +#: src/Module/Welcome.php:83 +msgid "Getting Help" +msgstr "Hilfe bekommen" + +#: src/Module/Welcome.php:84 +msgid "Go to the Help Section" +msgstr "Zum Hilfe Abschnitt gehen" + +#: src/Module/Welcome.php:85 +msgid "" +"Our help pages may be consulted for detail on other program" +" features and resources." +msgstr "Unsere Hilfe-Seiten können herangezogen werden, um weitere Einzelheiten zu anderen Programm-Features zu erhalten." + +#: src/Object/EMail/ItemCCEMail.php:39 +#, 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." + +#: src/Object/EMail/ItemCCEMail.php:41 +#, php-format +msgid "You may visit them online at %s" +msgstr "Du kannst sie online unter %s besuchen" + +#: src/Object/EMail/ItemCCEMail.php:42 +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." + +#: src/Object/EMail/ItemCCEMail.php:46 +#, php-format +msgid "%s posted an update." +msgstr "%s hat ein Update veröffentlicht." + +#: src/Object/Post.php:148 +msgid "This entry was edited" +msgstr "Dieser Beitrag wurde bearbeitet." + +#: src/Object/Post.php:176 +msgid "Private Message" +msgstr "Private Nachricht" + +#: src/Object/Post.php:221 +msgid "pinned item" +msgstr "Angehefteter Beitrag" + +#: src/Object/Post.php:226 +msgid "Delete locally" +msgstr "Lokal löschen" + +#: src/Object/Post.php:229 +msgid "Delete globally" +msgstr "Global löschen" + +#: src/Object/Post.php:229 +msgid "Remove locally" +msgstr "Lokal entfernen" + +#: src/Object/Post.php:243 +#, php-format +msgid "Block %s" +msgstr "Blockiere %s" + +#: src/Object/Post.php:248 +msgid "save to folder" +msgstr "In Ordner speichern" + +#: src/Object/Post.php:283 +msgid "I will attend" +msgstr "Ich werde teilnehmen" + +#: src/Object/Post.php:283 +msgid "I will not attend" +msgstr "Ich werde nicht teilnehmen" + +#: src/Object/Post.php:283 +msgid "I might attend" +msgstr "Ich werde eventuell teilnehmen" + +#: src/Object/Post.php:313 +msgid "ignore thread" +msgstr "Thread ignorieren" + +#: src/Object/Post.php:314 +msgid "unignore thread" +msgstr "Thread nicht mehr ignorieren" + +#: src/Object/Post.php:315 +msgid "toggle ignore status" +msgstr "Ignoriert-Status ein-/ausschalten" + +#: src/Object/Post.php:327 +msgid "pin" +msgstr "anheften" + +#: src/Object/Post.php:328 +msgid "unpin" +msgstr "losmachen" + +#: src/Object/Post.php:329 +msgid "toggle pin status" +msgstr "Angeheftet Status ändern" + +#: src/Object/Post.php:332 +msgid "pinned" +msgstr "angeheftet" + +#: src/Object/Post.php:339 +msgid "add star" +msgstr "markieren" + +#: src/Object/Post.php:340 +msgid "remove star" +msgstr "Markierung entfernen" + +#: src/Object/Post.php:341 +msgid "toggle star status" +msgstr "Markierung umschalten" + +#: src/Object/Post.php:344 +msgid "starred" +msgstr "markiert" + +#: src/Object/Post.php:348 +msgid "add tag" +msgstr "Tag hinzufügen" + +#: src/Object/Post.php:358 +msgid "like" +msgstr "mag ich" + +#: src/Object/Post.php:359 +msgid "dislike" +msgstr "mag ich nicht" + +#: src/Object/Post.php:361 +msgid "Quote share this" +msgstr "" + +#: src/Object/Post.php:361 +msgid "Quote Share" +msgstr "Zitat teilen" + +#: src/Object/Post.php:364 +msgid "Reshare this" +msgstr "Teile dies" + +#: src/Object/Post.php:364 +msgid "Reshare" +msgstr "Teilen" + +#: src/Object/Post.php:365 +msgid "Cancel your Reshare" +msgstr "Teilen aufheben" + +#: src/Object/Post.php:365 +msgid "Unshare" +msgstr "" + +#: src/Object/Post.php:410 +#, php-format +msgid "%s (Received %s)" +msgstr "%s (Empfangen %s)" + +#: src/Object/Post.php:415 +msgid "Comment this item on your system" +msgstr "Kommentiere diesen Beitrag von deinem System aus" + +#: src/Object/Post.php:415 +msgid "remote comment" +msgstr "Entfernter Kommentar" + +#: src/Object/Post.php:427 +msgid "Pushed" +msgstr "Pushed" + +#: src/Object/Post.php:427 +msgid "Pulled" +msgstr "Pulled" + +#: src/Object/Post.php:459 +msgid "to" +msgstr "zu" + +#: src/Object/Post.php:460 +msgid "via" +msgstr "via" + +#: src/Object/Post.php:461 +msgid "Wall-to-Wall" +msgstr "Wall-to-Wall" + +#: src/Object/Post.php:462 +msgid "via Wall-To-Wall:" +msgstr "via Wall-To-Wall:" + +#: src/Object/Post.php:500 +#, php-format +msgid "Reply to %s" +msgstr "Antworte %s" + +#: src/Object/Post.php:503 +msgid "More" +msgstr "Mehr" + +#: src/Object/Post.php:521 +msgid "Notifier task is pending" +msgstr "Die Benachrichtigungsaufgabe ist ausstehend" + +#: src/Object/Post.php:522 +msgid "Delivery to remote servers is pending" +msgstr "Die Auslieferung an Remote-Server steht noch aus" + +#: src/Object/Post.php:523 +msgid "Delivery to remote servers is underway" +msgstr "Die Auslieferung an Remote-Server ist unterwegs" + +#: src/Object/Post.php:524 +msgid "Delivery to remote servers is mostly done" +msgstr "Die Zustellung an Remote-Server ist fast erledigt" + +#: src/Object/Post.php:525 +msgid "Delivery to remote servers is done" +msgstr "Die Zustellung an die Remote-Server ist erledigt" + +#: src/Object/Post.php:545 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d Kommentar" +msgstr[1] "%d Kommentare" + +#: src/Object/Post.php:546 +msgid "Show more" +msgstr "Zeige mehr" + +#: src/Object/Post.php:547 +msgid "Show fewer" +msgstr "Zeige weniger" + +#: src/Protocol/Diaspora.php:3424 +msgid "Attachments:" +msgstr "Anhänge:" + +#: src/Protocol/OStatus.php:1760 #, php-format msgid "%s is now following %s." msgstr "%s folgt nun %s" -#: src/Protocol/OStatus.php:1764 +#: src/Protocol/OStatus.php:1761 msgid "following" msgstr "folgen" -#: src/Protocol/OStatus.php:1767 +#: src/Protocol/OStatus.php:1764 #, php-format msgid "%s stopped following %s." msgstr "%s hat aufgehört %s, zu folgen" -#: src/Protocol/OStatus.php:1768 +#: src/Protocol/OStatus.php:1765 msgid "stopped following" msgstr "wird nicht mehr gefolgt" -#: src/Protocol/Diaspora.php:3431 -msgid "Attachments:" -msgstr "Anhänge:" +#: src/Render/FriendicaSmartyEngine.php:52 +msgid "The folder view/smarty3/ must be writable by webserver." +msgstr "Das Verzeichnis view/smarty3/ muss für den Web-Server beschreibbar sein." + +#: src/Repository/ProfileField.php:275 +msgid "Hometown:" +msgstr "Heimatort:" + +#: src/Repository/ProfileField.php:276 +msgid "Marital Status:" +msgstr "Familienstand:" + +#: src/Repository/ProfileField.php:277 +msgid "With:" +msgstr "Mit:" + +#: src/Repository/ProfileField.php:278 +msgid "Since:" +msgstr "Seit:" + +#: src/Repository/ProfileField.php:279 +msgid "Sexual Preference:" +msgstr "Sexuelle Vorlieben:" + +#: src/Repository/ProfileField.php:280 +msgid "Political Views:" +msgstr "Politische Ansichten:" + +#: src/Repository/ProfileField.php:281 +msgid "Religious Views:" +msgstr "Religiöse Ansichten:" + +#: src/Repository/ProfileField.php:282 +msgid "Likes:" +msgstr "Likes:" + +#: src/Repository/ProfileField.php:283 +msgid "Dislikes:" +msgstr "Dislikes:" + +#: src/Repository/ProfileField.php:284 +msgid "Title/Description:" +msgstr "Titel/Beschreibung:" + +#: src/Repository/ProfileField.php:286 +msgid "Musical interests" +msgstr "Musikalische Interessen" + +#: src/Repository/ProfileField.php:287 +msgid "Books, literature" +msgstr "Bücher, Literatur" + +#: src/Repository/ProfileField.php:288 +msgid "Television" +msgstr "Fernsehen" + +#: src/Repository/ProfileField.php:289 +msgid "Film/dance/culture/entertainment" +msgstr "Filme/Tänze/Kultur/Unterhaltung" + +#: src/Repository/ProfileField.php:290 +msgid "Hobbies/Interests" +msgstr "Hobbies/Interessen" + +#: src/Repository/ProfileField.php:291 +msgid "Love/romance" +msgstr "Liebe/Romantik" + +#: src/Repository/ProfileField.php:292 +msgid "Work/employment" +msgstr "Arbeit/Anstellung" + +#: src/Repository/ProfileField.php:293 +msgid "School/education" +msgstr "Schule/Ausbildung" + +#: src/Repository/ProfileField.php:294 +msgid "Contact information and Social Networks" +msgstr "Kontaktinformationen und Soziale Netzwerke" + +#: src/Security/Authentication.php:210 src/Security/Authentication.php:262 +msgid "Login failed." +msgstr "Anmeldung fehlgeschlagen." + +#: src/Security/Authentication.php:273 +msgid "Login failed. Please check your credentials." +msgstr "Anmeldung fehlgeschlagen. Bitte überprüfe deine Angaben." + +#: src/Security/Authentication.php:389 +#, php-format +msgid "Welcome %s" +msgstr "Willkommen %s" + +#: src/Security/Authentication.php:390 +msgid "Please upload a profile photo." +msgstr "Bitte lade ein Profilbild hoch." + +#: src/Util/EMailer/MailBuilder.php:259 +msgid "Friendica Notification" +msgstr "Friendica-Benachrichtigung" #: src/Util/EMailer/NotifyMailBuilder.php:78 #: src/Util/EMailer/SystemMailBuilder.php:54 @@ -9668,10 +10474,6 @@ msgstr "der Administrator von %s" msgid "thanks" msgstr "danke" -#: src/Util/EMailer/MailBuilder.php:259 -msgid "Friendica Notification" -msgstr "Friendica-Benachrichtigung" - #: src/Util/Temporal.php:167 msgid "YYYY-MM-DD or MM-DD" msgstr "YYYY-MM-DD oder MM-DD" @@ -9738,1043 +10540,264 @@ msgstr "in %1$d %2$s" msgid "%1$d %2$s ago" msgstr "%1$d %2$s her" -#: src/Model/Storage/Database.php:74 -#, php-format -msgid "Database storage failed to update %s" -msgstr "Datenbankspeicher konnte nicht aktualisiert werden %s" +#: src/Worker/Delivery.php:566 +msgid "(no subject)" +msgstr "(kein Betreff)" -#: src/Model/Storage/Database.php:82 -msgid "Database storage failed to insert data" -msgstr "Der Datenbankspeicher konnte keine Daten einfügen" +#: view/theme/duepuntozero/config.php:52 +msgid "default" +msgstr "Standard" -#: src/Model/Storage/Filesystem.php:100 -#, php-format -msgid "Filesystem storage failed to create \"%s\". Check you write permissions." -msgstr "Dateisystemspeicher konnte nicht erstellt werden \"%s\". Überprüfe, ob du Schreibberechtigungen hast." +#: view/theme/duepuntozero/config.php:53 +msgid "greenzero" +msgstr "greenzero" -#: src/Model/Storage/Filesystem.php:148 -#, php-format +#: view/theme/duepuntozero/config.php:54 +msgid "purplezero" +msgstr "purplezero" + +#: view/theme/duepuntozero/config.php:55 +msgid "easterbunny" +msgstr "easterbunny" + +#: view/theme/duepuntozero/config.php:56 +msgid "darkzero" +msgstr "darkzero" + +#: view/theme/duepuntozero/config.php:57 +msgid "comix" +msgstr "comix" + +#: view/theme/duepuntozero/config.php:58 +msgid "slackr" +msgstr "slackr" + +#: view/theme/duepuntozero/config.php:71 +msgid "Variations" +msgstr "Variationen" + +#: view/theme/frio/config.php:142 +msgid "Light (Accented)" +msgstr "Hell (Akzentuiert)" + +#: view/theme/frio/config.php:143 +msgid "Dark (Accented)" +msgstr "Dunkel (Akzentuiert)" + +#: view/theme/frio/config.php:144 +msgid "Black (Accented)" +msgstr "Schwarz (Akzentuiert)" + +#: view/theme/frio/config.php:156 +msgid "Note" +msgstr "Hinweis" + +#: view/theme/frio/config.php:156 +msgid "Check image permissions if all users are allowed to see the image" +msgstr "Überprüfe, dass alle Benutzer die Berechtigung haben dieses Bild anzusehen" + +#: view/theme/frio/config.php:162 +msgid "Custom" +msgstr "Benutzerdefiniert" + +#: view/theme/frio/config.php:163 +msgid "Legacy" +msgstr "Vermächtnis" + +#: view/theme/frio/config.php:164 +msgid "Accented" +msgstr "Akzentuiert" + +#: view/theme/frio/config.php:165 +msgid "Select color scheme" +msgstr "Farbschema auswählen" + +#: view/theme/frio/config.php:166 +msgid "Select scheme accent" +msgstr "Wähle einen Akzent für das Thema" + +#: view/theme/frio/config.php:166 +msgid "Blue" +msgstr "Blau" + +#: view/theme/frio/config.php:166 +msgid "Red" +msgstr "Rot" + +#: view/theme/frio/config.php:166 +msgid "Purple" +msgstr "Violett" + +#: view/theme/frio/config.php:166 +msgid "Green" +msgstr "Grün" + +#: view/theme/frio/config.php:166 +msgid "Pink" +msgstr "Rosa" + +#: view/theme/frio/config.php:167 +msgid "Copy or paste schemestring" +msgstr "Farbschema kopieren oder einfügen" + +#: view/theme/frio/config.php:167 msgid "" -"Filesystem storage failed to save data to \"%s\". Check your write " -"permissions" -msgstr "Der Dateisystemspeicher konnte die Daten nicht in \"%s\" speichern. Überprüfe Deine Schreibberechtigungen" +"You can copy this string to share your theme with others. Pasting here " +"applies the schemestring" +msgstr "Du kannst den String mit den Farbschema Informationen mit anderen Teilen. Wenn du einen neuen Farbschema-String hier einfügst wird er für deine Einstellungen übernommen." -#: src/Model/Storage/Filesystem.php:176 -msgid "Storage base path" -msgstr "Dateipfad zum Speicher" +#: view/theme/frio/config.php:168 +msgid "Navigation bar background color" +msgstr "Hintergrundfarbe der Navigationsleiste" -#: src/Model/Storage/Filesystem.php:178 +#: view/theme/frio/config.php:169 +msgid "Navigation bar icon color " +msgstr "Icon Farbe in der Navigationsleiste" + +#: view/theme/frio/config.php:170 +msgid "Link color" +msgstr "Linkfarbe" + +#: view/theme/frio/config.php:171 +msgid "Set the background color" +msgstr "Hintergrundfarbe festlegen" + +#: view/theme/frio/config.php:172 +msgid "Content background opacity" +msgstr "Opazität des Hintergrunds von Beiträgen" + +#: view/theme/frio/config.php:173 +msgid "Set the background image" +msgstr "Hintergrundbild festlegen" + +#: view/theme/frio/config.php:174 +msgid "Background image style" +msgstr "Stil des Hintergrundbildes" + +#: view/theme/frio/config.php:179 +msgid "Login page background image" +msgstr "Hintergrundbild der Login-Seite" + +#: view/theme/frio/config.php:183 +msgid "Login page background color" +msgstr "Hintergrundfarbe der Login-Seite" + +#: view/theme/frio/config.php:183 +msgid "Leave background image and color empty for theme defaults" +msgstr "Wenn die Theme-Vorgaben verwendet werden sollen, lass bitte die Felder für die Hintergrundfarbe und das Hintergrundbild leer." + +#: view/theme/frio/php/default.php:81 view/theme/frio/php/standard.php:38 +msgid "Skip to main content" +msgstr "Zum Inhalt der Seite gehen" + +#: view/theme/frio/php/Image.php:40 +msgid "Top Banner" +msgstr "Top Banner" + +#: view/theme/frio/php/Image.php:40 msgid "" -"Folder where uploaded files are saved. For maximum security, This should be " -"a path outside web server folder tree" -msgstr "Verzeichnis, in das Dateien hochgeladen werden. Für maximale Sicherheit sollte dies ein Pfad außerhalb der Webserver-Verzeichnisstruktur sein" +"Resize image to the width of the screen and show background color below on " +"long pages." +msgstr "Skaliere das Hintergrundbild so, dass es die Breite der Seite einnimmt, und fülle den Rest der Seite mit der Hintergrundfarbe bei langen Seiten." -#: src/Model/Storage/Filesystem.php:191 -msgid "Enter a valid existing folder" -msgstr "Gib einen gültigen, existierenden Ordner ein" +#: view/theme/frio/php/Image.php:41 +msgid "Full screen" +msgstr "Vollbildmodus" -#: src/Model/Item.php:2530 -#, php-format -msgid "Detected languages in this post:\\n%s" -msgstr "Erkannte Sprachen in diesem Beitrag:\\n%s" - -#: src/Model/Item.php:3525 -msgid "activity" -msgstr "Aktivität" - -#: src/Model/Item.php:3530 -msgid "post" -msgstr "Beitrag" - -#: src/Model/Item.php:3654 -#, php-format -msgid "Content warning: %s" -msgstr "Inhaltswarnung: %s" - -#: src/Model/Item.php:3727 -msgid "bytes" -msgstr "Byte" - -#: src/Model/Item.php:3772 -msgid "View on separate page" -msgstr "Auf separater Seite ansehen" - -#: src/Model/Item.php:3773 -msgid "view on separate page" -msgstr "auf separater Seite ansehen" - -#: src/Model/Item.php:3778 src/Model/Item.php:3784 -#: src/Content/Text/BBCode.php:1088 -msgid "link to source" -msgstr "Link zum Originalbeitrag" - -#: src/Model/Mail.php:121 src/Model/Mail.php:259 -msgid "[no subject]" -msgstr "[kein Betreff]" - -#: src/Model/Contact.php:980 src/Model/Contact.php:993 -msgid "UnFollow" -msgstr "Entfolgen" - -#: src/Model/Contact.php:989 -msgid "Drop Contact" -msgstr "Kontakt löschen" - -#: src/Model/Contact.php:1405 -msgid "Organisation" -msgstr "Organisation" - -#: src/Model/Contact.php:1409 src/Content/Widget.php:539 -msgid "News" -msgstr "Nachrichten" - -#: src/Model/Contact.php:1413 -msgid "Forum" -msgstr "Forum" - -#: src/Model/Contact.php:2153 -msgid "Connect URL missing." -msgstr "Connect-URL fehlt" - -#: src/Model/Contact.php:2162 +#: view/theme/frio/php/Image.php:41 msgid "" -"The contact could not be added. Please check the relevant network " -"credentials in your Settings -> Social Networks page." -msgstr "Der Kontakt konnte nicht hinzugefügt werden. Bitte überprüfe die Einstellungen unter Einstellungen -> Soziale Netzwerke" +"Resize image to fill entire screen, clipping either the right or the bottom." +msgstr "Skaliere das Bild so, dass es den gesamten Bildschirm füllt. Hierfür wird entweder die Breite oder die Höhe des Bildes automatisch abgeschnitten." -#: src/Model/Contact.php:2203 +#: view/theme/frio/php/Image.php:42 +msgid "Single row mosaic" +msgstr "Mosaik in einer Zeile" + +#: view/theme/frio/php/Image.php:42 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." +"Resize image to repeat it on a single row, either vertical or horizontal." +msgstr "Skaliere das Bild so, dass es in einer einzelnen Reihe, entweder horizontal oder vertikal, wiederholt wird." -#: src/Model/Contact.php:2204 src/Model/Contact.php:2217 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "Es wurden keine kompatiblen Kommunikationsprotokolle oder Feeds gefunden." +#: view/theme/frio/php/Image.php:43 +msgid "Mosaic" +msgstr "Mosaik" -#: src/Model/Contact.php:2215 -msgid "The profile address specified does not provide adequate information." -msgstr "Die angegebene Profiladresse liefert unzureichende Informationen." +#: view/theme/frio/php/Image.php:43 +msgid "Repeat image to fill the screen." +msgstr "Wiederhole das Bild, um den Bildschirm zu füllen." -#: src/Model/Contact.php:2220 -msgid "An author or name was not found." -msgstr "Es wurde kein Autor oder Name gefunden." +#: view/theme/frio/theme.php:207 +msgid "Guest" +msgstr "Gast" -#: src/Model/Contact.php:2223 -msgid "No browser URL could be matched to this address." -msgstr "Zu dieser Adresse konnte keine passende Browser-URL gefunden werden." +#: view/theme/frio/theme.php:210 +msgid "Visitor" +msgstr "Besucher" -#: src/Model/Contact.php:2226 -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." +#: view/theme/quattro/config.php:73 +msgid "Alignment" +msgstr "Ausrichtung" -#: src/Model/Contact.php:2227 -msgid "Use mailto: in front of address to force email check." -msgstr "Verwende mailto: vor der E-Mail-Adresse, um eine Überprüfung der E-Mail-Adresse zu erzwingen." +#: view/theme/quattro/config.php:73 +msgid "Left" +msgstr "Links" -#: src/Model/Contact.php:2233 -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." +#: view/theme/quattro/config.php:73 +msgid "Center" +msgstr "Mitte" -#: src/Model/Contact.php:2238 -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." +#: view/theme/quattro/config.php:74 +msgid "Color scheme" +msgstr "Farbschema" -#: src/Model/Contact.php:2297 -msgid "Unable to retrieve contact information." -msgstr "Konnte die Kontaktinformationen nicht empfangen." +#: view/theme/quattro/config.php:75 +msgid "Posts font size" +msgstr "Schriftgröße in Beiträgen" -#: src/Model/Event.php:77 src/Model/Event.php:94 src/Model/Event.php:451 -#: src/Model/Event.php:929 -msgid "Starts:" -msgstr "Beginnt:" +#: view/theme/quattro/config.php:76 +msgid "Textareas font size" +msgstr "Schriftgröße in Eingabefeldern" -#: src/Model/Event.php:80 src/Model/Event.php:100 src/Model/Event.php:452 -#: src/Model/Event.php:933 -msgid "Finishes:" -msgstr "Endet:" +#: view/theme/vier/config.php:75 +msgid "Comma separated list of helper forums" +msgstr "Komma-separierte Liste der Helfer-Foren" -#: src/Model/Event.php:401 -msgid "all-day" -msgstr "ganztägig" +#: view/theme/vier/config.php:115 +msgid "don't show" +msgstr "nicht zeigen" -#: src/Model/Event.php:427 -msgid "Sept" -msgstr "Sep" +#: view/theme/vier/config.php:115 +msgid "show" +msgstr "zeigen" -#: src/Model/Event.php:449 -msgid "No events to display" -msgstr "Keine Veranstaltung zum Anzeigen" +#: view/theme/vier/config.php:121 +msgid "Set style" +msgstr "Stil auswählen" -#: src/Model/Event.php:577 -msgid "l, F j" -msgstr "l, F j" +#: view/theme/vier/config.php:122 +msgid "Community Pages" +msgstr "Gemeinschaftsseiten" -#: src/Model/Event.php:608 -msgid "Edit event" -msgstr "Veranstaltung bearbeiten" +#: view/theme/vier/config.php:123 view/theme/vier/theme.php:125 +msgid "Community Profiles" +msgstr "Gemeinschaftsprofile" -#: src/Model/Event.php:609 -msgid "Duplicate event" -msgstr "Veranstaltung kopieren" +#: view/theme/vier/config.php:124 +msgid "Help or @NewHere ?" +msgstr "Hilfe oder @NewHere" -#: src/Model/Event.php:610 -msgid "Delete event" -msgstr "Veranstaltung löschen" +#: view/theme/vier/config.php:125 view/theme/vier/theme.php:296 +msgid "Connect Services" +msgstr "Verbinde Dienste" -#: src/Model/Event.php:862 -msgid "D g:i A" -msgstr "D H:i" +#: view/theme/vier/config.php:126 +msgid "Find Friends" +msgstr "Kontakte finden" -#: src/Model/Event.php:863 -msgid "g:i A" -msgstr "H:i" +#: view/theme/vier/config.php:127 view/theme/vier/theme.php:152 +msgid "Last users" +msgstr "Letzte Nutzer" -#: src/Model/Event.php:948 src/Model/Event.php:950 -msgid "Show map" -msgstr "Karte anzeigen" - -#: src/Model/Event.php:949 -msgid "Hide map" -msgstr "Karte verbergen" - -#: src/Model/Event.php:1041 -#, php-format -msgid "%s's birthday" -msgstr "%ss Geburtstag" - -#: src/Model/Event.php:1042 -#, php-format -msgid "Happy Birthday %s" -msgstr "Herzlichen Glückwunsch, %s" - -#: src/Model/User.php:186 src/Model/User.php:931 -msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "FATALER FEHLER: Sicherheitsschlüssel konnten nicht erzeugt werden." - -#: src/Model/User.php:549 -msgid "Login failed" -msgstr "Anmeldung fehlgeschlagen" - -#: src/Model/User.php:581 -msgid "Not enough information to authenticate" -msgstr "Nicht genügend Informationen für die Authentifizierung" - -#: src/Model/User.php:676 -msgid "Password can't be empty" -msgstr "Das Passwort kann nicht leer sein" - -#: src/Model/User.php:695 -msgid "Empty passwords are not allowed." -msgstr "Leere Passwörter sind nicht erlaubt." - -#: src/Model/User.php:699 -msgid "" -"The new password has been exposed in a public data dump, please choose " -"another." -msgstr "Das neue Passwort wurde in einem öffentlichen Daten-Dump veröffentlicht. Bitte verwende ein anderes Passwort." - -#: src/Model/User.php:705 -msgid "" -"The password can't contain accentuated letters, white spaces or colons (:)" -msgstr "Das Passwort darf keine akzentuierten Buchstaben, Leerzeichen oder Doppelpunkte (:) beinhalten" - -#: src/Model/User.php:811 -msgid "Passwords do not match. Password unchanged." -msgstr "Die Passwörter stimmen nicht überein. Das Passwort bleibt unverändert." - -#: src/Model/User.php:818 -msgid "An invitation is required." -msgstr "Du benötigst eine Einladung." - -#: src/Model/User.php:822 -msgid "Invitation could not be verified." -msgstr "Die Einladung konnte nicht überprüft werden." - -#: src/Model/User.php:830 -msgid "Invalid OpenID url" -msgstr "Ungültige OpenID URL" - -#: src/Model/User.php:849 -msgid "Please enter the required information." -msgstr "Bitte trage die erforderlichen Informationen ein." - -#: src/Model/User.php:863 -#, php-format -msgid "" -"system.username_min_length (%s) and system.username_max_length (%s) are " -"excluding each other, swapping values." -msgstr "system.username_min_length (%s) and system.username_max_length (%s) schließen sich gegenseitig aus, tausche Werte aus." - -#: src/Model/User.php:870 -#, php-format -msgid "Username should be at least %s character." -msgid_plural "Username should be at least %s characters." -msgstr[0] "Der Benutzername sollte aus mindestens %s Zeichen bestehen." -msgstr[1] "Der Benutzername sollte aus mindestens %s Zeichen bestehen." - -#: src/Model/User.php:874 -#, php-format -msgid "Username should be at most %s character." -msgid_plural "Username should be at most %s characters." -msgstr[0] "Der Benutzername sollte aus maximal %s Zeichen bestehen." -msgstr[1] "Der Benutzername sollte aus maximal %s Zeichen bestehen." - -#: src/Model/User.php:882 -msgid "That doesn't appear to be your full (First Last) name." -msgstr "Das scheint nicht dein kompletter Name (Vor- und Nachname) zu sein." - -#: src/Model/User.php:887 -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." - -#: src/Model/User.php:891 -msgid "Not a valid email address." -msgstr "Keine gültige E-Mail-Adresse." - -#: src/Model/User.php:894 -msgid "The nickname was blocked from registration by the nodes admin." -msgstr "Der Admin des Knotens hat den Spitznamen für die Registrierung gesperrt." - -#: src/Model/User.php:898 src/Model/User.php:906 -msgid "Cannot use that email." -msgstr "Konnte diese E-Mail-Adresse nicht verwenden." - -#: src/Model/User.php:913 -msgid "Your nickname can only contain a-z, 0-9 and _." -msgstr "Dein Spitzname darf nur aus Buchstaben und Zahlen (\"a-z\",\"0-9\" und \"_\") bestehen." - -#: src/Model/User.php:921 src/Model/User.php:978 -msgid "Nickname is already registered. Please choose another." -msgstr "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen." - -#: src/Model/User.php:965 src/Model/User.php:969 -msgid "An error occurred during registration. Please try again." -msgstr "Während der Anmeldung ist ein Fehler aufgetreten. Bitte versuche es noch einmal." - -#: src/Model/User.php:992 -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." - -#: src/Model/User.php:999 -msgid "An error occurred creating your self contact. Please try again." -msgstr "Bei der Erstellung deines self-Kontakts ist ein Fehler aufgetreten. Bitte versuche es erneut." - -#: src/Model/User.php:1004 -msgid "Friends" -msgstr "Kontakte" - -#: src/Model/User.php:1008 -msgid "" -"An error occurred creating your default contact group. Please try again." -msgstr "Bei der Erstellung deiner Standardgruppe für Kontakte ist ein Fehler aufgetreten. Bitte versuche es erneut." - -#: src/Model/User.php:1196 -#, php-format -msgid "" -"\n" -"\t\tDear %1$s,\n" -"\t\t\tthe administrator of %2$s has set up an account for you." -msgstr "\nHallo %1$s\nein Admin von %2$s hat dir ein Nutzerkonto angelegt." - -#: src/Model/User.php:1199 -#, php-format -msgid "" -"\n" -"\t\tThe login details are as follows:\n" -"\n" -"\t\tSite Location:\t%1$s\n" -"\t\tLogin Name:\t\t%2$s\n" -"\t\tPassword:\t\t%3$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" -"\t\tIf you ever want to delete your account, you can do so at %1$s/removeme\n" -"\n" -"\t\tThank you and welcome to %4$s." -msgstr "\nNachfolgend die Anmeldedetails:\n\nAdresse der Seite: %1$s\nBenutzername: %2$s\nPasswort: %3$s\n\nDu kannst dein Passwort unter \"Einstellungen\" ändern, sobald du dich angemeldet hast.Bitte nimm dir ein paar Minuten, um die anderen Einstellungen auf dieser Seite zu kontrollieren.Eventuell magst du ja auch einige Informationen über dich in deinem Profil veröffentlichen, damit andere Leute dich einfacher finden können.Bearbeite hierfür einfach dein Standard-Profil (über die Profil-Seite).Wir empfehlen dir, deinen kompletten Namen anzugeben und ein zu dir passendes Profilbild zu wählen, damit dich alte Bekannte wiederfinden.Außerdem ist es nützlich, wenn du auf deinem Profil Schlüsselwörter angibst. Das erleichtert es, Leute zu finden, die deine Interessen teilen.Wir respektieren deine Privatsphäre - keine dieser Angaben ist nötig.Wenn du neu im Netzwerk bist und noch niemanden kennst, dann können sie allerdings dabei helfen, neue und interessante Kontakte zu knüpfen.\n\nDu kannst dein Nutzerkonto jederzeit unter %1$s/removeme wieder löschen.\n\nDanke und willkommen auf %4$s." - -#: src/Model/User.php:1232 src/Model/User.php:1339 -#, php-format -msgid "Registration details for %s" -msgstr "Details der Registration von %s" - -#: src/Model/User.php:1252 -#, php-format -msgid "" -"\n" -"\t\t\tDear %1$s,\n" -"\t\t\t\tThank you for registering at %2$s. Your account is pending for approval by the administrator.\n" -"\n" -"\t\t\tYour login details are as follows:\n" -"\n" -"\t\t\tSite Location:\t%3$s\n" -"\t\t\tLogin Name:\t\t%4$s\n" -"\t\t\tPassword:\t\t%5$s\n" -"\t\t" -msgstr "\n\t\t\tHallo %1$s,\n\t\t\t\tdanke für deine Registrierung auf %2$s. Dein Account muss noch vom Admin des Knotens freigeschaltet werden.\n\n\t\t\tDeine Zugangsdaten lauten wie folgt:\n\n\t\t\tSeitenadresse:\t%3$s\n\t\t\tAnmeldename:\t\t%4$s\n\t\t\tPasswort:\t\t%5$s\n\t\t" - -#: src/Model/User.php:1271 -#, php-format -msgid "Registration at %s" -msgstr "Registrierung als %s" - -#: src/Model/User.php:1295 -#, php-format -msgid "" -"\n" -"\t\t\t\tDear %1$s,\n" -"\t\t\t\tThank you for registering at %2$s. Your account has been created.\n" -"\t\t\t" -msgstr "\n\t\t\t\tHallo %1$s,\n\t\t\t\tDanke für die Registrierung auf %2$s. Dein Account wurde angelegt.\n\t\t\t" - -#: src/Model/User.php:1303 -#, php-format -msgid "" -"\n" -"\t\t\tThe login details are as follows:\n" -"\n" -"\t\t\tSite Location:\t%3$s\n" -"\t\t\tLogin Name:\t\t%1$s\n" -"\t\t\tPassword:\t\t%5$s\n" -"\n" -"\t\t\tYou may change your password from your account \"Settings\" page after logging\n" -"\t\t\tin.\n" -"\n" -"\t\t\tPlease take a few moments to review the other account settings on that page.\n" -"\n" -"\t\t\tYou may also wish to add some basic information to your default profile\n" -"\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" -"\n" -"\t\t\tWe recommend setting your full name, adding a profile photo,\n" -"\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" -"\t\t\tperhaps what country you live in; if you do not wish to be more specific\n" -"\t\t\tthan that.\n" -"\n" -"\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n" -"\t\t\tIf you are new and do not know anybody here, they may help\n" -"\t\t\tyou to make some new and interesting friends.\n" -"\n" -"\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n" -"\n" -"\t\t\tThank you and welcome to %2$s." -msgstr "\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 wiederfinden.\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\nSolltest du dein Nutzerkonto löschen wollen, kannst du dies unter %3$s/removeme jederzeit tun.\n\nDanke für deine Aufmerksamkeit und willkommen auf %2$s." - -#: src/Model/Group.php:92 -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." - -#: src/Model/Group.php:451 -msgid "Default privacy group for new contacts" -msgstr "Voreingestellte Gruppe für neue Kontakte" - -#: src/Model/Group.php:483 -msgid "Everybody" -msgstr "Alle Kontakte" - -#: src/Model/Group.php:502 -msgid "edit" -msgstr "bearbeiten" - -#: src/Model/Group.php:534 -msgid "add" -msgstr "hinzufügen" - -#: src/Model/Group.php:539 -msgid "Edit group" -msgstr "Gruppe bearbeiten" - -#: src/Model/Group.php:542 -msgid "Create a new group" -msgstr "Neue Gruppe erstellen" - -#: src/Model/Group.php:544 -msgid "Edit groups" -msgstr "Gruppen bearbeiten" - -#: src/Model/Profile.php:348 -msgid "Change profile photo" -msgstr "Profilbild ändern" - -#: src/Model/Profile.php:443 -msgid "Atom feed" -msgstr "Atom-Feed" - -#: src/Model/Profile.php:481 src/Model/Profile.php:578 -msgid "g A l F d" -msgstr "l, d. F G \\U\\h\\r" - -#: src/Model/Profile.php:482 -msgid "F d" -msgstr "d. F" - -#: src/Model/Profile.php:544 src/Model/Profile.php:629 -msgid "[today]" -msgstr "[heute]" - -#: src/Model/Profile.php:554 -msgid "Birthday Reminders" -msgstr "Geburtstagserinnerungen" - -#: src/Model/Profile.php:555 -msgid "Birthdays this week:" -msgstr "Geburtstage diese Woche:" - -#: src/Model/Profile.php:616 -msgid "[No description]" -msgstr "[keine Beschreibung]" - -#: src/Model/Profile.php:642 -msgid "Event Reminders" -msgstr "Veranstaltungserinnerungen" - -#: src/Model/Profile.php:643 -msgid "Upcoming events the next 7 days:" -msgstr "Veranstaltungen der nächsten 7 Tage:" - -#: src/Model/Profile.php:818 -#, php-format -msgid "OpenWebAuth: %1$s welcomes %2$s" -msgstr "OpenWebAuth: %1$s heißt %2$s herzlich willkommen" - -#: src/Content/Widget.php:48 -msgid "Add New Contact" -msgstr "Neuen Kontakt hinzufügen" - -#: src/Content/Widget.php:49 -msgid "Enter address or web location" -msgstr "Adresse oder Web-Link eingeben" - -#: src/Content/Widget.php:50 -msgid "Example: bob@example.com, http://example.com/barbara" -msgstr "Beispiel: bob@example.com, http://example.com/barbara" - -#: src/Content/Widget.php:52 -msgid "Connect" -msgstr "Verbinden" - -#: src/Content/Widget.php:67 -#, php-format -msgid "%d invitation available" -msgid_plural "%d invitations available" -msgstr[0] "%d Einladung verfügbar" -msgstr[1] "%d Einladungen verfügbar" - -#: src/Content/Widget.php:215 -msgid "Everyone" -msgstr "Jeder" - -#: src/Content/Widget.php:244 -msgid "Relationships" -msgstr "Beziehungen" - -#: src/Content/Widget.php:285 -msgid "Protocols" -msgstr "Protokolle" - -#: src/Content/Widget.php:287 -msgid "All Protocols" -msgstr "Alle Protokolle" - -#: src/Content/Widget.php:324 -msgid "Saved Folders" -msgstr "Gespeicherte Ordner" - -#: src/Content/Widget.php:326 src/Content/Widget.php:365 -msgid "Everything" -msgstr "Alles" - -#: src/Content/Widget.php:363 -msgid "Categories" -msgstr "Kategorien" - -#: src/Content/Widget.php:420 -#, php-format -msgid "%d contact in common" -msgid_plural "%d contacts in common" -msgstr[0] "%d gemeinsamer Kontakt" -msgstr[1] "%d gemeinsame Kontakte" - -#: src/Content/Widget.php:424 src/Content/Widget.php:520 -#: src/Content/ForumManager.php:151 -msgid "show more" -msgstr "mehr anzeigen" - -#: src/Content/Widget.php:513 -msgid "Archives" -msgstr "Archiv" - -#: src/Content/Widget.php:519 src/Content/ForumManager.php:150 -msgid "show less" -msgstr "weniger anzeigen" - -#: src/Content/Widget.php:537 -msgid "Persons" -msgstr "Personen" - -#: src/Content/Widget.php:538 -msgid "Organisations" -msgstr "Organisationen" - -#: src/Content/Widget.php:540 src/Content/Nav.php:229 -#: src/Content/ForumManager.php:145 src/Content/Text/HTML.php:902 -msgid "Forums" -msgstr "Foren" - -#: src/Content/ContactSelector.php:48 -msgid "Frequently" -msgstr "immer wieder" - -#: src/Content/ContactSelector.php:49 -msgid "Hourly" -msgstr "Stündlich" - -#: src/Content/ContactSelector.php:50 -msgid "Twice daily" -msgstr "Zweimal täglich" - -#: src/Content/ContactSelector.php:51 -msgid "Daily" -msgstr "Täglich" - -#: src/Content/ContactSelector.php:52 -msgid "Weekly" -msgstr "Wöchentlich" - -#: src/Content/ContactSelector.php:53 -msgid "Monthly" -msgstr "Monatlich" - -#: src/Content/ContactSelector.php:99 -msgid "DFRN" -msgstr "DFRN" - -#: src/Content/ContactSelector.php:100 -msgid "OStatus" -msgstr "OStatus" - -#: src/Content/ContactSelector.php:101 -msgid "RSS/Atom" -msgstr "RSS/Atom" - -#: src/Content/ContactSelector.php:104 -msgid "Zot!" -msgstr "Zott" - -#: src/Content/ContactSelector.php:105 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: src/Content/ContactSelector.php:106 -msgid "XMPP/IM" -msgstr "XMPP/Chat" - -#: src/Content/ContactSelector.php:107 -msgid "MySpace" -msgstr "MySpace" - -#: src/Content/ContactSelector.php:108 -msgid "Google+" -msgstr "Google+" - -#: src/Content/ContactSelector.php:109 -msgid "pump.io" -msgstr "pump.io" - -#: src/Content/ContactSelector.php:110 -msgid "Twitter" -msgstr "Twitter" - -#: src/Content/ContactSelector.php:111 -msgid "Discourse" -msgstr "Discourse" - -#: src/Content/ContactSelector.php:112 -msgid "Diaspora Connector" -msgstr "Diaspora Connector" - -#: src/Content/ContactSelector.php:113 -msgid "GNU Social Connector" -msgstr "GNU Social Connector" - -#: src/Content/ContactSelector.php:114 -msgid "ActivityPub" -msgstr "ActivityPub" - -#: src/Content/ContactSelector.php:115 -msgid "pnut" -msgstr "pnut" - -#: src/Content/ContactSelector.php:149 -#, php-format -msgid "%s (via %s)" -msgstr "%s (via %s)" - -#: src/Content/Feature.php:96 -msgid "General Features" -msgstr "Allgemeine Features" - -#: src/Content/Feature.php:98 -msgid "Photo Location" -msgstr "Aufnahmeort" - -#: src/Content/Feature.php:98 -msgid "" -"Photo metadata is normally stripped. This extracts the location (if present)" -" prior to stripping metadata and links it to a map." -msgstr "Die Foto-Metadaten werden ausgelesen. Dadurch kann der Aufnahmeort (wenn vorhanden) in einer Karte angezeigt werden." - -#: src/Content/Feature.php:99 -msgid "Trending Tags" -msgstr "Trending Tags" - -#: src/Content/Feature.php:99 -msgid "" -"Show a community page widget with a list of the most popular tags in recent " -"public posts." -msgstr "Auf der Gemeinschaftsseite ein Widget mit den meist benutzten Tags in öffentlichen Beiträgen anzeigen." - -#: src/Content/Feature.php:104 -msgid "Post Composition Features" -msgstr "Beitragserstellung-Features" - -#: src/Content/Feature.php:105 -msgid "Auto-mention Forums" -msgstr "Foren automatisch erwähnen" - -#: src/Content/Feature.php:105 -msgid "" -"Add/remove mention when a forum 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." - -#: src/Content/Feature.php:106 -msgid "Explicit Mentions" -msgstr "Explizite Erwähnungen" - -#: src/Content/Feature.php:106 -msgid "" -"Add explicit mentions to comment box for manual control over who gets " -"mentioned in replies." -msgstr "Füge Erwähnungen zum Kommentarfeld hinzu, um manuell über die explizite Erwähnung von Gesprächsteilnehmern zu entscheiden." - -#: src/Content/Feature.php:111 -msgid "Post/Comment Tools" -msgstr "Werkzeuge für Beiträge und Kommentare" - -#: src/Content/Feature.php:112 -msgid "Post Categories" -msgstr "Beitragskategorien" - -#: src/Content/Feature.php:112 -msgid "Add categories to your posts" -msgstr "Eigene Beiträge mit Kategorien versehen" - -#: src/Content/Feature.php:117 -msgid "Advanced Profile Settings" -msgstr "Erweiterte Profil-Einstellungen" - -#: src/Content/Feature.php:118 -msgid "List Forums" -msgstr "Zeige Foren" - -#: src/Content/Feature.php:118 -msgid "Show visitors public community forums at the Advanced Profile Page" -msgstr "Zeige Besuchern öffentliche Gemeinschafts-Foren auf der Erweiterten Profil-Seite" - -#: src/Content/Feature.php:119 -msgid "Tag Cloud" -msgstr "Schlagwortwolke" - -#: src/Content/Feature.php:119 -msgid "Provide a personal tag cloud on your profile page" -msgstr "Wortwolke aus den von dir verwendeten Schlagwörtern im Profil anzeigen" - -#: src/Content/Feature.php:120 -msgid "Display Membership Date" -msgstr "Mitgliedschaftsdatum anzeigen" - -#: src/Content/Feature.php:120 -msgid "Display membership date in profile" -msgstr "Das Datum der Registrierung deines Accounts im Profil anzeigen" - -#: src/Content/Nav.php:90 -msgid "Nothing new here" -msgstr "Keine Neuigkeiten" - -#: src/Content/Nav.php:95 -msgid "Clear notifications" -msgstr "Bereinige Benachrichtigungen" - -#: src/Content/Nav.php:96 src/Content/Text/HTML.php:889 -msgid "@name, !forum, #tags, content" -msgstr "@name, !forum, #tags, content" - -#: src/Content/Nav.php:169 -msgid "End this session" -msgstr "Diese Sitzung beenden" - -#: src/Content/Nav.php:171 -msgid "Sign in" -msgstr "Anmelden" - -#: src/Content/Nav.php:182 -msgid "Personal notes" -msgstr "Persönliche Notizen" - -#: src/Content/Nav.php:182 -msgid "Your personal notes" -msgstr "Deine persönlichen Notizen" - -#: src/Content/Nav.php:202 src/Content/Nav.php:263 -msgid "Home" -msgstr "Pinnwand" - -#: src/Content/Nav.php:202 -msgid "Home Page" -msgstr "Homepage" - -#: src/Content/Nav.php:206 -msgid "Create an account" -msgstr "Nutzerkonto erstellen" - -#: src/Content/Nav.php:212 -msgid "Help and documentation" -msgstr "Hilfe und Dokumentation" - -#: src/Content/Nav.php:216 -msgid "Apps" -msgstr "Apps" - -#: src/Content/Nav.php:216 -msgid "Addon applications, utilities, games" -msgstr "Zusätzliche Anwendungen, Dienstprogramme, Spiele" - -#: src/Content/Nav.php:220 -msgid "Search site content" -msgstr "Inhalt der Seite durchsuchen" - -#: src/Content/Nav.php:223 src/Content/Text/HTML.php:896 -msgid "Full Text" -msgstr "Volltext" - -#: src/Content/Nav.php:224 src/Content/Widget/TagCloud.php:68 -#: src/Content/Text/HTML.php:897 -msgid "Tags" -msgstr "Tags" - -#: src/Content/Nav.php:244 -msgid "Community" -msgstr "Gemeinschaft" - -#: src/Content/Nav.php:244 -msgid "Conversations on this and other servers" -msgstr "Unterhaltungen auf diesem und anderen Servern" - -#: src/Content/Nav.php:251 -msgid "Directory" -msgstr "Verzeichnis" - -#: src/Content/Nav.php:251 -msgid "People directory" -msgstr "Nutzerverzeichnis" - -#: src/Content/Nav.php:253 -msgid "Information about this friendica instance" -msgstr "Informationen zu dieser Friendica-Instanz" - -#: src/Content/Nav.php:256 -msgid "Terms of Service of this Friendica instance" -msgstr "Die Nutzungsbedingungen dieser Friendica-Instanz" - -#: src/Content/Nav.php:267 -msgid "Introductions" -msgstr "Kontaktanfragen" - -#: src/Content/Nav.php:267 -msgid "Friend Requests" -msgstr "Kontaktanfragen" - -#: src/Content/Nav.php:269 -msgid "See all notifications" -msgstr "Alle Benachrichtigungen anzeigen" - -#: src/Content/Nav.php:270 -msgid "Mark all system notifications seen" -msgstr "Markiere alle Systembenachrichtigungen als gelesen" - -#: src/Content/Nav.php:274 -msgid "Inbox" -msgstr "Eingang" - -#: src/Content/Nav.php:275 -msgid "Outbox" -msgstr "Ausgang" - -#: src/Content/Nav.php:279 -msgid "Accounts" -msgstr "Nutzerkonten" - -#: src/Content/Nav.php:279 -msgid "Manage other pages" -msgstr "Andere Seiten verwalten" - -#: src/Content/Nav.php:289 -msgid "Site setup and configuration" -msgstr "Einstellungen der Seite und Konfiguration" - -#: src/Content/Nav.php:292 -msgid "Navigation" -msgstr "Navigation" - -#: src/Content/Nav.php:292 -msgid "Site map" -msgstr "Sitemap" - -#: src/Content/Widget/SavedSearches.php:47 -msgid "Remove term" -msgstr "Begriff entfernen" - -#: src/Content/Widget/SavedSearches.php:60 -msgid "Saved Searches" -msgstr "Gespeicherte Suchen" - -#: src/Content/Widget/CalendarExport.php:63 -msgid "Export" -msgstr "Exportieren" - -#: src/Content/Widget/CalendarExport.php:64 -msgid "Export calendar as ical" -msgstr "Kalender als ical exportieren" - -#: src/Content/Widget/CalendarExport.php:65 -msgid "Export calendar as csv" -msgstr "Kalender als csv exportieren" - -#: src/Content/Widget/TrendingTags.php:51 -#, php-format -msgid "Trending Tags (last %d hour)" -msgid_plural "Trending Tags (last %d hours)" -msgstr[0] "Trending Tags (%d Stunde)" -msgstr[1] "Trending Tags (%d Stunden)" - -#: src/Content/Widget/TrendingTags.php:52 -msgid "More Trending Tags" -msgstr "mehr Trending Tags" - -#: src/Content/Widget/ContactBlock.php:73 -msgid "No contacts" -msgstr "Keine Kontakte" - -#: src/Content/Widget/ContactBlock.php:105 -#, php-format -msgid "%d Contact" -msgid_plural "%d Contacts" -msgstr[0] "%d Kontakt" -msgstr[1] "%d Kontakte" - -#: src/Content/Widget/ContactBlock.php:124 -msgid "View Contacts" -msgstr "Kontakte anzeigen" - -#: src/Content/BoundariesPager.php:116 src/Content/Pager.php:171 -msgid "newer" -msgstr "neuer" - -#: src/Content/BoundariesPager.php:124 src/Content/Pager.php:176 -msgid "older" -msgstr "älter" - -#: src/Content/OEmbed.php:267 -msgid "Embedding disabled" -msgstr "Einbettungen deaktiviert" - -#: src/Content/OEmbed.php:389 -msgid "Embedded content" -msgstr "Eingebetteter Inhalt" - -#: src/Content/Pager.php:221 -msgid "prev" -msgstr "vorige" - -#: src/Content/Pager.php:281 -msgid "last" -msgstr "letzte" - -#: src/Content/ForumManager.php:147 -msgid "External link to forum" -msgstr "Externer Link zum Forum" - -#: src/Content/Text/HTML.php:787 -msgid "Loading more entries..." -msgstr "lade weitere Einträge..." - -#: src/Content/Text/HTML.php:788 -msgid "The end" -msgstr "Das Ende" - -#: src/Content/Text/HTML.php:939 src/Content/Text/BBCode.php:1518 -msgid "Click to open/close" -msgstr "Zum Öffnen/Schließen klicken" - -#: src/Content/Text/BBCode.php:961 src/Content/Text/BBCode.php:1600 -#: src/Content/Text/BBCode.php:1601 -msgid "Image/photo" -msgstr "Bild/Foto" - -#: src/Content/Text/BBCode.php:1063 -#, php-format -msgid "%2$s %3$s" -msgstr "%2$s%3$s" - -#: src/Content/Text/BBCode.php:1549 -msgid "$1 wrote:" -msgstr "$1 hat geschrieben:" - -#: src/Content/Text/BBCode.php:1603 src/Content/Text/BBCode.php:1604 -msgid "Encrypted content" -msgstr "Verschlüsselter Inhalt" - -#: src/Content/Text/BBCode.php:1823 -msgid "Invalid source protocol" -msgstr "Ungültiges Quell-Protokoll" - -#: src/Content/Text/BBCode.php:1838 -msgid "Invalid link protocol" -msgstr "Ungültiges Link-Protokoll" - -#: src/BaseModule.php:150 -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)." - -#: src/BaseModule.php:179 -msgid "All contacts" -msgstr "Alle Kontakte" - -#: src/BaseModule.php:202 -msgid "Common" -msgstr "Gemeinsam" +#: view/theme/vier/theme.php:211 +msgid "Quick Start" +msgstr "Schnell-Start" diff --git a/view/lang/de/strings.php b/view/lang/de/strings.php index 46ab91e4d7..f7a862b87c 100644 --- a/view/lang/de/strings.php +++ b/view/lang/de/strings.php @@ -6,105 +6,16 @@ function string_plural_select_de($n){ return intval($n != 1); }} ; -$a->strings["default"] = "Standard"; -$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["Submit"] = "Senden"; -$a->strings["Theme settings"] = "Theme-Einstellungen"; -$a->strings["Variations"] = "Variationen"; -$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["Comma separated list of helper forums"] = "Komma-separierte Liste der Helfer-Foren"; -$a->strings["don't show"] = "nicht zeigen"; -$a->strings["show"] = "zeigen"; -$a->strings["Set style"] = "Stil auswählen"; -$a->strings["Community Pages"] = "Gemeinschaftsseiten"; -$a->strings["Community Profiles"] = "Gemeinschaftsprofile"; -$a->strings["Help or @NewHere ?"] = "Hilfe oder @NewHere"; -$a->strings["Connect Services"] = "Verbinde Dienste"; -$a->strings["Find Friends"] = "Kontakte finden"; -$a->strings["Last users"] = "Letzte Nutzer"; -$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["Find"] = "Finde"; -$a->strings["Friend Suggestions"] = "Kontaktvorschläge"; -$a->strings["Similar Interests"] = "Ähnliche Interessen"; -$a->strings["Random Profile"] = "Zufälliges Profil"; -$a->strings["Invite Friends"] = "Freunde einladen"; -$a->strings["Global Directory"] = "Weltweites Verzeichnis"; -$a->strings["Local Directory"] = "Lokales Verzeichnis"; -$a->strings["Quick Start"] = "Schnell-Start"; -$a->strings["Help"] = "Hilfe"; -$a->strings["Light (Accented)"] = "Hell (Akzentuiert)"; -$a->strings["Dark (Accented)"] = "Dunkel (Akzentuiert)"; -$a->strings["Black (Accented)"] = "Schwarz (Akzentuiert)"; -$a->strings["Note"] = "Hinweis"; -$a->strings["Check image permissions if all users are allowed to see the image"] = "Überprüfe, dass alle Benutzer die Berechtigung haben dieses Bild anzusehen"; -$a->strings["Custom"] = "Benutzerdefiniert"; -$a->strings["Legacy"] = "Vermächtnis"; -$a->strings["Accented"] = "Akzentuiert"; -$a->strings["Select color scheme"] = "Farbschema auswählen"; -$a->strings["Select scheme accent"] = "Wähle einen Akzent für das Thema"; -$a->strings["Blue"] = "Blau"; -$a->strings["Red"] = "Rot"; -$a->strings["Purple"] = "Violett"; -$a->strings["Green"] = "Grün"; -$a->strings["Pink"] = "Rosa"; -$a->strings["Copy or paste schemestring"] = "Farbschema kopieren oder einfügen"; -$a->strings["You can copy this string to share your theme with others. Pasting here applies the schemestring"] = "Du kannst den String mit den Farbschema Informationen mit anderen Teilen. Wenn du einen neuen Farbschema-String hier einfügst wird er für deine Einstellungen übernommen."; -$a->strings["Navigation bar background color"] = "Hintergrundfarbe der Navigationsleiste"; -$a->strings["Navigation bar icon color "] = "Icon Farbe in der Navigationsleiste"; -$a->strings["Link color"] = "Linkfarbe"; -$a->strings["Set the background color"] = "Hintergrundfarbe festlegen"; -$a->strings["Content background opacity"] = "Opazität des Hintergrunds von Beiträgen"; -$a->strings["Set the background image"] = "Hintergrundbild festlegen"; -$a->strings["Background image style"] = "Stil des Hintergrundbildes"; -$a->strings["Login page background image"] = "Hintergrundbild der Login-Seite"; -$a->strings["Login page background color"] = "Hintergrundfarbe der Login-Seite"; -$a->strings["Leave background image and color empty for theme defaults"] = "Wenn die Theme-Vorgaben verwendet werden sollen, lass bitte die Felder für die Hintergrundfarbe und das Hintergrundbild leer."; -$a->strings["Guest"] = "Gast"; -$a->strings["Visitor"] = "Besucher"; -$a->strings["Status"] = "Status"; -$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["Videos"] = "Videos"; -$a->strings["Your videos"] = "Deine Videos"; -$a->strings["Events"] = "Veranstaltungen"; -$a->strings["Your events"] = "Deine Ereignisse"; -$a->strings["Network"] = "Netzwerk"; -$a->strings["Conversations from your friends"] = "Unterhaltungen Deiner Kontakte"; -$a->strings["Events and Calendar"] = "Ereignisse und Kalender"; -$a->strings["Messages"] = "Nachrichten"; -$a->strings["Private mail"] = "Private E-Mail"; -$a->strings["Settings"] = "Einstellungen"; -$a->strings["Account settings"] = "Kontoeinstellungen"; -$a->strings["Contacts"] = "Kontakte"; -$a->strings["Manage/edit friends and contacts"] = "Freunde und Kontakte verwalten/bearbeiten"; -$a->strings["Follow Thread"] = "Folge der Unterhaltung"; -$a->strings["Skip to main content"] = "Zum Inhalt der Seite gehen"; -$a->strings["Top Banner"] = "Top Banner"; -$a->strings["Resize image to the width of the screen and show background color below on long pages."] = "Skaliere das Hintergrundbild so, dass es die Breite der Seite einnimmt, und fülle den Rest der Seite mit der Hintergrundfarbe bei langen Seiten."; -$a->strings["Full screen"] = "Vollbildmodus"; -$a->strings["Resize image to fill entire screen, clipping either the right or the bottom."] = "Skaliere das Bild so, dass es den gesamten Bildschirm füllt. Hierfür wird entweder die Breite oder die Höhe des Bildes automatisch abgeschnitten."; -$a->strings["Single row mosaic"] = "Mosaik in einer Zeile"; -$a->strings["Resize image to repeat it on a single row, either vertical or horizontal."] = "Skaliere das Bild so, dass es in einer einzelnen Reihe, entweder horizontal oder vertikal, wiederholt wird."; -$a->strings["Mosaic"] = "Mosaik"; -$a->strings["Repeat image to fill the screen."] = "Wiederhole das Bild, um den Bildschirm zu füllen."; -$a->strings["%s: Updating author-id and owner-id in item and thread table. "] = "%s: Aktualisiere die author-id und owner-id in der Thread Tabelle"; -$a->strings["%s: Updating post-type."] = "%s: Aktualisiere Beitrags-Typ"; +$a->strings["Daily posting limit of %d post reached. The post was rejected."] = [ + 0 => "Das tägliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen.", + 1 => "Das tägliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen.", +]; +$a->strings["Weekly posting limit of %d post reached. The post was rejected."] = [ + 0 => "Das wöchentliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen.", + 1 => "Das wöchentliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen.", +]; +$a->strings["Monthly posting limit of %d post reached. The post was rejected."] = "Das monatliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen."; +$a->strings["Profile Photos"] = "Profilbilder"; $a->strings["%1\$s poked %2\$s"] = "%1\$s stupste %2\$s"; $a->strings["event"] = "Veranstaltung"; $a->strings["status"] = "Status"; @@ -133,6 +44,7 @@ $a->strings["Relayed"] = "Übermittelt"; $a->strings["Relayed by %s."] = "Von %s übermittelt"; $a->strings["Fetched"] = "Abgerufen"; $a->strings["Fetched because of %s"] = "Wegen %s abgerufen"; +$a->strings["Follow Thread"] = "Folge der Unterhaltung"; $a->strings["View Status"] = "Status anschauen"; $a->strings["View Profile"] = "Profil anschauen"; $a->strings["View Photos"] = "Bilder anschauen"; @@ -143,6 +55,7 @@ $a->strings["Block"] = "Sperren"; $a->strings["Ignore"] = "Ignorieren"; $a->strings["Languages"] = "Sprachen"; $a->strings["Poke"] = "Anstupsen"; +$a->strings["Connect/Follow"] = "Verbinden/Folgen"; $a->strings["%s likes this."] = "%s mag das."; $a->strings["%s doesn't like this."] = "%s mag das nicht."; $a->strings["%s attends."] = "%s nimmt teil."; @@ -260,34 +173,31 @@ $a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "D $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%s\nSite Location:\t%s\nLogin Name:\t%s (%s)"] = "Kompletter Name: %s\nURL der Seite: %s\nLogin Name: %s(%s)"; $a->strings["Please visit %s to approve or reject the request."] = "Bitte besuche %s, um die Anfrage zu bearbeiten."; -$a->strings["Daily posting limit of %d post reached. The post was rejected."] = [ - 0 => "Das tägliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen.", - 1 => "Das tägliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen.", -]; -$a->strings["Weekly posting limit of %d post reached. The post was rejected."] = [ - 0 => "Das wöchentliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen.", - 1 => "Das wöchentliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen.", -]; -$a->strings["Monthly posting limit of %d post reached. The post was rejected."] = "Das monatliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen."; -$a->strings["Profile Photos"] = "Profilbilder"; -$a->strings["Access denied."] = "Zugriff verweigert."; -$a->strings["Bad Request."] = "Ungültige Anfrage."; -$a->strings["Contact not found."] = "Kontakt nicht gefunden."; $a->strings["Permission denied."] = "Zugriff verweigert."; -$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["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["Insert web link"] = "Einen Link einfügen"; +$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["Yes"] = "Ja"; +$a->strings["No"] = "Nein"; +$a->strings["Access denied."] = "Zugriff verweigert."; +$a->strings["User not found."] = "Benutzer nicht gefunden."; +$a->strings["Access to this profile has been restricted."] = "Der Zugriff zu diesem Profil wurde eingeschränkt."; +$a->strings["Events"] = "Veranstaltungen"; +$a->strings["View"] = "Ansehen"; +$a->strings["Previous"] = "Vorherige"; +$a->strings["Next"] = "Nächste"; +$a->strings["today"] = "Heute"; +$a->strings["month"] = "Monat"; +$a->strings["week"] = "Woche"; +$a->strings["day"] = "Tag"; +$a->strings["list"] = "Liste"; +$a->strings["User not found"] = "Nutzer nicht gefunden"; +$a->strings["This calendar format is not supported"] = "Dieses Kalenderformat wird nicht unterstützt."; +$a->strings["No exportable data found"] = "Keine exportierbaren Daten gefunden"; +$a->strings["calendar"] = "Kalender"; $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: "; @@ -303,18 +213,234 @@ $a->strings["Site public key not available in contact record for URL %s."] = "Di $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["%1\$s welcomes %2\$s"] = "%1\$s heißt %2\$s herzlich willkommen"; +$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 an der angegebenen Profiladresse gefunden werden."; +$a->strings["Warning: profile location has no profile photo."] = "Warnung: Es gibt kein Profilbild an der angegebenen Profiladresse."; +$a->strings["%d required parameter was not found at the given location"] = [ + 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 Kontaktanfragen 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["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 in Kontakt stehst."; +$a->strings["Invalid profile URL."] = "Ungültige Profil-URL."; +$a->strings["Disallowed profile URL."] = "Nicht erlaubte Profil-URL."; +$a->strings["Blocked domain"] = "Blockierte Domain"; +$a->strings["Failed to update contact record."] = "Aktualisierung der Kontaktdaten fehlgeschlagen."; +$a->strings["Your introduction has been sent."] = "Deine Kontaktanfrage wurde gesendet."; +$a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = "Entferntes Abon­nie­ren kann für dein Netzwerk nicht durchgeführt werden. Bitte nutze direkt die Abonnieren-Funktion deines Systems. "; +$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["Confirm"] = "Bestätigen"; +$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["Public access denied."] = "Öffentlicher Zugriff verweigert."; -$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["Friend/Connection Request"] = "Kontaktanfrage"; +$a->strings["Enter your Webfinger address (user@domain.tld) or profile URL here. If this isn't supported by your system (for example it doesn't work with Diaspora), you have to subscribe to %s directly on your system"] = "Gib entweder deinen Webfinger (user@domain.tld) oder deine Profil-Adresse an. Wenn dies von deinem System nicht unterstützt wird (z.B. von Diaspora*) musst du von deinem System aus %s folgen "; +$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica node and join us today."] = "Solltest du das freie Soziale Netzwerk noch nicht benutzen, kannst du diesem Link folgen um eine öffentliche Friendica Instanz zu finden um noch heute dem Netzwerk beizutreten."; +$a->strings["Your Webfinger address or profile URL:"] = "Deine Webfinger Adresse oder Profil-URL"; +$a->strings["Please answer the following:"] = "Bitte beantworte folgendes:"; +$a->strings["Submit Request"] = "Anfrage abschicken"; +$a->strings["%s knows you"] = "%skennt dich"; +$a->strings["Add a personal note:"] = "Eine persönliche Notiz beifügen:"; +$a->strings["The requested item doesn't exist or has been deleted."] = "Der angeforderte Beitrag existiert nicht oder wurde gelöscht."; +$a->strings["The feed for this item is unavailable."] = "Der Feed für diesen Beitrag ist nicht verfügbar."; +$a->strings["Item not found"] = "Beitrag nicht gefunden"; +$a->strings["Edit post"] = "Beitrag bearbeiten"; +$a->strings["Save"] = "Speichern"; +$a->strings["Insert web link"] = "Einen Link einfügen"; +$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["CC: email addresses"] = "Cc: E-Mail-Addressen"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Z.B.: bob@example.com, mary@example.com"; +$a->strings["Event can not end before it has started."] = "Die Veranstaltung kann nicht enden, bevor sie beginnt."; +$a->strings["Event title and start time are required."] = "Der Veranstaltungstitel und die Anfangszeit müssen angegeben werden."; +$a->strings["Create New Event"] = "Neue Veranstaltung erstellen"; +$a->strings["Event details"] = "Veranstaltungsdetails"; +$a->strings["Starting date and Title are required."] = "Anfangszeitpunkt 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["Submit"] = "Senden"; +$a->strings["Basic"] = "Allgemein"; +$a->strings["Advanced"] = "Erweitert"; +$a->strings["Failed to remove event"] = "Entfernen der Veranstaltung fehlgeschlagen"; +$a->strings["Photos"] = "Bilder"; +$a->strings["Upload"] = "Hochladen"; +$a->strings["Files"] = "Dateien"; +$a->strings["You already added this contact."] = "Du hast den Kontakt bereits hinzugefügt."; +$a->strings["The network type couldn't be detected. Contact can't be added."] = "Der Netzwerktyp wurde nicht erkannt. Der Kontakt kann nicht hinzugefügt werden."; +$a->strings["Diaspora support isn't enabled. Contact can't be added."] = "Diaspora-Unterstützung ist nicht aktiviert. Der Kontakt kann nicht zugefügt werden."; +$a->strings["OStatus support is disabled. Contact can't be added."] = "OStatus-Unterstützung ist nicht aktiviert. Der Kontakt kann nicht zugefügt werden."; +$a->strings["Your Identity Address:"] = "Adresse Deines Profils:"; +$a->strings["Profile URL"] = "Profil URL"; +$a->strings["Tags:"] = "Tags:"; +$a->strings["Status Messages and Posts"] = "Statusnachrichten und Beiträge"; +$a->strings["The contact could not be added."] = "Der Kontakt konnte nicht hinzugefügt werden."; +$a->strings["Unable to locate original post."] = "Konnte den Originalbeitrag nicht finden."; +$a->strings["Empty post discarded."] = "Leerer Beitrag wurde verworfen."; +$a->strings["Post updated."] = "Beitrag aktualisiert."; +$a->strings["Item wasn't stored."] = "Eintrag wurde nicht gespeichert"; +$a->strings["Item couldn't be fetched."] = "Eintrag konnte nicht geholt werden."; +$a->strings["Blocked on item with guid %s"] = "Beitrag mit der guid %s geblockt"; +$a->strings["Item not found."] = "Beitrag nicht gefunden."; +$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, the request will expire shortly.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = "\nHallo %1\$s,\n\nAuf \"%2\$s\" ist eine Anfrage auf das Zurücksetzen deines Passworts gestellt\nworden. Um diese Anfrage zu verifizieren, folge bitte dem unten stehenden\nLink oder kopiere und füge ihn in die Adressleiste deines Browsers ein.\n\nSolltest du die Anfrage NICHT gestellt haben, ignoriere und/oder lösche diese\nE-Mail bitte.\n\nDein Passwort wird nicht geändert, solange wir nicht verifiziert haben, dass\ndu diese Änderung angefragt hast."; +$a->strings["\n\t\tFollow this link soon to verify your identity:\n\n\t\t%1\$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2\$s\n\t\tLogin Name:\t%3\$s"] = "\nUm deine Identität zu verifizieren, folge bitte diesem Link:\n\n%1\$s\n\nDu wirst eine weitere E-Mail 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["Request has expired, please make a new one."] = "Die Anfrage ist abgelaufen. Bitte stelle eine erneute."; +$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["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["Your password has been reset."] = "Dein Passwort wurde zurückgesetzt."; +$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\tinformation for your records (or change your password immediately to\n\t\t\tsomething that you will remember).\n\t\t"] = "\nHallo %1\$s,\n\nDein Passwort wurde wie gewünscht geändert. Bitte bewahre diese Informationen gut auf (oder ändere dein Passwort in eines, das du dir leicht merken kannst)."; +$a->strings["\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t%2\$s\n\t\t\tPassword:\t%3\$s\n\n\t\t\tYou may change that password from your account settings page after logging in.\n\t\t"] = "\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["No keywords to match. Please add keywords to your profile."] = "Keine Schlüsselwörter zum Abgleichen gefunden. Bitte füge einige Schlüsselwörter zu deinem Profil hinzu."; $a->strings["first"] = "erste"; $a->strings["next"] = "nächste"; $a->strings["No matches"] = "Keine Übereinstimmungen"; $a->strings["Profile Match"] = "Profilübereinstimmungen"; +$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["Discard"] = "Verwerfen"; +$a->strings["Messages"] = "Nachrichten"; +$a->strings["Conversation not found."] = "Unterhaltung nicht gefunden."; +$a->strings["Message was not deleted."] = "Nachricht wurde nicht gelöscht"; +$a->strings["Conversation was not removed."] = "Unterhaltung wurde nicht entfernt"; +$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["No messages."] = "Keine Nachrichten."; +$a->strings["Message not available."] = "Nachricht nicht verfügbar."; +$a->strings["Delete message"] = "Nachricht löschen"; +$a->strings["D, d M Y - g:i A"] = "D, d. M Y - H:i"; +$a->strings["Delete conversation"] = "Unterhaltung 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["Unknown sender - %s"] = "Unbekannter Absender - %s"; +$a->strings["You and %s"] = "Du und %s"; +$a->strings["%s and You"] = "%s und du"; +$a->strings["%d message"] = [ + 0 => "%d Nachricht", + 1 => "%d Nachrichten", +]; +$a->strings["Personal Notes"] = "Persönliche Notizen"; +$a->strings["Personal notes are visible only by yourself."] = "Persönliche Notizen sind nur für dich sichtbar."; +$a->strings["Subscribing to OStatus contacts"] = "OStatus-Kontakten folgen"; +$a->strings["No contact provided."] = "Keine Kontakte gefunden."; +$a->strings["Couldn't fetch information for contact."] = "Konnte die Kontaktinformationen nicht einholen."; +$a->strings["Couldn't fetch friends for contact."] = "Konnte die Kontaktliste des Kontakts nicht abfragen."; +$a->strings["Done"] = "Erledigt"; +$a->strings["success"] = "Erfolg"; +$a->strings["failed"] = "Fehlgeschlagen"; +$a->strings["ignored"] = "Ignoriert"; +$a->strings["Keep this window open until done."] = "Lasse dieses Fenster offen, bis der Vorgang abgeschlossen ist."; +$a->strings["Photo Albums"] = "Fotoalben"; +$a->strings["Recent Photos"] = "Neueste Fotos"; +$a->strings["Upload New Photos"] = "Neue Fotos hochladen"; +$a->strings["everybody"] = "jeder"; +$a->strings["Contact information unavailable"] = "Kontaktinformationen nicht verfügbar"; +$a->strings["Album not found."] = "Album nicht gefunden."; +$a->strings["Album successfully deleted"] = "Album wurde erfolgreich gelöscht."; +$a->strings["Album was empty."] = "Album ist leer."; +$a->strings["Failed to delete the photo."] = "Das Foto konnte nicht gelöscht werden."; +$a->strings["a photo"] = "einem Foto"; +$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s wurde von %3\$s in %2\$s getaggt"; +$a->strings["Image exceeds size limit of %s"] = "Bildgröße überschreitet das Limit von %s"; +$a->strings["Image upload didn't complete, please try again"] = "Der Upload des Bildes war nicht vollständig. Bitte versuche es erneut."; +$a->strings["Image file is missing"] = "Bilddatei konnte nicht gefunden werden."; +$a->strings["Server can't accept new file upload at this time, please contact your administrator"] = "Der Server kann derzeit keine neuen Datei-Uploads akzeptieren. Bitte kontaktiere deinen Administrator."; +$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["Upload Photos"] = "Bilder hochladen"; +$a->strings["New album name: "] = "Name des neuen Albums: "; +$a->strings["or select existing album:"] = "oder wähle ein bestehendes Album:"; +$a->strings["Do not show a status post for this upload"] = "Keine Status-Mitteilung für diesen Beitrag anzeigen"; +$a->strings["Do you really want to delete this photo album and all its photos?"] = "Möchtest du wirklich dieses Foto-Album und all seine Foto löschen?"; +$a->strings["Delete Album"] = "Album löschen"; +$a->strings["Edit Album"] = "Album bearbeiten"; +$a->strings["Drop Album"] = "Album löschen"; +$a->strings["Show Newest First"] = "Zeige neueste zuerst"; +$a->strings["Show Oldest First"] = "Zeige älteste zuerst"; +$a->strings["View Photo"] = "Foto betrachten"; +$a->strings["Permission denied. Access to this item may be restricted."] = "Zugriff verweigert. Zugriff zu diesem Eintrag könnte eingeschränkt sein."; +$a->strings["Photo not available"] = "Foto nicht verfügbar"; +$a->strings["Do you really want to delete this photo?"] = "Möchtest du wirklich dieses Foto löschen?"; +$a->strings["Delete Photo"] = "Foto löschen"; +$a->strings["View photo"] = "Fotos ansehen"; +$a->strings["Edit photo"] = "Foto bearbeiten"; +$a->strings["Delete photo"] = "Foto löschen"; +$a->strings["Use as profile photo"] = "Als Profilbild verwenden"; +$a->strings["Private Photo"] = "Privates Foto"; +$a->strings["View Full Size"] = "Betrachte Originalgröße"; +$a->strings["Tags: "] = "Tags: "; +$a->strings["[Select tags to remove]"] = "[Zu entfernende Tags auswählen]"; +$a->strings["New album name"] = "Name des neuen Albums"; +$a->strings["Caption"] = "Bildunterschrift"; +$a->strings["Add a Tag"] = "Tag hinzufügen"; +$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Beispiel: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"; +$a->strings["Do not rotate"] = "Nicht rotieren"; +$a->strings["Rotate CW (right)"] = "Drehen US (rechts)"; +$a->strings["Rotate CCW (left)"] = "Drehen EUS (links)"; +$a->strings["This is you"] = "Das bist du"; +$a->strings["Comment"] = "Kommentar"; +$a->strings["Like"] = "Mag ich"; +$a->strings["I like this (toggle)"] = "Ich mag das (toggle)"; +$a->strings["Dislike"] = "Mag ich nicht"; +$a->strings["I don't like this (toggle)"] = "Ich mag das nicht (toggle)"; +$a->strings["Map"] = "Karte"; +$a->strings["View Album"] = "Album betrachten"; +$a->strings["{0} wants to be your friend"] = "{0} möchte mit dir in Kontakt treten"; +$a->strings["{0} requested registration"] = "{0} möchte sich registrieren"; +$a->strings["{0} and %d others requested registration"] = "{0} und %d weitere möchten sich registrieren"; +$a->strings["Bad Request."] = "Ungültige Anfrage."; +$a->strings["User deleted their account"] = "Gelöschter Nutzeraccount"; +$a->strings["On your Friendica node an user deleted their account. Please ensure that their data is removed from the backups."] = "Ein Nutzer deiner Friendica-Instanz hat seinen Account gelöscht. Bitte stelle sicher, dass dessen Daten aus deinen Backups entfernt werden."; +$a->strings["The user id is %d"] = "Die ID des Users lautet %d"; +$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["Resubscribing to OStatus contacts"] = "Erneuern der OStatus-Abonements"; +$a->strings["Error"] = [ + 0 => "Fehler", + 1 => "Fehler", +]; $a->strings["Missing some important data!"] = "Wichtige Daten fehlen!"; $a->strings["Update"] = "Aktualisierungen"; $a->strings["Failed to connect with email account using the settings provided."] = "Verbindung zum E-Mail-Konto mit den angegebenen Einstellungen nicht möglich."; @@ -491,142 +617,11 @@ $a->strings["Upload File"] = "Datei hochladen"; $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["{0} wants to be your friend"] = "{0} möchte mit dir in Kontakt treten"; -$a->strings["{0} requested registration"] = "{0} möchte sich registrieren"; -$a->strings["{0} and %d others requested registration"] = "{0} und %d weitere möchten sich registrieren"; -$a->strings["Resubscribing to OStatus contacts"] = "Erneuern der OStatus-Abonements"; -$a->strings["Error"] = [ - 0 => "Fehler", - 1 => "Fehler", -]; -$a->strings["Done"] = "Erledigt"; -$a->strings["Keep this window open until done."] = "Lasse dieses Fenster offen, bis der Vorgang abgeschlossen ist."; -$a->strings["You aren't following this contact."] = "Du folgst diesem Kontakt."; -$a->strings["Unfollowing is currently not supported by your network."] = "Bei diesem Netzwerk wird das Entfolgen derzeit nicht unterstützt."; -$a->strings["Disconnect/Unfollow"] = "Verbindung lösen/Nicht mehr folgen"; -$a->strings["Your Identity Address:"] = "Adresse Deines Profils:"; -$a->strings["Submit Request"] = "Anfrage abschicken"; -$a->strings["Profile URL"] = "Profil URL"; -$a->strings["Status Messages and Posts"] = "Statusnachrichten und Beiträge"; -$a->strings["New Message"] = "Neue Nachricht"; -$a->strings["Unable to locate contact information."] = "Konnte die Kontaktinformationen nicht finden."; -$a->strings["Discard"] = "Verwerfen"; -$a->strings["Conversation not found."] = "Unterhaltung nicht gefunden."; -$a->strings["Message was not deleted."] = "Nachricht wurde nicht gelöscht"; -$a->strings["Conversation was not removed."] = "Unterhaltung wurde nicht entfernt"; -$a->strings["No messages."] = "Keine Nachrichten."; -$a->strings["Message not available."] = "Nachricht nicht verfügbar."; -$a->strings["Delete message"] = "Nachricht löschen"; -$a->strings["D, d M Y - g:i A"] = "D, d. M Y - H:i"; -$a->strings["Delete conversation"] = "Unterhaltung 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["Unknown sender - %s"] = "Unbekannter Absender - %s"; -$a->strings["You and %s"] = "Du und %s"; -$a->strings["%s and You"] = "%s und du"; -$a->strings["%d message"] = [ - 0 => "%d Nachricht", - 1 => "%d Nachrichten", -]; -$a->strings["Subscribing to OStatus contacts"] = "OStatus-Kontakten folgen"; -$a->strings["No contact provided."] = "Keine Kontakte gefunden."; -$a->strings["Couldn't fetch information for contact."] = "Konnte die Kontaktinformationen nicht einholen."; -$a->strings["Couldn't fetch friends for contact."] = "Konnte die Kontaktliste des Kontakts nicht abfragen."; -$a->strings["success"] = "Erfolg"; -$a->strings["failed"] = "Fehlgeschlagen"; -$a->strings["ignored"] = "Ignoriert"; -$a->strings["%1\$s welcomes %2\$s"] = "%1\$s heißt %2\$s herzlich willkommen"; -$a->strings["User deleted their account"] = "Gelöschter Nutzeraccount"; -$a->strings["On your Friendica node an user deleted their account. Please ensure that their data is removed from the backups."] = "Ein Nutzer deiner Friendica-Instanz hat seinen Account gelöscht. Bitte stelle sicher, dass dessen Daten aus deinen Backups entfernt werden."; -$a->strings["The user id is %d"] = "Die ID des Users lautet %d"; -$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["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["Friend Suggestions"] = "Kontaktvorschläge"; $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["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["The requested item doesn't exist or has been deleted."] = "Der angeforderte Beitrag existiert nicht oder wurde gelöscht."; -$a->strings["Access to this profile has been restricted."] = "Der Zugriff zu diesem Profil wurde eingeschränkt."; -$a->strings["The feed for this item is unavailable."] = "Der Feed für diesen Beitrag ist nicht verfügbar."; -$a->strings["Invalid request."] = "Ungültige Anfrage"; -$a->strings["Image exceeds size limit of %s"] = "Bildgröße überschreitet das Limit von %s"; -$a->strings["Unable to process image."] = "Konnte das Bild nicht bearbeiten."; -$a->strings["Wall Photos"] = "Pinnwand-Bilder"; -$a->strings["Image upload failed."] = "Hochladen des Bildes gescheitert."; -$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, the request will expire shortly.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = "\nHallo %1\$s,\n\nAuf \"%2\$s\" ist eine Anfrage auf das Zurücksetzen deines Passworts gestellt\nworden. Um diese Anfrage zu verifizieren, folge bitte dem unten stehenden\nLink oder kopiere und füge ihn in die Adressleiste deines Browsers ein.\n\nSolltest du die Anfrage NICHT gestellt haben, ignoriere und/oder lösche diese\nE-Mail bitte.\n\nDein Passwort wird nicht geändert, solange wir nicht verifiziert haben, dass\ndu diese Änderung angefragt hast."; -$a->strings["\n\t\tFollow this link soon to verify your identity:\n\n\t\t%1\$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2\$s\n\t\tLogin Name:\t%3\$s"] = "\nUm deine Identität zu verifizieren, folge bitte diesem Link:\n\n%1\$s\n\nDu wirst eine weitere E-Mail 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["Request has expired, please make a new one."] = "Die Anfrage ist abgelaufen. Bitte stelle eine erneute."; -$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["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["Your password has been reset."] = "Dein Passwort wurde zurückgesetzt."; -$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\tinformation for your records (or change your password immediately to\n\t\t\tsomething that you will remember).\n\t\t"] = "\nHallo %1\$s,\n\nDein Passwort wurde wie gewünscht geändert. Bitte bewahre diese Informationen gut auf (oder ändere dein Passwort in eines, das du dir leicht merken kannst)."; -$a->strings["\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t%2\$s\n\t\t\tPassword:\t%3\$s\n\n\t\t\tYou may change that password from your account settings page after logging in.\n\t\t"] = "\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["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 an der angegebenen Profiladresse gefunden werden."; -$a->strings["Warning: profile location has no profile photo."] = "Warnung: Es gibt kein Profilbild an der angegebenen Profiladresse."; -$a->strings["%d required parameter was not found at the given location"] = [ - 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 Kontaktanfragen 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["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 in Kontakt stehst."; -$a->strings["Invalid profile URL."] = "Ungültige Profil-URL."; -$a->strings["Disallowed profile URL."] = "Nicht erlaubte Profil-URL."; -$a->strings["Blocked domain"] = "Blockierte Domain"; -$a->strings["Failed to update contact record."] = "Aktualisierung der Kontaktdaten fehlgeschlagen."; -$a->strings["Your introduction has been sent."] = "Deine Kontaktanfrage wurde gesendet."; -$a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = "Entferntes Abon­nie­ren kann für dein Netzwerk nicht durchgeführt werden. Bitte nutze direkt die Abonnieren-Funktion deines Systems. "; -$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["Confirm"] = "Bestätigen"; -$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["Friend/Connection Request"] = "Kontaktanfrage"; -$a->strings["Enter your Webfinger address (user@domain.tld) or profile URL here. If this isn't supported by your system (for example it doesn't work with Diaspora), you have to subscribe to %s directly on your system"] = "Gib entweder deinen Webfinger (user@domain.tld) oder deine Profil-Adresse an. Wenn dies von deinem System nicht unterstützt wird (z.B. von Diaspora*) musst du von deinem System aus %s folgen "; -$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica node and join us today."] = "Solltest du das freie Soziale Netzwerk noch nicht benutzen, kannst du diesem Link folgen um eine öffentliche Friendica Instanz zu finden um noch heute dem Netzwerk beizutreten."; -$a->strings["Your Webfinger address or profile URL:"] = "Deine Webfinger Adresse oder Profil-URL"; -$a->strings["Please answer the following:"] = "Bitte beantworte folgendes:"; -$a->strings["%s knows you"] = "%skennt dich"; -$a->strings["Add a personal note:"] = "Eine persönliche Notiz beifügen:"; -$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["Yes"] = "Ja"; -$a->strings["No"] = "Nein"; -$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 %s"] = "Die Datei ist größer als das erlaubte Limit von %s"; -$a->strings["File upload failed."] = "Hochladen der Datei fehlgeschlagen."; -$a->strings["Unable to locate original post."] = "Konnte den Originalbeitrag nicht finden."; -$a->strings["Empty post discarded."] = "Leerer Beitrag wurde verworfen."; -$a->strings["Post updated."] = "Beitrag aktualisiert."; -$a->strings["Item wasn't stored."] = "Eintrag wurde nicht gespeichert"; -$a->strings["Item couldn't be fetched."] = "Eintrag konnte nicht geholt werden."; -$a->strings["Item not found."] = "Beitrag nicht gefunden."; $a->strings["User imports on closed servers can only be done by an administrator."] = "Auf geschlossenen Servern können ausschließlich die Administratoren Benutzerkonten importieren."; $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["Import"] = "Import"; @@ -636,139 +631,229 @@ $a->strings["You need to export your account from the old server and upload it h $a->strings["This feature is experimental. We can't import contacts from the OStatus network (GNU Social/Statusnet) or from Diaspora"] = "Dieses Feature ist experimentell. Wir können keine Kontakte vom OStatus-Netzwerk (GNU Social/Statusnet) 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["User not found."] = "Benutzer nicht gefunden."; -$a->strings["View"] = "Ansehen"; -$a->strings["Previous"] = "Vorherige"; -$a->strings["Next"] = "Nächste"; -$a->strings["today"] = "Heute"; -$a->strings["month"] = "Monat"; -$a->strings["week"] = "Woche"; -$a->strings["day"] = "Tag"; -$a->strings["list"] = "Liste"; -$a->strings["User not found"] = "Nutzer nicht gefunden"; -$a->strings["This calendar format is not supported"] = "Dieses Kalenderformat wird nicht unterstützt."; -$a->strings["No exportable data found"] = "Keine exportierbaren Daten gefunden"; -$a->strings["calendar"] = "Kalender"; -$a->strings["Item not found"] = "Beitrag nicht gefunden"; -$a->strings["Edit post"] = "Beitrag bearbeiten"; -$a->strings["Save"] = "Speichern"; -$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["CC: email addresses"] = "Cc: E-Mail-Addressen"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Z.B.: bob@example.com, mary@example.com"; -$a->strings["Event can not end before it has started."] = "Die Veranstaltung kann nicht enden, bevor sie beginnt."; -$a->strings["Event title and start time are required."] = "Der Veranstaltungstitel und die Anfangszeit müssen angegeben werden."; -$a->strings["Create New Event"] = "Neue Veranstaltung erstellen"; -$a->strings["Event details"] = "Veranstaltungsdetails"; -$a->strings["Starting date and Title are required."] = "Anfangszeitpunkt 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["Basic"] = "Allgemein"; -$a->strings["Advanced"] = "Erweitert"; -$a->strings["Failed to remove event"] = "Entfernen der Veranstaltung fehlgeschlagen"; -$a->strings["You already added this contact."] = "Du hast den Kontakt bereits hinzugefügt."; -$a->strings["The network type couldn't be detected. Contact can't be added."] = "Der Netzwerktyp wurde nicht erkannt. Der Kontakt kann nicht hinzugefügt werden."; -$a->strings["Diaspora support isn't enabled. Contact can't be added."] = "Diaspora-Unterstützung ist nicht aktiviert. Der Kontakt kann nicht zugefügt werden."; -$a->strings["OStatus support is disabled. Contact can't be added."] = "OStatus-Unterstützung ist nicht aktiviert. Der Kontakt kann nicht zugefügt werden."; -$a->strings["Tags:"] = "Tags:"; -$a->strings["The contact could not be added."] = "Der Kontakt konnte nicht hinzugefügt werden."; -$a->strings["Upload"] = "Hochladen"; -$a->strings["Files"] = "Dateien"; -$a->strings["Personal Notes"] = "Persönliche Notizen"; -$a->strings["Personal notes are visible only by yourself."] = "Persönliche Notizen sind nur für dich sichtbar."; -$a->strings["Photo Albums"] = "Fotoalben"; -$a->strings["Recent Photos"] = "Neueste Fotos"; -$a->strings["Upload New Photos"] = "Neue Fotos hochladen"; -$a->strings["everybody"] = "jeder"; -$a->strings["Contact information unavailable"] = "Kontaktinformationen nicht verfügbar"; -$a->strings["Album not found."] = "Album nicht gefunden."; -$a->strings["Album successfully deleted"] = "Album wurde erfolgreich gelöscht."; -$a->strings["Album was empty."] = "Album ist leer."; -$a->strings["Failed to delete the photo."] = "Das Foto konnte nicht gelöscht werden."; -$a->strings["a photo"] = "einem Foto"; -$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s wurde von %3\$s in %2\$s getaggt"; -$a->strings["Image upload didn't complete, please try again"] = "Der Upload des Bildes war nicht vollständig. Bitte versuche es erneut."; -$a->strings["Image file is missing"] = "Bilddatei konnte nicht gefunden werden."; -$a->strings["Server can't accept new file upload at this time, please contact your administrator"] = "Der Server kann derzeit keine neuen Datei-Uploads akzeptieren. Bitte kontaktiere deinen Administrator."; -$a->strings["Image file is empty."] = "Bilddatei ist leer."; -$a->strings["No photos selected"] = "Keine Bilder ausgewählt"; -$a->strings["Upload Photos"] = "Bilder hochladen"; -$a->strings["New album name: "] = "Name des neuen Albums: "; -$a->strings["or select existing album:"] = "oder wähle ein bestehendes Album:"; -$a->strings["Do not show a status post for this upload"] = "Keine Status-Mitteilung für diesen Beitrag anzeigen"; -$a->strings["Do you really want to delete this photo album and all its photos?"] = "Möchtest du wirklich dieses Foto-Album und all seine Foto löschen?"; -$a->strings["Delete Album"] = "Album löschen"; -$a->strings["Edit Album"] = "Album bearbeiten"; -$a->strings["Drop Album"] = "Album löschen"; -$a->strings["Show Newest First"] = "Zeige neueste zuerst"; -$a->strings["Show Oldest First"] = "Zeige älteste zuerst"; -$a->strings["View Photo"] = "Foto betrachten"; -$a->strings["Permission denied. Access to this item may be restricted."] = "Zugriff verweigert. Zugriff zu diesem Eintrag könnte eingeschränkt sein."; -$a->strings["Photo not available"] = "Foto nicht verfügbar"; -$a->strings["Do you really want to delete this photo?"] = "Möchtest du wirklich dieses Foto löschen?"; -$a->strings["Delete Photo"] = "Foto löschen"; -$a->strings["View photo"] = "Fotos ansehen"; -$a->strings["Edit photo"] = "Foto bearbeiten"; -$a->strings["Delete photo"] = "Foto löschen"; -$a->strings["Use as profile photo"] = "Als Profilbild verwenden"; -$a->strings["Private Photo"] = "Privates Foto"; -$a->strings["View Full Size"] = "Betrachte Originalgröße"; -$a->strings["Tags: "] = "Tags: "; -$a->strings["[Select tags to remove]"] = "[Zu entfernende Tags auswählen]"; -$a->strings["New album name"] = "Name des neuen Albums"; -$a->strings["Caption"] = "Bildunterschrift"; -$a->strings["Add a Tag"] = "Tag hinzufügen"; -$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Beispiel: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"; -$a->strings["Do not rotate"] = "Nicht rotieren"; -$a->strings["Rotate CW (right)"] = "Drehen US (rechts)"; -$a->strings["Rotate CCW (left)"] = "Drehen EUS (links)"; -$a->strings["This is you"] = "Das bist du"; -$a->strings["Comment"] = "Kommentar"; -$a->strings["Like"] = "Mag ich"; -$a->strings["I like this (toggle)"] = "Ich mag das (toggle)"; -$a->strings["Dislike"] = "Mag ich nicht"; -$a->strings["I don't like this (toggle)"] = "Ich mag das nicht (toggle)"; -$a->strings["Map"] = "Karte"; +$a->strings["You aren't following this contact."] = "Du folgst diesem Kontakt."; +$a->strings["Unfollowing is currently not supported by your network."] = "Bei diesem Netzwerk wird das Entfolgen derzeit nicht unterstützt."; +$a->strings["Disconnect/Unfollow"] = "Verbindung lösen/Nicht mehr folgen"; +$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["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["Invalid request."] = "Ungültige Anfrage"; +$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 %s"] = "Die Datei ist größer als das erlaubte Limit von %s"; +$a->strings["File upload failed."] = "Hochladen der Datei fehlgeschlagen."; +$a->strings["Wall Photos"] = "Pinnwand-Bilder"; $a->strings["You must be logged in to use addons. "] = "Du musst angemeldet sein, um Addons benutzen zu können."; $a->strings["Delete this item?"] = "Diesen Beitrag löschen?"; $a->strings["toggle mobile"] = "mobile Ansicht umschalten"; $a->strings["Method not allowed for this module. Allowed method(s): %s"] = "Diese Methode ist in diesem Modul nicht erlaubt. Erlaubte Methoden sind: %s"; $a->strings["Page not found."] = "Seite nicht gefunden."; -$a->strings["Login failed."] = "Anmeldung fehlgeschlagen."; -$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["Login failed. Please check your credentials."] = "Anmeldung fehlgeschlagen. Bitte überprüfe deine Angaben."; -$a->strings["Welcome %s"] = "Willkommen %s"; -$a->strings["Please upload a profile photo."] = "Bitte lade ein Profilbild hoch."; -$a->strings["The database version had been set to %s."] = "Die Datenbank Version wurde auf %s gesetzt."; -$a->strings["No unused tables found."] = "Keine Tabellen gefunden die nicht verwendet werden."; -$a->strings["These tables are not used for friendica and will be deleted when you execute \"dbstructure drop -e\":"] = "Diese Tabellen werden nicht von Friendica verwendet. Sie werden gelöscht, wenn du \"dbstructure drop -e\" ausführst."; -$a->strings["There are no tables on MyISAM or InnoDB with the Antelope file format."] = "Es gibt keine MyISAM oder InnoDB Tabellem mit dem Antelope Dateiformat."; -$a->strings["\nError %d occurred during database update:\n%s\n"] = "\nFehler %d beim Update der Datenbank aufgetreten\n%s\n"; -$a->strings["Errors encountered performing database changes: "] = "Fehler beim Ändern der Datenbank aufgetreten"; -$a->strings["Another database update is currently running."] = "Es läuft bereits ein anderes Datenbank Update"; -$a->strings["%s: Database update"] = "%s: Datenbank Aktualisierung"; -$a->strings["%s: updating %s table."] = "%s: aktualisiere Tabelle %s"; -$a->strings["Friendica can't display this page at the moment, please contact the administrator."] = "Friendica kann die Seite im Moment nicht darstellen. Bitte kontaktiere das Administratoren Team."; -$a->strings["template engine cannot be registered without a name."] = "Die Template Engine kann nicht ohne einen Namen registriert werden."; -$a->strings["template engine is not registered!"] = "Template Engine wurde nicht registriert!"; -$a->strings["Update %s failed. See error logs."] = "Update %s fehlgeschlagen. Bitte Fehlerprotokoll überprüfen."; -$a->strings["\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = "\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 [pre]%s[/pre]"; -$a->strings["[Friendica Notify] Database update"] = "[Friendica-Benachrichtigung]: Datenbank Update"; -$a->strings["\n\t\t\t\t\tThe friendica database was successfully updated from %s to %s."] = "\n \t\t\t\t\tDie Friendica Datenbank wurde erfolgreich von %s auf %s aktualisiert."; -$a->strings["Yourself"] = "Du selbst"; +$a->strings["No system theme config value set."] = "Es wurde kein Konfigurationswert für das systemweite Theme gesetzt."; +$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["All contacts"] = "Alle Kontakte"; $a->strings["Followers"] = "Folgende"; +$a->strings["Following"] = "Gefolgte"; +$a->strings["Mutual friends"] = "Beidseitige Freundschaft"; +$a->strings["Common"] = "Gemeinsam"; +$a->strings["Could not find any unarchived contact entry for this URL (%s)"] = "Für die URL (%s) konnte kein nicht-archivierter Kontakt gefunden werden"; +$a->strings["The contact entries have been archived"] = "Die Kontakteinträge wurden archiviert."; +$a->strings["Could not find any contact entry for this URL (%s)"] = "Für die URL (%s) konnte kein Kontakt gefunden werden"; +$a->strings["The contact has been blocked from the node"] = "Der Kontakt wurde von diesem Knoten geblockt"; +$a->strings["Post update version number has been set to %s."] = "Die Post-Update-Versionsnummer wurde auf %s gesetzt."; +$a->strings["Check for pending update actions."] = "Überprüfe ausstehende Update-Aktionen"; +$a->strings["Done."] = "Erledigt."; +$a->strings["Execute pending post updates."] = "Ausstehende Post-Updates ausführen"; +$a->strings["All pending post updates are done."] = "Alle ausstehenden Post-Updates wurden ausgeführt."; +$a->strings["Enter new password: "] = "Neues Passwort eingeben:"; +$a->strings["Enter user name: "] = "Nutzername angeben"; +$a->strings["Enter user nickname: "] = "Spitzname angeben:"; +$a->strings["Enter user email address: "] = "E-Mail Adresse angeben:"; +$a->strings["Enter a language (optional): "] = "Sprache angeben (optional):"; +$a->strings["User is not pending."] = "Benutzer wartet nicht."; +$a->strings["User has already been marked for deletion."] = "User wurde bereits zum Löschen ausgewählt"; +$a->strings["Type \"yes\" to delete %s"] = "\"yes\" eingeben um %s zu löschen"; +$a->strings["Deletion aborted."] = "Löschvorgang abgebrochen."; +$a->strings["newer"] = "neuer"; +$a->strings["older"] = "älter"; +$a->strings["Frequently"] = "immer wieder"; +$a->strings["Hourly"] = "Stündlich"; +$a->strings["Twice daily"] = "Zweimal täglich"; +$a->strings["Daily"] = "Täglich"; +$a->strings["Weekly"] = "Wöchentlich"; +$a->strings["Monthly"] = "Monatlich"; +$a->strings["DFRN"] = "DFRN"; +$a->strings["OStatus"] = "OStatus"; +$a->strings["RSS/Atom"] = "RSS/Atom"; +$a->strings["Email"] = "E-Mail"; +$a->strings["Diaspora"] = "Diaspora"; +$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["Discourse"] = "Discourse"; +$a->strings["Diaspora Connector"] = "Diaspora Connector"; +$a->strings["GNU Social Connector"] = "GNU Social Connector"; +$a->strings["ActivityPub"] = "ActivityPub"; +$a->strings["pnut"] = "pnut"; +$a->strings["%s (via %s)"] = "%s (via %s)"; +$a->strings["General Features"] = "Allgemeine Features"; +$a->strings["Photo Location"] = "Aufnahmeort"; +$a->strings["Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map."] = "Die Foto-Metadaten werden ausgelesen. Dadurch kann der Aufnahmeort (wenn vorhanden) in einer Karte angezeigt werden."; +$a->strings["Trending Tags"] = "Trending Tags"; +$a->strings["Show a community page widget with a list of the most popular tags in recent public posts."] = "Auf der Gemeinschaftsseite ein Widget mit den meist benutzten Tags in öffentlichen Beiträgen anzeigen."; +$a->strings["Post Composition Features"] = "Beitragserstellung-Features"; +$a->strings["Auto-mention Forums"] = "Foren automatisch erwähnen"; +$a->strings["Add/remove mention when a forum 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["Explicit Mentions"] = "Explizite Erwähnungen"; +$a->strings["Add explicit mentions to comment box for manual control over who gets mentioned in replies."] = "Füge Erwähnungen zum Kommentarfeld hinzu, um manuell über die explizite Erwähnung von Gesprächsteilnehmern zu entscheiden."; +$a->strings["Post/Comment Tools"] = "Werkzeuge für Beiträge und Kommentare"; +$a->strings["Post Categories"] = "Beitragskategorien"; +$a->strings["Add categories to your posts"] = "Eigene Beiträge mit Kategorien versehen"; +$a->strings["Advanced Profile Settings"] = "Erweiterte Profil-Einstellungen"; +$a->strings["List Forums"] = "Zeige Foren"; +$a->strings["Show visitors public community forums at the Advanced Profile Page"] = "Zeige Besuchern öffentliche Gemeinschafts-Foren auf der Erweiterten Profil-Seite"; +$a->strings["Tag Cloud"] = "Schlagwortwolke"; +$a->strings["Provide a personal tag cloud on your profile page"] = "Wortwolke aus den von dir verwendeten Schlagwörtern im Profil anzeigen"; +$a->strings["Display Membership Date"] = "Mitgliedschaftsdatum anzeigen"; +$a->strings["Display membership date in profile"] = "Das Datum der Registrierung deines Accounts im Profil anzeigen"; +$a->strings["Forums"] = "Foren"; +$a->strings["External link to forum"] = "Externer Link zum Forum"; +$a->strings["show less"] = "weniger anzeigen"; +$a->strings["show more"] = "mehr anzeigen"; +$a->strings["Nothing new here"] = "Keine Neuigkeiten"; +$a->strings["Go back"] = "Geh zurück"; +$a->strings["Clear notifications"] = "Bereinige Benachrichtigungen"; +$a->strings["@name, !forum, #tags, content"] = "@name, !forum, #tags, content"; +$a->strings["Logout"] = "Abmelden"; +$a->strings["End this session"] = "Diese Sitzung beenden"; +$a->strings["Login"] = "Anmeldung"; +$a->strings["Sign in"] = "Anmelden"; +$a->strings["Status"] = "Status"; +$a->strings["Your posts and conversations"] = "Deine Beiträge und Unterhaltungen"; +$a->strings["Profile"] = "Profil"; +$a->strings["Your profile page"] = "Deine Profilseite"; +$a->strings["Your photos"] = "Deine Fotos"; +$a->strings["Videos"] = "Videos"; +$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["Home"] = "Pinnwand"; +$a->strings["Home Page"] = "Homepage"; +$a->strings["Register"] = "Registrieren"; +$a->strings["Create an account"] = "Nutzerkonto erstellen"; +$a->strings["Help"] = "Hilfe"; +$a->strings["Help and documentation"] = "Hilfe und Dokumentation"; +$a->strings["Apps"] = "Apps"; +$a->strings["Addon applications, utilities, games"] = "Zusätzliche Anwendungen, Dienstprogramme, Spiele"; +$a->strings["Search"] = "Suche"; +$a->strings["Search site content"] = "Inhalt der Seite durchsuchen"; +$a->strings["Full Text"] = "Volltext"; +$a->strings["Tags"] = "Tags"; +$a->strings["Contacts"] = "Kontakte"; +$a->strings["Community"] = "Gemeinschaft"; +$a->strings["Conversations on this and other servers"] = "Unterhaltungen auf diesem und anderen Servern"; +$a->strings["Events and Calendar"] = "Ereignisse und Kalender"; +$a->strings["Directory"] = "Verzeichnis"; +$a->strings["People directory"] = "Nutzerverzeichnis"; +$a->strings["Information"] = "Information"; +$a->strings["Information about this friendica instance"] = "Informationen zu dieser Friendica-Instanz"; +$a->strings["Terms of Service"] = "Nutzungsbedingungen"; +$a->strings["Terms of Service of this Friendica instance"] = "Die Nutzungsbedingungen dieser Friendica-Instanz"; +$a->strings["Network"] = "Netzwerk"; +$a->strings["Conversations from your friends"] = "Unterhaltungen Deiner Kontakte"; +$a->strings["Introductions"] = "Kontaktanfragen"; +$a->strings["Friend Requests"] = "Kontaktanfragen"; +$a->strings["Notifications"] = "Benachrichtigungen"; +$a->strings["See all notifications"] = "Alle Benachrichtigungen anzeigen"; +$a->strings["Mark all system notifications seen"] = "Markiere alle Systembenachrichtigungen als gelesen"; +$a->strings["Private mail"] = "Private E-Mail"; +$a->strings["Inbox"] = "Eingang"; +$a->strings["Outbox"] = "Ausgang"; +$a->strings["Accounts"] = "Nutzerkonten"; +$a->strings["Manage other pages"] = "Andere Seiten verwalten"; +$a->strings["Settings"] = "Einstellungen"; +$a->strings["Account settings"] = "Kontoeinstellungen"; +$a->strings["Manage/edit friends and contacts"] = "Freunde und Kontakte verwalten/bearbeiten"; +$a->strings["Admin"] = "Administration"; +$a->strings["Site setup and configuration"] = "Einstellungen der Seite und Konfiguration"; +$a->strings["Navigation"] = "Navigation"; +$a->strings["Site map"] = "Sitemap"; +$a->strings["Embedding disabled"] = "Einbettungen deaktiviert"; +$a->strings["Embedded content"] = "Eingebetteter Inhalt"; +$a->strings["prev"] = "vorige"; +$a->strings["last"] = "letzte"; +$a->strings["Image/photo"] = "Bild/Foto"; +$a->strings["%2\$s %3\$s"] = "%2\$s%3\$s"; +$a->strings["link to source"] = "Link zum Originalbeitrag"; +$a->strings["Click to open/close"] = "Zum Öffnen/Schließen klicken"; +$a->strings["$1 wrote:"] = "$1 hat geschrieben:"; +$a->strings["Encrypted content"] = "Verschlüsselter Inhalt"; +$a->strings["Invalid source protocol"] = "Ungültiges Quell-Protokoll"; +$a->strings["Invalid link protocol"] = "Ungültiges Link-Protokoll"; +$a->strings["Loading more entries..."] = "lade weitere Einträge..."; +$a->strings["The end"] = "Das Ende"; +$a->strings["Follow"] = "Folge"; +$a->strings["Export"] = "Exportieren"; +$a->strings["Export calendar as ical"] = "Kalender als ical exportieren"; +$a->strings["Export calendar as csv"] = "Kalender als csv exportieren"; +$a->strings["No contacts"] = "Keine Kontakte"; +$a->strings["%d Contact"] = [ + 0 => "%d Kontakt", + 1 => "%d Kontakte", +]; +$a->strings["View Contacts"] = "Kontakte anzeigen"; +$a->strings["Remove term"] = "Begriff entfernen"; +$a->strings["Saved Searches"] = "Gespeicherte Suchen"; +$a->strings["Trending Tags (last %d hour)"] = [ + 0 => "Trending Tags (%d Stunde)", + 1 => "Trending Tags (%d Stunden)", +]; +$a->strings["More Trending Tags"] = "mehr Trending Tags"; +$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"; +$a->strings["Connect"] = "Verbinden"; +$a->strings["%d invitation available"] = [ + 0 => "%d Einladung verfügbar", + 1 => "%d Einladungen verfügbar", +]; +$a->strings["Find People"] = "Leute finden"; +$a->strings["Enter name or interest"] = "Name oder Interessen eingeben"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "Beispiel: Robert Morgenstein, Angeln"; +$a->strings["Find"] = "Finde"; +$a->strings["Similar Interests"] = "Ähnliche Interessen"; +$a->strings["Random Profile"] = "Zufälliges Profil"; +$a->strings["Invite Friends"] = "Freunde einladen"; +$a->strings["Global Directory"] = "Weltweites Verzeichnis"; +$a->strings["Local Directory"] = "Lokales Verzeichnis"; +$a->strings["Groups"] = "Gruppen"; +$a->strings["Everyone"] = "Jeder"; +$a->strings["Relationships"] = "Beziehungen"; +$a->strings["All Contacts"] = "Alle Kontakte"; +$a->strings["Protocols"] = "Protokolle"; +$a->strings["All Protocols"] = "Alle Protokolle"; +$a->strings["Saved Folders"] = "Gespeicherte Ordner"; +$a->strings["Everything"] = "Alles"; +$a->strings["Categories"] = "Kategorien"; +$a->strings["%d contact in common"] = [ + 0 => "%d gemeinsamer Kontakt", + 1 => "%d gemeinsame Kontakte", +]; +$a->strings["Archives"] = "Archiv"; +$a->strings["Persons"] = "Personen"; +$a->strings["Organisations"] = "Organisationen"; +$a->strings["News"] = "Nachrichten"; +$a->strings["All"] = "Alle"; +$a->strings["Yourself"] = "Du selbst"; $a->strings["Mutuals"] = "Beidseitige Freundschaft"; $a->strings["Post to Email"] = "An E-Mail senden"; $a->strings["Public"] = "Öffentlich"; @@ -814,6 +899,8 @@ $a->strings["iconv PHP module"] = "PHP iconv Modul"; $a->strings["Error: iconv PHP module required but not installed."] = "Fehler: Das iconv-Modul von PHP ist nicht installiert."; $a->strings["POSIX PHP module"] = "PHP POSIX Modul"; $a->strings["Error: POSIX PHP module required but not installed."] = "Fehler POSIX PHP Modul erforderlich, aber nicht installiert."; +$a->strings["Program execution functions"] = "Funktionen zur Programmausführung"; +$a->strings["Error: Program execution functions required but not enabled."] = "Fehler: Die Funktionen zur Ausführung des Programms müssen aktiviert sein."; $a->strings["JSON PHP module"] = "PHP JASON Modul"; $a->strings["Error: JSON PHP module required but not installed."] = "Fehler: Das JSON PHP Modul wird benötigt, ist aber nicht installiert."; $a->strings["File Information PHP module"] = "PHP Datei Informations-Modul"; @@ -885,6 +972,16 @@ $a->strings["finger"] = "befummeln"; $a->strings["fingered"] = "befummelte"; $a->strings["rebuff"] = "eine Abfuhr erteilen"; $a->strings["rebuffed"] = "abfuhrerteilte"; +$a->strings["Friendica can't display this page at the moment, please contact the administrator."] = "Friendica kann die Seite im Moment nicht darstellen. Bitte kontaktiere das Administratoren Team."; +$a->strings["template engine cannot be registered without a name."] = "Die Template Engine kann nicht ohne einen Namen registriert werden."; +$a->strings["template engine is not registered!"] = "Template Engine wurde nicht registriert!"; +$a->strings["Updates from version %s are not supported. Please update at least to version 2021.01 and wait until the postupdate finished version 1383."] = "Aktualisierungen von der Version %s werden nicht unterstützt. Bitte aktualisiere vorher auf die Version 2021.01 von Friendica und warte bis das Postupdate auf die Version 1383 abgeschlossen ist."; +$a->strings["Updates from postupdate version %s are not supported. Please update at least to version 2021.01 and wait until the postupdate finished version 1383."] = "Aktualisierungen von der Postupdate Version %s werden nicht unterstützt. Bitte aktualisiere zunächst auf die Friendica Version 2021.01 und warte bis das Postupdate 1383 abgeschlossen ist."; +$a->strings["Update %s failed. See error logs."] = "Update %s fehlgeschlagen. Bitte Fehlerprotokoll überprüfen."; +$a->strings["\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = "\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 [pre]%s[/pre]"; +$a->strings["[Friendica Notify] Database update"] = "[Friendica-Benachrichtigung]: Datenbank Update"; +$a->strings["\n\t\t\t\t\tThe friendica database was successfully updated from %s to %s."] = "\n \t\t\t\t\tDie Friendica Datenbank wurde erfolgreich von %s auf %s aktualisiert."; $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["User '%s' already exists on this server!"] = "Nutzer '%s' existiert bereits auf diesem Server!"; @@ -895,105 +992,15 @@ $a->strings["%d contact not imported"] = [ ]; $a->strings["User profile creation error"] = "Fehler beim Anlegen des Nutzer-Profils"; $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["Legacy module file not found: %s"] = "Legacy-Moduldatei nicht gefunden: %s"; -$a->strings["(no subject)"] = "(kein Betreff)"; -$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["This entry was edited"] = "Dieser Beitrag wurde bearbeitet."; -$a->strings["Private Message"] = "Private Nachricht"; -$a->strings["pinned item"] = "Angehefteter Beitrag"; -$a->strings["Delete locally"] = "Lokal löschen"; -$a->strings["Delete globally"] = "Global löschen"; -$a->strings["Remove locally"] = "Lokal entfernen"; -$a->strings["save to folder"] = "In Ordner speichern"; -$a->strings["I will attend"] = "Ich werde teilnehmen"; -$a->strings["I will not attend"] = "Ich werde nicht teilnehmen"; -$a->strings["I might attend"] = "Ich werde eventuell teilnehmen"; -$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["pin"] = "anheften"; -$a->strings["unpin"] = "losmachen"; -$a->strings["toggle pin status"] = "Angeheftet Status ändern"; -$a->strings["pinned"] = "angeheftet"; -$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["like"] = "mag ich"; -$a->strings["dislike"] = "mag ich nicht"; -$a->strings["Quote and share this"] = "Dies zitieren und teilen"; -$a->strings["Quote Share"] = "Zitat teilen"; -$a->strings["Share this"] = "Weitersagen"; -$a->strings["%s (Received %s)"] = "%s (Empfangen %s)"; -$a->strings["Comment this item on your system"] = "Kommentiere diesen Beitrag von deinem System aus"; -$a->strings["remote comment"] = "Entfernter Kommentar"; -$a->strings["Pushed"] = "Pushed"; -$a->strings["Pulled"] = "Pulled"; -$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["Reply to %s"] = "Antworte %s"; -$a->strings["More"] = "Mehr"; -$a->strings["Notifier task is pending"] = "Die Benachrichtigungsaufgabe ist ausstehend"; -$a->strings["Delivery to remote servers is pending"] = "Die Auslieferung an Remote-Server steht noch aus"; -$a->strings["Delivery to remote servers is underway"] = "Die Auslieferung an Remote-Server ist unterwegs"; -$a->strings["Delivery to remote servers is mostly done"] = "Die Zustellung an Remote-Server ist fast erledigt"; -$a->strings["Delivery to remote servers is done"] = "Die Zustellung an die Remote-Server ist erledigt"; -$a->strings["%d comment"] = [ - 0 => "%d Kommentar", - 1 => "%d Kommentare", -]; -$a->strings["Show more"] = "Zeige mehr"; -$a->strings["Show fewer"] = "Zeige weniger"; -$a->strings["comment"] = [ - 0 => "Kommentar", - 1 => "Kommentare", -]; -$a->strings["Could not find any unarchived contact entry for this URL (%s)"] = "Für die URL (%s) konnte kein nicht-archivierter Kontakt gefunden werden"; -$a->strings["The contact entries have been archived"] = "Die Kontakteinträge wurden archiviert."; -$a->strings["Could not find any contact entry for this URL (%s)"] = "Für die URL (%s) konnte kein Kontakt gefunden werden"; -$a->strings["The contact has been blocked from the node"] = "Der Kontakt wurde von diesem Knoten geblockt"; -$a->strings["Enter new password: "] = "Neues Passwort eingeben:"; -$a->strings["Enter user name: "] = "Nutzername angeben"; -$a->strings["Enter user nickname: "] = "Spitzname angeben:"; -$a->strings["Enter user email address: "] = "E-Mail Adresse angeben:"; -$a->strings["Enter a language (optional): "] = "Sprache angeben (optional):"; -$a->strings["User is not pending."] = "Benutzer wartet nicht."; -$a->strings["User has already been marked for deletion."] = "User wurde bereits zum Löschen ausgewählt"; -$a->strings["Type \"yes\" to delete %s"] = "\"yes\" eingeben um %s zu löschen"; -$a->strings["Deletion aborted."] = "Löschvorgang abgebrochen."; -$a->strings["Post update version number has been set to %s."] = "Die Post-Update-Versionsnummer wurde auf %s gesetzt."; -$a->strings["Check for pending update actions."] = "Überprüfe ausstehende Update-Aktionen"; -$a->strings["Done."] = "Erledigt."; -$a->strings["Execute pending post updates."] = "Ausstehende Post-Updates ausführen"; -$a->strings["All pending post updates are done."] = "Alle ausstehenden Post-Updates wurden ausgeführt."; -$a->strings["The folder view/smarty3/ must be writable by webserver."] = "Das Verzeichnis view/smarty3/ muss für den Web-Server beschreibbar sein."; -$a->strings["Hometown:"] = "Heimatort:"; -$a->strings["Marital Status:"] = "Familienstand:"; -$a->strings["With:"] = "Mit:"; -$a->strings["Since:"] = "Seit:"; -$a->strings["Sexual Preference:"] = "Sexuelle Vorlieben:"; -$a->strings["Political Views:"] = "Politische Ansichten:"; -$a->strings["Religious Views:"] = "Religiöse Ansichten:"; -$a->strings["Likes:"] = "Likes:"; -$a->strings["Dislikes:"] = "Dislikes:"; -$a->strings["Title/Description:"] = "Titel/Beschreibung:"; -$a->strings["Summary"] = "Zusammenfassung"; -$a->strings["Musical interests"] = "Musikalische Interessen"; -$a->strings["Books, literature"] = "Bücher, Literatur"; -$a->strings["Television"] = "Fernsehen"; -$a->strings["Film/dance/culture/entertainment"] = "Filme/Tänze/Kultur/Unterhaltung"; -$a->strings["Hobbies/Interests"] = "Hobbies/Interessen"; -$a->strings["Love/romance"] = "Liebe/Romantik"; -$a->strings["Work/employment"] = "Arbeit/Anstellung"; -$a->strings["School/education"] = "Schule/Ausbildung"; -$a->strings["Contact information and Social Networks"] = "Kontaktinformationen und Soziale Netzwerke"; -$a->strings["No system theme config value set."] = "Es wurde kein Konfigurationswert für das systemweite Theme gesetzt."; +$a->strings["The database version had been set to %s."] = "Die Datenbank Version wurde auf %s gesetzt."; +$a->strings["No unused tables found."] = "Keine Tabellen gefunden die nicht verwendet werden."; +$a->strings["These tables are not used for friendica and will be deleted when you execute \"dbstructure drop -e\":"] = "Diese Tabellen werden nicht von Friendica verwendet. Sie werden gelöscht, wenn du \"dbstructure drop -e\" ausführst."; +$a->strings["There are no tables on MyISAM or InnoDB with the Antelope file format."] = "Es gibt keine MyISAM oder InnoDB Tabellem mit dem Antelope Dateiformat."; +$a->strings["\nError %d occurred during database update:\n%s\n"] = "\nFehler %d beim Update der Datenbank aufgetreten\n%s\n"; +$a->strings["Errors encountered performing database changes: "] = "Fehler beim Ändern der Datenbank aufgetreten"; +$a->strings["Another database update is currently running."] = "Es läuft bereits ein anderes Datenbank Update"; +$a->strings["%s: Database update"] = "%s: Datenbank Aktualisierung"; +$a->strings["%s: updating %s table."] = "%s: aktualisiere Tabelle %s"; $a->strings["Record not found"] = "Eintrag nicht gefunden"; $a->strings["Friend Suggestion"] = "Kontaktvorschlag"; $a->strings["Friend/Connect Request"] = "Kontakt-/Freundschaftsanfrage"; @@ -1006,520 +1013,193 @@ $a->strings["%s is attending %s's event"] = "%s nimmt an %s's Event teil"; $a->strings["%s is not attending %s's event"] = "%s nimmt nicht an %s's Event teil"; $a->strings["%s may attending %s's event"] = "%s nimmt eventuell an %s's Veranstaltung teil"; $a->strings["%s is now friends with %s"] = "%s ist jetzt mit %s befreundet"; -$a->strings["Network Notifications"] = "Netzwerkbenachrichtigungen"; -$a->strings["System Notifications"] = "Systembenachrichtigungen"; -$a->strings["Personal Notifications"] = "Persönliche Benachrichtigungen"; -$a->strings["Home Notifications"] = "Pinnwandbenachrichtigungen"; -$a->strings["No more %s notifications."] = "Keine weiteren %s-Benachrichtigungen"; -$a->strings["Show unread"] = "Ungelesene anzeigen"; -$a->strings["Show all"] = "Alle anzeigen"; -$a->strings["You must be logged in to show this page."] = "Du musst eingeloggt sein damit diese Seite angezeigt werden kann."; -$a->strings["Notifications"] = "Benachrichtigungen"; -$a->strings["Show Ignored Requests"] = "Zeige ignorierte Anfragen"; -$a->strings["Hide Ignored Requests"] = "Verberge ignorierte Anfragen"; -$a->strings["Notification type:"] = "Art der Benachrichtigung:"; -$a->strings["Suggested by:"] = "Vorgeschlagen von:"; +$a->strings["Legacy module file not found: %s"] = "Legacy-Moduldatei nicht gefunden: %s"; +$a->strings["UnFollow"] = "Entfolgen"; +$a->strings["Drop Contact"] = "Kontakt löschen"; $a->strings["Approve"] = "Genehmigen"; -$a->strings["Claims to be known to you: "] = "Behauptet, dich zu kennen: "; -$a->strings["Shall your connection be bidirectional or not?"] = "Soll die Verbindung beidseitig sein oder nicht?"; -$a->strings["Accepting %s as a friend allows %s to subscribe to your posts, and you will also receive updates from them in your news feed."] = "Akzeptierst du %s als Kontakt, erlaubst du damit das Lesen deiner Beiträge und abonnierst selbst auch die Beiträge von %s."; -$a->strings["Accepting %s as a subscriber allows them to subscribe to your posts, but you will not receive updates from them in your news feed."] = "Wenn du %s als Abonnent akzeptierst, erlaubst du damit das Lesen deiner Beiträge, wirst aber selbst die Beiträge der anderen Seite nicht erhalten."; -$a->strings["Friend"] = "Kontakt"; -$a->strings["Subscriber"] = "Abonnent"; -$a->strings["About:"] = "Über:"; -$a->strings["Hide this contact from others"] = "Verbirg diesen Kontakt vor Anderen"; -$a->strings["Network:"] = "Netzwerk:"; -$a->strings["No introductions."] = "Keine Kontaktanfragen."; -$a->strings["A Decentralized Social Network"] = "Ein dezentrales Soziales Netzwerk"; -$a->strings["Logged out."] = "Abgemeldet."; -$a->strings["Invalid code, please retry."] = "Ungültiger Code, bitte erneut versuchen."; -$a->strings["Two-factor authentication"] = "Zwei-Faktor Authentifizierung"; -$a->strings["

Open the two-factor authentication app on your device to get an authentication code and verify your identity.

"] = "

Öffne die Zwei-Faktor-Authentifizierungs-App auf deinem Gerät, um einen Authentifizierungscode abzurufen und deine Identität zu überprüfen.

"; -$a->strings["Don’t have your phone? Enter a two-factor recovery code"] = "Hast du dein Handy nicht? Gib einen Zwei-Faktor-Wiederherstellungscode ein"; -$a->strings["Please enter a code from your authentication app"] = "Bitte gebe einen Code aus Ihrer Authentifizierungs-App ein"; -$a->strings["Verify code and complete login"] = "Code überprüfen und Anmeldung abschließen"; -$a->strings["Remaining recovery codes: %d"] = "Verbleibende Wiederherstellungscodes: %d"; -$a->strings["Two-factor recovery"] = "Zwei-Faktor-Wiederherstellung"; -$a->strings["

You can enter one of your one-time recovery codes in case you lost access to your mobile device.

"] = "Du kannst einen deiner einmaligen Wiederherstellungscodes eingeben, falls du den Zugriff auf dein Mobilgerät verloren hast.

"; -$a->strings["Please enter a recovery code"] = "Bitte gib einen Wiederherstellungscode ein"; -$a->strings["Submit recovery code and complete login"] = "Sende den Wiederherstellungscode und schließe die Anmeldung ab"; -$a->strings["Create a New Account"] = "Neues Konto erstellen"; -$a->strings["Register"] = "Registrieren"; -$a->strings["Your OpenID: "] = "Deine OpenID:"; -$a->strings["Please enter your username and password to add the OpenID to your existing account."] = "Bitte gib seinen Nutzernamen und das Passwort ein um die OpenID zu deinem bestehenden Nutzerkonto hinzufügen zu können."; -$a->strings["Or login using OpenID: "] = "Oder melde dich mit deiner OpenID an: "; -$a->strings["Logout"] = "Abmelden"; -$a->strings["Login"] = "Anmeldung"; -$a->strings["Password: "] = "Passwort: "; -$a->strings["Remember me"] = "Anmeldedaten merken"; -$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["OpenID protocol error. No ID returned"] = "OpenID Protokollfehler. Keine ID zurückgegeben."; -$a->strings["Account not found. Please login to your existing account to add the OpenID to it."] = "Nutzerkonto nicht gefunden. Bitte melde dich an und füge die OpenID zu deinem Konto hinzu."; -$a->strings["Account not found. Please register a new account or login to your existing account to add the OpenID to it."] = "Nutzerkonto nicht gefunden. Bitte registriere ein neues Konto oder melde dich mit einem existierendem Konto an um diene OpenID hinzuzufügen."; +$a->strings["Organisation"] = "Organisation"; +$a->strings["Forum"] = "Forum"; +$a->strings["Connect URL missing."] = "Connect-URL fehlt"; +$a->strings["The contact could not be added. Please check the relevant network credentials in your Settings -> Social Networks page."] = "Der Kontakt konnte nicht hinzugefügt werden. Bitte überprüfe die Einstellungen unter Einstellungen -> Soziale Netzwerke"; +$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 E-Mail-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["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."; -$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["Source input"] = "Originaltext:"; -$a->strings["BBCode::toPlaintext"] = "BBCode::toPlaintext"; -$a->strings["BBCode::convert (raw HTML)"] = "BBCode::convert (pures HTML)"; -$a->strings["BBCode::convert (hex)"] = "BBCode::convert (hex)"; -$a->strings["BBCode::convert"] = "BBCode::convert"; -$a->strings["BBCode::convert => HTML::toBBCode"] = "BBCode::convert => HTML::toBBCode"; -$a->strings["BBCode::toMarkdown"] = "BBCode::toMarkdown"; -$a->strings["BBCode::toMarkdown => Markdown::convert (raw HTML)"] = "BBCode::toMarkdown => Markdown::convert (rohes HTML)"; -$a->strings["BBCode::toMarkdown => Markdown::convert"] = "BBCode::toMarkdown => Markdown::convert"; -$a->strings["BBCode::toMarkdown => Markdown::toBBCode"] = "BBCode::toMarkdown => Markdown::toBBCode"; -$a->strings["BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"] = "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"; -$a->strings["Item Body"] = "Beitragskörper"; -$a->strings["Item Tags"] = "Tags des Beitrags"; -$a->strings["PageInfo::appendToBody"] = "PageInfo::appendToBody"; -$a->strings["PageInfo::appendToBody => BBCode::convert (raw HTML)"] = "PageInfo::appendToBody => BBCode::convert (pures HTML)"; -$a->strings["PageInfo::appendToBody => BBCode::convert"] = "PageInfo::appendToBody => BBCode::convert"; -$a->strings["Source input (Diaspora format)"] = "Originaltext (Diaspora Format): "; -$a->strings["Source input (Markdown)"] = "Originaltext (Markdown)"; -$a->strings["Markdown::convert (raw HTML)"] = "Markdown::convert (pures HTML)"; -$a->strings["Markdown::convert"] = "Markdown::convert"; -$a->strings["Markdown::toBBCode"] = "Markdown::toBBCode"; -$a->strings["Raw HTML input"] = "Reine HTML Eingabe"; -$a->strings["HTML Input"] = "HTML Eingabe"; -$a->strings["HTML Purified (raw)"] = "HTML Purified (raw)"; -$a->strings["HTML Purified (hex)"] = "HTML Purified (hex)"; -$a->strings["HTML Purified"] = "HTML Purified"; -$a->strings["HTML::toBBCode"] = "HTML::toBBCode"; -$a->strings["HTML::toBBCode => BBCode::convert"] = "HTML::toBBCode => BBCode::convert"; -$a->strings["HTML::toBBCode => BBCode::convert (raw HTML)"] = "HTML::toBBCode => BBCode::convert (pures HTML)"; -$a->strings["HTML::toBBCode => BBCode::toPlaintext"] = "HTML::toBBCode => BBCode::toPlaintext"; -$a->strings["HTML::toMarkdown"] = "HTML::toMarkdown"; -$a->strings["HTML::toPlaintext"] = "HTML::toPlaintext"; -$a->strings["HTML::toPlaintext (compact)"] = "HTML::toPlaintext (kompakt)"; -$a->strings["Decoded post"] = "Dekodierter Beitrag"; -$a->strings["Post array before expand entities"] = "Beiträgs Array bevor die Entitäten erweitert wurden."; -$a->strings["Post converted"] = "Konvertierter Beitrag"; -$a->strings["Converted body"] = "Konvertierter Beitragskörper"; -$a->strings["Twitter addon is absent from the addon/ folder."] = "Das Twitter-Addon konnte nicht im addpn/ Verzeichnis gefunden werden."; -$a->strings["Source text"] = "Quelltext"; -$a->strings["BBCode"] = "BBCode"; -$a->strings["Diaspora"] = "Diaspora"; -$a->strings["Markdown"] = "Markdown"; -$a->strings["HTML"] = "HTML"; -$a->strings["Twitter Source"] = "Twitter Quelle"; -$a->strings["Only logged in users are permitted to perform a probing."] = "Nur eingeloggten Benutzern ist das Untersuchen von Adressen gestattet."; -$a->strings["Formatted"] = "Formatiert"; -$a->strings["Source"] = "Quelle"; -$a->strings["Activity"] = "Aktivität"; -$a->strings["Object data"] = "Objekt Daten"; -$a->strings["Result Item"] = "Resultierender Eintrag"; -$a->strings["Source activity"] = "Quelle der Aktivität"; -$a->strings["You must be logged in to use this module"] = "Du musst eingeloggt sein, um dieses Modul benutzen zu können."; -$a->strings["Source URL"] = "URL der Quelle"; -$a->strings["Lookup address"] = "Adresse nachschlagen"; -$a->strings["Common contact (%s)"] = [ - 0 => "Gemeinsamer Kontakt (%s)", - 1 => "Gemeinsame Kontakte (%s)", +$a->strings["Starts:"] = "Beginnt:"; +$a->strings["Finishes:"] = "Endet:"; +$a->strings["all-day"] = "ganztägig"; +$a->strings["Sept"] = "Sep"; +$a->strings["No events to display"] = "Keine Veranstaltung zum Anzeigen"; +$a->strings["l, F j"] = "l, F j"; +$a->strings["Edit event"] = "Veranstaltung bearbeiten"; +$a->strings["Duplicate event"] = "Veranstaltung kopieren"; +$a->strings["Delete event"] = "Veranstaltung löschen"; +$a->strings["D g:i A"] = "D H:i"; +$a->strings["g:i A"] = "H:i"; +$a->strings["Show map"] = "Karte anzeigen"; +$a->strings["Hide map"] = "Karte verbergen"; +$a->strings["%s's birthday"] = "%ss Geburtstag"; +$a->strings["Happy Birthday %s"] = "Herzlichen Glückwunsch, %s"; +$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "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["add"] = "hinzufügen"; +$a->strings["Edit group"] = "Gruppe bearbeiten"; +$a->strings["Contacts not in any group"] = "Kontakte in keiner Gruppe"; +$a->strings["Create a new group"] = "Neue Gruppe erstellen"; +$a->strings["Group Name: "] = "Gruppenname:"; +$a->strings["Edit groups"] = "Gruppen bearbeiten"; +$a->strings["Detected languages in this post:\\n%s"] = "Erkannte Sprachen in diesem Beitrag:\\n%s"; +$a->strings["activity"] = "Aktivität"; +$a->strings["comment"] = [ + 0 => "Kommentar", + 1 => "Kommentare", ]; -$a->strings["Both %s and yourself have publicly interacted with these contacts (follow, comment or likes on public posts)."] = "Du und %s haben mit diesen Kontakten öffentlich interagiert (Folgen, Kommentare und Likes in öffentlichen Beiträgen)"; -$a->strings["No common contacts."] = "Keine gemeinsamen Kontakte."; -$a->strings["%s's timeline"] = "Timeline von %s"; -$a->strings["%s's posts"] = "Beiträge von %s"; -$a->strings["%s's comments"] = "Kommentare von %s"; -$a->strings["Follower (%s)"] = [ - 0 => "Folgende (%s)", - 1 => "Folgende (%s)", -]; -$a->strings["Following (%s)"] = [ - 0 => "Gefolgte (%s)", - 1 => "Gefolgte (%s)", -]; -$a->strings["Mutual friend (%s)"] = [ - 0 => "Beidseitige Freundschafte (%s)", - 1 => "Beidseitige Freundschaften (%s)", -]; -$a->strings["These contacts both follow and are followed by %s."] = "Diese Kontakte sind sowohl Folgende als auch Gefolgte von %s."; -$a->strings["Contact (%s)"] = [ - 0 => "Kontakt (%s)", - 1 => "Kontakte (%s)", -]; -$a->strings["No contacts."] = "Keine Kontakte."; -$a->strings["You're currently viewing your profile as %s Cancel"] = "Du betrachtest dein Profil gerade als %s Abbrechen"; -$a->strings["Member since:"] = "Mitglied seit:"; -$a->strings["j F, Y"] = "j F, Y"; -$a->strings["j F"] = "j F"; -$a->strings["Birthday:"] = "Geburtstag:"; -$a->strings["Age: "] = "Alter: "; -$a->strings["%d year old"] = [ - 0 => "%d Jahr alt", - 1 => "%d Jahre alt", -]; -$a->strings["XMPP:"] = "XMPP:"; -$a->strings["Homepage:"] = "Homepage:"; -$a->strings["Forums:"] = "Foren:"; -$a->strings["View profile as:"] = "Das Profil aus der Sicht von jemandem anderen betrachten:"; +$a->strings["post"] = "Beitrag"; +$a->strings["Content warning: %s"] = "Inhaltswarnung: %s"; +$a->strings["bytes"] = "Byte"; +$a->strings["View on separate page"] = "Auf separater Seite ansehen"; +$a->strings["view on separate page"] = "auf separater Seite ansehen"; +$a->strings["[no subject]"] = "[kein Betreff]"; $a->strings["Edit profile"] = "Profil bearbeiten"; -$a->strings["View as"] = "Betrachten als"; -$a->strings["Only parent users can create additional accounts."] = "Zusätzliche Nutzerkonten können nur von Verwaltern angelegt werden."; -$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["Note for the admin"] = "Hinweis für den Admin"; -$a->strings["Leave a message for the admin, why you want to join this node"] = "Hinterlasse eine Nachricht an den Admin, warum du einen Account auf dieser Instanz haben möchtest."; -$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 code: "] = "Dein Ein­la­dungs­code"; -$a->strings["Registration"] = "Registrierung"; -$a->strings["Your Full Name (e.g. Joe Smith, real or real-looking): "] = "Dein vollständiger Name (z.B. Hans Mustermann, echt oder echt erscheinend):"; -$a->strings["Your Email Address: (Initial information will be send there, so this has to be an existing address.)"] = "Deine E-Mail Adresse (Informationen zur Registrierung werden an diese Adresse gesendet, darum muss sie existieren.)"; -$a->strings["Please repeat your e-mail address:"] = "Bitte wiederhole deine E-Mail Adresse"; -$a->strings["Leave empty for an auto generated password."] = "Leer lassen, um das Passwort automatisch zu generieren."; -$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be \"nickname@%s\"."] = "Wähle einen Spitznamen für dein Profil. Dieser muss mit einem Buchstaben beginnen. Die Adresse deines Profils auf dieser Seite wird 'spitzname@%s' sein."; -$a->strings["Choose a nickname: "] = "Spitznamen wählen: "; -$a->strings["Import your profile to this friendica instance"] = "Importiere dein Profil auf diese Friendica-Instanz"; -$a->strings["Terms of Service"] = "Nutzungsbedingungen"; -$a->strings["Note: This node explicitly contains adult content"] = "Hinweis: Dieser Knoten enthält explizit Inhalte für Erwachsene"; -$a->strings["Parent Password:"] = "Passwort des Verwalters"; -$a->strings["Please enter the password of the parent account to legitimize your request."] = "Bitte gib das Passwort des Verwalters ein, um deine Anfrage zu bestätigen."; -$a->strings["Password doesn't match."] = "Das Passwort stimmt nicht."; -$a->strings["Please enter your password."] = "Bitte gib dein Passwort an."; -$a->strings["You have entered too much information."] = "Du hast zu viele Informationen eingegeben."; -$a->strings["Please enter the identical mail address in the second field."] = "Bitte gib die gleiche E-Mail Adresse noch einmal an."; -$a->strings["The additional account was created."] = "Das zusätzliche Nutzerkonto wurde angelegt."; -$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["Registration successful."] = "Registrierung erfolgreich."; -$a->strings["Your registration can not be processed."] = "Deine Registrierung konnte nicht verarbeitet werden."; -$a->strings["You have to leave a request note for the admin."] = "Du musst eine Nachricht für den Administrator als Begründung deiner Anfrage hinterlegen."; -$a->strings["Your registration is pending approval by the site owner."] = "Deine Registrierung muss noch vom Betreiber der Seite freigegeben werden."; -$a->strings["Bad Request"] = "Ungültige Anfrage"; -$a->strings["Unauthorized"] = "Nicht autorisiert"; -$a->strings["Forbidden"] = "Verboten"; -$a->strings["Not Found"] = "Nicht gefunden"; -$a->strings["Internal Server Error"] = "Interner Serverfehler"; -$a->strings["Service Unavailable"] = "Dienst nicht verfügbar"; -$a->strings["The server cannot or will not process the request due to an apparent client error."] = "Aufgrund eines offensichtlichen Fehlers auf der Seite des Clients kann oder wird der Server die Anfrage nicht bearbeiten."; -$a->strings["Authentication is required and has failed or has not yet been provided."] = "Die erforderliche Authentifizierung ist fehlgeschlagen oder noch nicht erfolgt."; -$a->strings["The request was valid, but the server is refusing action. The user might not have the necessary permissions for a resource, or may need an account."] = "Die Anfrage war gültig, aber der Server verweigert die Ausführung. Der Benutzer verfügt möglicherweise nicht über die erforderlichen Berechtigungen oder benötigt ein Nutzerkonto."; -$a->strings["The requested resource could not be found but may be available in the future."] = "Die angeforderte Ressource konnte nicht gefunden werden, sie könnte allerdings zu einem späteren Zeitpunkt verfügbar sein."; -$a->strings["An unexpected condition was encountered and no more specific message is suitable."] = "Eine unerwartete Situation ist eingetreten, zu der keine detailliertere Nachricht vorliegt."; -$a->strings["The server is currently unavailable (because it is overloaded or down for maintenance). Please try again later."] = "Der Server ist derzeit nicht verfügbar (wegen Überlastung oder Wartungsarbeiten). Bitte versuche es später noch einmal."; -$a->strings["Go back"] = "Geh zurück"; -$a->strings["Welcome to %s"] = "Willkommen zu %s"; -$a->strings["Suggested contact not found."] = "Vorgeschlagener Kontakt wurde nicht gefunden."; -$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["Credits"] = "Credits"; -$a->strings["Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!"] = "Friendica ist ein Gemeinschaftsprojekt, das nicht ohne die Hilfe vieler Personen möglich wäre. Hier ist eine Aufzählung der Personen, die zum Code oder der Übersetzung beigetragen haben. Dank an alle !"; -$a->strings["Friendica Communications Server - Setup"] = "Friendica Komunikationsserver - Installation"; -$a->strings["System check"] = "Systemtest"; -$a->strings["Requirement not satisfied"] = "Anforderung ist nicht erfüllt"; -$a->strings["Optional requirement not satisfied"] = "Optionale Anforderung ist nicht erfüllt"; -$a->strings["OK"] = "Ok"; -$a->strings["Check again"] = "Noch einmal testen"; -$a->strings["No SSL policy, links will track page SSL state"] = "Keine SSL-Richtlinie, Links werden das verwendete Protokoll beibehalten"; -$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["Base settings"] = "Grundeinstellungen"; -$a->strings["SSL link policy"] = "Regeln für SSL Links"; -$a->strings["Determines whether generated links should be forced to use SSL"] = "Bestimmt, ob generierte Links SSL verwenden müssen"; -$a->strings["Host name"] = "Host Name"; -$a->strings["Overwrite this field in case the determinated hostname isn't right, otherweise leave it as is."] = "Sollte der ermittelte Hostname nicht stimmen, korrigiere bitte den Eintrag."; -$a->strings["Base path to installation"] = "Basis-Pfad zur Installation"; -$a->strings["If the system cannot detect the correct path to your installation, enter the correct path here. This setting should only be set if you are using a restricted system and symbolic links to your webroot."] = "Falls das System nicht den korrekten Pfad zu deiner Installation gefunden hat, gib den richtigen Pfad bitte hier ein. Du solltest hier den Pfad nur auf einem eingeschränkten System angeben müssen, bei dem du mit symbolischen Links auf dein Webverzeichnis verweist."; -$a->strings["Sub path of the URL"] = "Unterverzeichnis (Pfad) der URL"; -$a->strings["Overwrite this field in case the sub path determination isn't right, otherwise leave it as is. Leaving this field blank means the installation is at the base URL without sub path."] = "Sollte das ermittelte Unterverzeichnis der Friendica Installation nicht stimmen, korrigiere es bitte. Wenn dieses Feld leer ist, bedeutet dies, dass die Installation direkt unter der Basis-URL installiert wird."; -$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["For security reasons the password must not be empty"] = "Aus Sicherheitsgründen darf das Passwort nicht leer sein."; -$a->strings["Database Name"] = "Datenbank-Name"; -$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["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["System Language:"] = "Systemsprache:"; -$a->strings["Set the default language for your Friendica installation interface and to send emails."] = "Wähle die Standardsprache für deine Friendica-Installations-Oberfläche und den E-Mail-Versand"; -$a->strings["Your Friendica site database has been installed."] = "Die Datenbank Deiner Friendica-Seite wurde installiert."; -$a->strings["Installation finished"] = "Installation abgeschlossen"; -$a->strings["

What next

"] = "

Wie geht es weiter?

"; -$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the worker."] = "Wichtig: du musst [manuell] einen Cronjob (o.ä.) für den Worker einrichten."; -$a->strings["Please see the file \"INSTALL.txt\"."] = "Lies bitte die \"INSTALL.txt\"."; -$a->strings["Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."] = "Du solltest nun die Seite zur Nutzerregistrierung deiner neuen Friendica Instanz besuchen und einen neuen Nutzer einrichten. Bitte denke daran, dieselbe E-Mail Adresse anzugeben, die du auch als Administrator-E-Mail angegeben hast, damit du das Admin-Panel verwenden kannst."; -$a->strings["- select -"] = "- auswählen -"; -$a->strings["Item was not removed"] = "Item wurde nicht entfernt"; -$a->strings["Item was not deleted"] = "Item wurde nicht gelöscht"; -$a->strings["Wrong type \"%s\", expected one of: %s"] = "Falscher Typ \"%s\", hatte einen der Folgenden erwartet: %s"; -$a->strings["Model not found"] = "Model nicht gefunden"; -$a->strings["Remote privacy information not available."] = "Entfernte Privatsphäreneinstellungen nicht verfügbar."; -$a->strings["Visible to:"] = "Sichtbar für:"; -$a->strings["Switch between your accounts"] = "Wechsle deine Konten"; -$a->strings["Manage your accounts"] = "Verwalte deine Konten"; -$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["Local Community"] = "Lokale Gemeinschaft"; -$a->strings["Posts from local users on this server"] = "Beiträge von Nutzern dieses Servers"; -$a->strings["Global Community"] = "Globale Gemeinschaft"; -$a->strings["Posts from users of the whole federated network"] = "Beiträge von Nutzern des gesamten föderalen Netzwerks"; -$a->strings["Own Contacts"] = "Eigene Kontakte"; -$a->strings["Include"] = "Einschließen"; -$a->strings["Hide"] = "Verbergen"; -$a->strings["No results."] = "Keine Ergebnisse."; -$a->strings["This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."] = "Diese Gemeinschaftsseite zeigt alle öffentlichen Beiträge, die auf diesem Knoten eingegangen sind. Der Inhalt entspricht nicht zwingend der Meinung der Nutzer dieses Servers."; -$a->strings["Community option not available."] = "Optionen für die Gemeinschaftsseite nicht verfügbar."; -$a->strings["Not available."] = "Nicht verfügbar."; -$a->strings["No such group"] = "Es gibt keine solche Gruppe"; -$a->strings["Group: %s"] = "Gruppe: %s"; -$a->strings["Invalid contact."] = "Ungültiger Kontakt."; -$a->strings["Latest Activity"] = "Neueste Aktivität"; -$a->strings["Sort by latest activity"] = "Sortiere nach neueste Aktivität"; -$a->strings["Latest Posts"] = "Neueste Beiträge"; -$a->strings["Sort by post received date"] = "Nach Empfangsdatum der Beiträge sortiert"; -$a->strings["Personal"] = "Persönlich"; -$a->strings["Posts that mention or involve you"] = "Beiträge, in denen es um dich geht"; -$a->strings["Starred"] = "Markierte"; -$a->strings["Favourite Posts"] = "Favorisierte Beiträge"; -$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["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 Kontakte mit anderen im Friendica Netzwerk zu knüpfen.."; -$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 Kontakte und potentiellen Kontakte wissen genau, wie sie dich finden können."; -$a->strings["Upload Profile Photo"] = "Profilbild hochladen"; -$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."] = "Lade ein Profilbild hoch, falls du es noch nicht getan hast. Studien haben gezeigt, dass es zehnmal wahrscheinlicher ist, neue Kontakte zu finden, wenn du ein Bild von dir selbst verwendest, als wenn du dies nicht tust."; -$a->strings["Edit Your Profile"] = "Editiere dein 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."] = "Editiere dein Standard-Profil nach deinen Vorlieben. Überprüfe die Einstellungen zum Verbergen deiner Kontaktliste vor unbekannten Betrachtern des Profils."; -$a->strings["Profile Keywords"] = "Profil-Schlüsselbegriffe"; -$a->strings["Set some public keywords for your profile which describe your interests. We may be able to find other people with similar interests and suggest friendships."] = "Trage ein paar öffentliche Stichwörter in dein Profil ein, die deine Interessen beschreiben. Eventuell sind wir in der Lage Leute zu finden, die deine Interessen teilen und können dir dann Kontakte vorschlagen."; -$a->strings["Connecting"] = "Verbindungen knüpfen"; -$a->strings["Importing Emails"] = "Emails Importieren"; -$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"] = "Gib deine E-Mail-Zugangsinformationen auf der Connector-Einstellungsseite ein, falls du E-Mails aus Deinem Posteingang importieren und mit Kontakten und Mailinglisten interagieren willst."; -$a->strings["Go to Your Contacts Page"] = "Gehe zu deiner Kontakt-Seite"; -$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."] = "Die Kontakte-Seite ist die Einstiegsseite, von der aus du Kontakte verwalten und dich mit Personen in anderen Netzwerken verbinden kannst. Normalerweise gibst du dazu einfach ihre Adresse oder die URL der Seite im Kasten Neuen Kontakt hinzufügen ein."; -$a->strings["Go to Your Site's Directory"] = "Gehe zum Verzeichnis Deiner Friendica-Instanz"; -$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."] = "Über die Verzeichnisseite kannst du andere Personen auf diesem Server oder anderen, verknüpften Seiten finden. Halte nach einem Verbinden- oder Folgen-Link auf deren Profilseiten Ausschau und gib deine eigene Profiladresse an, falls du danach gefragt wirst."; -$a->strings["Finding New People"] = "Neue Leute kennenlernen"; -$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."] = "Im seitlichen Bedienfeld der Kontakteseite gibt es diverse Werkzeuge, um neue Personen zu finden. Wir können Menschen mit den gleichen Interessen finden, anhand von Namen oder Interessen suchen oder aber aufgrund vorhandener Kontakte neue Leute vorschlagen.\nAuf einer brandneuen - soeben erstellten - Seite starten die Kontaktvorschläge innerhalb von 24 Stunden."; -$a->strings["Groups"] = "Gruppen"; -$a->strings["Group Your Contacts"] = "Gruppiere deine Kontakte"; -$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."] = "Sobald du einige Kontakte gefunden hast, organisiere sie in Gruppen zur privaten Kommunikation im Seitenmenü der Kontakte-Seite. Du kannst dann mit jeder dieser Gruppen von der Netzwerkseite aus privat interagieren."; -$a->strings["Why Aren't My Posts Public?"] = "Warum sind meine Beiträge nicht öffentlich?"; -$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 respektiert Deine Privatsphäre. Mit der Grundeinstellung werden Deine Beiträge ausschließlich Deinen Kontakten angezeigt. Für weitere Informationen diesbezüglich lies dir bitte den entsprechenden Abschnitt in der Hilfe unter dem obigen Link durch."; -$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 anderen Programm-Features zu erhalten."; -$a->strings["This page is missing a url parameter."] = "Der Seite fehlt ein URL Parameter."; -$a->strings["The post was created"] = "Der Beitrag wurde angelegt"; -$a->strings["You don't have access to administration pages."] = "Du hast keinen Zugriff auf die Administrationsseiten."; -$a->strings["Submanaged account can't access the administration pages. Please log back in as the main account."] = "Verwaltete Benutzerkonten haben keinen Zugriff auf die Administrationsseiten. Bitte wechsle wieder zurück auf das Administrator Konto."; -$a->strings["Information"] = "Information"; -$a->strings["Overview"] = "Übersicht"; -$a->strings["Federation Statistics"] = "Föderation Statistik"; -$a->strings["Configuration"] = "Konfiguration"; -$a->strings["Site"] = "Seite"; -$a->strings["Users"] = "Nutzer"; -$a->strings["Addons"] = "Addons"; -$a->strings["Themes"] = "Themen"; -$a->strings["Additional features"] = "Zusätzliche Features"; -$a->strings["Database"] = "Datenbank"; -$a->strings["DB updates"] = "DB Updates"; -$a->strings["Inspect Deferred Workers"] = "Verzögerte Worker inspizieren"; -$a->strings["Inspect worker Queue"] = "Worker Warteschlange inspizieren"; -$a->strings["Tools"] = "Werkzeuge"; -$a->strings["Contact Blocklist"] = "Kontakt Blockliste"; -$a->strings["Server Blocklist"] = "Server Blockliste"; -$a->strings["Delete Item"] = "Eintrag löschen"; -$a->strings["Logs"] = "Protokolle"; -$a->strings["View Logs"] = "Protokolle anzeigen"; -$a->strings["Diagnostics"] = "Diagnostik"; -$a->strings["PHP Info"] = "PHP-Info"; -$a->strings["probe address"] = "Adresse untersuchen"; -$a->strings["check webfinger"] = "Webfinger überprüfen"; -$a->strings["Item Source"] = "Beitrags Quelle"; -$a->strings["Babel"] = "Babel"; -$a->strings["ActivityPub Conversion"] = "Umwandlung nach ActivityPub"; -$a->strings["Admin"] = "Administration"; -$a->strings["Addon Features"] = "Addon Features"; -$a->strings["User registrations waiting for confirmation"] = "Nutzeranmeldungen, die auf Bestätigung warten"; -$a->strings["%d contact edited."] = [ - 0 => "%d Kontakt bearbeitet.", - 1 => "%d Kontakte bearbeitet.", -]; -$a->strings["Could not access contact record."] = "Konnte nicht auf die Kontaktdaten zugreifen."; -$a->strings["Follow"] = "Folge"; +$a->strings["Change profile photo"] = "Profilbild ändern"; +$a->strings["Homepage:"] = "Homepage:"; +$a->strings["About:"] = "Über:"; +$a->strings["XMPP:"] = "XMPP:"; $a->strings["Unfollow"] = "Entfolgen"; -$a->strings["Contact not found"] = "Kontakt nicht gefunden"; -$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["Drop contact"] = "Kontakt löschen"; -$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["Never"] = "Niemals"; -$a->strings["(Update was not successful)"] = "(Aktualisierung war nicht erfolgreich)"; -$a->strings["(Update was successful)"] = "(Aktualisierung war erfolgreich)"; -$a->strings["Suggest friends"] = "Kontakte vorschlagen"; -$a->strings["Network type: %s"] = "Netzwerktyp: %s"; -$a->strings["Communications lost with this contact!"] = "Verbindungen mit diesem Kontakt verloren!"; -$a->strings["Fetch further information for feeds"] = "Weitere Informationen zu Feeds holen"; -$a->strings["Fetch information like preview pictures, title and teaser from the feed item. You can activate this if the feed doesn't contain much text. Keywords are taken from the meta header in the feed item and are posted as hash tags."] = "Zusätzliche Informationen wie Vorschaubilder, Titel und Zusammenfassungen vom Feed-Eintrag laden. Du kannst diese Option aktivieren, wenn der Feed nicht allzu viel Text beinhaltet. Schlagwörter werden aus den Meta-Informationen des Feed-Headers bezogen und als Hash-Tags verwendet."; -$a->strings["Disabled"] = "Deaktiviert"; -$a->strings["Fetch information"] = "Beziehe Information"; -$a->strings["Fetch keywords"] = "Schlüsselwörter abrufen"; -$a->strings["Fetch information and keywords"] = "Beziehe Information und Schlüsselworte"; -$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["Native reshare"] = "Natives Teilen"; -$a->strings["Contact Information / Notes"] = "Kontakt-Informationen / -Notizen"; -$a->strings["Contact Settings"] = "Kontakteinstellungen"; -$a->strings["Contact"] = "Kontakt"; -$a->strings["Their personal note"] = "Die persönliche Mitteilung"; -$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["View conversations"] = "Unterhaltungen anzeigen"; -$a->strings["Last update:"] = "Letzte Aktualisierung: "; -$a->strings["Update public posts"] = "Öffentliche Beiträge aktualisieren"; -$a->strings["Update now"] = "Jetzt aktualisieren"; -$a->strings["Unblock"] = "Entsperren"; -$a->strings["Unignore"] = "Ignorieren aufheben"; -$a->strings["Currently blocked"] = "Derzeit geblockt"; -$a->strings["Currently ignored"] = "Derzeit ignoriert"; -$a->strings["Currently archived"] = "Momentan archiviert"; -$a->strings["Awaiting connection acknowledge"] = "Bedarf der Bestätigung des Kontakts"; -$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["Keyword Deny List"] = "Liste der gesperrten Schlüsselwörter"; -$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["Actions"] = "Aktionen"; -$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 (spiegeln)."; -$a->strings["All Contacts"] = "Alle Kontakte"; -$a->strings["Show all contacts"] = "Alle Kontakte anzeigen"; -$a->strings["Pending"] = "Ausstehend"; -$a->strings["Only show pending contacts"] = "Zeige nur noch ausstehende Kontakte."; -$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["Organize your contact groups"] = "Verwalte deine Kontaktgruppen"; -$a->strings["Following"] = "Gefolgte"; -$a->strings["Mutual friends"] = "Beidseitige Freundschaft"; -$a->strings["Search your contacts"] = "Suche in deinen Kontakten"; -$a->strings["Results for: %s"] = "Ergebnisse für: %s"; -$a->strings["Archive"] = "Archivieren"; -$a->strings["Unarchive"] = "Aus Archiv zurückholen"; -$a->strings["Batch Actions"] = "Stapelverarbeitung"; -$a->strings["Conversations started by this contact"] = "Unterhaltungen, die von diesem Kontakt begonnen wurden"; -$a->strings["Posts and Comments"] = "Statusnachrichten und Kommentare"; -$a->strings["Profile Details"] = "Profildetails"; -$a->strings["View all known contacts"] = "Alle bekannten Kontakte anzeigen"; -$a->strings["Advanced Contact Settings"] = "Fortgeschrittene Kontakteinstellungen"; -$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["Pending outgoing contact request"] = "Ausstehende ausgehende Kontaktanfrage"; -$a->strings["Pending incoming contact request"] = "Ausstehende eingehende Kontaktanfrage"; -$a->strings["Refetch contact data"] = "Kontaktdaten neu laden"; -$a->strings["Toggle Blocked status"] = "Geblockt-Status ein-/ausschalten"; -$a->strings["Toggle Ignored status"] = "Ignoriert-Status ein-/ausschalten"; -$a->strings["Toggle Archive status"] = "Archiviert-Status ein-/ausschalten"; -$a->strings["Delete contact"] = "Lösche den Kontakt"; -$a->strings["At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication."] = "Zum Zwecke der Registrierung und um die Kommunikation zwischen dem Nutzer und seinen Kontakten zu gewährleisten, muß der Nutzer einen Namen (auch Pseudonym) und einen Nutzernamen (Spitzname) sowie eine funktionierende E-Mail-Adresse angeben. Der Name ist auf der Profilseite für alle Nutzer sichtbar, auch wenn die Profildetails nicht angezeigt werden.\nDie E-Mail-Adresse wird nur zur Benachrichtigung des Nutzers verwendet, sie wird nirgends angezeigt. Die Anzeige des Nutzerkontos im Server-Verzeichnis bzw. dem weltweiten Verzeichnis erfolgt gemäß den Einstellungen des Nutzers, sie ist zur Kommunikation nicht zwingend notwendig."; -$a->strings["This data is required for communication and is passed on to the nodes of the communication partners and is stored there. Users can enter additional private data that may be transmitted to the communication partners accounts."] = "Diese Daten sind für die Kommunikation notwendig und werden an die Knoten der Kommunikationspartner übermittelt und dort gespeichert. Nutzer können weitere, private Angaben machen, die ebenfalls an die verwendeten Server der Kommunikationspartner übermittelt werden können."; -$a->strings["At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent. Deletion of the data will also be requested from the nodes of the communication partners."] = "Angemeldete Nutzer können ihre Nutzerdaten jederzeit von den Kontoeinstellungen aus exportieren. Wenn ein Nutzer wünscht das Nutzerkonto zu löschen, so ist dies jederzeit unter %1\$s/removeme möglich. Die Löschung des Nutzerkontos ist permanent. Die Löschung der Daten wird auch von den Knoten der Kommunikationspartner angefordert."; -$a->strings["Privacy Statement"] = "Datenschutzerklärung"; -$a->strings["Help:"] = "Hilfe:"; -$a->strings["Method Not Allowed."] = "Methode nicht erlaubt."; -$a->strings["Profile not found"] = "Profil wurde nicht gefunden"; -$a->strings["API endpoint \"%s\" is not implemented"] = "API endpoint \"%s\" is not implemented"; -$a->strings["The API endpoint is currently not implemented but might be in the future."] = "The API endpoint is currently not implemented but might be in the future."; -$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."] = [ - 0 => "%d Nachricht gesendet.", - 1 => "%d Nachrichten gesendet.", +$a->strings["Atom feed"] = "Atom-Feed"; +$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["Upcoming events the next 7 days:"] = "Veranstaltungen der nächsten 7 Tage:"; +$a->strings["OpenWebAuth: %1\$s welcomes %2\$s"] = "OpenWebAuth: %1\$s heißt %2\$s herzlich willkommen"; +$a->strings["Database storage failed to update %s"] = "Datenbankspeicher konnte nicht aktualisiert werden %s"; +$a->strings["Database storage failed to insert data"] = "Der Datenbankspeicher konnte keine Daten einfügen"; +$a->strings["Filesystem storage failed to create \"%s\". Check you write permissions."] = "Dateisystemspeicher konnte nicht erstellt werden \"%s\". Überprüfe, ob du Schreibberechtigungen hast."; +$a->strings["Filesystem storage failed to save data to \"%s\". Check your write permissions"] = "Der Dateisystemspeicher konnte die Daten nicht in \"%s\" speichern. Überprüfe Deine Schreibberechtigungen"; +$a->strings["Storage base path"] = "Dateipfad zum Speicher"; +$a->strings["Folder where uploaded files are saved. For maximum security, This should be a path outside web server folder tree"] = "Verzeichnis, in das Dateien hochgeladen werden. Für maximale Sicherheit sollte dies ein Pfad außerhalb der Webserver-Verzeichnisstruktur sein"; +$a->strings["Enter a valid existing folder"] = "Gib einen gültigen, existierenden Ordner ein"; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "FATALER FEHLER: Sicherheitsschlüssel konnten nicht erzeugt werden."; +$a->strings["Login failed"] = "Anmeldung fehlgeschlagen"; +$a->strings["Not enough information to authenticate"] = "Nicht genügend Informationen für die Authentifizierung"; +$a->strings["Password can't be empty"] = "Das Passwort kann nicht leer sein"; +$a->strings["Empty passwords are not allowed."] = "Leere Passwörter sind nicht erlaubt."; +$a->strings["The new password has been exposed in a public data dump, please choose another."] = "Das neue Passwort wurde in einem öffentlichen Daten-Dump veröffentlicht. Bitte verwende ein anderes Passwort."; +$a->strings["The password can't contain accentuated letters, white spaces or colons (:)"] = "Das Passwort darf keine akzentuierten Buchstaben, Leerzeichen oder Doppelpunkte (:) beinhalten"; +$a->strings["Passwords do not match. Password unchanged."] = "Die Passwörter stimmen nicht überein. Das Passwort bleibt unverändert."; +$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["system.username_min_length (%s) and system.username_max_length (%s) are excluding each other, swapping values."] = "system.username_min_length (%s) and system.username_max_length (%s) schließen sich gegenseitig aus, tausche Werte aus."; +$a->strings["Username should be at least %s character."] = [ + 0 => "Der Benutzername sollte aus mindestens %s Zeichen bestehen.", + 1 => "Der Benutzername sollte aus mindestens %s Zeichen bestehen.", ]; -$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["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."] = "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."; -$a->strings["To accept this invitation, please visit and register at %s."] = "Um diese Kontaktanfrage zu akzeptieren, besuche und registriere dich bitte bei %s."; -$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://friendi.ca"] = "Für weitere Informationen über das Friendica-Projekt und warum wir es für ein wichtiges Projekt halten, besuche bitte http://friendi.ca."; -$a->strings["People Search - %s"] = "Personensuche - %s"; -$a->strings["Forum Search - %s"] = "Forensuche - %s"; +$a->strings["Username should be at most %s character."] = [ + 0 => "Der Benutzername sollte aus maximal %s Zeichen bestehen.", + 1 => "Der Benutzername sollte aus maximal %s Zeichen bestehen.", +]; +$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["The nickname was blocked from registration by the nodes admin."] = "Der Admin des Knotens hat den Spitznamen für die Registrierung gesperrt."; +$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 _."] = "Dein Spitzname darf nur aus Buchstaben und Zahlen (\"a-z\",\"0-9\" und \"_\") bestehen."; +$a->strings["Nickname is already registered. Please choose another."] = "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen."; +$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["An error occurred creating your self contact. Please try again."] = "Bei der Erstellung deines self-Kontakts ist ein Fehler aufgetreten. Bitte versuche es erneut."; +$a->strings["Friends"] = "Kontakte"; +$a->strings["An error occurred creating your default contact group. Please try again."] = "Bei der Erstellung deiner Standardgruppe für Kontakte ist ein Fehler aufgetreten. Bitte versuche es erneut."; +$a->strings["\n\t\tDear %1\$s,\n\t\t\tthe administrator of %2\$s has set up an account for you."] = "\nHallo %1\$s\nein Admin von %2\$s hat dir ein Nutzerkonto angelegt."; +$a->strings["\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%1\$s\n\t\tLogin Name:\t\t%2\$s\n\t\tPassword:\t\t%3\$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\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\tThank you and welcome to %4\$s."] = "\nNachfolgend die Anmeldedetails:\n\nAdresse der Seite: %1\$s\nBenutzername: %2\$s\nPasswort: %3\$s\n\nDu kannst dein Passwort unter \"Einstellungen\" ändern, sobald du dich angemeldet hast.Bitte nimm dir ein paar Minuten, um die anderen Einstellungen auf dieser Seite zu kontrollieren.Eventuell magst du ja auch einige Informationen über dich in deinem Profil veröffentlichen, damit andere Leute dich einfacher finden können.Bearbeite hierfür einfach dein Standard-Profil (über die Profil-Seite).Wir empfehlen dir, deinen kompletten Namen anzugeben und ein zu dir passendes Profilbild zu wählen, damit dich alte Bekannte wiederfinden.Außerdem ist es nützlich, wenn du auf deinem Profil Schlüsselwörter angibst. Das erleichtert es, Leute zu finden, die deine Interessen teilen.Wir respektieren deine Privatsphäre - keine dieser Angaben ist nötig.Wenn du neu im Netzwerk bist und noch niemanden kennst, dann können sie allerdings dabei helfen, neue und interessante Kontakte zu knüpfen.\n\nDu kannst dein Nutzerkonto jederzeit unter %1\$s/removeme wieder löschen.\n\nDanke und willkommen auf %4\$s."; +$a->strings["Registration details for %s"] = "Details der Registration von %s"; +$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%4\$s\n\t\t\tPassword:\t\t%5\$s\n\t\t"] = "\n\t\t\tHallo %1\$s,\n\t\t\t\tdanke für deine Registrierung auf %2\$s. Dein Account muss noch vom Admin des Knotens freigeschaltet werden.\n\n\t\t\tDeine Zugangsdaten lauten wie folgt:\n\n\t\t\tSeitenadresse:\t%3\$s\n\t\t\tAnmeldename:\t\t%4\$s\n\t\t\tPasswort:\t\t%5\$s\n\t\t"; +$a->strings["Registration at %s"] = "Registrierung als %s"; +$a->strings["\n\t\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t\t"] = "\n\t\t\t\tHallo %1\$s,\n\t\t\t\tDanke für die Registrierung auf %2\$s. Dein Account wurde angelegt.\n\t\t\t"; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = "\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 wiederfinden.\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\nSolltest du dein Nutzerkonto löschen wollen, kannst du dies unter %3\$s/removeme jederzeit tun.\n\nDanke für deine Aufmerksamkeit und willkommen auf %2\$s."; +$a->strings["Addon not found."] = "Addon nicht gefunden."; +$a->strings["Addon %s disabled."] = "Addon %s ausgeschaltet."; +$a->strings["Addon %s enabled."] = "Addon %s eingeschaltet."; $a->strings["Disable"] = "Ausschalten"; $a->strings["Enable"] = "Einschalten"; -$a->strings["Theme %s disabled."] = "Theme %s deaktiviert."; -$a->strings["Theme %s successfully enabled."] = "Theme %s erfolgreich aktiviert."; -$a->strings["Theme %s failed to install."] = "Theme %s konnte nicht aktiviert werden."; -$a->strings["Screenshot"] = "Bildschirmfoto"; $a->strings["Administration"] = "Administration"; +$a->strings["Addons"] = "Addons"; $a->strings["Toggle"] = "Umschalten"; $a->strings["Author: "] = "Autor:"; $a->strings["Maintainer: "] = "Betreuer:"; -$a->strings["Unknown theme."] = "Unbekanntes Theme"; -$a->strings["Themes reloaded"] = "Themes wurden neu geladen"; -$a->strings["Reload active themes"] = "Aktives Theme neu laden"; -$a->strings["No themes found on the system. They should be placed in %1\$s"] = "Es wurden keine Themes auf dem System gefunden. Diese sollten in %1\$s platziert werden."; -$a->strings["[Experimental]"] = "[Experimentell]"; -$a->strings["[Unsupported]"] = "[Nicht unterstützt]"; -$a->strings["Lock feature %s"] = "Feature festlegen: %s"; -$a->strings["Manage Additional Features"] = "Zusätzliche Features Verwalten"; -$a->strings["Inspect Deferred Worker Queue"] = "Verzögerte Worker-Warteschlange inspizieren"; -$a->strings["This page lists the deferred worker jobs. This are jobs that couldn't be executed at the first time."] = "Auf dieser Seite werden die aufgeschobenen Worker-Jobs aufgelistet. Dies sind Jobs, die beim ersten Mal nicht ausgeführt werden konnten."; -$a->strings["Inspect Worker Queue"] = "Worker-Warteschlange inspizieren"; -$a->strings["This page lists the currently queued worker jobs. These jobs are handled by the worker cronjob you've set up during install."] = "Auf dieser Seite werden die derzeit in der Warteschlange befindlichen Worker-Jobs aufgelistet. Diese Jobs werden vom Cronjob verarbeitet, den du während der Installation eingerichtet hast."; -$a->strings["ID"] = "ID"; -$a->strings["Job Parameters"] = "Parameter der Aufgabe"; -$a->strings["Created"] = "Erstellt"; -$a->strings["Priority"] = "Priorität"; -$a->strings["All"] = "Alle"; +$a->strings["Addons reloaded"] = "Addons neu geladen"; +$a->strings["Addon %s failed to install."] = "Addon %s konnte nicht installiert werden"; +$a->strings["Reload active addons"] = "Aktivierte Addons neu laden"; +$a->strings["There are currently no addons available on your node. You can find the official addon repository at %1\$s and might find other interesting addons in the open addon registry at %2\$s"] = "Es sind derzeit keine Addons auf diesem Knoten verfügbar. Du findest das offizielle Addon-Repository unter %1\$s und weitere eventuell interessante Addons im offenen Addon-Verzeichnis auf %2\$s."; $a->strings["List of all users"] = "Liste aller Benutzerkonten"; $a->strings["Active"] = "Aktive"; $a->strings["List of active accounts"] = "Liste der aktiven Benutzerkonten"; +$a->strings["Pending"] = "Ausstehend"; $a->strings["List of pending registrations"] = "Liste der anstehenden Benutzerkonten"; +$a->strings["Blocked"] = "Geblockt"; $a->strings["List of blocked users"] = "Liste der geblockten Benutzer"; $a->strings["Deleted"] = "Gelöscht"; $a->strings["List of pending user deletions"] = "Liste der auf Löschung wartenden Benutzer"; $a->strings["Private Forum"] = "Privates Forum"; $a->strings["Relay"] = "Relais"; +$a->strings["%s contact unblocked"] = [ + 0 => "%sKontakt wieder freigegeben", + 1 => "%sKontakte wieder freigegeben", +]; +$a->strings["Remote Contact Blocklist"] = "Blockliste entfernter Kontakte"; +$a->strings["This page allows you to prevent any message from a remote contact to reach your node."] = "Auf dieser Seite kannst du Accounts von anderen Knoten blockieren und damit verhindern, dass ihre Beiträge von deinem Knoten angenommen werden."; +$a->strings["Block Remote Contact"] = "Blockiere entfernten Kontakt"; +$a->strings["select all"] = "Alle auswählen"; +$a->strings["select none"] = "Auswahl aufheben"; +$a->strings["Unblock"] = "Entsperren"; +$a->strings["No remote contact is blocked from this node."] = "Derzeit werden keine Kontakte auf diesem Knoten blockiert."; +$a->strings["Blocked Remote Contacts"] = "Blockierte Kontakte von anderen Knoten"; +$a->strings["Block New Remote Contact"] = "Blockieren von weiteren Kontakten"; +$a->strings["Photo"] = "Foto:"; +$a->strings["Reason"] = "Grund"; +$a->strings["%s total blocked contact"] = [ + 0 => "Insgesamt %s blockierter Kontakt", + 1 => "Insgesamt %s blockierte Kontakte", +]; +$a->strings["URL of the remote contact to block."] = "Die URL des entfernten Kontakts, der blockiert werden soll."; +$a->strings["Block Reason"] = "Sperrgrund"; +$a->strings["Server domain pattern added to blocklist."] = "Server Domain Muster zur Blockliste hinzugefügt"; +$a->strings["Blocked server domain pattern"] = "Blockierte Server Domain Muster"; +$a->strings["Reason for the block"] = "Begründung für die Blockierung"; +$a->strings["Delete server domain pattern"] = "Server Domain Muster löschen"; +$a->strings["Check to delete this entry from the blocklist"] = "Markieren, um diesen Eintrag von der Blocklist zu entfernen"; +$a->strings["Server Domain Pattern Blocklist"] = "Server Domain Muster Blockliste"; +$a->strings["This page can be used to define a blocklist of server domain patterns from the federated network that are not allowed to interact with your node. For each domain pattern you should also provide the reason why you block it."] = "Auf dieser Seite kannst du Muster definieren mit denen Server Domains aus dem föderierten Netzwerk daran gehindert werden mit deiner Instanz zu interagieren. Es ist ratsam für jedes Muster anzugeben, warum du es zur Blockliste hinzugefügt hast."; +$a->strings["The list of blocked server domain patterns will be made publically available on the /friendica page so that your users and people investigating communication problems can find the reason easily."] = "Die Liste der blockierten Domain Muster wird auf der Seite /friendica öffentlich einsehbar gemacht, damit deine Nutzer und Personen, die Kommunikationsprobleme erkunden, die Ursachen einfach finden können."; +$a->strings["

The server domain pattern syntax is case-insensitive shell wildcard, comprising the following special characters:

\n
    \n\t
  • *: Any number of characters
  • \n\t
  • ?: Any single character
  • \n\t
  • [<char1><char2>...]: char1 or char2
  • \n
"] = "

Die Server Domain Muster sind Groß-/Kleinschreibung unabhängig mit Shell-Jokerzeichen, die die folgenden Sonderzeichen umfassen:

\n
    \n\t
  • *: Beliebige Anzahl von Zeichen
  • \n\t
  • ?: Ein einzelnes beliebiges Zeichen
  • \n\t
  • [<Zeichen1><Zeichen2>...]:Zeichen1 oder Zeichen2
  • \n
"; +$a->strings["Add new entry to block list"] = "Neuen Eintrag in die Blockliste"; +$a->strings["Server Domain Pattern"] = "Server Domain Muster"; +$a->strings["The domain pattern of the new server to add to the block list. Do not include the protocol."] = "Das Muster für Server Domains die geblockt werden sollen. Gib das Protokoll nicht mit an!"; +$a->strings["Block reason"] = "Begründung der Blockierung"; +$a->strings["The reason why you blocked this server domain pattern."] = "Die Begründung, warum du dieses Domain Muster blockiert hast."; +$a->strings["Add Entry"] = "Eintrag hinzufügen"; +$a->strings["Save changes to the blocklist"] = "Änderungen der Blockliste speichern"; +$a->strings["Current Entries in the Blocklist"] = "Aktuelle Einträge der Blockliste"; +$a->strings["Delete entry from blocklist"] = "Eintrag von der Blockliste entfernen"; +$a->strings["Delete entry from blocklist?"] = "Eintrag von der Blockliste entfernen?"; $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"; @@ -1533,15 +1213,25 @@ $a->strings["Failed Updates"] = "Fehlgeschlagene Updates"; $a->strings["This does not include updates prior to 1139, which did not return a status."] = "Ohne Updates vor 1139, da diese keinen Status zurückgegeben haben."; $a->strings["Mark success (if update was manually applied)"] = "Als erfolgreich markieren (falls das Update manuell installiert wurde)"; $a->strings["Attempt to execute this update step automatically"] = "Versuchen, diesen Schritt automatisch auszuführen"; +$a->strings["Lock feature %s"] = "Feature festlegen: %s"; +$a->strings["Manage Additional Features"] = "Zusätzliche Features Verwalten"; $a->strings["Other"] = "Andere"; $a->strings["unknown"] = "Unbekannt"; $a->strings["This page offers you some numbers to the known part of the federated social network your Friendica node is part of. These numbers are not complete but only reflect the part of the network your node is aware of."] = "Diese Seite präsentiert einige Zahlen zu dem bekannten Teil des föderalen sozialen Netzwerks, von dem deine Friendica Installation ein Teil ist. Diese Zahlen sind nicht absolut und reflektieren nur den Teil des Netzwerks, den dein Knoten kennt."; +$a->strings["Federation Statistics"] = "Föderation Statistik"; $a->strings["Currently this node is aware of %d nodes with %d registered users from the following platforms:"] = "Momentan kennt dieser Knoten %d Knoten mit insgesamt %d registrierten Nutzern, die die folgenden Plattformen verwenden:"; -$a->strings["Error trying to open %1\$s log file.\\r\\n
Check to see if file %1\$s exist and is readable."] = "Fehler beim Öffnen der Logdatei %1\$s.\\r\\n
Bitte überprüfe ob die Datei %1\$s existiert und gelesen werden kann."; -$a->strings["Couldn't open %1\$s log file.\\r\\n
Check to see if file %1\$s is readable."] = "Konnte die Logdatei %1\$s nicht öffnen.\\r\\n
Bitte stelle sicher, dass die Datei %1\$s lesbar ist."; +$a->strings["Item marked for deletion."] = "Eintrag wurden zur Löschung markiert"; +$a->strings["Delete Item"] = "Eintrag löschen"; +$a->strings["Delete this Item"] = "Diesen Eintrag löschen"; +$a->strings["On this page you can delete an item from your node. If the item is a top level posting, the entire thread will be deleted."] = "Auf dieser Seite kannst du Einträge von deinem Knoten löschen. Wenn der Eintrag der Anfang einer Diskussion ist, wird der gesamte Diskussionsverlauf gelöscht."; +$a->strings["You need to know the GUID of the item. You can find it e.g. by looking at the display URL. The last part of http://example.com/display/123456 is the GUID, here 123456."] = "Zur Löschung musst du die GUID des Eintrags kennen. Diese findest du z.B. durch die /display URL des Eintrags. Der letzte Teil der URL ist die GUID. Lautet die URL beispielsweise http://example.com/display/123456, ist die GUID 123456."; +$a->strings["GUID"] = "GUID"; +$a->strings["The GUID of the item you want to delete."] = "Die GUID des zu löschenden Eintrags"; +$a->strings["Item Guid"] = "Beitrags-Guid"; $a->strings["The logfile '%s' is not writable. No logging possible"] = "Die Logdatei '%s' ist nicht beschreibbar. Derzeit ist keine Aufzeichnung möglich."; $a->strings["PHP log currently enabled."] = "PHP Protokollierung ist derzeit aktiviert."; $a->strings["PHP log currently disabled."] = "PHP Protokollierung ist derzeit nicht aktiviert."; +$a->strings["Logs"] = "Protokolle"; $a->strings["Clear"] = "löschen"; $a->strings["Enable Debugging"] = "Protokoll führen"; $a->strings["Log file"] = "Protokolldatei"; @@ -1549,6 +1239,17 @@ $a->strings["Must be writable by web server. Relative to your Friendica top-leve $a->strings["Log level"] = "Protokoll-Level"; $a->strings["PHP logging"] = "PHP Protokollieren"; $a->strings["To temporarily enable logging of PHP errors and warnings you can prepend the following to the index.php file of your installation. The filename set in the 'error_log' line is relative to the friendica top-level directory and must be writeable by the web server. The option '1' for 'log_errors' and 'display_errors' is to enable these options, set to '0' to disable them."] = "Um die Protokollierung von PHP-Fehlern und Warnungen vorübergehend zu aktivieren, kannst du der Datei index.php deiner Installation Folgendes voranstellen. Der in der Datei 'error_log' angegebene Dateiname ist relativ zum obersten Verzeichnis von Friendica und muss vom Webserver beschreibbar sein. Die Option '1' für 'log_errors' und 'display_errors' aktiviert diese Optionen, ersetze die '1' durch eine '0', um sie zu deaktivieren."; +$a->strings["Error trying to open %1\$s log file.\\r\\n
Check to see if file %1\$s exist and is readable."] = "Fehler beim Öffnen der Logdatei %1\$s.\\r\\n
Bitte überprüfe ob die Datei %1\$s existiert und gelesen werden kann."; +$a->strings["Couldn't open %1\$s log file.\\r\\n
Check to see if file %1\$s is readable."] = "Konnte die Logdatei %1\$s nicht öffnen.\\r\\n
Bitte stelle sicher, dass die Datei %1\$s lesbar ist."; +$a->strings["View Logs"] = "Protokolle anzeigen"; +$a->strings["Inspect Deferred Worker Queue"] = "Verzögerte Worker-Warteschlange inspizieren"; +$a->strings["This page lists the deferred worker jobs. This are jobs that couldn't be executed at the first time."] = "Auf dieser Seite werden die aufgeschobenen Worker-Jobs aufgelistet. Dies sind Jobs, die beim ersten Mal nicht ausgeführt werden konnten."; +$a->strings["Inspect Worker Queue"] = "Worker-Warteschlange inspizieren"; +$a->strings["This page lists the currently queued worker jobs. These jobs are handled by the worker cronjob you've set up during install."] = "Auf dieser Seite werden die derzeit in der Warteschlange befindlichen Worker-Jobs aufgelistet. Diese Jobs werden vom Cronjob verarbeitet, den du während der Installation eingerichtet hast."; +$a->strings["ID"] = "ID"; +$a->strings["Job Parameters"] = "Parameter der Aufgabe"; +$a->strings["Created"] = "Erstellt"; +$a->strings["Priority"] = "Priorität"; $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["Relocation started. Could take a while to complete."] = "Verschieben der Daten gestartet. Das kann eine Weile dauern."; $a->strings["Invalid storage backend setting value."] = "Ungültige Einstellung für das Datenspeicher-Backend"; @@ -1563,6 +1264,9 @@ $a->strings["Multi user instance"] = "Mehrbenutzer-Instanz"; $a->strings["Closed"] = "Geschlossen"; $a->strings["Requires approval"] = "Bedarf der Zustimmung"; $a->strings["Open"] = "Offen"; +$a->strings["No SSL policy, links will track page SSL state"] = "Keine SSL-Richtlinie, Links werden das verwendete Protokoll beibehalten"; +$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["Don't check"] = "Nicht überprüfen"; $a->strings["check the stable version"] = "überprüfe die stabile Version"; $a->strings["check the development version"] = "überprüfe die Entwicklungsversion"; @@ -1570,8 +1274,10 @@ $a->strings["none"] = "keine"; $a->strings["Local contacts"] = "Lokale Kontakte"; $a->strings["Interactors"] = "Interaktionen"; $a->strings["Database (legacy)"] = "Datenbank (legacy)"; +$a->strings["Site"] = "Seite"; $a->strings["General Information"] = "Allgemeine Informationen"; $a->strings["Republish users to directory"] = "Nutzer erneut im globalen Verzeichnis veröffentlichen."; +$a->strings["Registration"] = "Registrierung"; $a->strings["File upload"] = "Datei hochladen"; $a->strings["Policies"] = "Regeln"; $a->strings["Auto Discovered Contact Directory"] = "Automatisch ein Kontaktverzeichnis erstellen"; @@ -1598,6 +1304,8 @@ $a->strings["System theme"] = "Systemweites Theme"; $a->strings["Default system theme - may be over-ridden by user profiles - Change default theme settings"] = "Standard-Theme des Systems - kann von Benutzerprofilen überschrieben werden - Ändere Einstellung des Standard-Themes"; $a->strings["Mobile system theme"] = "Systemweites mobiles Theme"; $a->strings["Theme for mobile devices"] = "Theme für mobile Geräte"; +$a->strings["SSL link policy"] = "Regeln für SSL Links"; +$a->strings["Determines whether generated links should be forced to use SSL"] = "Bestimmt, ob generierte Links SSL verwenden müssen"; $a->strings["Force SSL"] = "Erzwinge SSL"; $a->strings["Force all Non-SSL requests to SSL - Attention: on some systems it could lead to endless loops."] = "Erzwinge SSL für alle Nicht-SSL-Anfragen - Achtung: auf manchen Systemen verursacht dies eine Endlosschleife."; $a->strings["Hide help entry from navigation menu"] = "Verberge den Hilfe-Eintrag im Navigationsmenü"; @@ -1725,15 +1433,12 @@ $a->strings["New base url"] = "Neue Basis-URL"; $a->strings["Change base url for this server. Sends relocate message to all Friendica and Diaspora* contacts of all users."] = "Ändert die Basis-URL dieses Servers und sendet eine Umzugsmitteilung an alle Friendica- und Diaspora*-Kontakte deiner NutzerInnen."; $a->strings["RINO Encryption"] = "RINO-Verschlüsselung"; $a->strings["Encryption layer between nodes."] = "Verschlüsselung zwischen Friendica-Instanzen"; +$a->strings["Disabled"] = "Deaktiviert"; $a->strings["Enabled"] = "Aktiv"; $a->strings["Maximum number of parallel workers"] = "Maximale Anzahl parallel laufender Worker"; $a->strings["On shared hosters set this to %d. On larger systems, values of %d are great. Default value is %d."] = "Wenn dein Knoten bei einem Shared Hoster ist, setze diesen Wert auf %d. Auf größeren Systemen funktioniert ein Wert von %d recht gut. Standardeinstellung sind %d."; -$a->strings["Don't use \"proc_open\" with the worker"] = "\"proc_open\" nicht für die Worker verwenden"; -$a->strings["Enable this if your system doesn't allow the use of \"proc_open\". This can happen on shared hosters. If this is enabled you should increase the frequency of worker calls in your crontab."] = "Aktiviere diese Option, wenn dein System die Verwendung von 'proc_open' verhindert. Dies könnte auf Shared Hostern der Fall sein. Wenn du diese Option aktivierst, solltest du die Frequenz der worker-Aufrufe in deiner crontab erhöhen."; $a->strings["Enable fastlane"] = "Aktiviere Fastlane"; $a->strings["When enabed, the fastlane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."] = "Wenn aktiviert, wird der Fastlane-Mechanismus einen weiteren Worker-Prozeß starten, wenn Prozesse mit höherer Priorität von Prozessen mit niedrigerer Priorität blockiert werden."; -$a->strings["Enable frontend worker"] = "Aktiviere den Frontend-Worker"; -$a->strings["When enabled the Worker process is triggered when backend access is performed (e.g. messages being delivered). On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server."] = "Ist diese Option aktiv, wird der Worker Prozess durch Aktionen am Frontend gestartet (z.B. wenn Nachrichten zugestellt werden). Auf kleineren Seiten sollte %s/worker regelmäßig, beispielsweise durch einen externen Cron Anbieter, aufgerufen werden. Du solltest diese Option nur dann aktivieren, wenn du keinen Cron Job auf deinem eigenen Server starten kannst."; $a->strings["Use relay servers"] = "Verwende Relais-Server"; $a->strings["Enables the receiving of public posts from relay servers. They will be included in the search, subscribed tags and on the global community page."] = "Aktiviert den Empfang von öffentlichen Beiträgen vom Relais-Server. Diese Beiträge werden in der Suche, den abonnierten Hashtags sowie der globalen Gemeinschaftsseite verfügbar sein."; $a->strings["\"Social Relay\" server"] = "\"Social Relais\" Server"; @@ -1776,17 +1481,67 @@ $a->strings["Blog Account"] = "Blog-Konto"; $a->strings["Private Forum Account"] = "Privates Forum-Konto"; $a->strings["Message queues"] = "Nachrichten-Warteschlangen"; $a->strings["Server Settings"] = "Servereinstellungen"; +$a->strings["Summary"] = "Zusammenfassung"; $a->strings["Registered users"] = "Registrierte Personen"; $a->strings["Pending registrations"] = "Anstehende Anmeldungen"; $a->strings["Version"] = "Version"; $a->strings["Active addons"] = "Aktivierte Addons"; +$a->strings["Theme %s disabled."] = "Theme %s deaktiviert."; +$a->strings["Theme %s successfully enabled."] = "Theme %s erfolgreich aktiviert."; +$a->strings["Theme %s failed to install."] = "Theme %s konnte nicht aktiviert werden."; +$a->strings["Screenshot"] = "Bildschirmfoto"; +$a->strings["Themes"] = "Themen"; +$a->strings["Unknown theme."] = "Unbekanntes Theme"; +$a->strings["Themes reloaded"] = "Themes wurden neu geladen"; +$a->strings["Reload active themes"] = "Aktives Theme neu laden"; +$a->strings["No themes found on the system. They should be placed in %1\$s"] = "Es wurden keine Themes auf dem System gefunden. Diese sollten in %1\$s platziert werden."; +$a->strings["[Experimental]"] = "[Experimentell]"; +$a->strings["[Unsupported]"] = "[Nicht unterstützt]"; +$a->strings["Display Terms of Service"] = "Nutzungsbedingungen anzeigen"; +$a->strings["Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page."] = "Aktiviert die Seite für die Nutzungsbedingungen. Ist dies der Fall, werden sie auch von der Registrierungsseite und der allgemeinen Informationsseite verlinkt."; +$a->strings["Display Privacy Statement"] = "Datenschutzerklärung anzeigen"; +$a->strings["Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR."] = "Zeige Informationen über die zum Betrieb der Seite notwendigen, personenbezogenen Daten an, wie es z.B. die EU.-DSGVO verlangt."; +$a->strings["Privacy Statement Preview"] = "Vorschau: Datenschutzerklärung"; +$a->strings["The Terms of Service"] = "Die Nutzungsbedingungen"; +$a->strings["Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] and below."] = "Füge hier die Nutzungsbedingungen deines Knotens ein. Du kannst BBCode zur Formatierung verwenden. Überschriften sollten [h2] oder darunter sein."; +$a->strings["%s user blocked"] = [ + 0 => "%s Nutzer blockiert", + 1 => "%s Nutzer blockiert", +]; +$a->strings["You can't remove yourself"] = "Du kannst dich nicht selbst löschen!"; +$a->strings["%s user deleted"] = [ + 0 => "%s Nutzer gelöscht", + 1 => "%s Nutzer gelöscht", +]; +$a->strings["User \"%s\" deleted"] = "Nutzer \"%s\" gelöscht"; +$a->strings["User \"%s\" blocked"] = "Nutzer \"%s\" blockiert"; +$a->strings["Register date"] = "Anmeldedatum"; +$a->strings["Last login"] = "Letzte Anmeldung"; +$a->strings["Last public item"] = "Letzter öffentliche Beitrag"; +$a->strings["Type"] = "Typ"; +$a->strings["Active Accounts"] = "Aktive Benutzerkonten"; +$a->strings["User blocked"] = "Nutzer blockiert."; +$a->strings["Site admin"] = "Seitenadministrator"; +$a->strings["Account expired"] = "Account ist abgelaufen"; +$a->strings["Create a new user"] = "Neues Benutzerkonto anlegen"; +$a->strings["Selected users will be deleted!\\n\\nEverything these users had posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "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?"; +$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?"] = "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?"; +$a->strings["%s user unblocked"] = [ + 0 => "%s Nutzer freigeschaltet", + 1 => "%s Nutzer freigeschaltet", +]; +$a->strings["User \"%s\" unblocked"] = "Nutzer \"%s\" frei geschaltet"; +$a->strings["Blocked Users"] = "Blockierte Benutzer"; $a->strings["New User"] = "Neuer Nutzer"; $a->strings["Add User"] = "Nutzer hinzufügen"; $a->strings["Name of the new user."] = "Name des neuen Nutzers"; $a->strings["Nickname"] = "Spitzname"; $a->strings["Nickname of the new user."] = "Spitznamen für den neuen Nutzer"; -$a->strings["Email"] = "E-Mail"; $a->strings["Email address of the new user."] = "Email Adresse des neuen Nutzers"; +$a->strings["Users awaiting permanent deletion"] = "Nutzer wartet auf permanente Löschung"; +$a->strings["Permanent deletion"] = "Permanent löschen"; +$a->strings["Users"] = "Nutzer"; +$a->strings["User waiting for permanent deletion"] = "Nutzer wartet auf permanente Löschung"; $a->strings["%s user approved"] = [ 0 => "%sNutzer zugelassen", 1 => "%sNutzer zugelassen", @@ -1798,114 +1553,277 @@ $a->strings["%s registration revoked"] = [ $a->strings["Account approved."] = "Konto freigegeben."; $a->strings["Registration revoked"] = "Registrierung zurückgezogen"; $a->strings["User registrations awaiting review"] = "Neuanmeldungen, die auf Deine Bestätigung warten"; -$a->strings["select all"] = "Alle auswählen"; $a->strings["Request date"] = "Anfragedatum"; $a->strings["No registrations."] = "Keine Neuanmeldungen."; $a->strings["Note from the user"] = "Hinweis vom Nutzer"; $a->strings["Deny"] = "Verwehren"; -$a->strings["%s user blocked"] = [ - 0 => "%s Nutzer blockiert", - 1 => "%s Nutzer blockiert", +$a->strings["API endpoint \"%s\" is not implemented"] = "API endpoint \"%s\" is not implemented"; +$a->strings["The API endpoint is currently not implemented but might be in the future."] = "The API endpoint is currently not implemented but might be in the future."; +$a->strings["Contact not found"] = "Kontakt nicht gefunden"; +$a->strings["Profile not found"] = "Profil wurde nicht gefunden"; +$a->strings["No installed applications."] = "Keine Applikationen installiert."; +$a->strings["Applications"] = "Anwendungen"; +$a->strings["Item was not found."] = "Beitrag konnte nicht gefunden werden."; +$a->strings["You don't have access to administration pages."] = "Du hast keinen Zugriff auf die Administrationsseiten."; +$a->strings["Submanaged account can't access the administration pages. Please log back in as the main account."] = "Verwaltete Benutzerkonten haben keinen Zugriff auf die Administrationsseiten. Bitte wechsle wieder zurück auf das Administrator Konto."; +$a->strings["Overview"] = "Übersicht"; +$a->strings["Configuration"] = "Konfiguration"; +$a->strings["Additional features"] = "Zusätzliche Features"; +$a->strings["Database"] = "Datenbank"; +$a->strings["DB updates"] = "DB Updates"; +$a->strings["Inspect Deferred Workers"] = "Verzögerte Worker inspizieren"; +$a->strings["Inspect worker Queue"] = "Worker Warteschlange inspizieren"; +$a->strings["Tools"] = "Werkzeuge"; +$a->strings["Contact Blocklist"] = "Kontakt Blockliste"; +$a->strings["Server Blocklist"] = "Server Blockliste"; +$a->strings["Diagnostics"] = "Diagnostik"; +$a->strings["PHP Info"] = "PHP-Info"; +$a->strings["probe address"] = "Adresse untersuchen"; +$a->strings["check webfinger"] = "Webfinger überprüfen"; +$a->strings["Item Source"] = "Beitrags Quelle"; +$a->strings["Babel"] = "Babel"; +$a->strings["ActivityPub Conversion"] = "Umwandlung nach ActivityPub"; +$a->strings["Addon Features"] = "Addon Features"; +$a->strings["User registrations waiting for confirmation"] = "Nutzeranmeldungen, die auf Bestätigung warten"; +$a->strings["Profile Details"] = "Profildetails"; +$a->strings["Only You Can See This"] = "Nur du kannst das sehen"; +$a->strings["Tips for New Members"] = "Tipps für neue Nutzer"; +$a->strings["People Search - %s"] = "Personensuche - %s"; +$a->strings["Forum Search - %s"] = "Forensuche - %s"; +$a->strings["Account"] = "Nutzerkonto"; +$a->strings["Two-factor authentication"] = "Zwei-Faktor Authentifizierung"; +$a->strings["Display"] = "Anzeige"; +$a->strings["Manage Accounts"] = "Accounts Verwalten"; +$a->strings["Connected apps"] = "Verbundene Programme"; +$a->strings["Export personal data"] = "Persönliche Daten exportieren"; +$a->strings["Remove account"] = "Konto löschen"; +$a->strings["This page is missing a url parameter."] = "Der Seite fehlt ein URL Parameter."; +$a->strings["The post was created"] = "Der Beitrag wurde angelegt"; +$a->strings["Contact update failed."] = "Konnte den Kontakt nicht aktualisieren."; +$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["Account Nickname"] = "Konto-Spitzname"; +$a->strings["@Tagname - overrides Name/Nickname"] = "@Tagname - überschreibt Name/Spitzname"; +$a->strings["Account URL"] = "Konto-URL"; +$a->strings["Account URL Alias"] = "Konto URL Alias"; +$a->strings["Friend Request URL"] = "URL für Kontaktschaftsanfragen"; +$a->strings["Friend Confirm URL"] = "URL für Bestätigungen von Kontaktanfragen"; +$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["Invalid contact."] = "Ungültiger Kontakt."; +$a->strings["No known contacts."] = "Keine bekannten Kontakte."; +$a->strings["No common contacts."] = "Keine gemeinsamen Kontakte."; +$a->strings["Follower (%s)"] = [ + 0 => "Folgende (%s)", + 1 => "Folgende (%s)", ]; -$a->strings["%s user unblocked"] = [ - 0 => "%s Nutzer freigeschaltet", - 1 => "%s Nutzer freigeschaltet", +$a->strings["Following (%s)"] = [ + 0 => "Gefolgte (%s)", + 1 => "Gefolgte (%s)", ]; -$a->strings["You can't remove yourself"] = "Du kannst dich nicht selbst löschen!"; -$a->strings["%s user deleted"] = [ - 0 => "%s Nutzer gelöscht", - 1 => "%s Nutzer gelöscht", +$a->strings["Mutual friend (%s)"] = [ + 0 => "Beidseitige Freundschafte (%s)", + 1 => "Beidseitige Freundschaften (%s)", ]; -$a->strings["User \"%s\" deleted"] = "Nutzer \"%s\" gelöscht"; -$a->strings["User \"%s\" blocked"] = "Nutzer \"%s\" blockiert"; -$a->strings["User \"%s\" unblocked"] = "Nutzer \"%s\" frei geschaltet"; -$a->strings["Register date"] = "Anmeldedatum"; -$a->strings["Last login"] = "Letzte Anmeldung"; -$a->strings["Last public item"] = "Letzter öffentliche Beitrag"; -$a->strings["Type"] = "Typ"; -$a->strings["User waiting for permanent deletion"] = "Nutzer wartet auf permanente Löschung"; -$a->strings["User blocked"] = "Nutzer blockiert."; -$a->strings["Site admin"] = "Seitenadministrator"; -$a->strings["Account expired"] = "Account ist abgelaufen"; -$a->strings["Create a new user"] = "Neues Benutzerkonto anlegen"; -$a->strings["Permanent deletion"] = "Permanent löschen"; -$a->strings["Selected users will be deleted!\\n\\nEverything these users had posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "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?"; -$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?"] = "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?"; -$a->strings["Active Accounts"] = "Aktive Benutzerkonten"; -$a->strings["Blocked Users"] = "Blockierte Benutzer"; -$a->strings["Users awaiting permanent deletion"] = "Nutzer wartet auf permanente Löschung"; -$a->strings["Display Terms of Service"] = "Nutzungsbedingungen anzeigen"; -$a->strings["Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page."] = "Aktiviert die Seite für die Nutzungsbedingungen. Ist dies der Fall, werden sie auch von der Registrierungsseite und der allgemeinen Informationsseite verlinkt."; -$a->strings["Display Privacy Statement"] = "Datenschutzerklärung anzeigen"; -$a->strings["Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR."] = "Zeige Informationen über die zum Betrieb der Seite notwendigen, personenbezogenen Daten an, wie es z.B. die EU.-DSGVO verlangt."; -$a->strings["Privacy Statement Preview"] = "Vorschau: Datenschutzerklärung"; -$a->strings["The Terms of Service"] = "Die Nutzungsbedingungen"; -$a->strings["Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] and below."] = "Füge hier die Nutzungsbedingungen deines Knotens ein. Du kannst BBCode zur Formatierung verwenden. Überschriften sollten [h2] oder darunter sein."; -$a->strings["Server domain pattern added to blocklist."] = "Server Domain Muster zur Blockliste hinzugefügt"; -$a->strings["Blocked server domain pattern"] = "Blockierte Server Domain Muster"; -$a->strings["Reason for the block"] = "Begründung für die Blockierung"; -$a->strings["Delete server domain pattern"] = "Server Domain Muster löschen"; -$a->strings["Check to delete this entry from the blocklist"] = "Markieren, um diesen Eintrag von der Blocklist zu entfernen"; -$a->strings["Server Domain Pattern Blocklist"] = "Server Domain Muster Blockliste"; -$a->strings["This page can be used to define a blocklist of server domain patterns from the federated network that are not allowed to interact with your node. For each domain pattern you should also provide the reason why you block it."] = "Auf dieser Seite kannst du Muster definieren mit denen Server Domains aus dem föderierten Netzwerk daran gehindert werden mit deiner Instanz zu interagieren. Es ist ratsam für jedes Muster anzugeben, warum du es zur Blockliste hinzugefügt hast."; -$a->strings["The list of blocked server domain patterns will be made publically available on the /friendica page so that your users and people investigating communication problems can find the reason easily."] = "Die Liste der blockierten Domain Muster wird auf der Seite /friendica öffentlich einsehbar gemacht, damit deine Nutzer und Personen, die Kommunikationsprobleme erkunden, die Ursachen einfach finden können."; -$a->strings["

The server domain pattern syntax is case-insensitive shell wildcard, comprising the following special characters:

\n
    \n\t
  • *: Any number of characters
  • \n\t
  • ?: Any single character
  • \n\t
  • [<char1><char2>...]: char1 or char2
  • \n
"] = "

Die Server Domain Muster sind Groß-/Kleinschreibung unabhängig mit Shell-Jokerzeichen, die die folgenden Sonderzeichen umfassen:

\n
    \n\t
  • *: Beliebige Anzahl von Zeichen
  • \n\t
  • ?: Ein einzelnes beliebiges Zeichen
  • \n\t
  • [<Zeichen1><Zeichen2>...]:Zeichen1 oder Zeichen2
  • \n
"; -$a->strings["Add new entry to block list"] = "Neuen Eintrag in die Blockliste"; -$a->strings["Server Domain Pattern"] = "Server Domain Muster"; -$a->strings["The domain pattern of the new server to add to the block list. Do not include the protocol."] = "Das Muster für Server Domains die geblockt werden sollen. Gib das Protokoll nicht mit an!"; -$a->strings["Block reason"] = "Begründung der Blockierung"; -$a->strings["The reason why you blocked this server domain pattern."] = "Die Begründung, warum du dieses Domain Muster blockiert hast."; -$a->strings["Add Entry"] = "Eintrag hinzufügen"; -$a->strings["Save changes to the blocklist"] = "Änderungen der Blockliste speichern"; -$a->strings["Current Entries in the Blocklist"] = "Aktuelle Einträge der Blockliste"; -$a->strings["Delete entry from blocklist"] = "Eintrag von der Blockliste entfernen"; -$a->strings["Delete entry from blocklist?"] = "Eintrag von der Blockliste entfernen?"; -$a->strings["%s contact unblocked"] = [ - 0 => "%sKontakt wieder freigegeben", - 1 => "%sKontakte wieder freigegeben", +$a->strings["These contacts both follow and are followed by %s."] = "Diese Kontakte sind sowohl Folgende als auch Gefolgte von %s."; +$a->strings["Common contact (%s)"] = [ + 0 => "Gemeinsamer Kontakt (%s)", + 1 => "Gemeinsame Kontakte (%s)", ]; -$a->strings["Remote Contact Blocklist"] = "Blockliste entfernter Kontakte"; -$a->strings["This page allows you to prevent any message from a remote contact to reach your node."] = "Auf dieser Seite kannst du Accounts von anderen Knoten blockieren und damit verhindern, dass ihre Beiträge von deinem Knoten angenommen werden."; -$a->strings["Block Remote Contact"] = "Blockiere entfernten Kontakt"; -$a->strings["select none"] = "Auswahl aufheben"; -$a->strings["No remote contact is blocked from this node."] = "Derzeit werden keine Kontakte auf diesem Knoten blockiert."; -$a->strings["Blocked Remote Contacts"] = "Blockierte Kontakte von anderen Knoten"; -$a->strings["Block New Remote Contact"] = "Blockieren von weiteren Kontakten"; -$a->strings["Photo"] = "Foto:"; -$a->strings["Reason"] = "Grund"; -$a->strings["%s total blocked contact"] = [ - 0 => "Insgesamt %s blockierter Kontakt", - 1 => "Insgesamt %s blockierte Kontakte", +$a->strings["Both %s and yourself have publicly interacted with these contacts (follow, comment or likes on public posts)."] = "Du und %s haben mit diesen Kontakten öffentlich interagiert (Folgen, Kommentare und Likes in öffentlichen Beiträgen)"; +$a->strings["Contact (%s)"] = [ + 0 => "Kontakt (%s)", + 1 => "Kontakte (%s)", ]; -$a->strings["URL of the remote contact to block."] = "Die URL des entfernten Kontakts, der blockiert werden soll."; -$a->strings["Block Reason"] = "Sperrgrund"; -$a->strings["Item Guid"] = "Beitrags-Guid"; -$a->strings["Item marked for deletion."] = "Eintrag wurden zur Löschung markiert"; -$a->strings["Delete this Item"] = "Diesen Eintrag löschen"; -$a->strings["On this page you can delete an item from your node. If the item is a top level posting, the entire thread will be deleted."] = "Auf dieser Seite kannst du Einträge von deinem Knoten löschen. Wenn der Eintrag der Anfang einer Diskussion ist, wird der gesamte Diskussionsverlauf gelöscht."; -$a->strings["You need to know the GUID of the item. You can find it e.g. by looking at the display URL. The last part of http://example.com/display/123456 is the GUID, here 123456."] = "Zur Löschung musst du die GUID des Eintrags kennen. Diese findest du z.B. durch die /display URL des Eintrags. Der letzte Teil der URL ist die GUID. Lautet die URL beispielsweise http://example.com/display/123456, ist die GUID 123456."; -$a->strings["GUID"] = "GUID"; -$a->strings["The GUID of the item you want to delete."] = "Die GUID des zu löschenden Eintrags"; -$a->strings["Addon not found."] = "Addon nicht gefunden."; -$a->strings["Addon %s disabled."] = "Addon %s ausgeschaltet."; -$a->strings["Addon %s enabled."] = "Addon %s eingeschaltet."; -$a->strings["Addons reloaded"] = "Addons neu geladen"; -$a->strings["Addon %s failed to install."] = "Addon %s konnte nicht installiert werden"; -$a->strings["Reload active addons"] = "Aktivierte Addons neu laden"; -$a->strings["There are currently no addons available on your node. You can find the official addon repository at %1\$s and might find other interesting addons in the open addon registry at %2\$s"] = "Es sind derzeit keine Addons auf diesem Knoten verfügbar. Du findest das offizielle Addon-Repository unter %1\$s und weitere eventuell interessante Addons im offenen Addon-Verzeichnis auf %2\$s."; +$a->strings["Error while sending poke, please retry."] = "Beim Versenden des Stupsers ist ein Fehler aufgetreten. Bitte erneut versuchen."; +$a->strings["You must be logged in to use this module."] = "Du musst eingeloggt sein, um dieses Modul benutzen zu können."; +$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["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["%d contact edited."] = [ + 0 => "%d Kontakt bearbeitet.", + 1 => "%d Kontakte bearbeitet.", +]; +$a->strings["Could not access contact record."] = "Konnte nicht auf die Kontaktdaten zugreifen."; +$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["Drop contact"] = "Kontakt löschen"; +$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["Never"] = "Niemals"; +$a->strings["(Update was not successful)"] = "(Aktualisierung war nicht erfolgreich)"; +$a->strings["(Update was successful)"] = "(Aktualisierung war erfolgreich)"; +$a->strings["Suggest friends"] = "Kontakte vorschlagen"; +$a->strings["Network type: %s"] = "Netzwerktyp: %s"; +$a->strings["Communications lost with this contact!"] = "Verbindungen mit diesem Kontakt verloren!"; +$a->strings["Fetch further information for feeds"] = "Weitere Informationen zu Feeds holen"; +$a->strings["Fetch information like preview pictures, title and teaser from the feed item. You can activate this if the feed doesn't contain much text. Keywords are taken from the meta header in the feed item and are posted as hash tags."] = "Zusätzliche Informationen wie Vorschaubilder, Titel und Zusammenfassungen vom Feed-Eintrag laden. Du kannst diese Option aktivieren, wenn der Feed nicht allzu viel Text beinhaltet. Schlagwörter werden aus den Meta-Informationen des Feed-Headers bezogen und als Hash-Tags verwendet."; +$a->strings["Fetch information"] = "Beziehe Information"; +$a->strings["Fetch keywords"] = "Schlüsselwörter abrufen"; +$a->strings["Fetch information and keywords"] = "Beziehe Information und Schlüsselworte"; +$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["Native reshare"] = "Natives Teilen"; +$a->strings["Contact Information / Notes"] = "Kontakt-Informationen / -Notizen"; +$a->strings["Contact Settings"] = "Kontakteinstellungen"; +$a->strings["Contact"] = "Kontakt"; +$a->strings["Their personal note"] = "Die persönliche Mitteilung"; +$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["View conversations"] = "Unterhaltungen anzeigen"; +$a->strings["Last update:"] = "Letzte Aktualisierung: "; +$a->strings["Update public posts"] = "Öffentliche Beiträge aktualisieren"; +$a->strings["Update now"] = "Jetzt aktualisieren"; +$a->strings["Unignore"] = "Ignorieren aufheben"; +$a->strings["Currently blocked"] = "Derzeit geblockt"; +$a->strings["Currently ignored"] = "Derzeit ignoriert"; +$a->strings["Currently archived"] = "Momentan archiviert"; +$a->strings["Awaiting connection acknowledge"] = "Bedarf der Bestätigung des Kontakts"; +$a->strings["Hide this contact from others"] = "Verbirg 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["Keyword Deny List"] = "Liste der gesperrten Schlüsselwörter"; +$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["Actions"] = "Aktionen"; +$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 (spiegeln)."; +$a->strings["Show all contacts"] = "Alle Kontakte anzeigen"; +$a->strings["Only show pending contacts"] = "Zeige nur noch ausstehende Kontakte."; +$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["Organize your contact groups"] = "Verwalte deine Kontaktgruppen"; +$a->strings["Search your contacts"] = "Suche in deinen Kontakten"; +$a->strings["Results for: %s"] = "Ergebnisse für: %s"; +$a->strings["Archive"] = "Archivieren"; +$a->strings["Unarchive"] = "Aus Archiv zurückholen"; +$a->strings["Batch Actions"] = "Stapelverarbeitung"; +$a->strings["Conversations started by this contact"] = "Unterhaltungen, die von diesem Kontakt begonnen wurden"; +$a->strings["Posts and Comments"] = "Statusnachrichten und Kommentare"; +$a->strings["View all known contacts"] = "Alle bekannten Kontakte anzeigen"; +$a->strings["Advanced Contact Settings"] = "Fortgeschrittene Kontakteinstellungen"; +$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["Pending outgoing contact request"] = "Ausstehende ausgehende Kontaktanfrage"; +$a->strings["Pending incoming contact request"] = "Ausstehende eingehende Kontaktanfrage"; +$a->strings["Refetch contact data"] = "Kontaktdaten neu laden"; +$a->strings["Toggle Blocked status"] = "Geblockt-Status ein-/ausschalten"; +$a->strings["Toggle Ignored status"] = "Ignoriert-Status ein-/ausschalten"; +$a->strings["Toggle Archive status"] = "Archiviert-Status ein-/ausschalten"; +$a->strings["Delete contact"] = "Lösche den Kontakt"; +$a->strings["Local Community"] = "Lokale Gemeinschaft"; +$a->strings["Posts from local users on this server"] = "Beiträge von Nutzern dieses Servers"; +$a->strings["Global Community"] = "Globale Gemeinschaft"; +$a->strings["Posts from users of the whole federated network"] = "Beiträge von Nutzern des gesamten föderalen Netzwerks"; +$a->strings["Own Contacts"] = "Eigene Kontakte"; +$a->strings["Include"] = "Einschließen"; +$a->strings["Hide"] = "Verbergen"; +$a->strings["No results."] = "Keine Ergebnisse."; +$a->strings["This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."] = "Diese Gemeinschaftsseite zeigt alle öffentlichen Beiträge, die auf diesem Knoten eingegangen sind. Der Inhalt entspricht nicht zwingend der Meinung der Nutzer dieses Servers."; +$a->strings["Community option not available."] = "Optionen für die Gemeinschaftsseite nicht verfügbar."; +$a->strings["Not available."] = "Nicht verfügbar."; +$a->strings["No such group"] = "Es gibt keine solche Gruppe"; +$a->strings["Group: %s"] = "Gruppe: %s"; +$a->strings["Latest Activity"] = "Neueste Aktivität"; +$a->strings["Sort by latest activity"] = "Sortiere nach neueste Aktivität"; +$a->strings["Latest Posts"] = "Neueste Beiträge"; +$a->strings["Sort by post received date"] = "Nach Empfangsdatum der Beiträge sortiert"; +$a->strings["Personal"] = "Persönlich"; +$a->strings["Posts that mention or involve you"] = "Beiträge, in denen es um dich geht"; +$a->strings["Starred"] = "Markierte"; +$a->strings["Favourite Posts"] = "Favorisierte Beiträge"; +$a->strings["Credits"] = "Credits"; +$a->strings["Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!"] = "Friendica ist ein Gemeinschaftsprojekt, das nicht ohne die Hilfe vieler Personen möglich wäre. Hier ist eine Aufzählung der Personen, die zum Code oder der Übersetzung beigetragen haben. Dank an alle !"; +$a->strings["Formatted"] = "Formatiert"; +$a->strings["Source"] = "Quelle"; +$a->strings["Activity"] = "Aktivität"; +$a->strings["Object data"] = "Objekt Daten"; +$a->strings["Result Item"] = "Resultierender Eintrag"; +$a->strings["Source activity"] = "Quelle der Aktivität"; +$a->strings["Source input"] = "Originaltext:"; +$a->strings["BBCode::toPlaintext"] = "BBCode::toPlaintext"; +$a->strings["BBCode::convert (raw HTML)"] = "BBCode::convert (pures HTML)"; +$a->strings["BBCode::convert (hex)"] = "BBCode::convert (hex)"; +$a->strings["BBCode::convert"] = "BBCode::convert"; +$a->strings["BBCode::convert => HTML::toBBCode"] = "BBCode::convert => HTML::toBBCode"; +$a->strings["BBCode::toMarkdown"] = "BBCode::toMarkdown"; +$a->strings["BBCode::toMarkdown => Markdown::convert (raw HTML)"] = "BBCode::toMarkdown => Markdown::convert (rohes HTML)"; +$a->strings["BBCode::toMarkdown => Markdown::convert"] = "BBCode::toMarkdown => Markdown::convert"; +$a->strings["BBCode::toMarkdown => Markdown::toBBCode"] = "BBCode::toMarkdown => Markdown::toBBCode"; +$a->strings["BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"] = "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"; +$a->strings["Item Body"] = "Beitragskörper"; +$a->strings["Item Tags"] = "Tags des Beitrags"; +$a->strings["PageInfo::appendToBody"] = "PageInfo::appendToBody"; +$a->strings["PageInfo::appendToBody => BBCode::convert (raw HTML)"] = "PageInfo::appendToBody => BBCode::convert (pures HTML)"; +$a->strings["PageInfo::appendToBody => BBCode::convert"] = "PageInfo::appendToBody => BBCode::convert"; +$a->strings["Source input (Diaspora format)"] = "Originaltext (Diaspora Format): "; +$a->strings["Source input (Markdown)"] = "Originaltext (Markdown)"; +$a->strings["Markdown::convert (raw HTML)"] = "Markdown::convert (pures HTML)"; +$a->strings["Markdown::convert"] = "Markdown::convert"; +$a->strings["Markdown::toBBCode"] = "Markdown::toBBCode"; +$a->strings["Raw HTML input"] = "Reine HTML Eingabe"; +$a->strings["HTML Input"] = "HTML Eingabe"; +$a->strings["HTML Purified (raw)"] = "HTML Purified (raw)"; +$a->strings["HTML Purified (hex)"] = "HTML Purified (hex)"; +$a->strings["HTML Purified"] = "HTML Purified"; +$a->strings["HTML::toBBCode"] = "HTML::toBBCode"; +$a->strings["HTML::toBBCode => BBCode::convert"] = "HTML::toBBCode => BBCode::convert"; +$a->strings["HTML::toBBCode => BBCode::convert (raw HTML)"] = "HTML::toBBCode => BBCode::convert (pures HTML)"; +$a->strings["HTML::toBBCode => BBCode::toPlaintext"] = "HTML::toBBCode => BBCode::toPlaintext"; +$a->strings["HTML::toMarkdown"] = "HTML::toMarkdown"; +$a->strings["HTML::toPlaintext"] = "HTML::toPlaintext"; +$a->strings["HTML::toPlaintext (compact)"] = "HTML::toPlaintext (kompakt)"; +$a->strings["Decoded post"] = "Dekodierter Beitrag"; +$a->strings["Post array before expand entities"] = "Beiträgs Array bevor die Entitäten erweitert wurden."; +$a->strings["Post converted"] = "Konvertierter Beitrag"; +$a->strings["Converted body"] = "Konvertierter Beitragskörper"; +$a->strings["Twitter addon is absent from the addon/ folder."] = "Das Twitter-Addon konnte nicht im addpn/ Verzeichnis gefunden werden."; +$a->strings["Source text"] = "Quelltext"; +$a->strings["BBCode"] = "BBCode"; +$a->strings["Markdown"] = "Markdown"; +$a->strings["HTML"] = "HTML"; +$a->strings["Twitter Source"] = "Twitter Quelle"; +$a->strings["You must be logged in to use this module"] = "Du musst eingeloggt sein, um dieses Modul benutzen zu können."; +$a->strings["Source URL"] = "URL der Quelle"; +$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."; +$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["Only logged in users are permitted to perform a probing."] = "Nur eingeloggten Benutzern ist das Untersuchen von Adressen gestattet."; +$a->strings["Lookup address"] = "Adresse nachschlagen"; +$a->strings["Switch between your accounts"] = "Wechsle deine Konten"; +$a->strings["Manage your accounts"] = "Verwalte deine Konten"; +$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["No entries (some entries may be hidden)."] = "Keine Einträge (einige Einträge könnten versteckt sein)."; $a->strings["Find on this site"] = "Auf diesem Server suchen"; $a->strings["Results for:"] = "Ergebnisse für:"; $a->strings["Site Directory"] = "Verzeichnis"; -$a->strings["Item was not found."] = "Beitrag konnte nicht gefunden werden."; -$a->strings["Please enter a post body."] = "Bitte gibt den Text des Beitrags an"; -$a->strings["This feature is only available with the frio theme."] = "Diese Seite kann ausschließlich mit dem Frio Theme verwendet werden."; -$a->strings["Compose new personal note"] = "Neue persönliche Notiz verfassen"; -$a->strings["Compose new post"] = "Neuen Beitrag verfassen"; -$a->strings["Visibility"] = "Sichtbarkeit"; -$a->strings["Clear the location"] = "Ort löschen"; -$a->strings["Location services are unavailable on your device"] = "Ortungsdienste sind auf Ihrem Gerät nicht verfügbar"; -$a->strings["Location services are disabled. Please check the website's permissions on your device"] = "Ortungsdienste sind deaktiviert. Bitte überprüfe die Berechtigungen der Website auf deinem Gerät"; +$a->strings["Item was not removed"] = "Item wurde nicht entfernt"; +$a->strings["Item was not deleted"] = "Item wurde nicht gelöscht"; +$a->strings["- select -"] = "- auswählen -"; $a->strings["Installed addons/apps:"] = "Installierte Apps und Addons"; $a->strings["No installed addons/apps"] = "Es sind keine Addons oder Apps installiert"; $a->strings["Read about the Terms of Service of this node."] = "Erfahre mehr über die Nutzungsbedingungen dieses Knotens."; @@ -1915,18 +1833,10 @@ $a->strings["Please visit Friendi.ca to learn $a->strings["Bug reports and issues: please visit"] = "Probleme oder Fehler gefunden? Bitte besuche"; $a->strings["the bugtracker at github"] = "den Bugtracker auf github"; $a->strings["Suggestions, praise, etc. - please email \"info\" at \"friendi - dot - ca"] = "Vorschläge, Lob usw.: E-Mail an \"Info\" at \"Friendi - dot ca\""; -$a->strings["Only You Can See This"] = "Nur du kannst das sehen"; -$a->strings["Tips for New Members"] = "Tipps für neue Nutzer"; -$a->strings["The Photo with id %s is not available."] = "Das Bild mit ID %s ist nicht verfügbar."; -$a->strings["Invalid photo with id %s."] = "Fehlerhaftes Foto mit der ID %s."; -$a->strings["The provided profile link doesn't seem to be valid"] = "Der angegebene Profil-Link scheint nicht gültig zu sein."; -$a->strings["Enter your Webfinger address (user@domain.tld) or profile URL here. If this isn't supported by your system, you have to subscribe to %s or %s directly on your system."] = "Gib entweder deine Webfinger- (user@domain.tld) oder die Profil-Adresse an. Wenn dies von deinem System nicht unterstützt wird, folge bitte %s oder %s direkt von deinem System. "; -$a->strings["Account"] = "Nutzerkonto"; -$a->strings["Display"] = "Anzeige"; -$a->strings["Manage Accounts"] = "Accounts Verwalten"; -$a->strings["Connected apps"] = "Verbundene Programme"; -$a->strings["Export personal data"] = "Persönliche Daten exportieren"; -$a->strings["Remove account"] = "Konto löschen"; +$a->strings["Suggested contact not found."] = "Vorgeschlagener Kontakt wurde nicht gefunden."; +$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["Could not create group."] = "Konnte die Gruppe nicht erstellen."; $a->strings["Group not found."] = "Gruppe nicht gefunden."; $a->strings["Group name was not changed."] = "Der Name der Gruppe wurde nicht verändert."; @@ -1941,8 +1851,6 @@ $a->strings["Bad request."] = "Ungültige Anfrage."; $a->strings["Save Group"] = "Gruppe speichern"; $a->strings["Filter"] = "Filter"; $a->strings["Create a group of contacts/friends."] = "Eine Kontaktgruppe anlegen."; -$a->strings["Group Name: "] = "Gruppenname:"; -$a->strings["Contacts not in any group"] = "Kontakte in keiner Gruppe"; $a->strings["Unable to remove group."] = "Konnte die Gruppe nicht entfernen."; $a->strings["Delete Group"] = "Gruppe löschen"; $a->strings["Edit Group Name"] = "Gruppen Name bearbeiten"; @@ -1951,36 +1859,228 @@ $a->strings["Group is empty"] = "Gruppe ist leer"; $a->strings["Remove contact from group"] = "Entferne den Kontakt aus der Gruppe"; $a->strings["Click on a contact to add or remove."] = "Klicke einen Kontakt an, um ihn hinzuzufügen oder zu entfernen"; $a->strings["Add contact to group"] = "Füge den Kontakt zur Gruppe hinzu"; +$a->strings["Help:"] = "Hilfe:"; +$a->strings["Welcome to %s"] = "Willkommen zu %s"; +$a->strings["No profile"] = "Kein Profil"; +$a->strings["Method Not Allowed."] = "Methode nicht erlaubt."; +$a->strings["Friendica Communications Server - Setup"] = "Friendica Komunikationsserver - Installation"; +$a->strings["System check"] = "Systemtest"; +$a->strings["Requirement not satisfied"] = "Anforderung ist nicht erfüllt"; +$a->strings["Optional requirement not satisfied"] = "Optionale Anforderung ist nicht erfüllt"; +$a->strings["OK"] = "Ok"; +$a->strings["Check again"] = "Noch einmal testen"; +$a->strings["Base settings"] = "Grundeinstellungen"; +$a->strings["Host name"] = "Host Name"; +$a->strings["Overwrite this field in case the determinated hostname isn't right, otherweise leave it as is."] = "Sollte der ermittelte Hostname nicht stimmen, korrigiere bitte den Eintrag."; +$a->strings["Base path to installation"] = "Basis-Pfad zur Installation"; +$a->strings["If the system cannot detect the correct path to your installation, enter the correct path here. This setting should only be set if you are using a restricted system and symbolic links to your webroot."] = "Falls das System nicht den korrekten Pfad zu deiner Installation gefunden hat, gib den richtigen Pfad bitte hier ein. Du solltest hier den Pfad nur auf einem eingeschränkten System angeben müssen, bei dem du mit symbolischen Links auf dein Webverzeichnis verweist."; +$a->strings["Sub path of the URL"] = "Unterverzeichnis (Pfad) der URL"; +$a->strings["Overwrite this field in case the sub path determination isn't right, otherwise leave it as is. Leaving this field blank means the installation is at the base URL without sub path."] = "Sollte das ermittelte Unterverzeichnis der Friendica Installation nicht stimmen, korrigiere es bitte. Wenn dieses Feld leer ist, bedeutet dies, dass die Installation direkt unter der Basis-URL installiert wird."; +$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["For security reasons the password must not be empty"] = "Aus Sicherheitsgründen darf das Passwort nicht leer sein."; +$a->strings["Database Name"] = "Datenbank-Name"; +$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["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["System Language:"] = "Systemsprache:"; +$a->strings["Set the default language for your Friendica installation interface and to send emails."] = "Wähle die Standardsprache für deine Friendica-Installations-Oberfläche und den E-Mail-Versand"; +$a->strings["Your Friendica site database has been installed."] = "Die Datenbank Deiner Friendica-Seite wurde installiert."; +$a->strings["Installation finished"] = "Installation abgeschlossen"; +$a->strings["

What next

"] = "

Wie geht es weiter?

"; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the worker."] = "Wichtig: du musst [manuell] einen Cronjob (o.ä.) für den Worker einrichten."; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Lies bitte die \"INSTALL.txt\"."; +$a->strings["Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."] = "Du solltest nun die Seite zur Nutzerregistrierung deiner neuen Friendica Instanz besuchen und einen neuen Nutzer einrichten. Bitte denke daran, dieselbe E-Mail Adresse anzugeben, die du auch als Administrator-E-Mail angegeben hast, damit du das Admin-Panel verwenden kannst."; +$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."] = [ + 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["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."] = "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."; +$a->strings["To accept this invitation, please visit and register at %s."] = "Um diese Kontaktanfrage zu akzeptieren, besuche und registriere dich bitte bei %s."; +$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://friendi.ca"] = "Für weitere Informationen über das Friendica-Projekt und warum wir es für ein wichtiges Projekt halten, besuche bitte http://friendi.ca."; +$a->strings["Please enter a post body."] = "Bitte gibt den Text des Beitrags an"; +$a->strings["This feature is only available with the frio theme."] = "Diese Seite kann ausschließlich mit dem Frio Theme verwendet werden."; +$a->strings["Compose new personal note"] = "Neue persönliche Notiz verfassen"; +$a->strings["Compose new post"] = "Neuen Beitrag verfassen"; +$a->strings["Visibility"] = "Sichtbarkeit"; +$a->strings["Clear the location"] = "Ort löschen"; +$a->strings["Location services are unavailable on your device"] = "Ortungsdienste sind auf Ihrem Gerät nicht verfügbar"; +$a->strings["Location services are disabled. Please check the website's permissions on your device"] = "Ortungsdienste sind deaktiviert. Bitte überprüfe die Berechtigungen der Website auf deinem Gerät"; +$a->strings["System down for maintenance"] = "System zur Wartung abgeschaltet"; +$a->strings["A Decentralized Social Network"] = "Ein dezentrales Soziales Netzwerk"; +$a->strings["Show Ignored Requests"] = "Zeige ignorierte Anfragen"; +$a->strings["Hide Ignored Requests"] = "Verberge ignorierte Anfragen"; +$a->strings["Notification type:"] = "Art der Benachrichtigung:"; +$a->strings["Suggested by:"] = "Vorgeschlagen von:"; +$a->strings["Claims to be known to you: "] = "Behauptet, dich zu kennen: "; +$a->strings["Shall your connection be bidirectional or not?"] = "Soll die Verbindung beidseitig sein oder nicht?"; +$a->strings["Accepting %s as a friend allows %s to subscribe to your posts, and you will also receive updates from them in your news feed."] = "Akzeptierst du %s als Kontakt, erlaubst du damit das Lesen deiner Beiträge und abonnierst selbst auch die Beiträge von %s."; +$a->strings["Accepting %s as a subscriber allows them to subscribe to your posts, but you will not receive updates from them in your news feed."] = "Wenn du %s als Abonnent akzeptierst, erlaubst du damit das Lesen deiner Beiträge, wirst aber selbst die Beiträge der anderen Seite nicht erhalten."; +$a->strings["Friend"] = "Kontakt"; +$a->strings["Subscriber"] = "Abonnent"; +$a->strings["No introductions."] = "Keine Kontaktanfragen."; +$a->strings["No more %s notifications."] = "Keine weiteren %s-Benachrichtigungen"; +$a->strings["You must be logged in to show this page."] = "Du musst eingeloggt sein damit diese Seite angezeigt werden kann."; +$a->strings["Network Notifications"] = "Netzwerkbenachrichtigungen"; +$a->strings["System Notifications"] = "Systembenachrichtigungen"; +$a->strings["Personal Notifications"] = "Persönliche Benachrichtigungen"; +$a->strings["Home Notifications"] = "Pinnwandbenachrichtigungen"; +$a->strings["Show unread"] = "Ungelesene anzeigen"; +$a->strings["Show all"] = "Alle anzeigen"; +$a->strings["Wrong type \"%s\", expected one of: %s"] = "Falscher Typ \"%s\", hatte einen der Folgenden erwartet: %s"; +$a->strings["Model not found"] = "Model nicht gefunden"; +$a->strings["Remote privacy information not available."] = "Entfernte Privatsphäreneinstellungen nicht verfügbar."; +$a->strings["Visible to:"] = "Sichtbar für:"; +$a->strings["The Photo with id %s is not available."] = "Das Bild mit ID %s ist nicht verfügbar."; +$a->strings["Invalid photo with id %s."] = "Fehlerhaftes Foto mit der ID %s."; +$a->strings["No contacts."] = "Keine Kontakte."; +$a->strings["You're currently viewing your profile as %s Cancel"] = "Du betrachtest dein Profil gerade als %s Abbrechen"; +$a->strings["Member since:"] = "Mitglied seit:"; +$a->strings["j F, Y"] = "j F, Y"; +$a->strings["j F"] = "j F"; +$a->strings["Birthday:"] = "Geburtstag:"; +$a->strings["Age: "] = "Alter: "; +$a->strings["%d year old"] = [ + 0 => "%d Jahr alt", + 1 => "%d Jahre alt", +]; +$a->strings["Forums:"] = "Foren:"; +$a->strings["View profile as:"] = "Das Profil aus der Sicht von jemandem anderen betrachten:"; +$a->strings["View as"] = "Betrachten als"; +$a->strings["%s's timeline"] = "Timeline von %s"; +$a->strings["%s's posts"] = "Beiträge von %s"; +$a->strings["%s's comments"] = "Kommentare von %s"; +$a->strings["Only parent users can create additional accounts."] = "Zusätzliche Nutzerkonten können nur von Verwaltern angelegt werden."; +$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["Note for the admin"] = "Hinweis für den Admin"; +$a->strings["Leave a message for the admin, why you want to join this node"] = "Hinterlasse eine Nachricht an den Admin, warum du einen Account auf dieser Instanz haben möchtest."; +$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 code: "] = "Dein Ein­la­dungs­code"; +$a->strings["Your Full Name (e.g. Joe Smith, real or real-looking): "] = "Dein vollständiger Name (z.B. Hans Mustermann, echt oder echt erscheinend):"; +$a->strings["Your Email Address: (Initial information will be send there, so this has to be an existing address.)"] = "Deine E-Mail Adresse (Informationen zur Registrierung werden an diese Adresse gesendet, darum muss sie existieren.)"; +$a->strings["Please repeat your e-mail address:"] = "Bitte wiederhole deine E-Mail Adresse"; +$a->strings["Leave empty for an auto generated password."] = "Leer lassen, um das Passwort automatisch zu generieren."; +$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be \"nickname@%s\"."] = "Wähle einen Spitznamen für dein Profil. Dieser muss mit einem Buchstaben beginnen. Die Adresse deines Profils auf dieser Seite wird 'spitzname@%s' sein."; +$a->strings["Choose a nickname: "] = "Spitznamen wählen: "; +$a->strings["Import your profile to this friendica instance"] = "Importiere dein Profil auf diese Friendica-Instanz"; +$a->strings["Note: This node explicitly contains adult content"] = "Hinweis: Dieser Knoten enthält explizit Inhalte für Erwachsene"; +$a->strings["Parent Password:"] = "Passwort des Verwalters"; +$a->strings["Please enter the password of the parent account to legitimize your request."] = "Bitte gib das Passwort des Verwalters ein, um deine Anfrage zu bestätigen."; +$a->strings["Password doesn't match."] = "Das Passwort stimmt nicht."; +$a->strings["Please enter your password."] = "Bitte gib dein Passwort an."; +$a->strings["You have entered too much information."] = "Du hast zu viele Informationen eingegeben."; +$a->strings["Please enter the identical mail address in the second field."] = "Bitte gib die gleiche E-Mail Adresse noch einmal an."; +$a->strings["The additional account was created."] = "Das zusätzliche Nutzerkonto wurde angelegt."; +$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["Registration successful."] = "Registrierung erfolgreich."; +$a->strings["Your registration can not be processed."] = "Deine Registrierung konnte nicht verarbeitet werden."; +$a->strings["You have to leave a request note for the admin."] = "Du musst eine Nachricht für den Administrator als Begründung deiner Anfrage hinterlegen."; +$a->strings["Your registration is pending approval by the site owner."] = "Deine Registrierung muss noch vom Betreiber der Seite freigegeben werden."; +$a->strings["The provided profile link doesn't seem to be valid"] = "Der angegebene Profil-Link scheint nicht gültig zu sein."; +$a->strings["Enter your Webfinger address (user@domain.tld) or profile URL here. If this isn't supported by your system, you have to subscribe to %s or %s directly on your system."] = "Gib entweder deine Webfinger- (user@domain.tld) oder die Profil-Adresse an. Wenn dies von deinem System nicht unterstützt wird, folge bitte %s oder %s direkt von deinem System. "; $a->strings["Only logged in users are permitted to perform a search."] = "Nur eingeloggten Benutzern ist das Suchen gestattet."; $a->strings["Only one search per minute is permitted for not logged in users."] = "Es ist nur eine Suchanfrage pro Minute für nicht eingeloggte Benutzer gestattet."; -$a->strings["Search"] = "Suche"; $a->strings["Items tagged with: %s"] = "Beiträge, die mit %s getaggt sind"; -$a->strings["You must be logged in to use this module."] = "Du musst eingeloggt sein, um dieses Modul benutzen zu können."; $a->strings["Search term was not saved."] = "Der Suchbegriff wurde nicht gespeichert."; $a->strings["Search term already saved."] = "Suche ist bereits gespeichert."; $a->strings["Search term was not removed."] = "Der Suchbegriff wurde nicht entfernt."; -$a->strings["No profile"] = "Kein Profil"; -$a->strings["Error while sending poke, please retry."] = "Beim Versenden des Stupsers ist ein Fehler aufgetreten. Bitte erneut versuchen."; -$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["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["Contact update failed."] = "Konnte den Kontakt nicht aktualisieren."; -$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["Account Nickname"] = "Konto-Spitzname"; -$a->strings["@Tagname - overrides Name/Nickname"] = "@Tagname - überschreibt Name/Spitzname"; -$a->strings["Account URL"] = "Konto-URL"; -$a->strings["Account URL Alias"] = "Konto URL Alias"; -$a->strings["Friend Request URL"] = "URL für Kontaktschaftsanfragen"; -$a->strings["Friend Confirm URL"] = "URL für Bestätigungen von Kontaktanfragen"; -$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["No known contacts."] = "Keine bekannten Kontakte."; -$a->strings["No installed applications."] = "Keine Applikationen installiert."; -$a->strings["Applications"] = "Anwendungen"; +$a->strings["Create a New Account"] = "Neues Konto erstellen"; +$a->strings["Your OpenID: "] = "Deine OpenID:"; +$a->strings["Please enter your username and password to add the OpenID to your existing account."] = "Bitte gib seinen Nutzernamen und das Passwort ein um die OpenID zu deinem bestehenden Nutzerkonto hinzufügen zu können."; +$a->strings["Or login using OpenID: "] = "Oder melde dich mit deiner OpenID an: "; +$a->strings["Password: "] = "Passwort: "; +$a->strings["Remember me"] = "Anmeldedaten merken"; +$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["Logged out."] = "Abgemeldet."; +$a->strings["OpenID protocol error. No ID returned"] = "OpenID Protokollfehler. Keine ID zurückgegeben."; +$a->strings["Account not found. Please login to your existing account to add the OpenID to it."] = "Nutzerkonto nicht gefunden. Bitte melde dich an und füge die OpenID zu deinem Konto hinzu."; +$a->strings["Account not found. Please register a new account or login to your existing account to add the OpenID to it."] = "Nutzerkonto nicht gefunden. Bitte registriere ein neues Konto oder melde dich mit einem existierendem Konto an um diene OpenID hinzuzufügen."; +$a->strings["Remaining recovery codes: %d"] = "Verbleibende Wiederherstellungscodes: %d"; +$a->strings["Invalid code, please retry."] = "Ungültiger Code, bitte erneut versuchen."; +$a->strings["Two-factor recovery"] = "Zwei-Faktor-Wiederherstellung"; +$a->strings["

You can enter one of your one-time recovery codes in case you lost access to your mobile device.

"] = "Du kannst einen deiner einmaligen Wiederherstellungscodes eingeben, falls du den Zugriff auf dein Mobilgerät verloren hast.

"; +$a->strings["Don’t have your phone? Enter a two-factor recovery code"] = "Hast du dein Handy nicht? Gib einen Zwei-Faktor-Wiederherstellungscode ein"; +$a->strings["Please enter a recovery code"] = "Bitte gib einen Wiederherstellungscode ein"; +$a->strings["Submit recovery code and complete login"] = "Sende den Wiederherstellungscode und schließe die Anmeldung ab"; +$a->strings["

Open the two-factor authentication app on your device to get an authentication code and verify your identity.

"] = "

Öffne die Zwei-Faktor-Authentifizierungs-App auf deinem Gerät, um einen Authentifizierungscode abzurufen und deine Identität zu überprüfen.

"; +$a->strings["Please enter a code from your authentication app"] = "Bitte gebe einen Code aus Ihrer Authentifizierungs-App ein"; +$a->strings["Verify code and complete login"] = "Code überprüfen und Anmeldung abschließen"; +$a->strings["Delegation successfully granted."] = "Delegierung erfolgreich eingerichtet."; +$a->strings["Parent user not found, unavailable or password doesn't match."] = "Der angegebene Nutzer konnte nicht gefunden werden, ist nicht verfügbar oder das angegebene Passwort ist nicht richtig."; +$a->strings["Delegation successfully revoked."] = "Delegation erfolgreich aufgehoben."; +$a->strings["Delegated administrators can view but not change delegation permissions."] = "Verwalter können die Berechtigungen der Delegationen einsehen, sie aber nicht ändern."; +$a->strings["Delegate user not found."] = "Delegierter Nutzer nicht gefunden"; +$a->strings["No parent user"] = "Kein Verwalter"; +$a->strings["Parent User"] = "Verwalter"; +$a->strings["Additional Accounts"] = "Zusätzliche Accounts"; +$a->strings["Register additional accounts that are automatically connected to your existing account so you can manage them from this account."] = "Zusätzliche Accounts registrieren, die automatisch mit deinem bestehenden Account verknüpft werden, damit du sie anschließend verwalten kannst."; +$a->strings["Register an additional account"] = "Einen zusätzlichen Account registrieren"; +$a->strings["Parent users have total control about this account, including the account settings. Please double check whom you give this access."] = "Verwalter haben Zugriff auf alle Funktionen dieses Benutzerkontos und können dessen Einstellungen ändern."; +$a->strings["Delegates"] = "Bevollmächtigte"; +$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 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["The theme you chose isn't available."] = "Das gewählte Theme ist nicht verfügbar"; +$a->strings["%s - (Unsupported)"] = "%s - (Nicht unterstützt)"; +$a->strings["Display Settings"] = "Anzeige-Einstellungen"; +$a->strings["General Theme Settings"] = "Allgemeine Theme-Einstellungen"; +$a->strings["Custom Theme Settings"] = "Benutzerdefinierte Theme-Einstellungen"; +$a->strings["Content Settings"] = "Einstellungen zum Inhalt"; +$a->strings["Theme settings"] = "Theme-Einstellungen"; +$a->strings["Calendar"] = "Kalender"; +$a->strings["Display Theme:"] = "Theme:"; +$a->strings["Mobile Theme:"] = "Mobiles Theme"; +$a->strings["Number of items to display per page:"] = "Zahl der Beiträge, die pro Netzwerkseite angezeigt werden sollen: "; +$a->strings["Maximum of 100 items"] = "Maximal 100 Beiträge"; +$a->strings["Number of items to display per page when viewed from mobile device:"] = "Zahl der Beiträge, die pro Netzwerkseite auf mobilen Geräten angezeigt werden sollen:"; +$a->strings["Update browser every xx seconds"] = "Browser alle xx Sekunden aktualisieren"; +$a->strings["Minimum of 10 seconds. Enter -1 to disable it."] = "Minimum sind 10 Sekunden. Gib -1 ein, um abzuschalten."; +$a->strings["Automatic updates only at the top of the post stream pages"] = "Automatische Updates nur, wenn du oben auf den Beitragsstream-Seiten bist."; +$a->strings["Auto update may add new posts at the top of the post stream pages, which can affect the scroll position and perturb normal reading if it happens anywhere else the top of the page."] = "Das automatische Aktualisieren des Streams kann neue Beiträge am Anfang des Stream einfügen. Dies kann die angezeigte Position im Stream beeinflussen, wenn du gerade nicht den Anfang des Streams betrachtest."; +$a->strings["Don't show emoticons"] = "Keine Smileys anzeigen"; +$a->strings["Normally emoticons are replaced with matching symbols. This setting disables this behaviour."] = "Normalerweise werden Smileys / Emoticons durch die passenden Symbolen ersetzt. Mit dieser Einstellung wird dieses Verhalten verhindert."; +$a->strings["Infinite scroll"] = "Endloses Scrollen"; +$a->strings["Automatic fetch new items when reaching the page end."] = "Automatisch neue Beiträge laden, wenn das Ende der Seite erreicht ist."; +$a->strings["Disable Smart Threading"] = "Intelligentes Threading deaktivieren"; +$a->strings["Disable the automatic suppression of extraneous thread indentation."] = "Schaltet das automatische Unterdrücken von überflüssigen Thread-Einrückungen aus."; +$a->strings["Hide the Dislike feature"] = "Das \"Nicht mögen\" Feature verbergen"; +$a->strings["Hides the Dislike button and dislike reactions on posts and comments."] = "Verbirgt den \"Ich mag das nicht\" Button und die dislike Reaktionen auf Beiträge und Kommentare."; +$a->strings["Display the resharer"] = "Teilenden anzeigen"; +$a->strings["Display the first resharer as icon and text on a reshared item."] = "Zeige das Profilbild des ersten Kontakts von dem ein Beitrag geteilt wurde."; +$a->strings["Stay local"] = "Bleib lokal"; +$a->strings["Don't go to a remote system when following a contact link."] = "Gehe nicht zu einem Remote-System, wenn einem Kontaktlink gefolgt wird"; +$a->strings["Beginning of week:"] = "Wochenbeginn:"; $a->strings["Profile Name is required."] = "Profilname ist erforderlich."; $a->strings["Profile couldn't be updated."] = "Das Profil konnte nicht aktualisiert werden."; $a->strings["Label:"] = "Bezeichnung:"; @@ -1995,6 +2095,7 @@ $a->strings["Profile picture"] = "Profilbild"; $a->strings["Location"] = "Wohnort"; $a->strings["Miscellaneous"] = "Verschiedenes"; $a->strings["Custom Profile Fields"] = "Benutzerdefinierte Profilfelder"; +$a->strings["Upload Profile Photo"] = "Profilbild hochladen"; $a->strings["Display name:"] = "Anzeigename:"; $a->strings["Street Address:"] = "Adresse:"; $a->strings["Locality/City:"] = "Wohnort:"; @@ -2025,23 +2126,23 @@ $a->strings["Upload Picture:"] = "Bild 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["Delegation successfully granted."] = "Delegierung erfolgreich eingerichtet."; -$a->strings["Parent user not found, unavailable or password doesn't match."] = "Der angegebene Nutzer konnte nicht gefunden werden, ist nicht verfügbar oder das angegebene Passwort ist nicht richtig."; -$a->strings["Delegation successfully revoked."] = "Delegation erfolgreich aufgehoben."; -$a->strings["Delegated administrators can view but not change delegation permissions."] = "Verwalter können die Berechtigungen der Delegationen einsehen, sie aber nicht ändern."; -$a->strings["Delegate user not found."] = "Delegierter Nutzer nicht gefunden"; -$a->strings["No parent user"] = "Kein Verwalter"; -$a->strings["Parent User"] = "Verwalter"; -$a->strings["Additional Accounts"] = "Zusätzliche Accounts"; -$a->strings["Register additional accounts that are automatically connected to your existing account so you can manage them from this account."] = "Zusätzliche Accounts registrieren, die automatisch mit deinem bestehenden Account verknüpft werden, damit du sie anschließend verwalten kannst."; -$a->strings["Register an additional account"] = "Einen zusätzlichen Account registrieren"; -$a->strings["Parent users have total control about this account, including the account settings. Please double check whom you give this access."] = "Verwalter haben Zugriff auf alle Funktionen dieses Benutzerkontos und können dessen Einstellungen ändern."; -$a->strings["Delegates"] = "Bevollmächtigte"; -$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 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["Please enter your password to access this page."] = "Bitte gib dein Passwort ein, um auf diese Seite zuzugreifen."; +$a->strings["App-specific password generation failed: The description is empty."] = "Die Erzeugung des App spezifischen Passworts ist fehlgeschlagen. Die Beschreibung ist leer."; +$a->strings["App-specific password generation failed: This description already exists."] = "Die Erzeugung des App spezifischen Passworts ist fehlgeschlagen. Die Beschreibung existiert bereits."; +$a->strings["New app-specific password generated."] = "Neues App spezifisches Passwort erzeugt."; +$a->strings["App-specific passwords successfully revoked."] = "App spezifische Passwörter erfolgreich widerrufen."; +$a->strings["App-specific password successfully revoked."] = "App spezifisches Passwort erfolgreich widerrufen."; +$a->strings["Two-factor app-specific passwords"] = "Zwei-Faktor App spezifische Passwörter."; +$a->strings["

App-specific passwords are randomly generated passwords used instead your regular password to authenticate your account on third-party applications that don't support two-factor authentication.

"] = "

App spezifische Passwörter sind zufällig generierte Passwörter die anstelle des regulären Passworts zur Anmeldung mit Client Anwendungen verwendet werden, wenn diese Anwendungen die Zwei-Faktor-Authentifizierung nicht unterstützen.

"; +$a->strings["Make sure to copy your new app-specific password now. You won’t be able to see it again!"] = "Das neue App spezifische Passwort muss jetzt übertragen werden. Später wirst du es nicht mehr einsehen können!"; +$a->strings["Description"] = "Beschreibung"; +$a->strings["Last Used"] = "Zuletzt verwendet"; +$a->strings["Revoke"] = "Widerrufen"; +$a->strings["Revoke All"] = "Alle widerrufen"; +$a->strings["When you generate a new app-specific password, you must use it right away, it will be shown to you once after you generate it."] = "Wenn du eine neues App spezifisches Passwort erstellst, musst du es sofort verwenden. Es wird dir nur ein einziges Mal nach der Erstellung angezeigt."; +$a->strings["Generate new app-specific password"] = "Neues App spezifisches Passwort erstellen"; +$a->strings["Friendiqa on my Fairphone 2..."] = "Friendiqa auf meinem Fairphone 2"; +$a->strings["Generate"] = "Erstellen"; $a->strings["Two-factor authentication successfully disabled."] = "Zwei-Faktor Authentifizierung erfolgreich deaktiviert."; $a->strings["Wrong Password"] = "Falsches Passwort"; $a->strings["

Use an application on a mobile device to get two-factor authentication codes when prompted on login.

"] = "

Benutze eine App auf dein Smartphone um einen Zwei-Faktor identifikations Code zu bekommen wenn beim Loggin das verlagt wird.

"; @@ -2063,80 +2164,160 @@ $a->strings["Disable two-factor authentication"] = "Deaktiviere die Zwei-Faktor- $a->strings["Show recovery codes"] = "Wiederherstellungscodes anzeigen"; $a->strings["Manage app-specific passwords"] = "App spezifische Passwörter verwalten"; $a->strings["Finish app configuration"] = "Beende die App-Konfiguration"; -$a->strings["Please enter your password to access this page."] = "Bitte gib dein Passwort ein, um auf diese Seite zuzugreifen."; -$a->strings["Two-factor authentication successfully activated."] = "Zwei-Faktor-Authentifizierung erfolgreich aktiviert."; -$a->strings["

Or you can submit the authentication settings manually:

\n
\n\t
Issuer
\n\t
%s
\n\t
Account Name
\n\t
%s
\n\t
Secret Key
\n\t
%s
\n\t
Type
\n\t
Time-based
\n\t
Number of digits
\n\t
6
\n\t
Hashing algorithm
\n\t
SHA-1
\n
"] = "

Oder du kannst die Authentifizierungseinstellungen manuell übermitteln:

\n
\n\tVerursacher\n\t
%s
\n\t
Kontoname
\n\t
%s
\n\t
Geheimer Schlüssel
\n\t
%s
\n\t
Typ
\n\t
Zeitbasiert
\n\t
Anzahl an Ziffern
\n\t
6
\n\t
Hashing-Algorithmus
\n\t
SHA-1
\n
"; -$a->strings["Two-factor code verification"] = "Überprüfung des Zwei-Faktor-Codes"; -$a->strings["

Please scan this QR Code with your authenticator app and submit the provided code.

"] = "

Bitte scanne diesen QR-Code mit deiner Authentifikator-App und übermittele den bereitgestellten Code.

"; -$a->strings["

Or you can open the following URL in your mobile device:

%s

"] = "

Oder du kannst die folgende URL in deinem Mobilgerät öffnen:

%s

"; -$a->strings["Verify code and enable two-factor authentication"] = "Überprüfe den Code und aktiviere die Zwei-Faktor-Authentifizierung"; $a->strings["New recovery codes successfully generated."] = "Neue Wiederherstellungscodes erfolgreich generiert."; $a->strings["Two-factor recovery codes"] = "Zwei-Faktor-Wiederherstellungscodes"; $a->strings["

Recovery codes can be used to access your account in the event you lose access to your device and cannot receive two-factor authentication codes.

Put these in a safe spot! If you lose your device and don’t have the recovery codes you will lose access to your account.

"] = "

Wiederherstellungscodes können verwendet werden, um auf dein Konto zuzugreifen, falls du den Zugriff auf dein Gerät verlieren und keine Zwei-Faktor-Authentifizierungscodes erhalten kannst.

Bewahre diese an einem sicheren Ort auf! Wenn du dein Gerät verlierst und nicht über die Wiederherstellungscodes verfügst, verlierst du den Zugriff auf dein Konto.

"; $a->strings["When you generate new recovery codes, you must copy the new codes. Your old codes won’t work anymore."] = "Wenn du neue Wiederherstellungscodes generierst, mußt du die neuen Codes kopieren. Deine alten Codes funktionieren nicht mehr."; $a->strings["Generate new recovery codes"] = "Generiere neue Wiederherstellungscodes"; $a->strings["Next: Verification"] = "Weiter: Überprüfung"; -$a->strings["App-specific password generation failed: The description is empty."] = "Die Erzeugung des App spezifischen Passworts ist fehlgeschlagen. Die Beschreibung ist leer."; -$a->strings["App-specific password generation failed: This description already exists."] = "Die Erzeugung des App spezifischen Passworts ist fehlgeschlagen. Die Beschreibung existiert bereits."; -$a->strings["New app-specific password generated."] = "Neues App spezifisches Passwort erzeugt."; -$a->strings["App-specific passwords successfully revoked."] = "App spezifische Passwörter erfolgreich widerrufen."; -$a->strings["App-specific password successfully revoked."] = "App spezifisches Passwort erfolgreich widerrufen."; -$a->strings["Two-factor app-specific passwords"] = "Zwei-Faktor App spezifische Passwörter."; -$a->strings["

App-specific passwords are randomly generated passwords used instead your regular password to authenticate your account on third-party applications that don't support two-factor authentication.

"] = "

App spezifische Passwörter sind zufällig generierte Passwörter die anstelle des regulären Passworts zur Anmeldung mit Client Anwendungen verwendet werden, wenn diese Anwendungen die Zwei-Faktor-Authentifizierung nicht unterstützen.

"; -$a->strings["Make sure to copy your new app-specific password now. You won’t be able to see it again!"] = "Das neue App spezifische Passwort muss jetzt übertragen werden. Später wirst du es nicht mehr einsehen können!"; -$a->strings["Description"] = "Beschreibung"; -$a->strings["Last Used"] = "Zuletzt verwendet"; -$a->strings["Revoke"] = "Widerrufen"; -$a->strings["Revoke All"] = "Alle widerrufen"; -$a->strings["When you generate a new app-specific password, you must use it right away, it will be shown to you once after you generate it."] = "Wenn du eine neues App spezifisches Passwort erstellst, musst du es sofort verwenden. Es wird dir nur ein einziges Mal nach der Erstellung angezeigt."; -$a->strings["Generate new app-specific password"] = "Neues App spezifisches Passwort erstellen"; -$a->strings["Friendiqa on my Fairphone 2..."] = "Friendiqa auf meinem Fairphone 2"; -$a->strings["Generate"] = "Erstellen"; -$a->strings["The theme you chose isn't available."] = "Das gewählte Theme ist nicht verfügbar"; -$a->strings["%s - (Unsupported)"] = "%s - (Nicht unterstützt)"; -$a->strings["Display Settings"] = "Anzeige-Einstellungen"; -$a->strings["General Theme Settings"] = "Allgemeine Theme-Einstellungen"; -$a->strings["Custom Theme Settings"] = "Benutzerdefinierte Theme-Einstellungen"; -$a->strings["Content Settings"] = "Einstellungen zum Inhalt"; -$a->strings["Calendar"] = "Kalender"; -$a->strings["Display Theme:"] = "Theme:"; -$a->strings["Mobile Theme:"] = "Mobiles Theme"; -$a->strings["Number of items to display per page:"] = "Zahl der Beiträge, die pro Netzwerkseite angezeigt werden sollen: "; -$a->strings["Maximum of 100 items"] = "Maximal 100 Beiträge"; -$a->strings["Number of items to display per page when viewed from mobile device:"] = "Zahl der Beiträge, die pro Netzwerkseite auf mobilen Geräten angezeigt werden sollen:"; -$a->strings["Update browser every xx seconds"] = "Browser alle xx Sekunden aktualisieren"; -$a->strings["Minimum of 10 seconds. Enter -1 to disable it."] = "Minimum sind 10 Sekunden. Gib -1 ein, um abzuschalten."; -$a->strings["Automatic updates only at the top of the post stream pages"] = "Automatische Updates nur, wenn du oben auf den Beitragsstream-Seiten bist."; -$a->strings["Auto update may add new posts at the top of the post stream pages, which can affect the scroll position and perturb normal reading if it happens anywhere else the top of the page."] = "Das automatische Aktualisieren des Streams kann neue Beiträge am Anfang des Stream einfügen. Dies kann die angezeigte Position im Stream beeinflussen, wenn du gerade nicht den Anfang des Streams betrachtest."; -$a->strings["Don't show emoticons"] = "Keine Smileys anzeigen"; -$a->strings["Normally emoticons are replaced with matching symbols. This setting disables this behaviour."] = "Normalerweise werden Smileys / Emoticons durch die passenden Symbolen ersetzt. Mit dieser Einstellung wird dieses Verhalten verhindert."; -$a->strings["Infinite scroll"] = "Endloses Scrollen"; -$a->strings["Automatic fetch new items when reaching the page end."] = "Automatisch neue Beiträge laden, wenn das Ende der Seite erreicht ist."; -$a->strings["Disable Smart Threading"] = "Intelligentes Threading deaktivieren"; -$a->strings["Disable the automatic suppression of extraneous thread indentation."] = "Schaltet das automatische Unterdrücken von überflüssigen Thread-Einrückungen aus."; -$a->strings["Hide the Dislike feature"] = "Das \"Nicht mögen\" Feature verbergen"; -$a->strings["Hides the Dislike button and dislike reactions on posts and comments."] = "Verbirgt den \"Ich mag das nicht\" Button und die dislike Reaktionen auf Beiträge und Kommentare."; -$a->strings["Display the resharer"] = "Teilenden anzeigen"; -$a->strings["Display the first resharer as icon and text on a reshared item."] = "Zeige das Profilbild des ersten Kontakts von dem ein Beitrag geteilt wurde."; -$a->strings["Stay local"] = "Bleib lokal"; -$a->strings["Don't go to a remote system when following a contact link."] = "Gehe nicht zu einem Remote-System, wenn einem Kontaktlink gefolgt wird"; -$a->strings["Beginning of week:"] = "Wochenbeginn:"; +$a->strings["Two-factor authentication successfully activated."] = "Zwei-Faktor-Authentifizierung erfolgreich aktiviert."; +$a->strings["

Or you can submit the authentication settings manually:

\n
\n\t
Issuer
\n\t
%s
\n\t
Account Name
\n\t
%s
\n\t
Secret Key
\n\t
%s
\n\t
Type
\n\t
Time-based
\n\t
Number of digits
\n\t
6
\n\t
Hashing algorithm
\n\t
SHA-1
\n
"] = "

Oder du kannst die Authentifizierungseinstellungen manuell übermitteln:

\n
\n\tVerursacher\n\t
%s
\n\t
Kontoname
\n\t
%s
\n\t
Geheimer Schlüssel
\n\t
%s
\n\t
Typ
\n\t
Zeitbasiert
\n\t
Anzahl an Ziffern
\n\t
6
\n\t
Hashing-Algorithmus
\n\t
SHA-1
\n
"; +$a->strings["Two-factor code verification"] = "Überprüfung des Zwei-Faktor-Codes"; +$a->strings["

Please scan this QR Code with your authenticator app and submit the provided code.

"] = "

Bitte scanne diesen QR-Code mit deiner Authentifikator-App und übermittele den bereitgestellten Code.

"; +$a->strings["

Or you can open the following URL in your mobile device:

%s

"] = "

Oder du kannst die folgende URL in deinem Mobilgerät öffnen:

%s

"; +$a->strings["Verify code and enable two-factor authentication"] = "Überprüfe den Code und aktiviere die Zwei-Faktor-Authentifizierung"; $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 Account-Informationen 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 account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = "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 (Photos werden nicht exportiert)."; $a->strings["Export Contacts to CSV"] = "Kontakte nach CSV exportieren"; $a->strings["Export the list of the accounts you are following as CSV file. Compatible to e.g. Mastodon."] = "Exportiert die Liste der Nutzerkonten denen du folgst in eine CSV Datei. Das Format ist z.B. zu Mastodon kompatibel."; -$a->strings["System down for maintenance"] = "System zur Wartung abgeschaltet"; +$a->strings["Bad Request"] = "Ungültige Anfrage"; +$a->strings["Unauthorized"] = "Nicht autorisiert"; +$a->strings["Forbidden"] = "Verboten"; +$a->strings["Not Found"] = "Nicht gefunden"; +$a->strings["Internal Server Error"] = "Interner Serverfehler"; +$a->strings["Service Unavailable"] = "Dienst nicht verfügbar"; +$a->strings["The server cannot or will not process the request due to an apparent client error."] = "Aufgrund eines offensichtlichen Fehlers auf der Seite des Clients kann oder wird der Server die Anfrage nicht bearbeiten."; +$a->strings["Authentication is required and has failed or has not yet been provided."] = "Die erforderliche Authentifizierung ist fehlgeschlagen oder noch nicht erfolgt."; +$a->strings["The request was valid, but the server is refusing action. The user might not have the necessary permissions for a resource, or may need an account."] = "Die Anfrage war gültig, aber der Server verweigert die Ausführung. Der Benutzer verfügt möglicherweise nicht über die erforderlichen Berechtigungen oder benötigt ein Nutzerkonto."; +$a->strings["The requested resource could not be found but may be available in the future."] = "Die angeforderte Ressource konnte nicht gefunden werden, sie könnte allerdings zu einem späteren Zeitpunkt verfügbar sein."; +$a->strings["An unexpected condition was encountered and no more specific message is suitable."] = "Eine unerwartete Situation ist eingetreten, zu der keine detailliertere Nachricht vorliegt."; +$a->strings["The server is currently unavailable (because it is overloaded or down for maintenance). Please try again later."] = "Der Server ist derzeit nicht verfügbar (wegen Überlastung oder Wartungsarbeiten). Bitte versuche es später noch einmal."; +$a->strings["Stack trace:"] = "Stack trace:"; +$a->strings["Exception thrown in %s:%d"] = "Exception thrown in %s:%d"; +$a->strings["At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication."] = "Zum Zwecke der Registrierung und um die Kommunikation zwischen dem Nutzer und seinen Kontakten zu gewährleisten, muß der Nutzer einen Namen (auch Pseudonym) und einen Nutzernamen (Spitzname) sowie eine funktionierende E-Mail-Adresse angeben. Der Name ist auf der Profilseite für alle Nutzer sichtbar, auch wenn die Profildetails nicht angezeigt werden.\nDie E-Mail-Adresse wird nur zur Benachrichtigung des Nutzers verwendet, sie wird nirgends angezeigt. Die Anzeige des Nutzerkontos im Server-Verzeichnis bzw. dem weltweiten Verzeichnis erfolgt gemäß den Einstellungen des Nutzers, sie ist zur Kommunikation nicht zwingend notwendig."; +$a->strings["This data is required for communication and is passed on to the nodes of the communication partners and is stored there. Users can enter additional private data that may be transmitted to the communication partners accounts."] = "Diese Daten sind für die Kommunikation notwendig und werden an die Knoten der Kommunikationspartner übermittelt und dort gespeichert. Nutzer können weitere, private Angaben machen, die ebenfalls an die verwendeten Server der Kommunikationspartner übermittelt werden können."; +$a->strings["At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent. Deletion of the data will also be requested from the nodes of the communication partners."] = "Angemeldete Nutzer können ihre Nutzerdaten jederzeit von den Kontoeinstellungen aus exportieren. Wenn ein Nutzer wünscht das Nutzerkonto zu löschen, so ist dies jederzeit unter %1\$s/removeme möglich. Die Löschung des Nutzerkontos ist permanent. Die Löschung der Daten wird auch von den Knoten der Kommunikationspartner angefordert."; +$a->strings["Privacy Statement"] = "Datenschutzerklärung"; +$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["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 Kontakte mit anderen im Friendica Netzwerk zu knüpfen.."; +$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 Kontakte und potentiellen Kontakte wissen genau, wie sie dich finden können."; +$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."] = "Lade ein Profilbild hoch, falls du es noch nicht getan hast. Studien haben gezeigt, dass es zehnmal wahrscheinlicher ist, neue Kontakte zu finden, wenn du ein Bild von dir selbst verwendest, als wenn du dies nicht tust."; +$a->strings["Edit Your Profile"] = "Editiere dein 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."] = "Editiere dein Standard-Profil nach deinen Vorlieben. Überprüfe die Einstellungen zum Verbergen deiner Kontaktliste vor unbekannten Betrachtern des Profils."; +$a->strings["Profile Keywords"] = "Profil-Schlüsselbegriffe"; +$a->strings["Set some public keywords for your profile which describe your interests. We may be able to find other people with similar interests and suggest friendships."] = "Trage ein paar öffentliche Stichwörter in dein Profil ein, die deine Interessen beschreiben. Eventuell sind wir in der Lage Leute zu finden, die deine Interessen teilen und können dir dann Kontakte vorschlagen."; +$a->strings["Connecting"] = "Verbindungen knüpfen"; +$a->strings["Importing Emails"] = "Emails Importieren"; +$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"] = "Gib deine E-Mail-Zugangsinformationen auf der Connector-Einstellungsseite ein, falls du E-Mails aus Deinem Posteingang importieren und mit Kontakten und Mailinglisten interagieren willst."; +$a->strings["Go to Your Contacts Page"] = "Gehe zu deiner Kontakt-Seite"; +$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."] = "Die Kontakte-Seite ist die Einstiegsseite, von der aus du Kontakte verwalten und dich mit Personen in anderen Netzwerken verbinden kannst. Normalerweise gibst du dazu einfach ihre Adresse oder die URL der Seite im Kasten Neuen Kontakt hinzufügen ein."; +$a->strings["Go to Your Site's Directory"] = "Gehe zum Verzeichnis Deiner Friendica-Instanz"; +$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."] = "Über die Verzeichnisseite kannst du andere Personen auf diesem Server oder anderen, verknüpften Seiten finden. Halte nach einem Verbinden- oder Folgen-Link auf deren Profilseiten Ausschau und gib deine eigene Profiladresse an, falls du danach gefragt wirst."; +$a->strings["Finding New People"] = "Neue Leute kennenlernen"; +$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."] = "Im seitlichen Bedienfeld der Kontakteseite gibt es diverse Werkzeuge, um neue Personen zu finden. Wir können Menschen mit den gleichen Interessen finden, anhand von Namen oder Interessen suchen oder aber aufgrund vorhandener Kontakte neue Leute vorschlagen.\nAuf einer brandneuen - soeben erstellten - Seite starten die Kontaktvorschläge innerhalb von 24 Stunden."; +$a->strings["Group Your Contacts"] = "Gruppiere deine Kontakte"; +$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."] = "Sobald du einige Kontakte gefunden hast, organisiere sie in Gruppen zur privaten Kommunikation im Seitenmenü der Kontakte-Seite. Du kannst dann mit jeder dieser Gruppen von der Netzwerkseite aus privat interagieren."; +$a->strings["Why Aren't My Posts Public?"] = "Warum sind meine Beiträge nicht öffentlich?"; +$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 respektiert Deine Privatsphäre. Mit der Grundeinstellung werden Deine Beiträge ausschließlich Deinen Kontakten angezeigt. Für weitere Informationen diesbezüglich lies dir bitte den entsprechenden Abschnitt in der Hilfe unter dem obigen Link durch."; +$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 anderen Programm-Features zu erhalten."; +$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["This entry was edited"] = "Dieser Beitrag wurde bearbeitet."; +$a->strings["Private Message"] = "Private Nachricht"; +$a->strings["pinned item"] = "Angehefteter Beitrag"; +$a->strings["Delete locally"] = "Lokal löschen"; +$a->strings["Delete globally"] = "Global löschen"; +$a->strings["Remove locally"] = "Lokal entfernen"; +$a->strings["Block %s"] = "Blockiere %s"; +$a->strings["save to folder"] = "In Ordner speichern"; +$a->strings["I will attend"] = "Ich werde teilnehmen"; +$a->strings["I will not attend"] = "Ich werde nicht teilnehmen"; +$a->strings["I might attend"] = "Ich werde eventuell teilnehmen"; +$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["pin"] = "anheften"; +$a->strings["unpin"] = "losmachen"; +$a->strings["toggle pin status"] = "Angeheftet Status ändern"; +$a->strings["pinned"] = "angeheftet"; +$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["like"] = "mag ich"; +$a->strings["dislike"] = "mag ich nicht"; +$a->strings["Quote Share"] = "Zitat teilen"; +$a->strings["Reshare this"] = "Teile dies"; +$a->strings["Reshare"] = "Teilen"; +$a->strings["Cancel your Reshare"] = "Teilen aufheben"; +$a->strings["%s (Received %s)"] = "%s (Empfangen %s)"; +$a->strings["Comment this item on your system"] = "Kommentiere diesen Beitrag von deinem System aus"; +$a->strings["remote comment"] = "Entfernter Kommentar"; +$a->strings["Pushed"] = "Pushed"; +$a->strings["Pulled"] = "Pulled"; +$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["Reply to %s"] = "Antworte %s"; +$a->strings["More"] = "Mehr"; +$a->strings["Notifier task is pending"] = "Die Benachrichtigungsaufgabe ist ausstehend"; +$a->strings["Delivery to remote servers is pending"] = "Die Auslieferung an Remote-Server steht noch aus"; +$a->strings["Delivery to remote servers is underway"] = "Die Auslieferung an Remote-Server ist unterwegs"; +$a->strings["Delivery to remote servers is mostly done"] = "Die Zustellung an Remote-Server ist fast erledigt"; +$a->strings["Delivery to remote servers is done"] = "Die Zustellung an die Remote-Server ist erledigt"; +$a->strings["%d comment"] = [ + 0 => "%d Kommentar", + 1 => "%d Kommentare", +]; +$a->strings["Show more"] = "Zeige mehr"; +$a->strings["Show fewer"] = "Zeige weniger"; +$a->strings["Attachments:"] = "Anhänge:"; $a->strings["%s is now following %s."] = "%s folgt nun %s"; $a->strings["following"] = "folgen"; $a->strings["%s stopped following %s."] = "%s hat aufgehört %s, zu folgen"; $a->strings["stopped following"] = "wird nicht mehr gefolgt"; -$a->strings["Attachments:"] = "Anhänge:"; +$a->strings["The folder view/smarty3/ must be writable by webserver."] = "Das Verzeichnis view/smarty3/ muss für den Web-Server beschreibbar sein."; +$a->strings["Hometown:"] = "Heimatort:"; +$a->strings["Marital Status:"] = "Familienstand:"; +$a->strings["With:"] = "Mit:"; +$a->strings["Since:"] = "Seit:"; +$a->strings["Sexual Preference:"] = "Sexuelle Vorlieben:"; +$a->strings["Political Views:"] = "Politische Ansichten:"; +$a->strings["Religious Views:"] = "Religiöse Ansichten:"; +$a->strings["Likes:"] = "Likes:"; +$a->strings["Dislikes:"] = "Dislikes:"; +$a->strings["Title/Description:"] = "Titel/Beschreibung:"; +$a->strings["Musical interests"] = "Musikalische Interessen"; +$a->strings["Books, literature"] = "Bücher, Literatur"; +$a->strings["Television"] = "Fernsehen"; +$a->strings["Film/dance/culture/entertainment"] = "Filme/Tänze/Kultur/Unterhaltung"; +$a->strings["Hobbies/Interests"] = "Hobbies/Interessen"; +$a->strings["Love/romance"] = "Liebe/Romantik"; +$a->strings["Work/employment"] = "Arbeit/Anstellung"; +$a->strings["School/education"] = "Schule/Ausbildung"; +$a->strings["Contact information and Social Networks"] = "Kontaktinformationen und Soziale Netzwerke"; +$a->strings["Login failed."] = "Anmeldung fehlgeschlagen."; +$a->strings["Login failed. Please check your credentials."] = "Anmeldung fehlgeschlagen. Bitte überprüfe deine Angaben."; +$a->strings["Welcome %s"] = "Willkommen %s"; +$a->strings["Please upload a profile photo."] = "Bitte lade ein Profilbild hoch."; +$a->strings["Friendica Notification"] = "Friendica-Benachrichtigung"; $a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, %2\$s Administrator"; $a->strings["%s Administrator"] = "der Administrator von %s"; $a->strings["thanks"] = "danke"; -$a->strings["Friendica Notification"] = "Friendica-Benachrichtigung"; $a->strings["YYYY-MM-DD or MM-DD"] = "YYYY-MM-DD oder MM-DD"; $a->strings["never"] = "nie"; $a->strings["less than a second ago"] = "vor weniger als einer Sekunde"; @@ -2153,245 +2334,67 @@ $a->strings["second"] = "Sekunde"; $a->strings["seconds"] = "Sekunden"; $a->strings["in %1\$d %2\$s"] = "in %1\$d %2\$s"; $a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s her"; -$a->strings["Database storage failed to update %s"] = "Datenbankspeicher konnte nicht aktualisiert werden %s"; -$a->strings["Database storage failed to insert data"] = "Der Datenbankspeicher konnte keine Daten einfügen"; -$a->strings["Filesystem storage failed to create \"%s\". Check you write permissions."] = "Dateisystemspeicher konnte nicht erstellt werden \"%s\". Überprüfe, ob du Schreibberechtigungen hast."; -$a->strings["Filesystem storage failed to save data to \"%s\". Check your write permissions"] = "Der Dateisystemspeicher konnte die Daten nicht in \"%s\" speichern. Überprüfe Deine Schreibberechtigungen"; -$a->strings["Storage base path"] = "Dateipfad zum Speicher"; -$a->strings["Folder where uploaded files are saved. For maximum security, This should be a path outside web server folder tree"] = "Verzeichnis, in das Dateien hochgeladen werden. Für maximale Sicherheit sollte dies ein Pfad außerhalb der Webserver-Verzeichnisstruktur sein"; -$a->strings["Enter a valid existing folder"] = "Gib einen gültigen, existierenden Ordner ein"; -$a->strings["Detected languages in this post:\\n%s"] = "Erkannte Sprachen in diesem Beitrag:\\n%s"; -$a->strings["activity"] = "Aktivität"; -$a->strings["post"] = "Beitrag"; -$a->strings["Content warning: %s"] = "Inhaltswarnung: %s"; -$a->strings["bytes"] = "Byte"; -$a->strings["View on separate page"] = "Auf separater Seite ansehen"; -$a->strings["view on separate page"] = "auf separater Seite ansehen"; -$a->strings["link to source"] = "Link zum Originalbeitrag"; -$a->strings["[no subject]"] = "[kein Betreff]"; -$a->strings["UnFollow"] = "Entfolgen"; -$a->strings["Drop Contact"] = "Kontakt löschen"; -$a->strings["Organisation"] = "Organisation"; -$a->strings["News"] = "Nachrichten"; -$a->strings["Forum"] = "Forum"; -$a->strings["Connect URL missing."] = "Connect-URL fehlt"; -$a->strings["The contact could not be added. Please check the relevant network credentials in your Settings -> Social Networks page."] = "Der Kontakt konnte nicht hinzugefügt werden. Bitte überprüfe die Einstellungen unter Einstellungen -> Soziale Netzwerke"; -$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 E-Mail-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["Starts:"] = "Beginnt:"; -$a->strings["Finishes:"] = "Endet:"; -$a->strings["all-day"] = "ganztägig"; -$a->strings["Sept"] = "Sep"; -$a->strings["No events to display"] = "Keine Veranstaltung zum Anzeigen"; -$a->strings["l, F j"] = "l, F j"; -$a->strings["Edit event"] = "Veranstaltung bearbeiten"; -$a->strings["Duplicate event"] = "Veranstaltung kopieren"; -$a->strings["Delete event"] = "Veranstaltung löschen"; -$a->strings["D g:i A"] = "D H:i"; -$a->strings["g:i A"] = "H:i"; -$a->strings["Show map"] = "Karte anzeigen"; -$a->strings["Hide map"] = "Karte verbergen"; -$a->strings["%s's birthday"] = "%ss Geburtstag"; -$a->strings["Happy Birthday %s"] = "Herzlichen Glückwunsch, %s"; -$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "FATALER FEHLER: Sicherheitsschlüssel konnten nicht erzeugt werden."; -$a->strings["Login failed"] = "Anmeldung fehlgeschlagen"; -$a->strings["Not enough information to authenticate"] = "Nicht genügend Informationen für die Authentifizierung"; -$a->strings["Password can't be empty"] = "Das Passwort kann nicht leer sein"; -$a->strings["Empty passwords are not allowed."] = "Leere Passwörter sind nicht erlaubt."; -$a->strings["The new password has been exposed in a public data dump, please choose another."] = "Das neue Passwort wurde in einem öffentlichen Daten-Dump veröffentlicht. Bitte verwende ein anderes Passwort."; -$a->strings["The password can't contain accentuated letters, white spaces or colons (:)"] = "Das Passwort darf keine akzentuierten Buchstaben, Leerzeichen oder Doppelpunkte (:) beinhalten"; -$a->strings["Passwords do not match. Password unchanged."] = "Die Passwörter stimmen nicht überein. Das Passwort bleibt unverändert."; -$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["system.username_min_length (%s) and system.username_max_length (%s) are excluding each other, swapping values."] = "system.username_min_length (%s) and system.username_max_length (%s) schließen sich gegenseitig aus, tausche Werte aus."; -$a->strings["Username should be at least %s character."] = [ - 0 => "Der Benutzername sollte aus mindestens %s Zeichen bestehen.", - 1 => "Der Benutzername sollte aus mindestens %s Zeichen bestehen.", -]; -$a->strings["Username should be at most %s character."] = [ - 0 => "Der Benutzername sollte aus maximal %s Zeichen bestehen.", - 1 => "Der Benutzername sollte aus maximal %s Zeichen bestehen.", -]; -$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["The nickname was blocked from registration by the nodes admin."] = "Der Admin des Knotens hat den Spitznamen für die Registrierung gesperrt."; -$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 _."] = "Dein Spitzname darf nur aus Buchstaben und Zahlen (\"a-z\",\"0-9\" und \"_\") bestehen."; -$a->strings["Nickname is already registered. Please choose another."] = "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen."; -$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["An error occurred creating your self contact. Please try again."] = "Bei der Erstellung deines self-Kontakts ist ein Fehler aufgetreten. Bitte versuche es erneut."; -$a->strings["Friends"] = "Kontakte"; -$a->strings["An error occurred creating your default contact group. Please try again."] = "Bei der Erstellung deiner Standardgruppe für Kontakte ist ein Fehler aufgetreten. Bitte versuche es erneut."; -$a->strings["\n\t\tDear %1\$s,\n\t\t\tthe administrator of %2\$s has set up an account for you."] = "\nHallo %1\$s\nein Admin von %2\$s hat dir ein Nutzerkonto angelegt."; -$a->strings["\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%1\$s\n\t\tLogin Name:\t\t%2\$s\n\t\tPassword:\t\t%3\$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\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\tThank you and welcome to %4\$s."] = "\nNachfolgend die Anmeldedetails:\n\nAdresse der Seite: %1\$s\nBenutzername: %2\$s\nPasswort: %3\$s\n\nDu kannst dein Passwort unter \"Einstellungen\" ändern, sobald du dich angemeldet hast.Bitte nimm dir ein paar Minuten, um die anderen Einstellungen auf dieser Seite zu kontrollieren.Eventuell magst du ja auch einige Informationen über dich in deinem Profil veröffentlichen, damit andere Leute dich einfacher finden können.Bearbeite hierfür einfach dein Standard-Profil (über die Profil-Seite).Wir empfehlen dir, deinen kompletten Namen anzugeben und ein zu dir passendes Profilbild zu wählen, damit dich alte Bekannte wiederfinden.Außerdem ist es nützlich, wenn du auf deinem Profil Schlüsselwörter angibst. Das erleichtert es, Leute zu finden, die deine Interessen teilen.Wir respektieren deine Privatsphäre - keine dieser Angaben ist nötig.Wenn du neu im Netzwerk bist und noch niemanden kennst, dann können sie allerdings dabei helfen, neue und interessante Kontakte zu knüpfen.\n\nDu kannst dein Nutzerkonto jederzeit unter %1\$s/removeme wieder löschen.\n\nDanke und willkommen auf %4\$s."; -$a->strings["Registration details for %s"] = "Details der Registration von %s"; -$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%4\$s\n\t\t\tPassword:\t\t%5\$s\n\t\t"] = "\n\t\t\tHallo %1\$s,\n\t\t\t\tdanke für deine Registrierung auf %2\$s. Dein Account muss noch vom Admin des Knotens freigeschaltet werden.\n\n\t\t\tDeine Zugangsdaten lauten wie folgt:\n\n\t\t\tSeitenadresse:\t%3\$s\n\t\t\tAnmeldename:\t\t%4\$s\n\t\t\tPasswort:\t\t%5\$s\n\t\t"; -$a->strings["Registration at %s"] = "Registrierung als %s"; -$a->strings["\n\t\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t\t"] = "\n\t\t\t\tHallo %1\$s,\n\t\t\t\tDanke für die Registrierung auf %2\$s. Dein Account wurde angelegt.\n\t\t\t"; -$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = "\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 wiederfinden.\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\nSolltest du dein Nutzerkonto löschen wollen, kannst du dies unter %3\$s/removeme jederzeit tun.\n\nDanke für deine Aufmerksamkeit und willkommen auf %2\$s."; -$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "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["add"] = "hinzufügen"; -$a->strings["Edit group"] = "Gruppe bearbeiten"; -$a->strings["Create a new group"] = "Neue Gruppe erstellen"; -$a->strings["Edit groups"] = "Gruppen bearbeiten"; -$a->strings["Change profile photo"] = "Profilbild ändern"; -$a->strings["Atom feed"] = "Atom-Feed"; -$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["Upcoming events the next 7 days:"] = "Veranstaltungen der nächsten 7 Tage:"; -$a->strings["OpenWebAuth: %1\$s welcomes %2\$s"] = "OpenWebAuth: %1\$s heißt %2\$s herzlich willkommen"; -$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"; -$a->strings["Connect"] = "Verbinden"; -$a->strings["%d invitation available"] = [ - 0 => "%d Einladung verfügbar", - 1 => "%d Einladungen verfügbar", -]; -$a->strings["Everyone"] = "Jeder"; -$a->strings["Relationships"] = "Beziehungen"; -$a->strings["Protocols"] = "Protokolle"; -$a->strings["All Protocols"] = "Alle Protokolle"; -$a->strings["Saved Folders"] = "Gespeicherte Ordner"; -$a->strings["Everything"] = "Alles"; -$a->strings["Categories"] = "Kategorien"; -$a->strings["%d contact in common"] = [ - 0 => "%d gemeinsamer Kontakt", - 1 => "%d gemeinsame Kontakte", -]; -$a->strings["show more"] = "mehr anzeigen"; -$a->strings["Archives"] = "Archiv"; -$a->strings["show less"] = "weniger anzeigen"; -$a->strings["Persons"] = "Personen"; -$a->strings["Organisations"] = "Organisationen"; -$a->strings["Forums"] = "Foren"; -$a->strings["Frequently"] = "immer wieder"; -$a->strings["Hourly"] = "Stündlich"; -$a->strings["Twice daily"] = "Zweimal täglich"; -$a->strings["Daily"] = "Täglich"; -$a->strings["Weekly"] = "Wöchentlich"; -$a->strings["Monthly"] = "Monatlich"; -$a->strings["DFRN"] = "DFRN"; -$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["Discourse"] = "Discourse"; -$a->strings["Diaspora Connector"] = "Diaspora Connector"; -$a->strings["GNU Social Connector"] = "GNU Social Connector"; -$a->strings["ActivityPub"] = "ActivityPub"; -$a->strings["pnut"] = "pnut"; -$a->strings["%s (via %s)"] = "%s (via %s)"; -$a->strings["General Features"] = "Allgemeine Features"; -$a->strings["Photo Location"] = "Aufnahmeort"; -$a->strings["Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map."] = "Die Foto-Metadaten werden ausgelesen. Dadurch kann der Aufnahmeort (wenn vorhanden) in einer Karte angezeigt werden."; -$a->strings["Trending Tags"] = "Trending Tags"; -$a->strings["Show a community page widget with a list of the most popular tags in recent public posts."] = "Auf der Gemeinschaftsseite ein Widget mit den meist benutzten Tags in öffentlichen Beiträgen anzeigen."; -$a->strings["Post Composition Features"] = "Beitragserstellung-Features"; -$a->strings["Auto-mention Forums"] = "Foren automatisch erwähnen"; -$a->strings["Add/remove mention when a forum 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["Explicit Mentions"] = "Explizite Erwähnungen"; -$a->strings["Add explicit mentions to comment box for manual control over who gets mentioned in replies."] = "Füge Erwähnungen zum Kommentarfeld hinzu, um manuell über die explizite Erwähnung von Gesprächsteilnehmern zu entscheiden."; -$a->strings["Post/Comment Tools"] = "Werkzeuge für Beiträge und Kommentare"; -$a->strings["Post Categories"] = "Beitragskategorien"; -$a->strings["Add categories to your posts"] = "Eigene Beiträge mit Kategorien versehen"; -$a->strings["Advanced Profile Settings"] = "Erweiterte Profil-Einstellungen"; -$a->strings["List Forums"] = "Zeige Foren"; -$a->strings["Show visitors public community forums at the Advanced Profile Page"] = "Zeige Besuchern öffentliche Gemeinschafts-Foren auf der Erweiterten Profil-Seite"; -$a->strings["Tag Cloud"] = "Schlagwortwolke"; -$a->strings["Provide a personal tag cloud on your profile page"] = "Wortwolke aus den von dir verwendeten Schlagwörtern im Profil anzeigen"; -$a->strings["Display Membership Date"] = "Mitgliedschaftsdatum anzeigen"; -$a->strings["Display membership date in profile"] = "Das Datum der Registrierung deines Accounts im Profil anzeigen"; -$a->strings["Nothing new here"] = "Keine Neuigkeiten"; -$a->strings["Clear notifications"] = "Bereinige Benachrichtigungen"; -$a->strings["@name, !forum, #tags, content"] = "@name, !forum, #tags, content"; -$a->strings["End this session"] = "Diese Sitzung beenden"; -$a->strings["Sign in"] = "Anmelden"; -$a->strings["Personal notes"] = "Persönliche Notizen"; -$a->strings["Your personal notes"] = "Deine persönlichen Notizen"; -$a->strings["Home"] = "Pinnwand"; -$a->strings["Home Page"] = "Homepage"; -$a->strings["Create an account"] = "Nutzerkonto erstellen"; -$a->strings["Help and documentation"] = "Hilfe und Dokumentation"; -$a->strings["Apps"] = "Apps"; -$a->strings["Addon applications, utilities, games"] = "Zusätzliche Anwendungen, Dienstprogramme, Spiele"; -$a->strings["Search site content"] = "Inhalt der Seite durchsuchen"; -$a->strings["Full Text"] = "Volltext"; -$a->strings["Tags"] = "Tags"; -$a->strings["Community"] = "Gemeinschaft"; -$a->strings["Conversations on this and other servers"] = "Unterhaltungen auf diesem und anderen Servern"; -$a->strings["Directory"] = "Verzeichnis"; -$a->strings["People directory"] = "Nutzerverzeichnis"; -$a->strings["Information about this friendica instance"] = "Informationen zu dieser Friendica-Instanz"; -$a->strings["Terms of Service of this Friendica instance"] = "Die Nutzungsbedingungen dieser Friendica-Instanz"; -$a->strings["Introductions"] = "Kontaktanfragen"; -$a->strings["Friend Requests"] = "Kontaktanfragen"; -$a->strings["See all notifications"] = "Alle Benachrichtigungen anzeigen"; -$a->strings["Mark all system notifications seen"] = "Markiere alle Systembenachrichtigungen als gelesen"; -$a->strings["Inbox"] = "Eingang"; -$a->strings["Outbox"] = "Ausgang"; -$a->strings["Accounts"] = "Nutzerkonten"; -$a->strings["Manage other pages"] = "Andere Seiten verwalten"; -$a->strings["Site setup and configuration"] = "Einstellungen der Seite und Konfiguration"; -$a->strings["Navigation"] = "Navigation"; -$a->strings["Site map"] = "Sitemap"; -$a->strings["Remove term"] = "Begriff entfernen"; -$a->strings["Saved Searches"] = "Gespeicherte Suchen"; -$a->strings["Export"] = "Exportieren"; -$a->strings["Export calendar as ical"] = "Kalender als ical exportieren"; -$a->strings["Export calendar as csv"] = "Kalender als csv exportieren"; -$a->strings["Trending Tags (last %d hour)"] = [ - 0 => "Trending Tags (%d Stunde)", - 1 => "Trending Tags (%d Stunden)", -]; -$a->strings["More Trending Tags"] = "mehr Trending Tags"; -$a->strings["No contacts"] = "Keine Kontakte"; -$a->strings["%d Contact"] = [ - 0 => "%d Kontakt", - 1 => "%d Kontakte", -]; -$a->strings["View Contacts"] = "Kontakte anzeigen"; -$a->strings["newer"] = "neuer"; -$a->strings["older"] = "älter"; -$a->strings["Embedding disabled"] = "Einbettungen deaktiviert"; -$a->strings["Embedded content"] = "Eingebetteter Inhalt"; -$a->strings["prev"] = "vorige"; -$a->strings["last"] = "letzte"; -$a->strings["External link to forum"] = "Externer Link zum Forum"; -$a->strings["Loading more entries..."] = "lade weitere Einträge..."; -$a->strings["The end"] = "Das Ende"; -$a->strings["Click to open/close"] = "Zum Öffnen/Schließen klicken"; -$a->strings["Image/photo"] = "Bild/Foto"; -$a->strings["%2\$s %3\$s"] = "%2\$s%3\$s"; -$a->strings["$1 wrote:"] = "$1 hat geschrieben:"; -$a->strings["Encrypted content"] = "Verschlüsselter Inhalt"; -$a->strings["Invalid source protocol"] = "Ungültiges Quell-Protokoll"; -$a->strings["Invalid link protocol"] = "Ungültiges Link-Protokoll"; -$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["All contacts"] = "Alle Kontakte"; -$a->strings["Common"] = "Gemeinsam"; +$a->strings["(no subject)"] = "(kein Betreff)"; +$a->strings["default"] = "Standard"; +$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["Light (Accented)"] = "Hell (Akzentuiert)"; +$a->strings["Dark (Accented)"] = "Dunkel (Akzentuiert)"; +$a->strings["Black (Accented)"] = "Schwarz (Akzentuiert)"; +$a->strings["Note"] = "Hinweis"; +$a->strings["Check image permissions if all users are allowed to see the image"] = "Überprüfe, dass alle Benutzer die Berechtigung haben dieses Bild anzusehen"; +$a->strings["Custom"] = "Benutzerdefiniert"; +$a->strings["Legacy"] = "Vermächtnis"; +$a->strings["Accented"] = "Akzentuiert"; +$a->strings["Select color scheme"] = "Farbschema auswählen"; +$a->strings["Select scheme accent"] = "Wähle einen Akzent für das Thema"; +$a->strings["Blue"] = "Blau"; +$a->strings["Red"] = "Rot"; +$a->strings["Purple"] = "Violett"; +$a->strings["Green"] = "Grün"; +$a->strings["Pink"] = "Rosa"; +$a->strings["Copy or paste schemestring"] = "Farbschema kopieren oder einfügen"; +$a->strings["You can copy this string to share your theme with others. Pasting here applies the schemestring"] = "Du kannst den String mit den Farbschema Informationen mit anderen Teilen. Wenn du einen neuen Farbschema-String hier einfügst wird er für deine Einstellungen übernommen."; +$a->strings["Navigation bar background color"] = "Hintergrundfarbe der Navigationsleiste"; +$a->strings["Navigation bar icon color "] = "Icon Farbe in der Navigationsleiste"; +$a->strings["Link color"] = "Linkfarbe"; +$a->strings["Set the background color"] = "Hintergrundfarbe festlegen"; +$a->strings["Content background opacity"] = "Opazität des Hintergrunds von Beiträgen"; +$a->strings["Set the background image"] = "Hintergrundbild festlegen"; +$a->strings["Background image style"] = "Stil des Hintergrundbildes"; +$a->strings["Login page background image"] = "Hintergrundbild der Login-Seite"; +$a->strings["Login page background color"] = "Hintergrundfarbe der Login-Seite"; +$a->strings["Leave background image and color empty for theme defaults"] = "Wenn die Theme-Vorgaben verwendet werden sollen, lass bitte die Felder für die Hintergrundfarbe und das Hintergrundbild leer."; +$a->strings["Skip to main content"] = "Zum Inhalt der Seite gehen"; +$a->strings["Top Banner"] = "Top Banner"; +$a->strings["Resize image to the width of the screen and show background color below on long pages."] = "Skaliere das Hintergrundbild so, dass es die Breite der Seite einnimmt, und fülle den Rest der Seite mit der Hintergrundfarbe bei langen Seiten."; +$a->strings["Full screen"] = "Vollbildmodus"; +$a->strings["Resize image to fill entire screen, clipping either the right or the bottom."] = "Skaliere das Bild so, dass es den gesamten Bildschirm füllt. Hierfür wird entweder die Breite oder die Höhe des Bildes automatisch abgeschnitten."; +$a->strings["Single row mosaic"] = "Mosaik in einer Zeile"; +$a->strings["Resize image to repeat it on a single row, either vertical or horizontal."] = "Skaliere das Bild so, dass es in einer einzelnen Reihe, entweder horizontal oder vertikal, wiederholt wird."; +$a->strings["Mosaic"] = "Mosaik"; +$a->strings["Repeat image to fill the screen."] = "Wiederhole das Bild, um den Bildschirm zu füllen."; +$a->strings["Guest"] = "Gast"; +$a->strings["Visitor"] = "Besucher"; +$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["Comma separated list of helper forums"] = "Komma-separierte Liste der Helfer-Foren"; +$a->strings["don't show"] = "nicht zeigen"; +$a->strings["show"] = "zeigen"; +$a->strings["Set style"] = "Stil auswählen"; +$a->strings["Community Pages"] = "Gemeinschaftsseiten"; +$a->strings["Community Profiles"] = "Gemeinschaftsprofile"; +$a->strings["Help or @NewHere ?"] = "Hilfe oder @NewHere"; +$a->strings["Connect Services"] = "Verbinde Dienste"; +$a->strings["Find Friends"] = "Kontakte finden"; +$a->strings["Last users"] = "Letzte Nutzer"; +$a->strings["Quick Start"] = "Schnell-Start"; diff --git a/view/lang/it/messages.po b/view/lang/it/messages.po index bc3fd15a47..585dead567 100644 --- a/view/lang/it/messages.po +++ b/view/lang/it/messages.po @@ -1,25 +1,25 @@ -# SOME DESCRIPTIVE TITLE. -# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER -# This file is distributed under the same license as the PACKAGE package. +# FRIENDICA Distributed Social Network +# Copyright (C) 2010-2021 the Friendica Project +# This file is distributed under the same license as the Friendica package. # # Translators: # Elena , 2014 # fabrixxm , 2011 -# fabrixxm , 2013-2015,2017-2020 +# fabrixxm , 2013-2015,2017-2021 # fabrixxm , 2011-2012 # Francesco Apruzzese , 2012-2013 # ufic , 2012 # Mauro Batini , 2017 # Paolo Wave , 2012 # Sandro Santilli , 2015-2016 -# Sylke Vicious , 2019-2020 +# Sylke Vicious , 2019-2021 msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-12-19 22:52-0500\n" -"PO-Revision-Date: 2020-12-20 15:33+0000\n" -"Last-Translator: Transifex Bot <>\n" +"POT-Creation-Date: 2021-01-23 05:36-0500\n" +"PO-Revision-Date: 2021-01-29 10:51+0000\n" +"Last-Translator: fabrixxm \n" "Language-Team: Italian (http://www.transifex.com/Friendica/friendica/language/it/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -27,14 +27,14 @@ msgstr "" "Language: it\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: include/api.php:1128 +#: include/api.php:1129 #, php-format msgid "Daily posting limit of %d post reached. The post was rejected." msgid_plural "Daily posting limit of %d posts reached. The post was rejected." msgstr[0] "Limite giornaliero di %d messaggio raggiunto. Il messaggio è stato rifiutato" msgstr[1] "Limite giornaliero di %d messaggi raggiunto. Il messaggio è stato rifiutato." -#: include/api.php:1142 +#: include/api.php:1143 #, php-format msgid "Weekly posting limit of %d post reached. The post was rejected." msgid_plural "" @@ -42,14 +42,14 @@ msgid_plural "" msgstr[0] "Limite settimanale di %d messaggio raggiunto. Il messaggio è stato rifiutato" msgstr[1] "Limite settimanale di %d messaggi raggiunto. Il messaggio è stato rifiutato." -#: include/api.php:1156 +#: include/api.php:1157 #, php-format msgid "Monthly posting limit of %d post reached. The post was rejected." msgstr "Limite mensile di %d messaggi raggiunto. Il messaggio è stato rifiutato." -#: include/api.php:4458 mod/photos.php:106 mod/photos.php:197 -#: mod/photos.php:632 mod/photos.php:1048 mod/photos.php:1065 -#: mod/photos.php:1613 src/Model/User.php:1045 src/Model/User.php:1053 +#: include/api.php:4454 mod/photos.php:107 mod/photos.php:211 +#: mod/photos.php:639 mod/photos.php:1043 mod/photos.php:1060 +#: mod/photos.php:1607 src/Model/User.php:1045 src/Model/User.php:1053 #: src/Model/User.php:1061 src/Module/Settings/Profile/Photo/Crop.php:97 #: src/Module/Settings/Profile/Photo/Crop.php:113 #: src/Module/Settings/Profile/Photo/Crop.php:129 @@ -59,726 +59,727 @@ msgstr "Limite mensile di %d messaggi raggiunto. Il messaggio è stato rifiutato msgid "Profile Photos" msgstr "Foto del profilo" -#: include/conversation.php:189 +#: include/conversation.php:190 #, php-format msgid "%1$s poked %2$s" msgstr "%1$s ha stuzzicato %2$s" -#: include/conversation.php:221 src/Model/Item.php:3521 +#: include/conversation.php:222 src/Model/Item.php:2763 msgid "event" msgstr "l'evento" -#: include/conversation.php:224 include/conversation.php:233 mod/tagger.php:89 +#: include/conversation.php:225 include/conversation.php:234 mod/tagger.php:90 msgid "status" msgstr "stato" -#: include/conversation.php:229 mod/tagger.php:89 src/Model/Item.php:3523 +#: include/conversation.php:230 mod/tagger.php:90 src/Model/Item.php:2765 msgid "photo" msgstr "foto" -#: include/conversation.php:243 mod/tagger.php:122 +#: include/conversation.php:244 mod/tagger.php:123 #, 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" -#: include/conversation.php:559 mod/photos.php:1474 src/Object/Post.php:236 +#: include/conversation.php:560 mod/photos.php:1468 src/Object/Post.php:238 msgid "Select" msgstr "Seleziona" -#: include/conversation.php:560 mod/photos.php:1475 mod/settings.php:564 +#: include/conversation.php:561 mod/photos.php:1469 mod/settings.php:564 #: mod/settings.php:706 src/Module/Admin/Users/Active.php:139 #: src/Module/Admin/Users/Blocked.php:140 src/Module/Admin/Users/Index.php:153 #: src/Module/Contact.php:886 src/Module/Contact.php:1190 msgid "Delete" msgstr "Rimuovi" -#: include/conversation.php:595 src/Object/Post.php:449 -#: src/Object/Post.php:450 +#: include/conversation.php:596 src/Object/Post.php:457 +#: src/Object/Post.php:458 #, php-format msgid "View %s's profile @ %s" msgstr "Vedi il profilo di %s @ %s" -#: include/conversation.php:608 src/Object/Post.php:437 +#: include/conversation.php:609 src/Object/Post.php:445 msgid "Categories:" msgstr "Categorie:" -#: include/conversation.php:609 src/Object/Post.php:438 +#: include/conversation.php:610 src/Object/Post.php:446 msgid "Filed under:" msgstr "Archiviato in:" -#: include/conversation.php:616 src/Object/Post.php:463 +#: include/conversation.php:617 src/Object/Post.php:471 #, php-format msgid "%s from %s" msgstr "%s da %s" -#: include/conversation.php:631 +#: include/conversation.php:632 msgid "View in context" msgstr "Vedi nel contesto" -#: include/conversation.php:633 include/conversation.php:1214 +#: include/conversation.php:634 include/conversation.php:1216 #: mod/editpost.php:104 mod/message.php:205 mod/message.php:375 -#: mod/photos.php:1540 mod/wallmessage.php:155 src/Module/Item/Compose.php:159 -#: src/Object/Post.php:496 +#: mod/photos.php:1534 mod/wallmessage.php:155 src/Module/Item/Compose.php:159 +#: src/Object/Post.php:505 msgid "Please wait" msgstr "Attendi" -#: include/conversation.php:697 +#: include/conversation.php:698 msgid "remove" msgstr "rimuovi" -#: include/conversation.php:702 +#: include/conversation.php:703 msgid "Delete Selected Items" msgstr "Cancella elementi selezionati" -#: include/conversation.php:739 include/conversation.php:742 -#: include/conversation.php:745 include/conversation.php:748 +#: include/conversation.php:740 include/conversation.php:743 +#: include/conversation.php:746 include/conversation.php:749 #, php-format msgid "You had been addressed (%s)." msgstr "Sei stato nominato (%s)." -#: include/conversation.php:751 +#: include/conversation.php:752 #, php-format msgid "You are following %s." msgstr "Stai seguendo %s." -#: include/conversation.php:754 +#: include/conversation.php:755 msgid "Tagged" msgstr "Menzionato" -#: include/conversation.php:765 include/conversation.php:1108 -#: include/conversation.php:1146 +#: include/conversation.php:766 include/conversation.php:1109 +#: include/conversation.php:1147 #, php-format msgid "%s reshared this." msgstr "%s ha ricondiviso questo." -#: include/conversation.php:767 +#: include/conversation.php:768 msgid "Reshared" msgstr "Ricondiviso" -#: include/conversation.php:767 +#: include/conversation.php:768 #, php-format msgid "Reshared by %s" msgstr "Ricondiviso da %s" -#: include/conversation.php:770 +#: include/conversation.php:771 #, php-format msgid "%s is participating in this thread." msgstr "%s partecipa in questa conversazione." -#: include/conversation.php:773 +#: include/conversation.php:774 msgid "Stored" msgstr "Memorizzato" -#: include/conversation.php:776 +#: include/conversation.php:777 msgid "Global" msgstr "Globale" -#: include/conversation.php:779 +#: include/conversation.php:780 msgid "Relayed" msgstr "Inoltrato" -#: include/conversation.php:779 +#: include/conversation.php:780 #, php-format msgid "Relayed by %s." msgstr "Inoltrato da %s." -#: include/conversation.php:782 +#: include/conversation.php:783 msgid "Fetched" msgstr "Recuperato" -#: include/conversation.php:782 +#: include/conversation.php:783 #, php-format msgid "Fetched because of %s" msgstr "Recuperato a causa di %s" -#: include/conversation.php:941 +#: include/conversation.php:942 view/theme/frio/theme.php:321 msgid "Follow Thread" msgstr "Segui la discussione" -#: include/conversation.php:942 src/Model/Contact.php:984 +#: include/conversation.php:943 src/Model/Contact.php:984 msgid "View Status" msgstr "Visualizza stato" -#: include/conversation.php:943 include/conversation.php:965 +#: include/conversation.php:944 include/conversation.php:966 #: src/Model/Contact.php:910 src/Model/Contact.php:976 #: src/Model/Contact.php:985 src/Module/Directory.php:166 #: src/Module/Settings/Profile/Index.php:240 msgid "View Profile" msgstr "Visualizza profilo" -#: include/conversation.php:944 src/Model/Contact.php:986 +#: include/conversation.php:945 src/Model/Contact.php:986 msgid "View Photos" msgstr "Visualizza foto" -#: include/conversation.php:945 src/Model/Contact.php:977 +#: include/conversation.php:946 src/Model/Contact.php:977 #: src/Model/Contact.php:987 msgid "Network Posts" msgstr "Messaggi della Rete" -#: include/conversation.php:946 src/Model/Contact.php:978 +#: include/conversation.php:947 src/Model/Contact.php:978 #: src/Model/Contact.php:988 msgid "View Contact" msgstr "Mostra contatto" -#: include/conversation.php:947 src/Model/Contact.php:990 +#: include/conversation.php:948 src/Model/Contact.php:990 msgid "Send PM" msgstr "Invia messaggio privato" -#: include/conversation.php:948 src/Module/Admin/Blocklist/Contact.php:84 +#: include/conversation.php:949 src/Module/Admin/Blocklist/Contact.php:84 #: src/Module/Admin/Users/Active.php:140 src/Module/Admin/Users/Index.php:154 #: src/Module/Contact.php:625 src/Module/Contact.php:883 #: src/Module/Contact.php:1165 msgid "Block" msgstr "Blocca" -#: include/conversation.php:949 src/Module/Contact.php:626 +#: include/conversation.php:950 src/Module/Contact.php:626 #: src/Module/Contact.php:884 src/Module/Contact.php:1173 #: src/Module/Notifications/Introductions.php:113 -#: src/Module/Notifications/Introductions.php:190 +#: src/Module/Notifications/Introductions.php:191 #: src/Module/Notifications/Notification.php:59 msgid "Ignore" msgstr "Ignora" -#: include/conversation.php:953 src/Object/Post.php:426 +#: include/conversation.php:954 src/Object/Post.php:434 msgid "Languages" msgstr "Lingue" -#: include/conversation.php:957 src/Model/Contact.php:991 +#: include/conversation.php:958 src/Model/Contact.php:991 msgid "Poke" msgstr "Stuzzica" -#: include/conversation.php:962 mod/follow.php:145 src/Content/Widget.php:75 +#: include/conversation.php:963 mod/follow.php:146 src/Content/Widget.php:75 #: src/Model/Contact.php:979 src/Model/Contact.php:992 +#: view/theme/vier/theme.php:172 msgid "Connect/Follow" msgstr "Connetti/segui" -#: include/conversation.php:1093 +#: include/conversation.php:1094 #, php-format msgid "%s likes this." msgstr "Piace a %s." -#: include/conversation.php:1096 +#: include/conversation.php:1097 #, php-format msgid "%s doesn't like this." msgstr "Non piace a %s." -#: include/conversation.php:1099 +#: include/conversation.php:1100 #, php-format msgid "%s attends." msgstr "%s partecipa." -#: include/conversation.php:1102 +#: include/conversation.php:1103 #, php-format msgid "%s doesn't attend." msgstr "%s non partecipa." -#: include/conversation.php:1105 +#: include/conversation.php:1106 #, php-format msgid "%s attends maybe." msgstr "%s forse partecipa." -#: include/conversation.php:1114 +#: include/conversation.php:1115 msgid "and" msgstr "e" -#: include/conversation.php:1117 +#: include/conversation.php:1118 #, php-format msgid "and %d other people" msgstr "e altre %d persone" -#: include/conversation.php:1125 +#: include/conversation.php:1126 #, php-format msgid "%2$d people like this" msgstr "Piace a %2$d persone." -#: include/conversation.php:1126 +#: include/conversation.php:1127 #, php-format msgid "%s like this." msgstr "a %s piace." -#: include/conversation.php:1129 +#: include/conversation.php:1130 #, php-format msgid "%2$d people don't like this" msgstr "Non piace a %2$d persone." -#: include/conversation.php:1130 +#: include/conversation.php:1131 #, php-format msgid "%s don't like this." msgstr "a %s non piace." -#: include/conversation.php:1133 +#: include/conversation.php:1134 #, php-format msgid "%2$d people attend" msgstr "%2$d persone partecipano" -#: include/conversation.php:1134 +#: include/conversation.php:1135 #, php-format msgid "%s attend." msgstr "%s partecipa." -#: include/conversation.php:1137 +#: include/conversation.php:1138 #, php-format msgid "%2$d people don't attend" msgstr "%2$d persone non partecipano" -#: include/conversation.php:1138 +#: include/conversation.php:1139 #, php-format msgid "%s don't attend." msgstr "%s non partecipa." -#: include/conversation.php:1141 +#: include/conversation.php:1142 #, php-format msgid "%2$d people attend maybe" msgstr "%2$d persone forse partecipano" -#: include/conversation.php:1142 +#: include/conversation.php:1143 #, php-format msgid "%s attend maybe." msgstr "%s forse partecipano." -#: include/conversation.php:1145 +#: include/conversation.php:1146 #, php-format msgid "%2$d people reshared this" msgstr "%2$d persone hanno ricondiviso questo" -#: include/conversation.php:1175 +#: include/conversation.php:1176 msgid "Visible to everybody" msgstr "Visibile a tutti" -#: include/conversation.php:1176 src/Module/Item/Compose.php:153 -#: src/Object/Post.php:963 +#: include/conversation.php:1177 src/Module/Item/Compose.php:153 +#: src/Object/Post.php:972 msgid "Please enter a image/video/audio/webpage URL:" msgstr "Inserisci l'indirizzo di una immagine, un video o una pagina web:" -#: include/conversation.php:1177 +#: include/conversation.php:1178 msgid "Tag term:" msgstr "Tag:" -#: include/conversation.php:1178 src/Module/Filer/SaveTag.php:65 +#: include/conversation.php:1179 src/Module/Filer/SaveTag.php:69 msgid "Save to Folder:" msgstr "Salva nella Cartella:" -#: include/conversation.php:1179 +#: include/conversation.php:1180 msgid "Where are you right now?" msgstr "Dove sei ora?" -#: include/conversation.php:1180 +#: include/conversation.php:1181 msgid "Delete item(s)?" msgstr "Cancellare questo elemento/i?" -#: include/conversation.php:1189 +#: include/conversation.php:1191 msgid "New Post" msgstr "Nuovo Messaggio" -#: include/conversation.php:1192 src/Object/Post.php:357 +#: include/conversation.php:1194 msgid "Share" msgstr "Condividi" -#: include/conversation.php:1193 mod/editpost.php:89 mod/photos.php:1388 -#: src/Module/Contact/Poke.php:154 src/Object/Post.php:954 +#: include/conversation.php:1195 mod/editpost.php:89 mod/photos.php:1382 +#: src/Module/Contact/Poke.php:154 src/Object/Post.php:963 msgid "Loading..." msgstr "Caricamento..." -#: include/conversation.php:1194 mod/editpost.php:90 mod/message.php:203 +#: include/conversation.php:1196 mod/editpost.php:90 mod/message.php:203 #: mod/message.php:372 mod/wallmessage.php:153 msgid "Upload photo" msgstr "Carica foto" -#: include/conversation.php:1195 mod/editpost.php:91 +#: include/conversation.php:1197 mod/editpost.php:91 msgid "upload photo" msgstr "carica foto" -#: include/conversation.php:1196 mod/editpost.php:92 +#: include/conversation.php:1198 mod/editpost.php:92 msgid "Attach file" msgstr "Allega file" -#: include/conversation.php:1197 mod/editpost.php:93 +#: include/conversation.php:1199 mod/editpost.php:93 msgid "attach file" msgstr "allega file" -#: include/conversation.php:1198 src/Module/Item/Compose.php:145 -#: src/Object/Post.php:955 +#: include/conversation.php:1200 src/Module/Item/Compose.php:145 +#: src/Object/Post.php:964 msgid "Bold" msgstr "Grassetto" -#: include/conversation.php:1199 src/Module/Item/Compose.php:146 -#: src/Object/Post.php:956 +#: include/conversation.php:1201 src/Module/Item/Compose.php:146 +#: src/Object/Post.php:965 msgid "Italic" msgstr "Corsivo" -#: include/conversation.php:1200 src/Module/Item/Compose.php:147 -#: src/Object/Post.php:957 +#: include/conversation.php:1202 src/Module/Item/Compose.php:147 +#: src/Object/Post.php:966 msgid "Underline" msgstr "Sottolineato" -#: include/conversation.php:1201 src/Module/Item/Compose.php:148 -#: src/Object/Post.php:958 +#: include/conversation.php:1203 src/Module/Item/Compose.php:148 +#: src/Object/Post.php:967 msgid "Quote" msgstr "Citazione" -#: include/conversation.php:1202 src/Module/Item/Compose.php:149 -#: src/Object/Post.php:959 +#: include/conversation.php:1204 src/Module/Item/Compose.php:149 +#: src/Object/Post.php:968 msgid "Code" msgstr "Codice" -#: include/conversation.php:1203 src/Module/Item/Compose.php:150 -#: src/Object/Post.php:960 +#: include/conversation.php:1205 src/Module/Item/Compose.php:150 +#: src/Object/Post.php:969 msgid "Image" msgstr "Immagine" -#: include/conversation.php:1204 src/Module/Item/Compose.php:151 -#: src/Object/Post.php:961 +#: include/conversation.php:1206 src/Module/Item/Compose.php:151 +#: src/Object/Post.php:970 msgid "Link" msgstr "Collegamento" -#: include/conversation.php:1205 src/Module/Item/Compose.php:152 -#: src/Object/Post.php:962 +#: include/conversation.php:1207 src/Module/Item/Compose.php:152 +#: src/Object/Post.php:971 msgid "Link or Media" msgstr "Collegamento o Media" -#: include/conversation.php:1206 mod/editpost.php:100 +#: include/conversation.php:1208 mod/editpost.php:100 #: src/Module/Item/Compose.php:155 msgid "Set your location" msgstr "La tua posizione" -#: include/conversation.php:1207 mod/editpost.php:101 +#: include/conversation.php:1209 mod/editpost.php:101 msgid "set location" msgstr "posizione" -#: include/conversation.php:1208 mod/editpost.php:102 +#: include/conversation.php:1210 mod/editpost.php:102 msgid "Clear browser location" msgstr "Rimuovi la localizzazione data dal browser" -#: include/conversation.php:1209 mod/editpost.php:103 +#: include/conversation.php:1211 mod/editpost.php:103 msgid "clear location" msgstr "canc. pos." -#: include/conversation.php:1211 mod/editpost.php:117 +#: include/conversation.php:1213 mod/editpost.php:117 #: src/Module/Item/Compose.php:160 msgid "Set title" msgstr "Scegli un titolo" -#: include/conversation.php:1213 mod/editpost.php:119 +#: include/conversation.php:1215 mod/editpost.php:119 #: src/Module/Item/Compose.php:161 msgid "Categories (comma-separated list)" msgstr "Categorie (lista separata da virgola)" -#: include/conversation.php:1215 mod/editpost.php:105 +#: include/conversation.php:1217 mod/editpost.php:105 msgid "Permission settings" msgstr "Impostazioni permessi" -#: include/conversation.php:1216 mod/editpost.php:134 mod/events.php:575 -#: mod/photos.php:974 mod/photos.php:1341 +#: include/conversation.php:1218 mod/editpost.php:134 mod/events.php:578 +#: mod/photos.php:969 mod/photos.php:1335 msgid "Permissions" msgstr "Permessi" -#: include/conversation.php:1225 mod/editpost.php:114 +#: include/conversation.php:1227 mod/editpost.php:114 msgid "Public post" msgstr "Messaggio pubblico" -#: include/conversation.php:1229 mod/editpost.php:125 mod/events.php:570 -#: mod/photos.php:1387 mod/photos.php:1444 mod/photos.php:1517 -#: src/Module/Item/Compose.php:154 src/Object/Post.php:964 +#: include/conversation.php:1231 mod/editpost.php:125 mod/events.php:573 +#: mod/photos.php:1381 mod/photos.php:1438 mod/photos.php:1511 +#: src/Module/Item/Compose.php:154 src/Object/Post.php:973 msgid "Preview" msgstr "Anteprima" -#: include/conversation.php:1233 mod/dfrn_request.php:643 mod/editpost.php:128 -#: mod/fbrowser.php:105 mod/fbrowser.php:134 mod/follow.php:151 -#: mod/photos.php:1042 mod/photos.php:1148 mod/settings.php:504 -#: mod/settings.php:530 mod/tagrm.php:36 mod/tagrm.php:126 +#: include/conversation.php:1235 mod/dfrn_request.php:643 mod/editpost.php:128 +#: mod/fbrowser.php:105 mod/fbrowser.php:134 mod/follow.php:152 +#: mod/photos.php:1037 mod/photos.php:1143 mod/settings.php:504 +#: mod/settings.php:530 mod/tagrm.php:37 mod/tagrm.php:127 #: mod/unfollow.php:100 src/Module/Contact.php:459 #: src/Module/RemoteFollow.php:110 msgid "Cancel" msgstr "Annulla" -#: include/conversation.php:1240 mod/editpost.php:132 +#: include/conversation.php:1242 mod/editpost.php:132 #: src/Model/Profile.php:445 src/Module/Contact.php:344 msgid "Message" msgstr "Messaggio" -#: include/conversation.php:1241 mod/editpost.php:133 +#: include/conversation.php:1243 mod/editpost.php:133 msgid "Browser" msgstr "Browser" -#: include/conversation.php:1243 mod/editpost.php:136 +#: include/conversation.php:1245 mod/editpost.php:136 msgid "Open Compose page" msgstr "Apri pagina di Composizione" -#: include/enotify.php:51 +#: include/enotify.php:52 msgid "[Friendica:Notify]" msgstr "[Friendica:Notifica]" -#: include/enotify.php:137 +#: include/enotify.php:138 #, php-format msgid "%s New mail received at %s" msgstr "%s Nuova mail ricevuta su %s" -#: include/enotify.php:139 +#: include/enotify.php:140 #, 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:140 +#: include/enotify.php:141 msgid "a private message" msgstr "un messaggio privato" -#: include/enotify.php:140 +#: include/enotify.php:141 #, php-format msgid "%1$s sent you %2$s." msgstr "%1$s ti ha inviato %2$s" -#: include/enotify.php:142 +#: include/enotify.php:143 #, php-format msgid "Please visit %s to view and/or reply to your private messages." msgstr "Visita %s per vedere e/o rispondere ai tuoi messaggi privati." -#: include/enotify.php:189 +#: include/enotify.php:190 #, php-format msgid "%1$s replied to you on %2$s's %3$s %4$s" msgstr "%1$s ti ha risposto al %3$s di %2$s %4$s" -#: include/enotify.php:191 +#: include/enotify.php:192 #, php-format msgid "%1$s tagged you on %2$s's %3$s %4$s" msgstr "%1$s ti ha taggato nel %3$s di %2$s %4$s" -#: include/enotify.php:193 +#: include/enotify.php:194 #, php-format msgid "%1$s commented on %2$s's %3$s %4$s" msgstr "%1$s ha commentato il %3$s di %2$s %4$s" -#: include/enotify.php:203 +#: include/enotify.php:204 #, php-format msgid "%1$s replied to you on your %2$s %3$s" msgstr "%1$s ti ha risposto al tuo %2$s %3$s" -#: include/enotify.php:205 +#: include/enotify.php:206 #, php-format msgid "%1$s tagged you on your %2$s %3$s" msgstr "%1$s ti ha taggato al tuo %2$s %3$s" -#: include/enotify.php:207 +#: include/enotify.php:208 #, php-format msgid "%1$s commented on your %2$s %3$s" msgstr "%1$s ha commentato il tuo %2$s %3$s" -#: include/enotify.php:214 +#: include/enotify.php:215 #, php-format msgid "%1$s replied to you on their %2$s %3$s" msgstr "%1$s ti ha risposto al suo %2$s %3$s" -#: include/enotify.php:216 +#: include/enotify.php:217 #, php-format msgid "%1$s tagged you on their %2$s %3$s" msgstr "%1$s ti ha taggato sul loro %2$s %3$s" -#: include/enotify.php:218 +#: include/enotify.php:219 #, php-format msgid "%1$s commented on their %2$s %3$s" msgstr "%1$s ha commentato il suo %2$s %3$s" -#: include/enotify.php:229 +#: include/enotify.php:230 #, php-format msgid "%s %s tagged you" msgstr "%s %s ti ha taggato" -#: include/enotify.php:231 +#: include/enotify.php:232 #, php-format msgid "%1$s tagged you at %2$s" msgstr "%1$s ti ha taggato su %2$s" -#: include/enotify.php:233 +#: include/enotify.php:234 #, php-format msgid "%1$s Comment to conversation #%2$d by %3$s" msgstr "%1$s Commento alla conversazione #%2$d di %3$s" -#: include/enotify.php:235 +#: include/enotify.php:236 #, 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:240 include/enotify.php:255 include/enotify.php:280 -#: include/enotify.php:299 include/enotify.php:315 +#: include/enotify.php:241 include/enotify.php:256 include/enotify.php:281 +#: include/enotify.php:300 include/enotify.php:316 #, 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:247 +#: include/enotify.php:248 #, php-format msgid "%s %s posted to your profile wall" msgstr "%s %s ha scritto sulla bacheca del tuo profilo" -#: include/enotify.php:249 +#: include/enotify.php:250 #, 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:250 +#: include/enotify.php:251 #, 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:263 +#: include/enotify.php:264 #, php-format msgid "%s %s shared a new post" msgstr "%s %s ha condiviso un nuovo messaggio" -#: include/enotify.php:265 +#: include/enotify.php:266 #, 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:266 +#: include/enotify.php:267 #, 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:271 +#: include/enotify.php:272 #, php-format msgid "%s %s shared a post from %s" msgstr "%s %s ha condiviso un messaggio da %s" -#: include/enotify.php:273 +#: include/enotify.php:274 #, php-format msgid "%1$s shared a post from %2$s at %3$s" msgstr "%1$s ha condiviso un messaggio da %2$s su %3$s" -#: include/enotify.php:274 +#: include/enotify.php:275 #, php-format msgid "%1$s [url=%2$s]shared a post[/url] from %3$s." msgstr "%1$s [url=%2$s]ha condiviso un messaggio[/url] da %3$s." -#: include/enotify.php:287 +#: include/enotify.php:288 #, php-format msgid "%1$s %2$s poked you" msgstr "%1$s %2$s ti ha stuzzicato" -#: include/enotify.php:289 +#: include/enotify.php:290 #, php-format msgid "%1$s poked you at %2$s" msgstr "%1$s ti ha stuzzicato su %2$s" -#: include/enotify.php:290 +#: include/enotify.php:291 #, php-format msgid "%1$s [url=%2$s]poked you[/url]." msgstr "%1$s [url=%2$s]ti ha stuzzicato[/url]." -#: include/enotify.php:307 +#: include/enotify.php:308 #, php-format msgid "%s %s tagged your post" msgstr "%s %s ha taggato il tuo messaggio" -#: include/enotify.php:309 +#: include/enotify.php:310 #, php-format msgid "%1$s tagged your post at %2$s" msgstr "%1$s ha taggato il tuo messaggio su %2$s" -#: include/enotify.php:310 +#: include/enotify.php:311 #, php-format msgid "%1$s tagged [url=%2$s]your post[/url]" msgstr "%1$s ha taggato [url=%2$s]il tuo messaggio[/url]" -#: include/enotify.php:322 +#: include/enotify.php:323 #, php-format msgid "%s Introduction received" msgstr "%s Introduzione ricevuta" -#: include/enotify.php:324 +#: include/enotify.php:325 #, 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:325 +#: include/enotify.php:326 #, 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:330 include/enotify.php:376 +#: include/enotify.php:331 include/enotify.php:377 #, php-format msgid "You may visit their profile at %s" msgstr "Puoi visitare il suo profilo presso %s" -#: include/enotify.php:332 +#: include/enotify.php:333 #, php-format msgid "Please visit %s to approve or reject the introduction." msgstr "Visita %s per approvare o rifiutare la presentazione." -#: include/enotify.php:339 +#: include/enotify.php:340 #, php-format msgid "%s A new person is sharing with you" msgstr "%s Una nuova persona sta condividendo con te" -#: include/enotify.php:341 include/enotify.php:342 +#: include/enotify.php:342 include/enotify.php:343 #, 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:349 +#: include/enotify.php:350 #, php-format msgid "%s You have a new follower" msgstr "%s Hai un nuovo seguace" -#: include/enotify.php:351 include/enotify.php:352 +#: include/enotify.php:352 include/enotify.php:353 #, 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:365 +#: include/enotify.php:366 #, php-format msgid "%s Friend suggestion received" msgstr "%s Suggerimento di amicizia ricevuto" -#: include/enotify.php:367 +#: include/enotify.php:368 #, 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:368 +#: include/enotify.php:369 #, 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:374 +#: include/enotify.php:375 msgid "Name:" msgstr "Nome:" -#: include/enotify.php:375 +#: include/enotify.php:376 msgid "Photo:" msgstr "Foto:" -#: include/enotify.php:378 +#: include/enotify.php:379 #, php-format msgid "Please visit %s to approve or reject the suggestion." msgstr "Visita %s per approvare o rifiutare il suggerimento." -#: include/enotify.php:386 include/enotify.php:401 +#: include/enotify.php:387 include/enotify.php:402 #, php-format msgid "%s Connection accepted" msgstr "%s Connessione accettata" -#: include/enotify.php:388 include/enotify.php:403 +#: include/enotify.php:389 include/enotify.php:404 #, php-format msgid "'%1$s' has accepted your connection request at %2$s" msgstr "'%1$s' ha accettato la tua richiesta di connessione su %2$s" -#: include/enotify.php:389 include/enotify.php:404 +#: include/enotify.php:390 include/enotify.php:405 #, 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:394 +#: include/enotify.php:395 msgid "" "You are now mutual friends and may exchange status updates, photos, and " "email without restriction." msgstr "Ora siete amici reciproci e potete scambiarvi aggiornamenti di stato, foto e messaggi privati senza restrizioni." -#: include/enotify.php:396 +#: include/enotify.php:397 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." msgstr "Visita %s se vuoi modificare questa relazione." -#: include/enotify.php:409 +#: include/enotify.php:410 #, php-format msgid "" "'%1$s' has chosen to accept you a fan, which restricts some forms of " @@ -787,37 +788,37 @@ msgid "" "automatically." msgstr "'%1$s' ha scelto di accettarti come \"fan\", il che limita alcune forme di comunicazione, come i messaggi privati, e alcune possibilità di interazione col profilo. Se è una pagina di una comunità o di una celebrità, queste impostazioni sono state applicate automaticamente." -#: include/enotify.php:411 +#: include/enotify.php:412 #, 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ò scegliere di estendere questa relazione in una relazione più permissiva in futuro." -#: include/enotify.php:413 +#: include/enotify.php:414 #, 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:423 mod/removeme.php:63 +#: include/enotify.php:424 mod/removeme.php:63 msgid "[Friendica System Notify]" msgstr "[Notifica di Sistema di Friendica]" -#: include/enotify.php:423 +#: include/enotify.php:424 msgid "registration request" msgstr "richiesta di registrazione" -#: include/enotify.php:425 +#: include/enotify.php:426 #, 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:426 +#: include/enotify.php:427 #, 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:431 +#: include/enotify.php:432 #, php-format msgid "" "Full Name:\t%s\n" @@ -825,16 +826,16 @@ msgid "" "Login Name:\t%s (%s)" msgstr "Nome Completo:\t%s\nIndirizzo del sito:\t%s\nNome utente:\t%s (%s)" -#: include/enotify.php:437 +#: include/enotify.php:438 #, php-format msgid "Please visit %s to approve or reject the request." msgstr "Visita %s per approvare o rifiutare la richiesta." -#: mod/api.php:52 mod/api.php:57 mod/dfrn_confirm.php:79 mod/editpost.php:38 -#: mod/events.php:228 mod/follow.php:54 mod/follow.php:134 mod/item.php:182 -#: mod/item.php:187 mod/item.php:912 mod/message.php:70 mod/message.php:113 -#: mod/notes.php:43 mod/ostatus_subscribe.php:30 mod/photos.php:179 -#: mod/photos.php:927 mod/repair_ostatus.php:31 mod/settings.php:47 +#: mod/api.php:52 mod/api.php:57 mod/dfrn_confirm.php:79 mod/editpost.php:37 +#: mod/events.php:231 mod/follow.php:55 mod/follow.php:135 mod/item.php:183 +#: mod/item.php:188 mod/item.php:905 mod/message.php:70 mod/message.php:113 +#: mod/notes.php:44 mod/ostatus_subscribe.php:30 mod/photos.php:176 +#: mod/photos.php:922 mod/repair_ostatus.php:31 mod/settings.php:47 #: mod/settings.php:65 mod/settings.php:493 mod/suggest.php:34 #: mod/uimport.php:32 mod/unfollow.php:35 mod/unfollow.php:50 #: mod/unfollow.php:82 mod/wallmessage.php:35 mod/wallmessage.php:59 @@ -878,74 +879,78 @@ msgid "" msgstr "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?" #: mod/api.php:127 src/Module/Contact.php:456 -#: src/Module/Notifications/Introductions.php:122 src/Module/Register.php:115 +#: src/Module/Notifications/Introductions.php:123 src/Module/Register.php:115 msgid "Yes" msgstr "Si" -#: mod/api.php:128 src/Module/Notifications/Introductions.php:122 +#: mod/api.php:128 src/Module/Notifications/Introductions.php:123 #: src/Module/Register.php:116 msgid "No" msgstr "No" -#: mod/cal.php:47 mod/cal.php:51 mod/follow.php:37 mod/redir.php:34 -#: mod/redir.php:203 src/Module/Conversation/Community.php:193 -#: src/Module/Debug/ItemBody.php:37 src/Module/Diaspora/Receive.php:51 +#: mod/cal.php:46 mod/cal.php:50 mod/follow.php:38 mod/redir.php:34 +#: mod/redir.php:203 src/Module/Conversation/Community.php:194 +#: src/Module/Debug/ItemBody.php:38 src/Module/Diaspora/Receive.php:51 #: src/Module/Item/Ignore.php:41 msgid "Access denied." msgstr "Accesso negato." -#: mod/cal.php:74 src/Module/HoverCard.php:53 src/Module/Profile/Common.php:41 -#: src/Module/Profile/Common.php:53 src/Module/Profile/Contacts.php:40 -#: src/Module/Profile/Contacts.php:51 src/Module/Profile/Status.php:57 -#: src/Module/Register.php:258 +#: mod/cal.php:72 mod/cal.php:133 src/Module/HoverCard.php:53 +#: src/Module/Profile/Common.php:41 src/Module/Profile/Common.php:53 +#: src/Module/Profile/Contacts.php:40 src/Module/Profile/Contacts.php:51 +#: src/Module/Profile/Status.php:58 src/Module/Register.php:258 msgid "User not found." msgstr "Utente non trovato." -#: mod/cal.php:142 mod/display.php:286 src/Module/Profile/Profile.php:94 -#: src/Module/Profile/Profile.php:109 src/Module/Profile/Status.php:108 +#: mod/cal.php:143 mod/display.php:287 src/Module/Profile/Profile.php:94 +#: src/Module/Profile/Profile.php:109 src/Module/Profile/Status.php:109 #: src/Module/Update/Profile.php:55 msgid "Access to this profile has been restricted." msgstr "L'accesso a questo profilo è stato limitato." -#: mod/cal.php:273 mod/events.php:414 src/Content/Nav.php:181 +#: mod/cal.php:274 mod/events.php:417 src/Content/Nav.php:181 #: src/Content/Nav.php:248 src/Module/BaseProfile.php:88 -#: src/Module/BaseProfile.php:99 +#: src/Module/BaseProfile.php:99 view/theme/frio/theme.php:229 +#: view/theme/frio/theme.php:233 msgid "Events" msgstr "Eventi" -#: mod/cal.php:274 mod/events.php:415 +#: mod/cal.php:275 mod/events.php:418 msgid "View" msgstr "Mostra" -#: mod/cal.php:275 mod/events.php:417 +#: mod/cal.php:276 mod/events.php:420 msgid "Previous" msgstr "Precedente" -#: mod/cal.php:276 mod/events.php:418 src/Module/Install.php:196 +#: mod/cal.php:277 mod/events.php:421 src/Module/Install.php:196 msgid "Next" msgstr "Successivo" -#: mod/cal.php:279 mod/events.php:423 src/Model/Event.php:444 +#: mod/cal.php:280 mod/events.php:426 src/Model/Event.php:460 msgid "today" msgstr "oggi" -#: mod/cal.php:280 mod/events.php:424 src/Model/Event.php:445 +#: mod/cal.php:281 mod/events.php:427 src/Model/Event.php:461 +#: src/Util/Temporal.php:330 msgid "month" msgstr "mese" -#: mod/cal.php:281 mod/events.php:425 src/Model/Event.php:446 +#: mod/cal.php:282 mod/events.php:428 src/Model/Event.php:462 +#: src/Util/Temporal.php:331 msgid "week" msgstr "settimana" -#: mod/cal.php:282 mod/events.php:426 src/Model/Event.php:447 +#: mod/cal.php:283 mod/events.php:429 src/Model/Event.php:463 +#: src/Util/Temporal.php:332 msgid "day" msgstr "giorno" -#: mod/cal.php:283 mod/events.php:427 +#: mod/cal.php:284 mod/events.php:430 msgid "list" msgstr "lista" -#: mod/cal.php:296 src/Console/User.php:152 src/Console/User.php:250 +#: mod/cal.php:297 src/Console/User.php:152 src/Console/User.php:250 #: src/Console/User.php:283 src/Console/User.php:309 src/Model/User.php:607 #: src/Module/Admin/Users/Active.php:73 src/Module/Admin/Users/Blocked.php:74 #: src/Module/Admin/Users/Index.php:80 src/Module/Admin/Users/Pending.php:71 @@ -953,15 +958,15 @@ msgstr "lista" msgid "User not found" msgstr "Utente non trovato" -#: mod/cal.php:305 +#: mod/cal.php:306 msgid "This calendar format is not supported" msgstr "Questo formato di calendario non è supportato" -#: mod/cal.php:307 +#: mod/cal.php:308 msgid "No exportable data found" msgstr "Nessun dato esportabile trovato" -#: mod/cal.php:324 +#: mod/cal.php:325 msgid "calendar" msgstr "calendario" @@ -1112,11 +1117,11 @@ msgstr "Pare che tu e %s siate già amici." msgid "Invalid profile URL." msgstr "Indirizzo profilo non valido." -#: mod/dfrn_request.php:356 src/Model/Contact.php:2143 +#: mod/dfrn_request.php:356 src/Model/Contact.php:2136 msgid "Disallowed profile URL." msgstr "Indirizzo profilo non permesso." -#: mod/dfrn_request.php:362 src/Model/Contact.php:2148 +#: mod/dfrn_request.php:362 src/Model/Contact.php:2141 #: src/Module/Friendica.php:80 msgid "Blocked domain" msgstr "Dominio bloccato" @@ -1163,11 +1168,11 @@ msgstr "Bentornato a casa %s." msgid "Please confirm your introduction/connection request to %s." msgstr "Conferma la tua richiesta di connessione con %s." -#: mod/dfrn_request.php:601 mod/display.php:179 mod/photos.php:841 -#: mod/videos.php:129 src/Module/Conversation/Community.php:187 +#: mod/dfrn_request.php:601 mod/display.php:180 mod/photos.php:836 +#: mod/videos.php:129 src/Module/Conversation/Community.php:188 #: src/Module/Debug/Probe.php:39 src/Module/Debug/WebFinger.php:38 -#: src/Module/Directory.php:49 src/Module/Search/Index.php:50 -#: src/Module/Search/Index.php:55 +#: src/Module/Directory.php:49 src/Module/Search/Index.php:51 +#: src/Module/Search/Index.php:56 msgid "Public access denied." msgstr "Accesso negato." @@ -1194,42 +1199,42 @@ msgstr "Non sei ancora un membro del social network libero, segui msgid "Your Webfinger address or profile URL:" msgstr "Il tuo indirizzo Webfinger o l'URL del profilo:" -#: mod/dfrn_request.php:641 mod/follow.php:146 src/Module/RemoteFollow.php:108 +#: mod/dfrn_request.php:641 mod/follow.php:147 src/Module/RemoteFollow.php:108 msgid "Please answer the following:" msgstr "Rispondi:" -#: mod/dfrn_request.php:642 mod/follow.php:73 mod/unfollow.php:99 +#: mod/dfrn_request.php:642 mod/follow.php:74 mod/unfollow.php:99 #: src/Module/RemoteFollow.php:109 msgid "Submit Request" msgstr "Invia richiesta" -#: mod/dfrn_request.php:649 mod/follow.php:160 +#: mod/dfrn_request.php:649 mod/follow.php:161 #, php-format msgid "%s knows you" msgstr "%s ti conosce" -#: mod/dfrn_request.php:650 mod/follow.php:161 +#: mod/dfrn_request.php:650 mod/follow.php:162 msgid "Add a personal note:" msgstr "Aggiungi una nota personale:" -#: mod/display.php:238 mod/display.php:322 +#: mod/display.php:239 mod/display.php:323 msgid "The requested item doesn't exist or has been deleted." msgstr "L'oggetto richiesto non esiste o è stato eliminato." -#: mod/display.php:402 +#: mod/display.php:403 msgid "The feed for this item is unavailable." msgstr "Il flusso per questo oggetto non è disponibile." -#: mod/editpost.php:45 mod/editpost.php:55 +#: mod/editpost.php:44 mod/editpost.php:54 msgid "Item not found" msgstr "Oggetto non trovato" -#: mod/editpost.php:62 +#: mod/editpost.php:61 msgid "Edit post" msgstr "Modifica messaggio" -#: mod/editpost.php:88 mod/notes.php:62 src/Content/Text/HTML.php:877 -#: src/Module/Filer/SaveTag.php:66 +#: mod/editpost.php:88 mod/notes.php:63 src/Content/Text/HTML.php:881 +#: src/Module/Filer/SaveTag.php:70 msgid "Save" msgstr "Salva" @@ -1266,31 +1271,31 @@ msgstr "CC: indirizzi email" msgid "Example: bob@example.com, mary@example.com" msgstr "Esempio: bob@example.com, mary@example.com" -#: mod/events.php:135 mod/events.php:137 +#: mod/events.php:138 mod/events.php:140 msgid "Event can not end before it has started." msgstr "Un evento non può finire prima di iniziare." -#: mod/events.php:144 mod/events.php:146 +#: mod/events.php:147 mod/events.php:149 msgid "Event title and start time are required." msgstr "Titolo e ora di inizio dell'evento sono richiesti." -#: mod/events.php:416 +#: mod/events.php:419 msgid "Create New Event" msgstr "Crea un nuovo evento" -#: mod/events.php:528 +#: mod/events.php:531 msgid "Event details" msgstr "Dettagli dell'evento" -#: mod/events.php:529 +#: mod/events.php:532 msgid "Starting date and Title are required." msgstr "La data di inizio e il titolo sono richiesti." -#: mod/events.php:530 mod/events.php:535 +#: mod/events.php:533 mod/events.php:538 msgid "Event Starts:" msgstr "L'evento inizia:" -#: mod/events.php:530 mod/events.php:562 +#: mod/events.php:533 mod/events.php:565 #: src/Module/Admin/Blocklist/Server.php:79 #: src/Module/Admin/Blocklist/Server.php:80 #: src/Module/Admin/Blocklist/Server.php:99 @@ -1308,66 +1313,69 @@ msgstr "L'evento inizia:" msgid "Required" msgstr "Richiesto" -#: mod/events.php:543 mod/events.php:568 +#: mod/events.php:546 mod/events.php:571 msgid "Finish date/time is not known or not relevant" msgstr "La data/ora di fine non è definita" -#: mod/events.php:545 mod/events.php:550 +#: mod/events.php:548 mod/events.php:553 msgid "Event Finishes:" msgstr "L'evento finisce:" -#: mod/events.php:556 mod/events.php:569 +#: mod/events.php:559 mod/events.php:572 msgid "Adjust for viewer timezone" msgstr "Visualizza con il fuso orario di chi legge" -#: mod/events.php:558 src/Module/Profile/Profile.php:172 +#: mod/events.php:561 src/Module/Profile/Profile.php:172 #: src/Module/Settings/Profile/Index.php:253 msgid "Description:" msgstr "Descrizione:" -#: mod/events.php:560 src/Model/Event.php:84 src/Model/Event.php:111 -#: src/Model/Event.php:453 src/Model/Event.php:947 src/Model/Profile.php:358 +#: mod/events.php:563 src/Model/Event.php:84 src/Model/Event.php:111 +#: src/Model/Event.php:469 src/Model/Event.php:954 src/Model/Profile.php:358 #: src/Module/Contact.php:646 src/Module/Directory.php:156 -#: src/Module/Notifications/Introductions.php:171 +#: src/Module/Notifications/Introductions.php:172 #: src/Module/Profile/Profile.php:190 msgid "Location:" msgstr "Posizione:" -#: mod/events.php:562 mod/events.php:564 +#: mod/events.php:565 mod/events.php:567 msgid "Title:" msgstr "Titolo:" -#: mod/events.php:565 mod/events.php:566 +#: mod/events.php:568 mod/events.php:569 msgid "Share this event" msgstr "Condividi questo evento" -#: mod/events.php:572 mod/message.php:206 mod/message.php:374 -#: mod/photos.php:956 mod/photos.php:1059 mod/photos.php:1345 -#: mod/photos.php:1386 mod/photos.php:1443 mod/photos.php:1516 +#: mod/events.php:575 mod/message.php:206 mod/message.php:374 +#: mod/photos.php:951 mod/photos.php:1054 mod/photos.php:1339 +#: mod/photos.php:1380 mod/photos.php:1437 mod/photos.php:1510 #: src/Module/Contact/Advanced.php:132 src/Module/Contact/Poke.php:155 #: src/Module/Contact.php:604 src/Module/Debug/Localtime.php:64 #: src/Module/Delegation.php:152 src/Module/FriendSuggest.php:129 #: src/Module/Install.php:234 src/Module/Install.php:276 #: src/Module/Install.php:313 src/Module/Invite.php:175 #: src/Module/Item/Compose.php:144 src/Module/Profile/Profile.php:242 -#: src/Module/Settings/Profile/Index.php:237 src/Object/Post.php:953 +#: src/Module/Settings/Profile/Index.php:237 src/Object/Post.php:962 +#: view/theme/duepuntozero/config.php:69 view/theme/frio/config.php:160 +#: view/theme/quattro/config.php:71 view/theme/vier/config.php:119 msgid "Submit" msgstr "Invia" -#: mod/events.php:573 src/Module/Profile/Profile.php:243 +#: mod/events.php:576 src/Module/Profile/Profile.php:243 msgid "Basic" msgstr "Base" -#: mod/events.php:574 src/Module/Admin/Site.php:603 src/Module/Contact.php:953 +#: mod/events.php:577 src/Module/Admin/Site.php:587 src/Module/Contact.php:953 #: src/Module/Profile/Profile.php:244 msgid "Advanced" msgstr "Avanzate" -#: mod/events.php:591 +#: mod/events.php:594 msgid "Failed to remove event" msgstr "Rimozione evento fallita." #: mod/fbrowser.php:43 src/Content/Nav.php:179 src/Module/BaseProfile.php:68 +#: view/theme/frio/theme.php:227 msgid "Photos" msgstr "Foto" @@ -1380,71 +1388,76 @@ msgstr "Carica" msgid "Files" msgstr "File" -#: mod/follow.php:83 +#: mod/follow.php:84 msgid "You already added this contact." msgstr "Hai già aggiunto questo contatto." -#: mod/follow.php:99 +#: mod/follow.php:100 msgid "The network type couldn't be detected. Contact can't be added." msgstr "Non è possibile rilevare il tipo di rete. Il contatto non può essere aggiunto." -#: mod/follow.php:107 +#: mod/follow.php:108 msgid "Diaspora support isn't enabled. Contact can't be added." msgstr "Il supporto Diaspora non è abilitato. Il contatto non può essere aggiunto." -#: mod/follow.php:112 +#: mod/follow.php:113 msgid "OStatus support is disabled. Contact can't be added." msgstr "Il supporto OStatus non è abilitato. Il contatto non può essere aggiunto." -#: mod/follow.php:147 mod/unfollow.php:97 +#: mod/follow.php:148 mod/unfollow.php:97 msgid "Your Identity Address:" msgstr "L'indirizzo della tua identità:" -#: mod/follow.php:148 mod/unfollow.php:103 +#: mod/follow.php:149 mod/unfollow.php:103 #: src/Module/Admin/Blocklist/Contact.php:100 src/Module/Contact.php:642 #: src/Module/Notifications/Introductions.php:108 -#: src/Module/Notifications/Introductions.php:182 +#: src/Module/Notifications/Introductions.php:183 msgid "Profile URL" msgstr "URL Profilo" -#: mod/follow.php:149 src/Module/Contact.php:652 -#: src/Module/Notifications/Introductions.php:175 +#: mod/follow.php:150 src/Module/Contact.php:652 +#: src/Module/Notifications/Introductions.php:176 #: src/Module/Profile/Profile.php:202 msgid "Tags:" msgstr "Tag:" -#: mod/follow.php:170 mod/unfollow.php:113 src/Module/BaseProfile.php:63 +#: mod/follow.php:171 mod/unfollow.php:113 src/Module/BaseProfile.php:63 #: src/Module/Contact.php:931 msgid "Status Messages and Posts" msgstr "Messaggi di stato e messaggi" -#: mod/follow.php:202 +#: mod/follow.php:203 msgid "The contact could not be added." msgstr "Il contatto non può essere aggiunto." -#: mod/item.php:133 mod/item.php:137 +#: mod/item.php:134 mod/item.php:138 msgid "Unable to locate original post." msgstr "Impossibile trovare il messaggio originale." -#: mod/item.php:329 mod/item.php:334 +#: mod/item.php:333 mod/item.php:338 msgid "Empty post discarded." msgstr "Messaggio vuoto scartato." -#: mod/item.php:701 +#: mod/item.php:700 msgid "Post updated." msgstr "Messaggio aggiornato." -#: mod/item.php:718 mod/item.php:723 +#: mod/item.php:717 mod/item.php:722 msgid "Item wasn't stored." msgstr "L'oggetto non è stato salvato." -#: mod/item.php:734 +#: mod/item.php:733 msgid "Item couldn't be fetched." msgstr "L'oggetto non può essere recuperato." -#: mod/item.php:862 src/Module/Admin/Themes/Details.php:39 -#: src/Module/Admin/Themes/Index.php:59 src/Module/Debug/ItemBody.php:46 -#: src/Module/Debug/ItemBody.php:59 +#: mod/item.php:857 +#, php-format +msgid "Blocked on item with guid %s" +msgstr "" + +#: mod/item.php:884 src/Module/Admin/Themes/Details.php:39 +#: src/Module/Admin/Themes/Index.php:59 src/Module/Debug/ItemBody.php:47 +#: src/Module/Debug/ItemBody.php:60 msgid "Item not found." msgstr "Elemento non trovato." @@ -1623,12 +1636,12 @@ msgid "Message collection failure." msgstr "Errore recuperando il messaggio." #: mod/message.php:122 src/Module/Notifications/Introductions.php:114 -#: src/Module/Notifications/Introductions.php:154 +#: src/Module/Notifications/Introductions.php:155 #: src/Module/Notifications/Notification.php:56 msgid "Discard" msgstr "Scarta" -#: mod/message.php:135 src/Content/Nav.php:273 +#: mod/message.php:135 src/Content/Nav.php:273 view/theme/frio/theme.php:234 msgid "Messages" msgstr "Messaggi" @@ -1717,11 +1730,11 @@ msgid_plural "%d messages" msgstr[0] "%d messaggio" msgstr[1] "%d messaggi" -#: mod/notes.php:50 src/Module/BaseProfile.php:110 +#: mod/notes.php:51 src/Module/BaseProfile.php:110 msgid "Personal Notes" msgstr "Note personali" -#: mod/notes.php:58 +#: mod/notes.php:59 msgid "Personal notes are visible only by yourself." msgstr "Le note personali sono visibili solo da te." @@ -1753,7 +1766,7 @@ msgstr "successo" msgid "failed" msgstr "fallito" -#: mod/ostatus_subscribe.php:98 src/Object/Post.php:311 +#: mod/ostatus_subscribe.php:98 src/Object/Post.php:318 msgid "ignored" msgstr "ignorato" @@ -1761,246 +1774,246 @@ msgstr "ignorato" msgid "Keep this window open until done." msgstr "Tieni questa finestra aperta fino a che ha finito." -#: mod/photos.php:128 src/Module/BaseProfile.php:71 +#: mod/photos.php:129 src/Module/BaseProfile.php:71 msgid "Photo Albums" msgstr "Album foto" -#: mod/photos.php:129 mod/photos.php:1642 +#: mod/photos.php:130 mod/photos.php:1636 msgid "Recent Photos" msgstr "Foto recenti" -#: mod/photos.php:131 mod/photos.php:1110 mod/photos.php:1644 +#: mod/photos.php:132 mod/photos.php:1105 mod/photos.php:1638 msgid "Upload New Photos" msgstr "Carica nuove foto" -#: mod/photos.php:149 src/Module/BaseSettings.php:37 +#: mod/photos.php:150 src/Module/BaseSettings.php:37 msgid "everybody" msgstr "tutti" -#: mod/photos.php:186 +#: mod/photos.php:183 msgid "Contact information unavailable" msgstr "I dati di questo contatto non sono disponibili" -#: mod/photos.php:208 +#: mod/photos.php:222 msgid "Album not found." msgstr "Album non trovato." -#: mod/photos.php:266 +#: mod/photos.php:280 msgid "Album successfully deleted" msgstr "Album eliminato con successo" -#: mod/photos.php:268 +#: mod/photos.php:282 msgid "Album was empty." msgstr "L'album era vuoto." -#: mod/photos.php:300 +#: mod/photos.php:314 msgid "Failed to delete the photo." msgstr "Eliminazione della foto non riuscita." -#: mod/photos.php:582 +#: mod/photos.php:589 msgid "a photo" msgstr "una foto" -#: mod/photos.php:582 +#: mod/photos.php:589 #, 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:677 mod/photos.php:680 mod/photos.php:707 +#: mod/photos.php:672 mod/photos.php:675 mod/photos.php:702 #: mod/wall_upload.php:174 src/Module/Settings/Profile/Photo/Index.php:61 #, php-format msgid "Image exceeds size limit of %s" msgstr "La dimensione dell'immagine supera il limite di %s" -#: mod/photos.php:683 +#: mod/photos.php:678 msgid "Image upload didn't complete, please try again" msgstr "Caricamento dell'immagine non completato. Prova di nuovo." -#: mod/photos.php:686 +#: mod/photos.php:681 msgid "Image file is missing" msgstr "Il file dell'immagine è mancante" -#: mod/photos.php:691 +#: mod/photos.php:686 msgid "" "Server can't accept new file upload at this time, please contact your " "administrator" msgstr "Il server non può accettare il caricamento di un nuovo file in questo momento, contattare l'amministratore" -#: mod/photos.php:715 +#: mod/photos.php:710 msgid "Image file is empty." msgstr "Il file dell'immagine è vuoto." -#: mod/photos.php:730 mod/wall_upload.php:188 +#: mod/photos.php:725 mod/wall_upload.php:188 #: src/Module/Settings/Profile/Photo/Index.php:70 msgid "Unable to process image." msgstr "Impossibile caricare l'immagine." -#: mod/photos.php:759 mod/wall_upload.php:227 +#: mod/photos.php:754 mod/wall_upload.php:227 #: src/Module/Settings/Profile/Photo/Index.php:97 msgid "Image upload failed." msgstr "Caricamento immagine fallito." -#: mod/photos.php:846 +#: mod/photos.php:841 msgid "No photos selected" msgstr "Nessuna foto selezionata" -#: mod/photos.php:912 mod/videos.php:182 +#: mod/photos.php:907 mod/videos.php:182 msgid "Access to this item is restricted." msgstr "Questo oggetto non è visibile a tutti." -#: mod/photos.php:966 +#: mod/photos.php:961 msgid "Upload Photos" msgstr "Carica foto" -#: mod/photos.php:970 mod/photos.php:1055 +#: mod/photos.php:965 mod/photos.php:1050 msgid "New album name: " msgstr "Nome nuovo album: " -#: mod/photos.php:971 +#: mod/photos.php:966 msgid "or select existing album:" msgstr "o seleziona un album esistente:" -#: mod/photos.php:972 +#: mod/photos.php:967 msgid "Do not show a status post for this upload" msgstr "Non creare un messaggio per questo upload" -#: mod/photos.php:1038 +#: mod/photos.php:1033 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:1039 mod/photos.php:1060 +#: mod/photos.php:1034 mod/photos.php:1055 msgid "Delete Album" msgstr "Rimuovi album" -#: mod/photos.php:1066 +#: mod/photos.php:1061 msgid "Edit Album" msgstr "Modifica album" -#: mod/photos.php:1067 +#: mod/photos.php:1062 msgid "Drop Album" msgstr "Elimina Album" -#: mod/photos.php:1072 +#: mod/photos.php:1067 msgid "Show Newest First" msgstr "Mostra nuove foto per prime" -#: mod/photos.php:1074 +#: mod/photos.php:1069 msgid "Show Oldest First" msgstr "Mostra vecchie foto per prime" -#: mod/photos.php:1095 mod/photos.php:1627 +#: mod/photos.php:1090 mod/photos.php:1621 msgid "View Photo" msgstr "Vedi foto" -#: mod/photos.php:1132 +#: mod/photos.php:1127 msgid "Permission denied. Access to this item may be restricted." msgstr "Permesso negato. L'accesso a questo elemento può essere limitato." -#: mod/photos.php:1134 +#: mod/photos.php:1129 msgid "Photo not available" msgstr "Foto non disponibile" -#: mod/photos.php:1144 +#: mod/photos.php:1139 msgid "Do you really want to delete this photo?" msgstr "Vuoi veramente cancellare questa foto?" -#: mod/photos.php:1145 mod/photos.php:1346 +#: mod/photos.php:1140 mod/photos.php:1340 msgid "Delete Photo" msgstr "Rimuovi foto" -#: mod/photos.php:1236 +#: mod/photos.php:1231 msgid "View photo" msgstr "Vedi foto" -#: mod/photos.php:1238 +#: mod/photos.php:1233 msgid "Edit photo" msgstr "Modifica foto" -#: mod/photos.php:1239 +#: mod/photos.php:1234 msgid "Delete photo" msgstr "Elimina foto" -#: mod/photos.php:1240 +#: mod/photos.php:1235 msgid "Use as profile photo" msgstr "Usa come foto del profilo" -#: mod/photos.php:1247 +#: mod/photos.php:1242 msgid "Private Photo" msgstr "Foto privata" -#: mod/photos.php:1253 +#: mod/photos.php:1248 msgid "View Full Size" msgstr "Vedi dimensione intera" -#: mod/photos.php:1314 +#: mod/photos.php:1308 msgid "Tags: " msgstr "Tag: " -#: mod/photos.php:1317 +#: mod/photos.php:1311 msgid "[Select tags to remove]" msgstr "[Seleziona tag da rimuovere]" -#: mod/photos.php:1332 +#: mod/photos.php:1326 msgid "New album name" msgstr "Nuovo nome dell'album" -#: mod/photos.php:1333 +#: mod/photos.php:1327 msgid "Caption" msgstr "Titolo" -#: mod/photos.php:1334 +#: mod/photos.php:1328 msgid "Add a Tag" msgstr "Aggiungi tag" -#: mod/photos.php:1334 +#: mod/photos.php:1328 msgid "" "Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" msgstr "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -#: mod/photos.php:1335 +#: mod/photos.php:1329 msgid "Do not rotate" msgstr "Non ruotare" -#: mod/photos.php:1336 +#: mod/photos.php:1330 msgid "Rotate CW (right)" msgstr "Ruota a destra" -#: mod/photos.php:1337 +#: mod/photos.php:1331 msgid "Rotate CCW (left)" msgstr "Ruota a sinistra" -#: mod/photos.php:1383 mod/photos.php:1440 mod/photos.php:1513 +#: mod/photos.php:1377 mod/photos.php:1434 mod/photos.php:1507 #: src/Module/Contact.php:1096 src/Module/Item/Compose.php:142 -#: src/Object/Post.php:950 +#: src/Object/Post.php:959 msgid "This is you" msgstr "Questo sei tu" -#: mod/photos.php:1385 mod/photos.php:1442 mod/photos.php:1515 -#: src/Object/Post.php:490 src/Object/Post.php:952 +#: mod/photos.php:1379 mod/photos.php:1436 mod/photos.php:1509 +#: src/Object/Post.php:499 src/Object/Post.php:961 msgid "Comment" msgstr "Commento" -#: mod/photos.php:1537 +#: mod/photos.php:1531 msgid "Like" -msgstr "" +msgstr "Mi Piace" -#: mod/photos.php:1538 src/Object/Post.php:351 +#: mod/photos.php:1532 src/Object/Post.php:358 msgid "I like this (toggle)" msgstr "Mi piace (clic per cambiare)" -#: mod/photos.php:1539 +#: mod/photos.php:1533 msgid "Dislike" -msgstr "" +msgstr "Non Mi Piace" -#: mod/photos.php:1541 src/Object/Post.php:352 +#: mod/photos.php:1535 src/Object/Post.php:359 msgid "I don't like this (toggle)" msgstr "Non mi piace (clic per cambiare)" -#: mod/photos.php:1563 +#: mod/photos.php:1557 msgid "Map" msgstr "Mappa" -#: mod/photos.php:1633 mod/videos.php:259 +#: mod/photos.php:1627 mod/videos.php:259 msgid "View Album" msgstr "Sfoglia l'album" @@ -2140,7 +2153,7 @@ msgstr "Aggiungi applicazione" #: mod/settings.php:503 mod/settings.php:610 mod/settings.php:708 #: mod/settings.php:843 src/Module/Admin/Addons/Index.php:69 #: src/Module/Admin/Features.php:87 src/Module/Admin/Logs/Settings.php:82 -#: src/Module/Admin/Site.php:598 src/Module/Admin/Themes/Index.php:113 +#: src/Module/Admin/Site.php:582 src/Module/Admin/Themes/Index.php:113 #: src/Module/Admin/Tos.php:66 src/Module/Settings/Delegation.php:170 #: src/Module/Settings/Display.php:189 msgid "Save Settings" @@ -2180,7 +2193,7 @@ msgstr "Non puoi modificare questa applicazione." msgid "Connected Apps" msgstr "Applicazioni Collegate" -#: mod/settings.php:563 src/Object/Post.php:191 src/Object/Post.php:193 +#: mod/settings.php:563 src/Object/Post.php:192 src/Object/Post.php:194 msgid "Edit" msgstr "Modifica" @@ -2384,7 +2397,7 @@ msgstr "Sposta nella cartella:" msgid "Unable to find your profile. Please contact your admin." msgstr "Impossibile trovare il tuo profilo. Contatta il tuo amministratore." -#: mod/settings.php:757 src/Content/Widget.php:543 +#: mod/settings.php:757 src/Content/Widget.php:529 msgid "Account Types" msgstr "Tipi di Account" @@ -2859,19 +2872,19 @@ msgid "" "hours." msgstr "Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra 24 ore." -#: mod/suggest.php:55 src/Content/Widget.php:78 +#: mod/suggest.php:55 src/Content/Widget.php:78 view/theme/vier/theme.php:175 msgid "Friend Suggestions" msgstr "Contatti suggeriti" -#: mod/tagrm.php:112 +#: mod/tagrm.php:113 msgid "Remove Item Tag" msgstr "Rimuovi il tag" -#: mod/tagrm.php:114 +#: mod/tagrm.php:115 msgid "Select a tag to remove: " msgstr "Seleziona un tag da rimuovere: " -#: mod/tagrm.php:125 src/Module/Settings/Delegation.php:179 +#: mod/tagrm.php:126 src/Module/Settings/Delegation.php:179 msgid "Remove" msgstr "Rimuovi" @@ -2936,7 +2949,7 @@ msgstr "Disconnetti/Non Seguire" msgid "No videos selected" msgstr "Nessun video selezionato" -#: mod/videos.php:252 src/Model/Item.php:3710 +#: mod/videos.php:252 src/Model/Item.php:2952 msgid "View Video" msgstr "Guarda Video" @@ -3003,7 +3016,13 @@ msgstr "Devi aver effettuato il login per usare i componenti aggiuntivi." msgid "Delete this item?" msgstr "Cancellare questo elemento?" -#: src/App/Page.php:298 +#: src/App/Page.php:251 +msgid "" +"Block this author? They won't be able to follow you nor see your public " +"posts, and you won't be able to see their posts and their notifications." +msgstr "" + +#: src/App/Page.php:299 msgid "toggle mobile" msgstr "commuta tema mobile" @@ -3031,8 +3050,8 @@ msgid "All contacts" msgstr "Tutti i contatti" #: src/BaseModule.php:184 src/Content/Widget.php:237 src/Core/ACL.php:182 -#: src/Module/Contact.php:852 src/Module/PermissionTooltip.php:76 -#: src/Module/PermissionTooltip.php:98 +#: src/Module/Contact.php:852 src/Module/PermissionTooltip.php:77 +#: src/Module/PermissionTooltip.php:99 msgid "Followers" msgstr "Seguaci" @@ -3325,7 +3344,7 @@ msgid "Display membership date in profile" msgstr "Mostra la data in cui ti sei registrato nel profilo" #: src/Content/ForumManager.php:145 src/Content/Nav.php:229 -#: src/Content/Text/HTML.php:898 src/Content/Widget.php:540 +#: src/Content/Text/HTML.php:902 src/Content/Widget.php:526 msgid "Forums" msgstr "Forum" @@ -3333,12 +3352,12 @@ msgstr "Forum" msgid "External link to forum" msgstr "Collegamento esterno al forum" -#: src/Content/ForumManager.php:150 src/Content/Widget.php:519 +#: src/Content/ForumManager.php:150 src/Content/Widget.php:505 msgid "show less" -msgstr "" +msgstr "mostra meno" -#: src/Content/ForumManager.php:151 src/Content/Widget.php:424 -#: src/Content/Widget.php:520 +#: src/Content/ForumManager.php:151 src/Content/Widget.php:410 +#: src/Content/Widget.php:506 msgid "show more" msgstr "mostra di più" @@ -3346,7 +3365,7 @@ msgstr "mostra di più" msgid "Nothing new here" msgstr "Niente di nuovo qui" -#: src/Content/Nav.php:94 src/Module/Special/HTTPException.php:72 +#: src/Content/Nav.php:94 src/Module/Special/HTTPException.php:75 msgid "Go back" msgstr "Torna indietro" @@ -3354,7 +3373,7 @@ msgstr "Torna indietro" msgid "Clear notifications" msgstr "Pulisci le notifiche" -#: src/Content/Nav.php:96 src/Content/Text/HTML.php:885 +#: src/Content/Nav.php:96 src/Content/Text/HTML.php:889 msgid "@name, !forum, #tags, content" msgstr "@nome, !forum, #tag, contenuto" @@ -3377,39 +3396,40 @@ msgstr "Entra" #: src/Content/Nav.php:177 src/Module/BaseProfile.php:60 #: src/Module/Contact.php:655 src/Module/Contact.php:920 -#: src/Module/Settings/TwoFactor/Index.php:107 +#: src/Module/Settings/TwoFactor/Index.php:107 view/theme/frio/theme.php:225 msgid "Status" msgstr "Stato" #: src/Content/Nav.php:177 src/Content/Nav.php:263 +#: view/theme/frio/theme.php:225 msgid "Your posts and conversations" msgstr "I tuoi messaggi e le tue conversazioni" #: src/Content/Nav.php:178 src/Module/BaseProfile.php:52 #: src/Module/BaseSettings.php:57 src/Module/Contact.php:657 #: src/Module/Contact.php:936 src/Module/Profile/Profile.php:236 -#: src/Module/Welcome.php:57 +#: src/Module/Welcome.php:57 view/theme/frio/theme.php:226 msgid "Profile" msgstr "Profilo" -#: src/Content/Nav.php:178 +#: src/Content/Nav.php:178 view/theme/frio/theme.php:226 msgid "Your profile page" msgstr "Pagina del tuo profilo" -#: src/Content/Nav.php:179 +#: src/Content/Nav.php:179 view/theme/frio/theme.php:227 msgid "Your photos" msgstr "Le tue foto" #: src/Content/Nav.php:180 src/Module/BaseProfile.php:76 -#: src/Module/BaseProfile.php:79 +#: src/Module/BaseProfile.php:79 view/theme/frio/theme.php:228 msgid "Videos" msgstr "Video" -#: src/Content/Nav.php:180 +#: src/Content/Nav.php:180 view/theme/frio/theme.php:228 msgid "Your videos" msgstr "I tuoi video" -#: src/Content/Nav.php:181 +#: src/Content/Nav.php:181 view/theme/frio/theme.php:229 msgid "Your events" msgstr "I tuoi eventi" @@ -3442,7 +3462,7 @@ msgstr "Crea un account" #: src/Module/Settings/TwoFactor/AppSpecific.php:115 #: src/Module/Settings/TwoFactor/Index.php:106 #: src/Module/Settings/TwoFactor/Recovery.php:93 -#: src/Module/Settings/TwoFactor/Verify.php:132 +#: src/Module/Settings/TwoFactor/Verify.php:132 view/theme/vier/theme.php:217 msgid "Help" msgstr "Guida" @@ -3458,8 +3478,8 @@ msgstr "Applicazioni" msgid "Addon applications, utilities, games" msgstr "Applicazioni, utilità e giochi aggiuntivi" -#: src/Content/Nav.php:220 src/Content/Text/HTML.php:883 -#: src/Module/Search/Index.php:99 +#: src/Content/Nav.php:220 src/Content/Text/HTML.php:887 +#: src/Module/Search/Index.php:100 msgid "Search" msgstr "Cerca" @@ -3467,19 +3487,19 @@ msgstr "Cerca" msgid "Search site content" msgstr "Cerca nel contenuto del sito" -#: src/Content/Nav.php:223 src/Content/Text/HTML.php:892 +#: src/Content/Nav.php:223 src/Content/Text/HTML.php:896 msgid "Full Text" msgstr "Testo Completo" -#: src/Content/Nav.php:224 src/Content/Text/HTML.php:893 +#: src/Content/Nav.php:224 src/Content/Text/HTML.php:897 #: src/Content/Widget/TagCloud.php:68 msgid "Tags" msgstr "Tags:" #: src/Content/Nav.php:225 src/Content/Nav.php:284 -#: src/Content/Text/HTML.php:894 src/Module/BaseProfile.php:121 +#: src/Content/Text/HTML.php:898 src/Module/BaseProfile.php:121 #: src/Module/BaseProfile.php:124 src/Module/Contact.php:855 -#: src/Module/Contact.php:943 +#: src/Module/Contact.php:943 view/theme/frio/theme.php:236 msgid "Contacts" msgstr "Contatti" @@ -3492,7 +3512,7 @@ msgid "Conversations on this and other servers" msgstr "Conversazioni su questo e su altri server" #: src/Content/Nav.php:248 src/Module/BaseProfile.php:91 -#: src/Module/BaseProfile.php:102 +#: src/Module/BaseProfile.php:102 view/theme/frio/theme.php:233 msgid "Events and Calendar" msgstr "Eventi e calendario" @@ -3522,11 +3542,11 @@ msgstr "Termini di Servizio" msgid "Terms of Service of this Friendica instance" msgstr "Termini di Servizio di questa istanza Friendica" -#: src/Content/Nav.php:261 +#: src/Content/Nav.php:261 view/theme/frio/theme.php:232 msgid "Network" msgstr "Rete" -#: src/Content/Nav.php:261 +#: src/Content/Nav.php:261 view/theme/frio/theme.php:232 msgid "Conversations from your friends" msgstr "Conversazioni dai tuoi amici" @@ -3551,7 +3571,7 @@ msgstr "Vedi tutte le notifiche" msgid "Mark all system notifications seen" msgstr "Segna tutte le notifiche come viste" -#: src/Content/Nav.php:273 +#: src/Content/Nav.php:273 view/theme/frio/theme.php:234 msgid "Private mail" msgstr "Posta privata" @@ -3573,15 +3593,15 @@ msgstr "Gestisci altre pagine" #: src/Content/Nav.php:282 src/Module/Admin/Addons/Details.php:114 #: src/Module/Admin/Themes/Details.php:93 src/Module/BaseSettings.php:124 -#: src/Module/Welcome.php:52 +#: src/Module/Welcome.php:52 view/theme/frio/theme.php:235 msgid "Settings" msgstr "Impostazioni" -#: src/Content/Nav.php:282 +#: src/Content/Nav.php:282 view/theme/frio/theme.php:235 msgid "Account settings" msgstr "Parametri account" -#: src/Content/Nav.php:284 +#: src/Content/Nav.php:284 view/theme/frio/theme.php:236 msgid "Manage/edit friends and contacts" msgstr "Gestisci/modifica amici e contatti" @@ -3617,30 +3637,30 @@ msgstr "prec" msgid "last" msgstr "ultimo" -#: src/Content/Text/BBCode.php:961 src/Content/Text/BBCode.php:1598 -#: src/Content/Text/BBCode.php:1599 +#: src/Content/Text/BBCode.php:961 src/Content/Text/BBCode.php:1605 +#: src/Content/Text/BBCode.php:1606 msgid "Image/photo" msgstr "Immagine/foto" -#: src/Content/Text/BBCode.php:1061 +#: src/Content/Text/BBCode.php:1063 #, php-format msgid "%2$s %3$s" msgstr "%2$s %3$s" -#: src/Content/Text/BBCode.php:1086 src/Model/Item.php:3778 -#: src/Model/Item.php:3784 +#: src/Content/Text/BBCode.php:1088 src/Model/Item.php:3020 +#: src/Model/Item.php:3026 msgid "link to source" msgstr "Collegamento all'originale" -#: src/Content/Text/BBCode.php:1516 src/Content/Text/HTML.php:935 +#: src/Content/Text/BBCode.php:1523 src/Content/Text/HTML.php:939 msgid "Click to open/close" msgstr "Clicca per aprire/chiudere" -#: src/Content/Text/BBCode.php:1547 +#: src/Content/Text/BBCode.php:1554 msgid "$1 wrote:" msgstr "$1 ha scritto:" -#: src/Content/Text/BBCode.php:1601 src/Content/Text/BBCode.php:1602 +#: src/Content/Text/BBCode.php:1608 src/Content/Text/BBCode.php:1609 msgid "Encrypted content" msgstr "Contenuto criptato" @@ -3652,15 +3672,15 @@ msgstr "Protocollo sorgente non valido" msgid "Invalid link protocol" msgstr "Protocollo collegamento non valido" -#: src/Content/Text/HTML.php:783 +#: src/Content/Text/HTML.php:787 msgid "Loading more entries..." msgstr "Carico più elementi..." -#: src/Content/Text/HTML.php:784 +#: src/Content/Text/HTML.php:788 msgid "The end" msgstr "Fine" -#: src/Content/Text/HTML.php:877 src/Model/Profile.php:439 +#: src/Content/Text/HTML.php:881 src/Model/Profile.php:439 #: src/Module/Contact.php:340 msgid "Follow" msgstr "Segui" @@ -3734,40 +3754,41 @@ msgid_plural "%d invitations available" msgstr[0] "%d invito disponibile" msgstr[1] "%d inviti disponibili" -#: src/Content/Widget.php:73 +#: src/Content/Widget.php:73 view/theme/vier/theme.php:170 msgid "Find People" msgstr "Trova persone" -#: src/Content/Widget.php:74 +#: src/Content/Widget.php:74 view/theme/vier/theme.php:171 msgid "Enter name or interest" msgstr "Inserisci un nome o un interesse" -#: src/Content/Widget.php:76 +#: src/Content/Widget.php:76 view/theme/vier/theme.php:173 msgid "Examples: Robert Morgenstein, Fishing" msgstr "Esempi: Mario Rossi, Pesca" #: src/Content/Widget.php:77 src/Module/Contact.php:876 -#: src/Module/Directory.php:105 +#: src/Module/Directory.php:105 view/theme/vier/theme.php:174 msgid "Find" msgstr "Trova" -#: src/Content/Widget.php:79 +#: src/Content/Widget.php:79 view/theme/vier/theme.php:176 msgid "Similar Interests" msgstr "Interessi simili" -#: src/Content/Widget.php:80 +#: src/Content/Widget.php:80 view/theme/vier/theme.php:177 msgid "Random Profile" msgstr "Profilo Casuale" -#: src/Content/Widget.php:81 +#: src/Content/Widget.php:81 view/theme/vier/theme.php:178 msgid "Invite Friends" msgstr "Invita amici" #: src/Content/Widget.php:82 src/Module/Directory.php:97 +#: view/theme/vier/theme.php:179 msgid "Global Directory" msgstr "Elenco globale" -#: src/Content/Widget.php:84 +#: src/Content/Widget.php:84 view/theme/vier/theme.php:181 msgid "Local Directory" msgstr "Elenco Locale" @@ -3797,42 +3818,42 @@ msgstr "Protocolli" msgid "All Protocols" msgstr "Tutti i Protocolli" -#: src/Content/Widget.php:324 +#: src/Content/Widget.php:315 msgid "Saved Folders" msgstr "Cartelle Salvate" -#: src/Content/Widget.php:326 src/Content/Widget.php:365 +#: src/Content/Widget.php:317 src/Content/Widget.php:351 msgid "Everything" msgstr "Tutto" -#: src/Content/Widget.php:363 +#: src/Content/Widget.php:349 msgid "Categories" msgstr "Categorie" -#: src/Content/Widget.php:420 +#: src/Content/Widget.php:406 #, 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" -#: src/Content/Widget.php:513 +#: src/Content/Widget.php:499 msgid "Archives" msgstr "Archivi" -#: src/Content/Widget.php:537 +#: src/Content/Widget.php:523 msgid "Persons" msgstr "Persone" -#: src/Content/Widget.php:538 +#: src/Content/Widget.php:524 msgid "Organisations" msgstr "Organizzazioni" -#: src/Content/Widget.php:539 src/Model/Contact.php:1409 +#: src/Content/Widget.php:525 src/Model/Contact.php:1402 msgid "News" msgstr "Notizie" -#: src/Content/Widget.php:544 src/Module/Admin/BaseUsers.php:50 +#: src/Content/Widget.php:530 src/Module/Admin/BaseUsers.php:50 msgid "All" msgstr "Tutto" @@ -3840,8 +3861,8 @@ msgstr "Tutto" msgid "Yourself" msgstr "Te stesso" -#: src/Core/ACL.php:189 src/Module/PermissionTooltip.php:82 -#: src/Module/PermissionTooltip.php:104 +#: src/Core/ACL.php:189 src/Module/PermissionTooltip.php:83 +#: src/Module/PermissionTooltip.php:105 msgid "Mutuals" msgstr "Amici reciproci" @@ -4046,244 +4067,252 @@ msgid "Error: POSIX PHP module required but not installed." msgstr "Errore, il modulo PHP POSIX è richiesto ma non installato." #: src/Core/Installer.php:467 +msgid "Program execution functions" +msgstr "Funzioni di esecuzione del programma" + +#: src/Core/Installer.php:468 +msgid "Error: Program execution functions required but not enabled." +msgstr "Errore: Funzioni di esecuzione del programma richieste ma non abilitate." + +#: src/Core/Installer.php:474 msgid "JSON PHP module" msgstr "modulo PHP JSON" -#: src/Core/Installer.php:468 +#: src/Core/Installer.php:475 msgid "Error: JSON PHP module required but not installed." msgstr "Errore: il modulo PHP JSON è richiesto ma non installato." -#: src/Core/Installer.php:474 +#: src/Core/Installer.php:481 msgid "File Information PHP module" msgstr "Modulo PHP File Information" -#: src/Core/Installer.php:475 +#: src/Core/Installer.php:482 msgid "Error: File Information PHP module required but not installed." msgstr "Errore: il modulo PHP File Information è richiesto ma non è installato." -#: src/Core/Installer.php:498 +#: src/Core/Installer.php:505 msgid "" "The web installer needs to be able to create a file called " "\"local.config.php\" in the \"config\" folder of your web server and it is " "unable to do so." msgstr "L'installer web deve essere in grado di creare un file chiamato \"local.config.php\" nella cartella \"config\" del tuo server web, ma non è in grado di farlo." -#: src/Core/Installer.php:499 +#: src/Core/Installer.php:506 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 "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." -#: src/Core/Installer.php:500 +#: src/Core/Installer.php:507 msgid "" "At the end of this procedure, we will give you a text to save in a file " "named local.config.php in your Friendica \"config\" folder." msgstr "Alla fine di questa procedura, ti daremo un testo da salvare in un file chiamato \"local.config.php\" nella cartella \"config\" della tua installazione di Friendica." -#: src/Core/Installer.php:501 +#: src/Core/Installer.php:508 msgid "" "You can alternatively skip this procedure and perform a manual installation." " Please see the file \"INSTALL.txt\" for instructions." msgstr "Puoi in alternativa saltare questa procedura ed eseguire l'installazione manualmente. Vedi il file \"INSTALL.txt\" per le istruzioni." -#: src/Core/Installer.php:504 +#: src/Core/Installer.php:511 msgid "config/local.config.php is writable" msgstr "config/local.config.php è scrivibile" -#: src/Core/Installer.php:524 +#: src/Core/Installer.php:531 msgid "" "Friendica uses the Smarty3 template engine to render its web views. Smarty3 " "compiles templates to PHP to speed up rendering." msgstr "Friendica usa il motore di template Smarty3 per renderizzare le sue pagine web. Smarty3 compila i template in PHP per velocizzare il rendering." -#: src/Core/Installer.php:525 +#: src/Core/Installer.php:532 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 salvare questi template compilati, il server werb ha bisogno dell'accesso in scrittura alla cartella view/smarty3/ nella cartella principale dei Friendica." -#: src/Core/Installer.php:526 +#: src/Core/Installer.php:533 msgid "" "Please ensure that the user that your web server runs as (e.g. www-data) has" " write access to this folder." msgstr "Per favore, controlla che l'utente con cui il tuo server web gira (es www-data) ha accesso in scrittura a questa cartella." -#: src/Core/Installer.php:527 +#: src/Core/Installer.php:534 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: come misura di sicurezza, dovresti dare accesso in scrittura solo alla cartella view/smarty3, non ai template (.tpl) che contiene." -#: src/Core/Installer.php:530 +#: src/Core/Installer.php:537 msgid "view/smarty3 is writable" msgstr "view/smarty3 è scrivibile" -#: src/Core/Installer.php:559 +#: src/Core/Installer.php:566 msgid "" "Url rewrite in .htaccess is not working. Make sure you copied .htaccess-dist" " to .htaccess." msgstr "La riscrittura degli url in .htaccess non funziona. Controlla di aver copiato .htaccess-dist in .htaccess." -#: src/Core/Installer.php:561 +#: src/Core/Installer.php:568 msgid "Error message from Curl when fetching" msgstr "Messaggio di errore da Curl durante la richiesta" -#: src/Core/Installer.php:566 +#: src/Core/Installer.php:573 msgid "Url rewrite is working" msgstr "La riscrittura degli url funziona" -#: src/Core/Installer.php:595 +#: src/Core/Installer.php:602 msgid "ImageMagick PHP extension is not installed" msgstr "L'estensione PHP ImageMagick non è installata" -#: src/Core/Installer.php:597 +#: src/Core/Installer.php:604 msgid "ImageMagick PHP extension is installed" msgstr "L'estensione PHP ImageMagick è installata" -#: src/Core/Installer.php:599 +#: src/Core/Installer.php:606 msgid "ImageMagick supports GIF" msgstr "ImageMagick supporta i GIF" -#: src/Core/Installer.php:621 +#: src/Core/Installer.php:628 msgid "Database already in use." msgstr "Database già in uso." -#: src/Core/Installer.php:626 +#: src/Core/Installer.php:633 msgid "Could not connect to database." msgstr " Impossibile collegarsi con il database." -#: src/Core/L10n.php:371 src/Model/Event.php:412 +#: src/Core/L10n.php:371 src/Model/Event.php:428 #: src/Module/Settings/Display.php:178 msgid "Monday" msgstr "Lunedì" -#: src/Core/L10n.php:371 src/Model/Event.php:413 +#: src/Core/L10n.php:371 src/Model/Event.php:429 msgid "Tuesday" msgstr "Martedì" -#: src/Core/L10n.php:371 src/Model/Event.php:414 +#: src/Core/L10n.php:371 src/Model/Event.php:430 msgid "Wednesday" msgstr "Mercoledì" -#: src/Core/L10n.php:371 src/Model/Event.php:415 +#: src/Core/L10n.php:371 src/Model/Event.php:431 msgid "Thursday" msgstr "Giovedì" -#: src/Core/L10n.php:371 src/Model/Event.php:416 +#: src/Core/L10n.php:371 src/Model/Event.php:432 msgid "Friday" msgstr "Venerdì" -#: src/Core/L10n.php:371 src/Model/Event.php:417 +#: src/Core/L10n.php:371 src/Model/Event.php:433 msgid "Saturday" msgstr "Sabato" -#: src/Core/L10n.php:371 src/Model/Event.php:411 +#: src/Core/L10n.php:371 src/Model/Event.php:427 #: src/Module/Settings/Display.php:178 msgid "Sunday" msgstr "Domenica" -#: src/Core/L10n.php:375 src/Model/Event.php:432 +#: src/Core/L10n.php:375 src/Model/Event.php:448 msgid "January" msgstr "Gennaio" -#: src/Core/L10n.php:375 src/Model/Event.php:433 +#: src/Core/L10n.php:375 src/Model/Event.php:449 msgid "February" msgstr "Febbraio" -#: src/Core/L10n.php:375 src/Model/Event.php:434 +#: src/Core/L10n.php:375 src/Model/Event.php:450 msgid "March" msgstr "Marzo" -#: src/Core/L10n.php:375 src/Model/Event.php:435 +#: src/Core/L10n.php:375 src/Model/Event.php:451 msgid "April" msgstr "Aprile" -#: src/Core/L10n.php:375 src/Core/L10n.php:395 src/Model/Event.php:423 +#: src/Core/L10n.php:375 src/Core/L10n.php:395 src/Model/Event.php:439 msgid "May" msgstr "Maggio" -#: src/Core/L10n.php:375 src/Model/Event.php:436 +#: src/Core/L10n.php:375 src/Model/Event.php:452 msgid "June" msgstr "Giugno" -#: src/Core/L10n.php:375 src/Model/Event.php:437 +#: src/Core/L10n.php:375 src/Model/Event.php:453 msgid "July" msgstr "Luglio" -#: src/Core/L10n.php:375 src/Model/Event.php:438 +#: src/Core/L10n.php:375 src/Model/Event.php:454 msgid "August" msgstr "Agosto" -#: src/Core/L10n.php:375 src/Model/Event.php:439 +#: src/Core/L10n.php:375 src/Model/Event.php:455 msgid "September" msgstr "Settembre" -#: src/Core/L10n.php:375 src/Model/Event.php:440 +#: src/Core/L10n.php:375 src/Model/Event.php:456 msgid "October" msgstr "Ottobre" -#: src/Core/L10n.php:375 src/Model/Event.php:441 +#: src/Core/L10n.php:375 src/Model/Event.php:457 msgid "November" msgstr "Novembre" -#: src/Core/L10n.php:375 src/Model/Event.php:442 +#: src/Core/L10n.php:375 src/Model/Event.php:458 msgid "December" msgstr "Dicembre" -#: src/Core/L10n.php:391 src/Model/Event.php:404 +#: src/Core/L10n.php:391 src/Model/Event.php:420 msgid "Mon" msgstr "Lun" -#: src/Core/L10n.php:391 src/Model/Event.php:405 +#: src/Core/L10n.php:391 src/Model/Event.php:421 msgid "Tue" msgstr "Mar" -#: src/Core/L10n.php:391 src/Model/Event.php:406 +#: src/Core/L10n.php:391 src/Model/Event.php:422 msgid "Wed" msgstr "Mer" -#: src/Core/L10n.php:391 src/Model/Event.php:407 +#: src/Core/L10n.php:391 src/Model/Event.php:423 msgid "Thu" msgstr "Gio" -#: src/Core/L10n.php:391 src/Model/Event.php:408 +#: src/Core/L10n.php:391 src/Model/Event.php:424 msgid "Fri" msgstr "Ven" -#: src/Core/L10n.php:391 src/Model/Event.php:409 +#: src/Core/L10n.php:391 src/Model/Event.php:425 msgid "Sat" msgstr "Sab" -#: src/Core/L10n.php:391 src/Model/Event.php:403 +#: src/Core/L10n.php:391 src/Model/Event.php:419 msgid "Sun" msgstr "Dom" -#: src/Core/L10n.php:395 src/Model/Event.php:419 +#: src/Core/L10n.php:395 src/Model/Event.php:435 msgid "Jan" msgstr "Gen" -#: src/Core/L10n.php:395 src/Model/Event.php:420 +#: src/Core/L10n.php:395 src/Model/Event.php:436 msgid "Feb" msgstr "Feb" -#: src/Core/L10n.php:395 src/Model/Event.php:421 +#: src/Core/L10n.php:395 src/Model/Event.php:437 msgid "Mar" msgstr "Mar" -#: src/Core/L10n.php:395 src/Model/Event.php:422 +#: src/Core/L10n.php:395 src/Model/Event.php:438 msgid "Apr" msgstr "Apr" -#: src/Core/L10n.php:395 src/Model/Event.php:424 +#: src/Core/L10n.php:395 src/Model/Event.php:440 msgid "Jun" msgstr "Giu" -#: src/Core/L10n.php:395 src/Model/Event.php:425 +#: src/Core/L10n.php:395 src/Model/Event.php:441 msgid "Jul" msgstr "Lug" -#: src/Core/L10n.php:395 src/Model/Event.php:426 +#: src/Core/L10n.php:395 src/Model/Event.php:442 msgid "Aug" msgstr "Ago" @@ -4291,15 +4320,15 @@ msgstr "Ago" msgid "Sep" msgstr "Set" -#: src/Core/L10n.php:395 src/Model/Event.php:428 +#: src/Core/L10n.php:395 src/Model/Event.php:444 msgid "Oct" msgstr "Ott" -#: src/Core/L10n.php:395 src/Model/Event.php:429 +#: src/Core/L10n.php:395 src/Model/Event.php:445 msgid "Nov" msgstr "Nov" -#: src/Core/L10n.php:395 src/Model/Event.php:430 +#: src/Core/L10n.php:395 src/Model/Event.php:446 msgid "Dec" msgstr "Dic" @@ -4367,12 +4396,26 @@ msgstr "il motore di modelli non può essere registrato senza un nome." msgid "template engine is not registered!" msgstr "il motore di modelli non è registrato!" -#: src/Core/Update.php:226 +#: src/Core/Update.php:66 +#, php-format +msgid "" +"Updates from version %s are not supported. Please update at least to version" +" 2021.01 and wait until the postupdate finished version 1383." +msgstr "" + +#: src/Core/Update.php:77 +#, php-format +msgid "" +"Updates from postupdate version %s are not supported. Please update at least" +" to version 2021.01 and wait until the postupdate finished version 1383." +msgstr "" + +#: src/Core/Update.php:244 #, php-format msgid "Update %s failed. See error logs." msgstr "aggiornamento %s fallito. Guarda i log di errore." -#: src/Core/Update.php:279 +#: src/Core/Update.php:297 #, php-format msgid "" "\n" @@ -4382,16 +4425,16 @@ msgid "" "\t\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 sei in grado di aiutarmi. Il mio database potrebbe essere invalido." -#: src/Core/Update.php:285 +#: src/Core/Update.php:303 #, php-format msgid "The error message is\\n[pre]%s[/pre]" -msgstr "" +msgstr "Il messaggio di errore è\\n[pre]%s[/pre]" -#: src/Core/Update.php:289 src/Core/Update.php:331 +#: src/Core/Update.php:307 src/Core/Update.php:349 msgid "[Friendica Notify] Database update" msgstr "[Notifica di Friendica] Aggiornamento database" -#: src/Core/Update.php:325 +#: src/Core/Update.php:343 #, php-format msgid "" "\n" @@ -4435,11 +4478,21 @@ msgstr "Fatto. Ora puoi entrare con il tuo nome utente e la tua password" msgid "The database version had been set to %s." msgstr "La versione del database è stata impostata come %s." -#: src/Database/DBStructure.php:85 +#: src/Database/DBStructure.php:82 +msgid "No unused tables found." +msgstr "Nessuna tabella inutilizzata trovata." + +#: src/Database/DBStructure.php:87 +msgid "" +"These tables are not used for friendica and will be deleted when you execute" +" \"dbstructure drop -e\":" +msgstr "Queste tabelle non sono utilizzate da friendica e saranno eliminate quando eseguirai \"dbstructure drop -e\":" + +#: src/Database/DBStructure.php:125 msgid "There are no tables on MyISAM or InnoDB with the Antelope file format." msgstr "Non ci sono tabelle su MyISAM o InnoDB con il formato file Antelope" -#: src/Database/DBStructure.php:109 +#: src/Database/DBStructure.php:149 #, php-format msgid "" "\n" @@ -4447,20 +4500,20 @@ msgid "" "%s\n" msgstr "\nErrore %d durante l'aggiornamento del database:\n%s\n" -#: src/Database/DBStructure.php:112 +#: src/Database/DBStructure.php:152 msgid "Errors encountered performing database changes: " msgstr "Errori riscontrati eseguendo le modifiche al database:" -#: src/Database/DBStructure.php:340 +#: src/Database/DBStructure.php:380 msgid "Another database update is currently running." msgstr "Un altro aggiornamento del database è attualmente in corso." -#: src/Database/DBStructure.php:344 +#: src/Database/DBStructure.php:384 #, php-format msgid "%s: Database update" msgstr "%s: Aggiornamento database" -#: src/Database/DBStructure.php:644 +#: src/Database/DBStructure.php:684 #, php-format msgid "%s: updating %s table." msgstr "%s: aggiornando la tabella %s." @@ -4487,7 +4540,7 @@ msgid "%s created a new post" msgstr "%s a creato un nuovo messaggio" #: src/Factory/Notification/Notification.php:104 -#: src/Factory/Notification/Notification.php:366 +#: src/Factory/Notification/Notification.php:362 #, php-format msgid "%s commented on %s's post" msgstr "%s ha commentato il messaggio di %s" @@ -4537,140 +4590,140 @@ msgstr "Rimuovi contatto" #: src/Model/Contact.php:999 src/Module/Admin/Users/Pending.php:107 #: src/Module/Notifications/Introductions.php:111 -#: src/Module/Notifications/Introductions.php:188 +#: src/Module/Notifications/Introductions.php:189 msgid "Approve" msgstr "Approva" -#: src/Model/Contact.php:1405 +#: src/Model/Contact.php:1398 msgid "Organisation" msgstr "Organizzazione" -#: src/Model/Contact.php:1413 +#: src/Model/Contact.php:1406 msgid "Forum" msgstr "Forum" -#: src/Model/Contact.php:2153 +#: src/Model/Contact.php:2146 msgid "Connect URL missing." msgstr "URL di connessione mancante." -#: src/Model/Contact.php:2162 +#: src/Model/Contact.php:2155 msgid "" "The contact could not be added. Please check the relevant network " "credentials in your Settings -> Social Networks page." msgstr "Il contatto non può essere aggiunto. Controlla le credenziali della rete nella tua pagina Impostazioni -> Reti Sociali" -#: src/Model/Contact.php:2203 +#: src/Model/Contact.php:2196 msgid "" "This site is not configured to allow communications with other networks." msgstr "Questo sito non è configurato per permettere la comunicazione con altri network." -#: src/Model/Contact.php:2204 src/Model/Contact.php:2217 +#: src/Model/Contact.php:2197 src/Model/Contact.php:2210 msgid "No compatible communication protocols or feeds were discovered." msgstr "Non sono stati trovati protocolli di comunicazione o feed compatibili." -#: src/Model/Contact.php:2215 +#: src/Model/Contact.php:2208 msgid "The profile address specified does not provide adequate information." msgstr "L'indirizzo del profilo specificato non fornisce adeguate informazioni." -#: src/Model/Contact.php:2220 +#: src/Model/Contact.php:2213 msgid "An author or name was not found." msgstr "Non è stato trovato un nome o un autore" -#: src/Model/Contact.php:2223 +#: src/Model/Contact.php:2216 msgid "No browser URL could be matched to this address." msgstr "Nessun URL può essere associato a questo indirizzo." -#: src/Model/Contact.php:2226 +#: src/Model/Contact.php:2219 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." -#: src/Model/Contact.php:2227 +#: src/Model/Contact.php:2220 msgid "Use mailto: in front of address to force email check." msgstr "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email." -#: src/Model/Contact.php:2233 +#: src/Model/Contact.php:2226 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." -#: src/Model/Contact.php:2238 +#: src/Model/Contact.php:2231 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." -#: src/Model/Contact.php:2297 +#: src/Model/Contact.php:2290 msgid "Unable to retrieve contact information." msgstr "Impossibile recuperare informazioni sul contatto." -#: src/Model/Event.php:50 src/Model/Event.php:861 +#: src/Model/Event.php:50 src/Model/Event.php:868 #: src/Module/Debug/Localtime.php:36 msgid "l F d, Y \\@ g:i A" msgstr "l d F Y \\@ G:i" -#: src/Model/Event.php:77 src/Model/Event.php:94 src/Model/Event.php:451 -#: src/Model/Event.php:929 +#: src/Model/Event.php:77 src/Model/Event.php:94 src/Model/Event.php:467 +#: src/Model/Event.php:936 msgid "Starts:" msgstr "Inizia:" -#: src/Model/Event.php:80 src/Model/Event.php:100 src/Model/Event.php:452 -#: src/Model/Event.php:933 +#: src/Model/Event.php:80 src/Model/Event.php:100 src/Model/Event.php:468 +#: src/Model/Event.php:940 msgid "Finishes:" msgstr "Finisce:" -#: src/Model/Event.php:401 +#: src/Model/Event.php:417 msgid "all-day" msgstr "tutto il giorno" -#: src/Model/Event.php:427 +#: src/Model/Event.php:443 msgid "Sept" msgstr "Set" -#: src/Model/Event.php:449 +#: src/Model/Event.php:465 msgid "No events to display" msgstr "Nessun evento da mostrare" -#: src/Model/Event.php:577 +#: src/Model/Event.php:584 msgid "l, F j" msgstr "l j F" -#: src/Model/Event.php:608 +#: src/Model/Event.php:615 msgid "Edit event" msgstr "Modifica evento" -#: src/Model/Event.php:609 +#: src/Model/Event.php:616 msgid "Duplicate event" msgstr "Duplica evento" -#: src/Model/Event.php:610 +#: src/Model/Event.php:617 msgid "Delete event" msgstr "Elimina evento" -#: src/Model/Event.php:862 +#: src/Model/Event.php:869 msgid "D g:i A" msgstr "D G:i" -#: src/Model/Event.php:863 +#: src/Model/Event.php:870 msgid "g:i A" msgstr "G:i" -#: src/Model/Event.php:948 src/Model/Event.php:950 +#: src/Model/Event.php:955 src/Model/Event.php:957 msgid "Show map" msgstr "Mostra mappa" -#: src/Model/Event.php:949 +#: src/Model/Event.php:956 msgid "Hide map" msgstr "Nascondi mappa" -#: src/Model/Event.php:1041 +#: src/Model/Event.php:1048 #, php-format msgid "%s's birthday" msgstr "Compleanno di %s" -#: src/Model/Event.php:1042 +#: src/Model/Event.php:1049 #, php-format msgid "Happy Birthday %s" msgstr "Buon compleanno %s" @@ -4719,39 +4772,39 @@ msgstr "Nome del gruppo:" msgid "Edit groups" msgstr "Modifica gruppi" -#: src/Model/Item.php:2530 +#: src/Model/Item.php:1760 #, php-format msgid "Detected languages in this post:\\n%s" msgstr "Lingue rilevate in questo messaggio:\\n%s" -#: src/Model/Item.php:3525 +#: src/Model/Item.php:2767 msgid "activity" msgstr "attività" -#: src/Model/Item.php:3527 src/Object/Post.php:549 +#: src/Model/Item.php:2769 src/Object/Post.php:558 msgid "comment" msgid_plural "comments" msgstr[0] "commento " msgstr[1] "commenti" -#: src/Model/Item.php:3530 +#: src/Model/Item.php:2772 msgid "post" msgstr "messaggio" -#: src/Model/Item.php:3654 +#: src/Model/Item.php:2896 #, php-format msgid "Content warning: %s" msgstr "Avviso contenuto: %s" -#: src/Model/Item.php:3727 +#: src/Model/Item.php:2969 msgid "bytes" msgstr "bytes" -#: src/Model/Item.php:3772 +#: src/Model/Item.php:3014 msgid "View on separate page" msgstr "Vedi in una pagina separata" -#: src/Model/Item.php:3773 +#: src/Model/Item.php:3015 msgid "view on separate page" msgstr "vedi in una pagina separata" @@ -4774,7 +4827,7 @@ msgid "Homepage:" msgstr "Homepage:" #: src/Model/Profile.php:362 src/Module/Contact.php:650 -#: src/Module/Notifications/Introductions.php:173 +#: src/Module/Notifications/Introductions.php:174 msgid "About:" msgstr "Informazioni:" @@ -4792,7 +4845,7 @@ msgid "Atom feed" msgstr "Feed Atom" #: src/Model/Profile.php:451 src/Module/Contact.php:338 -#: src/Module/Notifications/Introductions.php:185 +#: src/Module/Notifications/Introductions.php:186 msgid "Network:" msgstr "Rete:" @@ -4999,7 +5052,7 @@ msgid "" "An error occurred creating your default contact group. Please try again." msgstr "C'è stato un errore nella creazione del tuo gruppo contatti di default. Prova ancora." -#: src/Model/User.php:1196 +#: src/Model/User.php:1199 #, php-format msgid "" "\n" @@ -5007,7 +5060,7 @@ msgid "" "\t\t\tthe administrator of %2$s has set up an account for you." msgstr "\n\t\tCaro/a %1$s,\n\t\t\tl'amministratore di %2$s ha impostato un account per te." -#: src/Model/User.php:1199 +#: src/Model/User.php:1202 #, php-format msgid "" "\n" @@ -5039,12 +5092,12 @@ msgid "" "\t\tThank you and welcome to %4$s." msgstr "\n\t\tI dettagli di accesso sono i seguenti:\n\n\t\tIndirizzo del Sito:\t%1$s\n\t\tNome Utente:\t\t%2$s\n\t\tPassword:\t\t%3$s\n\n\t\tPuoi cambiare la tua password dalla pagina \"Impostazioni\" del tuo account una volta effettuato l'accesso\n\n\t\tPrenditi qualche momento per rivedere le impostazioni del tuo account in quella pagina.\n\n\t\tPuoi anche aggiungere se vuoi alcune informazioni di base al tuo profilo predefinito\n\t\t(sulla pagina \"Profili\") così altre persone possono trovarti facilmente.\n\n\t\tTi consigliamo di impostare il tuo nome completo, aggiungendo una foto di profilo,\n\t\taggiungendo alcune \"parole chiave\" del profilo (molto utile per farti nuovi amici) - e\n\t\tmagari in quale nazione vivi; se non vuoi essere più specifico\n\t\tdi così.\n\n\t\tRispettiamo totalmente il tuo diritto alla privacy, e nessuno di questi campi è necessario.\n\t\tSe sei nuovo e non conosci nessuno qui, potrebbero aiutarti\n\t\ta farti nuovi e interessanti amici.\n\n\t\tSe volessi eliminare il tuo account, puoi farlo qui: %1$s/removeme\n\n\t\tGrazie e benvenuto/a su %4$s." -#: src/Model/User.php:1232 src/Model/User.php:1339 +#: src/Model/User.php:1235 src/Model/User.php:1342 #, php-format msgid "Registration details for %s" msgstr "Dettagli della registrazione di %s" -#: src/Model/User.php:1252 +#: src/Model/User.php:1255 #, php-format msgid "" "\n" @@ -5059,12 +5112,12 @@ msgid "" "\t\t" msgstr "\n\t\t\tGentile %1$s,\n\t\t\t\tGrazie di esserti registrato/a su %2$s. Il tuo account è in attesa di approvazione dall'amministratore.\n\n\t\t\tI tuoi dettagli di login sono i seguenti:\n\n\t\t\tIndirizzo del Sito:\t%3$s\n\t\t\tNome Utente:\t\t%4$s\n\t\t\tPassword:\t\t%5$s\n\t\t" -#: src/Model/User.php:1271 +#: src/Model/User.php:1274 #, php-format msgid "Registration at %s" msgstr "Registrazione su %s" -#: src/Model/User.php:1295 +#: src/Model/User.php:1298 #, php-format msgid "" "\n" @@ -5073,7 +5126,7 @@ msgid "" "\t\t\t" msgstr "\n\t\t\t\tCaro/a %1$s,\n\t\t\t\tGrazie per esserti registrato/a su %2$s. Il tuo account è stato creato.\n\t\t\t" -#: src/Model/User.php:1303 +#: src/Model/User.php:1306 #, php-format msgid "" "\n" @@ -5135,7 +5188,7 @@ msgstr "Abilita" #: src/Module/Admin/Blocklist/Server.php:88 #: src/Module/Admin/Federation.php:140 src/Module/Admin/Item/Delete.php:65 #: src/Module/Admin/Logs/Settings.php:80 src/Module/Admin/Logs/View.php:64 -#: src/Module/Admin/Queue.php:72 src/Module/Admin/Site.php:595 +#: src/Module/Admin/Queue.php:72 src/Module/Admin/Site.php:579 #: src/Module/Admin/Summary.php:230 src/Module/Admin/Themes/Details.php:90 #: src/Module/Admin/Themes/Index.php:111 src/Module/Admin/Tos.php:58 #: src/Module/Admin/Users/Active.php:136 @@ -5645,267 +5698,267 @@ msgstr "Impossibile analizzare l'url base. Deve avere almeno [schema]://[dominio msgid "Relocation started. Could take a while to complete." msgstr "Riallocazione iniziata. Potrebbe volerci un po'." -#: src/Module/Admin/Site.php:251 +#: src/Module/Admin/Site.php:249 msgid "Invalid storage backend setting value." msgstr "Valore dell'impostazione del backend di archiviazione non valido" -#: src/Module/Admin/Site.php:457 src/Module/Settings/Display.php:134 +#: src/Module/Admin/Site.php:449 src/Module/Settings/Display.php:134 msgid "No special theme for mobile devices" msgstr "Nessun tema speciale per i dispositivi mobili" -#: src/Module/Admin/Site.php:474 src/Module/Settings/Display.php:144 +#: src/Module/Admin/Site.php:466 src/Module/Settings/Display.php:144 #, php-format msgid "%s - (Experimental)" msgstr "%s - (Sperimentale)" -#: src/Module/Admin/Site.php:486 +#: src/Module/Admin/Site.php:478 msgid "No community page for local users" msgstr "Nessuna pagina di comunità per gli utenti locali" -#: src/Module/Admin/Site.php:487 +#: src/Module/Admin/Site.php:479 msgid "No community page" msgstr "Nessuna pagina Comunità" -#: src/Module/Admin/Site.php:488 +#: src/Module/Admin/Site.php:480 msgid "Public postings from users of this site" msgstr "Messaggi pubblici dagli utenti di questo sito" -#: src/Module/Admin/Site.php:489 +#: src/Module/Admin/Site.php:481 msgid "Public postings from the federated network" msgstr "Messaggi pubblici dalla rete federata" -#: src/Module/Admin/Site.php:490 +#: src/Module/Admin/Site.php:482 msgid "Public postings from local users and the federated network" msgstr "Messaggi pubblici dagli utenti di questo sito e dalla rete federata" -#: src/Module/Admin/Site.php:496 +#: src/Module/Admin/Site.php:488 msgid "Multi user instance" msgstr "Istanza multi utente" -#: src/Module/Admin/Site.php:524 +#: src/Module/Admin/Site.php:516 msgid "Closed" msgstr "Chiusa" -#: src/Module/Admin/Site.php:525 +#: src/Module/Admin/Site.php:517 msgid "Requires approval" msgstr "Richiede l'approvazione" -#: src/Module/Admin/Site.php:526 +#: src/Module/Admin/Site.php:518 msgid "Open" msgstr "Aperta" -#: src/Module/Admin/Site.php:530 src/Module/Install.php:204 +#: src/Module/Admin/Site.php:522 src/Module/Install.php:204 msgid "No SSL policy, links will track page SSL state" msgstr "Nessuna gestione SSL, i collegamenti seguiranno lo stato SSL della pagina" -#: src/Module/Admin/Site.php:531 src/Module/Install.php:205 +#: src/Module/Admin/Site.php:523 src/Module/Install.php:205 msgid "Force all links to use SSL" msgstr "Forza tutti i collegamenti ad usare SSL" -#: src/Module/Admin/Site.php:532 src/Module/Install.php:206 +#: src/Module/Admin/Site.php:524 src/Module/Install.php:206 msgid "Self-signed certificate, use SSL for local links only (discouraged)" msgstr "Certificato auto-firmato, usa SSL solo per i collegamenti locali (sconsigliato)" -#: src/Module/Admin/Site.php:536 +#: src/Module/Admin/Site.php:528 msgid "Don't check" msgstr "Non controllare" -#: src/Module/Admin/Site.php:537 +#: src/Module/Admin/Site.php:529 msgid "check the stable version" msgstr "controlla la versione stabile" -#: src/Module/Admin/Site.php:538 +#: src/Module/Admin/Site.php:530 msgid "check the development version" msgstr "controlla la versione di sviluppo" -#: src/Module/Admin/Site.php:542 +#: src/Module/Admin/Site.php:534 msgid "none" msgstr "niente" -#: src/Module/Admin/Site.php:543 +#: src/Module/Admin/Site.php:535 msgid "Local contacts" msgstr "Contatti locali" -#: src/Module/Admin/Site.php:544 +#: src/Module/Admin/Site.php:536 msgid "Interactors" msgstr "Interlocutori" -#: src/Module/Admin/Site.php:557 +#: src/Module/Admin/Site.php:549 msgid "Database (legacy)" msgstr "Database (legacy)" -#: src/Module/Admin/Site.php:596 src/Module/BaseAdmin.php:90 +#: src/Module/Admin/Site.php:580 src/Module/BaseAdmin.php:90 msgid "Site" msgstr "Sito" -#: src/Module/Admin/Site.php:597 +#: src/Module/Admin/Site.php:581 msgid "General Information" -msgstr "" +msgstr "Informazioni Generali" -#: src/Module/Admin/Site.php:599 +#: src/Module/Admin/Site.php:583 msgid "Republish users to directory" msgstr "Ripubblica gli utenti sulla directory" -#: src/Module/Admin/Site.php:600 src/Module/Register.php:139 +#: src/Module/Admin/Site.php:584 src/Module/Register.php:139 msgid "Registration" msgstr "Registrazione" -#: src/Module/Admin/Site.php:601 +#: src/Module/Admin/Site.php:585 msgid "File upload" msgstr "Caricamento file" -#: src/Module/Admin/Site.php:602 +#: src/Module/Admin/Site.php:586 msgid "Policies" msgstr "Politiche" -#: src/Module/Admin/Site.php:604 +#: src/Module/Admin/Site.php:588 msgid "Auto Discovered Contact Directory" msgstr "Elenco Contatti Scoperto Automaticamente" -#: src/Module/Admin/Site.php:605 +#: src/Module/Admin/Site.php:589 msgid "Performance" msgstr "Performance" -#: src/Module/Admin/Site.php:606 +#: src/Module/Admin/Site.php:590 msgid "Worker" msgstr "Worker" -#: src/Module/Admin/Site.php:607 +#: src/Module/Admin/Site.php:591 msgid "Message Relay" msgstr "Relay Messaggio" -#: src/Module/Admin/Site.php:608 +#: src/Module/Admin/Site.php:592 msgid "Relocate Instance" msgstr "Trasloca Istanza" -#: src/Module/Admin/Site.php:609 +#: src/Module/Admin/Site.php:593 msgid "" "Warning! Advanced function. Could make this server " "unreachable." msgstr "Attenzione! Funzione avanzata. Può rendere questo server irraggiungibile." -#: src/Module/Admin/Site.php:613 +#: src/Module/Admin/Site.php:597 msgid "Site name" msgstr "Nome del sito" -#: src/Module/Admin/Site.php:614 +#: src/Module/Admin/Site.php:598 msgid "Sender Email" msgstr "Mittente email" -#: src/Module/Admin/Site.php:614 +#: src/Module/Admin/Site.php:598 msgid "" "The email address your server shall use to send notification emails from." msgstr "L'indirizzo email che il tuo server dovrà usare per inviare notifiche via email." -#: src/Module/Admin/Site.php:615 +#: src/Module/Admin/Site.php:599 msgid "Name of the system actor" msgstr "Nome dell'attore di sistema" -#: src/Module/Admin/Site.php:615 +#: src/Module/Admin/Site.php:599 msgid "" "Name of the internal system account that is used to perform ActivityPub " "requests. This must be an unused username. If set, this can't be changed " "again." msgstr "Nomina un account interno del sistema che venga utilizzato per le richieste ActivityPub. Questo dev'essere un nome utente non utilizzato. Una volta impostato, non potrà essere cambiato." -#: src/Module/Admin/Site.php:616 +#: src/Module/Admin/Site.php:600 msgid "Banner/Logo" msgstr "Banner/Logo" -#: src/Module/Admin/Site.php:617 +#: src/Module/Admin/Site.php:601 msgid "Email Banner/Logo" msgstr "Intestazione/Logo Email" -#: src/Module/Admin/Site.php:618 +#: src/Module/Admin/Site.php:602 msgid "Shortcut icon" msgstr "Icona shortcut" -#: src/Module/Admin/Site.php:618 +#: src/Module/Admin/Site.php:602 msgid "Link to an icon that will be used for browsers." msgstr "Collegamento ad un'icona che verrà usata dai browser." -#: src/Module/Admin/Site.php:619 +#: src/Module/Admin/Site.php:603 msgid "Touch icon" msgstr "Icona touch" -#: src/Module/Admin/Site.php:619 +#: src/Module/Admin/Site.php:603 msgid "Link to an icon that will be used for tablets and mobiles." msgstr "Collegamento ad un'icona che verrà usata dai tablet e i telefonini." -#: src/Module/Admin/Site.php:620 +#: src/Module/Admin/Site.php:604 msgid "Additional Info" msgstr "Informazioni aggiuntive" -#: src/Module/Admin/Site.php:620 +#: src/Module/Admin/Site.php:604 #, php-format msgid "" "For public servers: you can add additional information here that will be " "listed at %s/servers." msgstr "Per server pubblici: puoi aggiungere informazioni extra che verranno mostrate su %s/servers." -#: src/Module/Admin/Site.php:621 +#: src/Module/Admin/Site.php:605 msgid "System language" msgstr "Lingua di sistema" -#: src/Module/Admin/Site.php:622 +#: src/Module/Admin/Site.php:606 msgid "System theme" msgstr "Tema di sistema" -#: src/Module/Admin/Site.php:622 +#: src/Module/Admin/Site.php:606 msgid "" "Default system theme - may be over-ridden by user profiles - Change default theme settings" msgstr "Tema predefinito di sistema - può essere sovrascritto dai profili utente - Cambia impostazioni del tema predefinito" -#: src/Module/Admin/Site.php:623 +#: src/Module/Admin/Site.php:607 msgid "Mobile system theme" msgstr "Tema mobile di sistema" -#: src/Module/Admin/Site.php:623 +#: src/Module/Admin/Site.php:607 msgid "Theme for mobile devices" msgstr "Tema per dispositivi mobili" -#: src/Module/Admin/Site.php:624 src/Module/Install.php:214 +#: src/Module/Admin/Site.php:608 src/Module/Install.php:214 msgid "SSL link policy" msgstr "Gestione collegamenti SSL" -#: src/Module/Admin/Site.php:624 src/Module/Install.php:216 +#: src/Module/Admin/Site.php:608 src/Module/Install.php:216 msgid "Determines whether generated links should be forced to use SSL" msgstr "Determina se i collegamenti generati devono essere forzati a usare SSL" -#: src/Module/Admin/Site.php:625 +#: src/Module/Admin/Site.php:609 msgid "Force SSL" msgstr "Forza SSL" -#: src/Module/Admin/Site.php:625 +#: src/Module/Admin/Site.php:609 msgid "" "Force all Non-SSL requests to SSL - Attention: on some systems it could lead" " to endless loops." msgstr "Forza tutte le richieste non SSL su SSL - Attenzione: su alcuni sistemi può portare a loop senza fine" -#: src/Module/Admin/Site.php:626 +#: src/Module/Admin/Site.php:610 msgid "Hide help entry from navigation menu" msgstr "Nascondi la voce 'Guida' dal menu di navigazione" -#: src/Module/Admin/Site.php:626 +#: src/Module/Admin/Site.php:610 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." -#: src/Module/Admin/Site.php:627 +#: src/Module/Admin/Site.php:611 msgid "Single user instance" msgstr "Istanza a singolo utente" -#: src/Module/Admin/Site.php:627 +#: src/Module/Admin/Site.php:611 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" -#: src/Module/Admin/Site.php:629 +#: src/Module/Admin/Site.php:613 msgid "File storage backend" msgstr "File storage backend" -#: src/Module/Admin/Site.php:629 +#: src/Module/Admin/Site.php:613 msgid "" "The backend used to store uploaded data. If you change the storage backend, " "you can manually move the existing files. If you do not do so, the files " @@ -5914,190 +5967,190 @@ msgid "" " for more information about the choices and the moving procedure." msgstr "Il backend utilizzato per memorizzare i file caricati. Se cambi il backend, puoi muovere i file esistenti. Se non lo fai, i file caricati prima della modifica rimarranno memorizzati nel vecchio backend. Vedi la documentazione sulle impostazioni per maggiori informazioni riguardo le scelte e la procedura per spostare i file." -#: src/Module/Admin/Site.php:631 +#: src/Module/Admin/Site.php:615 msgid "Maximum image size" msgstr "Massima dimensione immagini" -#: src/Module/Admin/Site.php:631 +#: src/Module/Admin/Site.php:615 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." -#: src/Module/Admin/Site.php:632 +#: src/Module/Admin/Site.php:616 msgid "Maximum image length" msgstr "Massima lunghezza immagine" -#: src/Module/Admin/Site.php:632 +#: src/Module/Admin/Site.php:616 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." -#: src/Module/Admin/Site.php:633 +#: src/Module/Admin/Site.php:617 msgid "JPEG image quality" msgstr "Qualità immagini JPEG" -#: src/Module/Admin/Site.php:633 +#: src/Module/Admin/Site.php:617 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." -#: src/Module/Admin/Site.php:635 +#: src/Module/Admin/Site.php:619 msgid "Register policy" msgstr "Politica di registrazione" -#: src/Module/Admin/Site.php:636 +#: src/Module/Admin/Site.php:620 msgid "Maximum Daily Registrations" msgstr "Massime registrazioni giornaliere" -#: src/Module/Admin/Site.php:636 +#: src/Module/Admin/Site.php:620 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." -#: src/Module/Admin/Site.php:637 +#: src/Module/Admin/Site.php:621 msgid "Register text" msgstr "Testo registrazione" -#: src/Module/Admin/Site.php:637 +#: src/Module/Admin/Site.php:621 msgid "" "Will be displayed prominently on the registration page. You can use BBCode " "here." msgstr "Sarà mostrato ben visibile nella pagina di registrazione. Puoi usare BBCode." -#: src/Module/Admin/Site.php:638 +#: src/Module/Admin/Site.php:622 msgid "Forbidden Nicknames" msgstr "Nomi utente Vietati" -#: src/Module/Admin/Site.php:638 +#: src/Module/Admin/Site.php:622 msgid "" "Comma separated list of nicknames that are forbidden from registration. " "Preset is a list of role names according RFC 2142." msgstr "Lista separata da virgola di nomi utente che sono vietati nella registrazione. Il valore preimpostato è una lista di nomi di ruoli secondo RFC 2142." -#: src/Module/Admin/Site.php:639 +#: src/Module/Admin/Site.php:623 msgid "Accounts abandoned after x days" msgstr "Account abbandonati dopo x giorni" -#: src/Module/Admin/Site.php:639 +#: src/Module/Admin/Site.php:623 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." -#: src/Module/Admin/Site.php:640 +#: src/Module/Admin/Site.php:624 msgid "Allowed friend domains" msgstr "Domini amici consentiti" -#: src/Module/Admin/Site.php:640 +#: src/Module/Admin/Site.php:624 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 virgola dei domini che possono stabilire amicizie con questo sito. Sono accettati caratteri jolly. Vuoto per accettare qualsiasi dominio." -#: src/Module/Admin/Site.php:641 +#: src/Module/Admin/Site.php:625 msgid "Allowed email domains" msgstr "Domini email consentiti" -#: src/Module/Admin/Site.php:641 +#: src/Module/Admin/Site.php:625 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." -#: src/Module/Admin/Site.php:642 +#: src/Module/Admin/Site.php:626 msgid "No OEmbed rich content" msgstr "Nessun contenuto ricco da OEmbed" -#: src/Module/Admin/Site.php:642 +#: src/Module/Admin/Site.php:626 msgid "" "Don't show the rich content (e.g. embedded PDF), except from the domains " "listed below." msgstr "Non mostrare il contenuto ricco (p.e. PDF), tranne che dai domini elencati di seguito." -#: src/Module/Admin/Site.php:643 +#: src/Module/Admin/Site.php:627 msgid "Allowed OEmbed domains" msgstr "Domini OEmbed consentiti" -#: src/Module/Admin/Site.php:643 +#: src/Module/Admin/Site.php:627 msgid "" "Comma separated list of domains which oembed content is allowed to be " "displayed. Wildcards are accepted." msgstr "Elenco separato da virgola di domini il cui contenuto OEmbed verrà visualizzato. Sono permesse wildcard." -#: src/Module/Admin/Site.php:644 +#: src/Module/Admin/Site.php:628 msgid "Block public" msgstr "Blocca pagine pubbliche" -#: src/Module/Admin/Site.php:644 +#: src/Module/Admin/Site.php:628 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." -#: src/Module/Admin/Site.php:645 +#: src/Module/Admin/Site.php:629 msgid "Force publish" msgstr "Forza pubblicazione" -#: src/Module/Admin/Site.php:645 +#: src/Module/Admin/Site.php:629 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." -#: src/Module/Admin/Site.php:645 +#: src/Module/Admin/Site.php:629 msgid "Enabling this may violate privacy laws like the GDPR" msgstr "Abilitare questo potrebbe violare leggi sulla privacy come il GDPR" -#: src/Module/Admin/Site.php:646 +#: src/Module/Admin/Site.php:630 msgid "Global directory URL" msgstr "URL della directory globale" -#: src/Module/Admin/Site.php:646 +#: src/Module/Admin/Site.php:630 msgid "" "URL to 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." -#: src/Module/Admin/Site.php:647 +#: src/Module/Admin/Site.php:631 msgid "Private posts by default for new users" msgstr "Messaggi privati come impostazioni predefinita per i nuovi utenti" -#: src/Module/Admin/Site.php:647 +#: src/Module/Admin/Site.php:631 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." -#: src/Module/Admin/Site.php:648 +#: src/Module/Admin/Site.php:632 msgid "Don't include post content in email notifications" msgstr "Non includere il contenuto dei messaggi nelle notifiche via email" -#: src/Module/Admin/Site.php:648 +#: src/Module/Admin/Site.php:632 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 messaggio/commento/messaggio privato/etc. nelle notifiche email che sono inviate da questo sito, per privacy" -#: src/Module/Admin/Site.php:649 +#: src/Module/Admin/Site.php:633 msgid "Disallow public access to addons listed in the apps menu." msgstr "Disabilita l'accesso pubblico ai plugin raccolti nel menu apps." -#: src/Module/Admin/Site.php:649 +#: src/Module/Admin/Site.php:633 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 ai componenti aggiuntivi nel menu applicazioni" -#: src/Module/Admin/Site.php:650 +#: src/Module/Admin/Site.php:634 msgid "Don't embed private images in posts" msgstr "Non inglobare immagini private nei messaggi" -#: src/Module/Admin/Site.php:650 +#: src/Module/Admin/Site.php:634 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 " @@ -6105,11 +6158,11 @@ msgid "" "while." msgstr "Non sostituire le foto locali nei messaggi con una copia incorporata dell'immagine. Questo significa che i contatti che riceveranno i messaggi contenenti foto private dovranno autenticarsi e caricare ogni immagine, cosa che può richiedere un po' di tempo." -#: src/Module/Admin/Site.php:651 +#: src/Module/Admin/Site.php:635 msgid "Explicit Content" msgstr "Contenuto Esplicito" -#: src/Module/Admin/Site.php:651 +#: src/Module/Admin/Site.php:635 msgid "" "Set this to announce that your node is used mostly for explicit content that" " might not be suited for minors. This information will be published in the " @@ -6118,234 +6171,234 @@ msgid "" "will be shown at the user registration page." msgstr "Imposta questo per avvisare che il tuo noto è usato principalmente per contenuto esplicito che potrebbe non essere adatto a minori. Questa informazione sarà pubblicata nella pagina di informazioni sul noto e potrà essere usata, per esempio nella directory globale, per filtrare il tuo nodo dalla lista di nodi su cui registrarsi. In più, una nota sarà mostrata nella pagina di registrazione." -#: src/Module/Admin/Site.php:652 +#: src/Module/Admin/Site.php:636 msgid "Allow Users to set remote_self" msgstr "Permetti agli utenti di impostare 'io remoto'" -#: src/Module/Admin/Site.php:652 +#: src/Module/Admin/Site.php:636 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 dell'utente." -#: src/Module/Admin/Site.php:653 +#: src/Module/Admin/Site.php:637 msgid "Block multiple registrations" msgstr "Blocca registrazioni multiple" -#: src/Module/Admin/Site.php:653 +#: src/Module/Admin/Site.php:637 msgid "Disallow users to register additional accounts for use as pages." msgstr "Non permette all'utente di registrare account extra da usare come pagine." -#: src/Module/Admin/Site.php:654 +#: src/Module/Admin/Site.php:638 msgid "Disable OpenID" msgstr "Disabilita OpenID" -#: src/Module/Admin/Site.php:654 +#: src/Module/Admin/Site.php:638 msgid "Disable OpenID support for registration and logins." msgstr "Disabilita supporto OpenID per la registrazione e i login." -#: src/Module/Admin/Site.php:655 +#: src/Module/Admin/Site.php:639 msgid "No Fullname check" msgstr "No controllo nome completo" -#: src/Module/Admin/Site.php:655 +#: src/Module/Admin/Site.php:639 msgid "" "Allow users to register without a space between the first name and the last " "name in their full name." msgstr "Permetti agli utenti di registrarsi senza uno spazio tra il nome e il cognome nel loro nome completo." -#: src/Module/Admin/Site.php:656 +#: src/Module/Admin/Site.php:640 msgid "Community pages for visitors" msgstr "Pagina comunità per i visitatori" -#: src/Module/Admin/Site.php:656 +#: src/Module/Admin/Site.php:640 msgid "" "Which community pages should be available for visitors. Local users always " "see both pages." msgstr "Quale pagina comunità verrà mostrata ai visitatori. Gli utenti locali vedranno sempre entrambe le pagine." -#: src/Module/Admin/Site.php:657 +#: src/Module/Admin/Site.php:641 msgid "Posts per user on community page" msgstr "Messaggi per utente nella pagina Comunità" -#: src/Module/Admin/Site.php:657 +#: src/Module/Admin/Site.php:641 msgid "" "The maximum number of posts per user on the community page. (Not valid for " "\"Global Community\")" msgstr "Il numero massimo di messaggi per utente sulla pagina della comunità. (Non valido per \"Comunità Globale\")" -#: src/Module/Admin/Site.php:658 +#: src/Module/Admin/Site.php:642 msgid "Disable OStatus support" msgstr "Disabilità supporto OStatus" -#: src/Module/Admin/Site.php:658 +#: src/Module/Admin/Site.php:642 msgid "" "Disable built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " "communications in OStatus are public, so privacy warnings will be " "occasionally displayed." msgstr "Disabilita la compatibilità integrata a OStatus (StatusNet, GNU Social etc.). Tutte le comunicazioni OStatus sono pubbliche, quindi se abilitato, occasionalmente verranno mostrati degli avvisi riguardanti la privacy dei messaggi." -#: src/Module/Admin/Site.php:659 +#: src/Module/Admin/Site.php:643 msgid "OStatus support can only be enabled if threading is enabled." msgstr "Il supporto OStatus può essere abilitato solo se è abilitato il threading." -#: src/Module/Admin/Site.php:661 +#: src/Module/Admin/Site.php:645 msgid "" "Diaspora support can't be enabled because Friendica was installed into a sub" " directory." msgstr "Il supporto a Diaspora non può essere abilitato perché Friendica è stato installato in una sottocartella." -#: src/Module/Admin/Site.php:662 +#: src/Module/Admin/Site.php:646 msgid "Enable Diaspora support" msgstr "Abilita il supporto a Diaspora" -#: src/Module/Admin/Site.php:662 +#: src/Module/Admin/Site.php:646 msgid "Provide built-in Diaspora network compatibility." msgstr "Fornisce compatibilità con il network Diaspora." -#: src/Module/Admin/Site.php:663 +#: src/Module/Admin/Site.php:647 msgid "Only allow Friendica contacts" msgstr "Permetti solo contatti Friendica" -#: src/Module/Admin/Site.php:663 +#: src/Module/Admin/Site.php:647 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." -#: src/Module/Admin/Site.php:664 +#: src/Module/Admin/Site.php:648 msgid "Verify SSL" msgstr "Verifica SSL" -#: src/Module/Admin/Site.php:664 +#: src/Module/Admin/Site.php:648 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." -#: src/Module/Admin/Site.php:665 +#: src/Module/Admin/Site.php:649 msgid "Proxy user" msgstr "Utente Proxy" -#: src/Module/Admin/Site.php:666 +#: src/Module/Admin/Site.php:650 msgid "Proxy URL" msgstr "URL Proxy" -#: src/Module/Admin/Site.php:667 +#: src/Module/Admin/Site.php:651 msgid "Network timeout" msgstr "Timeout rete" -#: src/Module/Admin/Site.php:667 +#: src/Module/Admin/Site.php:651 msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." msgstr "Valore in secondi. Imposta a 0 per illimitato (non raccomandato)." -#: src/Module/Admin/Site.php:668 +#: src/Module/Admin/Site.php:652 msgid "Maximum Load Average" msgstr "Massimo carico medio" -#: src/Module/Admin/Site.php:668 +#: src/Module/Admin/Site.php:652 #, php-format msgid "" "Maximum system load before delivery and poll processes are deferred - " "default %d." msgstr "Carico massimo del sistema prima che i processi di invio e richiesta siano rinviati - predefinito %d." -#: src/Module/Admin/Site.php:669 +#: src/Module/Admin/Site.php:653 msgid "Maximum Load Average (Frontend)" msgstr "Media Massimo Carico (Frontend)" -#: src/Module/Admin/Site.php:669 +#: src/Module/Admin/Site.php:653 msgid "Maximum system load before the frontend quits service - default 50." msgstr "Massimo carico di sistema prima che il frontend fermi il servizio - default 50." -#: src/Module/Admin/Site.php:670 +#: src/Module/Admin/Site.php:654 msgid "Minimal Memory" msgstr "Memoria Minima" -#: src/Module/Admin/Site.php:670 +#: src/Module/Admin/Site.php:654 msgid "" "Minimal free memory in MB for the worker. Needs access to /proc/meminfo - " "default 0 (deactivated)." msgstr "Minima memoria libera in MB per il worker. Necessita di avere accesso a /proc/meminfo - default 0 (disabilitato)." -#: src/Module/Admin/Site.php:671 +#: src/Module/Admin/Site.php:655 msgid "Periodically optimize tables" msgstr "Ottimizza le tabelle periodicamente" -#: src/Module/Admin/Site.php:671 +#: src/Module/Admin/Site.php:655 msgid "Periodically optimize tables like the cache and the workerqueue" msgstr "Ottimizza periodicamente le tabelle come la cache e la coda dei worker" -#: src/Module/Admin/Site.php:673 +#: src/Module/Admin/Site.php:657 msgid "Discover followers/followings from contacts" msgstr "Scopri seguiti/seguaci dai contatti" -#: src/Module/Admin/Site.php:673 +#: src/Module/Admin/Site.php:657 msgid "" "If enabled, contacts are checked for their followers and following contacts." msgstr "Se abilitato, ad ogni contatto saranno controllati i propri seguaci e le persone seguite." -#: src/Module/Admin/Site.php:674 +#: src/Module/Admin/Site.php:658 msgid "None - deactivated" msgstr "Nessuno - disattivato" -#: src/Module/Admin/Site.php:675 +#: src/Module/Admin/Site.php:659 msgid "" "Local contacts - contacts of our local contacts are discovered for their " "followers/followings." msgstr "Contatti locali - contatti che i nostri contatti locali hanno scoperto con i loro seguaci/persone seguite." -#: src/Module/Admin/Site.php:676 +#: src/Module/Admin/Site.php:660 msgid "" "Interactors - contacts of our local contacts and contacts who interacted on " "locally visible postings are discovered for their followers/followings." msgstr "Interlocutori - contatti dei tuoi contatti locali e contatti che hanno interagito sui messaggi visibili localmente saranno analizzati per i loro seguaci/seguiti" -#: src/Module/Admin/Site.php:678 +#: src/Module/Admin/Site.php:662 msgid "Synchronize the contacts with the directory server" msgstr "Sincronizza i contatti con il server directory" -#: src/Module/Admin/Site.php:678 +#: src/Module/Admin/Site.php:662 msgid "" "if enabled, the system will check periodically for new contacts on the " "defined directory server." msgstr "Se abilitato, il sistema controllerà periodicamente nuovi contatti sulle directory server indicate." -#: src/Module/Admin/Site.php:680 +#: src/Module/Admin/Site.php:664 msgid "Days between requery" msgstr "Giorni tra le richieste" -#: src/Module/Admin/Site.php:680 +#: src/Module/Admin/Site.php:664 msgid "Number of days after which a server is requeried for his contacts." msgstr "Numero di giorni dopo i quali al server vengono richiesti i suoi contatti." -#: src/Module/Admin/Site.php:681 +#: src/Module/Admin/Site.php:665 msgid "Discover contacts from other servers" msgstr "Trova contatti dagli altri server" -#: src/Module/Admin/Site.php:681 +#: src/Module/Admin/Site.php:665 msgid "" "Periodically query other servers for contacts. The system queries Friendica," " Mastodon and Hubzilla servers." msgstr "Periodicamente interroga gli altri server per i contatti. Il sistema interroga server Friendica, Mastodon e Hubzilla." -#: src/Module/Admin/Site.php:682 +#: src/Module/Admin/Site.php:666 msgid "Search the local directory" msgstr "Cerca la directory locale" -#: src/Module/Admin/Site.php:682 +#: src/Module/Admin/Site.php:666 msgid "" "Search the local directory instead of the global directory. When searching " "locally, every search will be executed on the global directory in the " "background. This improves the search results when the search is repeated." msgstr "Cerca nella directory locale invece che nella directory globale. Durante la ricerca a livello locale, ogni ricerca verrà eseguita sulla directory globale in background. Ciò migliora i risultati della ricerca quando la ricerca viene ripetuta." -#: src/Module/Admin/Site.php:684 +#: src/Module/Admin/Site.php:668 msgid "Publish server information" msgstr "Pubblica informazioni server" -#: src/Module/Admin/Site.php:684 +#: src/Module/Admin/Site.php:668 msgid "" "If enabled, general server and usage data will be published. The data " "contains the name and version of the server, number of users with public " @@ -6353,50 +6406,50 @@ msgid "" " href=\"http://the-federation.info/\">the-federation.info for details." msgstr "Se abilitato, saranno pubblicate le informazioni sul server e i dati di utilizzo. Le informazioni contengono nome e versione del server, numero di utenti con profilo pubblico, numero di messaggi e quali protocolli e connettori sono stati attivati.\nVedi the-federation.info per dettagli." -#: src/Module/Admin/Site.php:686 +#: src/Module/Admin/Site.php:670 msgid "Check upstream version" msgstr "Controlla versione upstream" -#: src/Module/Admin/Site.php:686 +#: src/Module/Admin/Site.php:670 msgid "" "Enables checking for new Friendica versions at github. If there is a new " "version, you will be informed in the admin panel overview." msgstr "Abilita il controllo di nuove versioni di Friendica su Github. Se sono disponibili nuove versioni, ne sarai informato nel pannello Panoramica dell'amministrazione." -#: src/Module/Admin/Site.php:687 +#: src/Module/Admin/Site.php:671 msgid "Suppress Tags" msgstr "Sopprimi Tags" -#: src/Module/Admin/Site.php:687 +#: src/Module/Admin/Site.php:671 msgid "Suppress showing a list of hashtags at the end of the posting." msgstr "Non mostra la lista di hashtag in coda al messaggio" -#: src/Module/Admin/Site.php:688 +#: src/Module/Admin/Site.php:672 msgid "Clean database" msgstr "Pulisci database" -#: src/Module/Admin/Site.php:688 +#: src/Module/Admin/Site.php:672 msgid "" "Remove old remote items, orphaned database records and old content from some" " other helper tables." msgstr "Rimuove i i vecchi elementi remoti, i record del database orfani e il vecchio contenuto da alcune tabelle di supporto." -#: src/Module/Admin/Site.php:689 +#: src/Module/Admin/Site.php:673 msgid "Lifespan of remote items" msgstr "Durata della vita di oggetti remoti" -#: src/Module/Admin/Site.php:689 +#: src/Module/Admin/Site.php:673 msgid "" "When the database cleanup is enabled, this defines the days after which " "remote items will be deleted. Own items, and marked or filed items are " "always kept. 0 disables this behaviour." msgstr "Quando la pulizia del database è abilitata, questa impostazione definisce quali elementi remoti saranno cancellati. I propri elementi e quelli marcati preferiti o salvati in cartelle saranno sempre mantenuti. Il valore 0 disabilita questa funzionalità." -#: src/Module/Admin/Site.php:690 +#: src/Module/Admin/Site.php:674 msgid "Lifespan of unclaimed items" msgstr "Durata della vita di oggetti non reclamati" -#: src/Module/Admin/Site.php:690 +#: src/Module/Admin/Site.php:674 msgid "" "When the database cleanup is enabled, this defines the days after which " "unclaimed remote items (mostly content from the relay) will be deleted. " @@ -6404,169 +6457,144 @@ msgid "" "items if set to 0." msgstr "Quando la pulizia del database è abilitata, questa impostazione definisce dopo quanti giorni gli elementi remoti non reclamanti (principalmente il contenuto dai relay) sarà cancellato. Il valore di default è 90 giorni. Se impostato a 0, verrà utilizzato il valore della durata della vita degli elementi remoti." -#: src/Module/Admin/Site.php:691 +#: src/Module/Admin/Site.php:675 msgid "Lifespan of raw conversation data" msgstr "Durata della vita di dati di conversazione grezzi" -#: src/Module/Admin/Site.php:691 +#: src/Module/Admin/Site.php:675 msgid "" "The conversation data is used for ActivityPub and OStatus, as well as for " "debug purposes. It should be safe to remove it after 14 days, default is 90 " "days." msgstr "I dati di conversazione sono usati per ActivityPub e OStatus, come anche per necessità di debug. Dovrebbe essere sicuro rimuoverli dopo 14 giorni. Il default è 90 giorni." -#: src/Module/Admin/Site.php:692 +#: src/Module/Admin/Site.php:676 msgid "Path to item cache" msgstr "Percorso cache elementi" -#: src/Module/Admin/Site.php:692 +#: src/Module/Admin/Site.php:676 msgid "The item caches buffers generated bbcode and external images." msgstr "La cache degli elementi memorizza il bbcode generato e le immagini esterne." -#: src/Module/Admin/Site.php:693 +#: src/Module/Admin/Site.php:677 msgid "Cache duration in seconds" msgstr "Durata della cache in secondi" -#: src/Module/Admin/Site.php:693 +#: src/Module/Admin/Site.php:677 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." -#: src/Module/Admin/Site.php:694 +#: src/Module/Admin/Site.php:678 msgid "Maximum numbers of comments per post" msgstr "Numero massimo di commenti per messaggio" -#: src/Module/Admin/Site.php:694 +#: src/Module/Admin/Site.php:678 msgid "How much comments should be shown for each post? Default value is 100." msgstr "Quanti commenti devono essere mostrati per ogni messaggio? Default : 100." -#: src/Module/Admin/Site.php:695 +#: src/Module/Admin/Site.php:679 msgid "Maximum numbers of comments per post on the display page" msgstr "Numero massimo di commenti per messaggio sulla pagina di visualizzazione" -#: src/Module/Admin/Site.php:695 +#: src/Module/Admin/Site.php:679 msgid "" "How many comments should be shown on the single view for each post? Default " "value is 1000." msgstr "Quanti commenti devono essere mostrati sulla pagina dedicata per ogni messaggio? Il valore predefinito è 1000." -#: src/Module/Admin/Site.php:696 +#: src/Module/Admin/Site.php:680 msgid "Temp path" msgstr "Percorso file temporanei" -#: src/Module/Admin/Site.php:696 +#: src/Module/Admin/Site.php:680 msgid "" "If you have a restricted system where the webserver can't access the system " "temp path, enter another path here." msgstr "Se si dispone di un sistema ristretto in cui il server web non può accedere al percorso temporaneo di sistema, inserire un altro percorso qui." -#: src/Module/Admin/Site.php:697 +#: src/Module/Admin/Site.php:681 msgid "Disable picture proxy" msgstr "Disabilita il proxy immagini" -#: src/Module/Admin/Site.php:697 +#: src/Module/Admin/Site.php:681 msgid "" "The picture proxy increases performance and privacy. It shouldn't be used on" " systems with very low bandwidth." msgstr "Il proxy immagini aumenta le performance e la privacy. Non dovrebbe essere usato su server con poca banda disponibile." -#: src/Module/Admin/Site.php:698 +#: src/Module/Admin/Site.php:682 msgid "Only search in tags" msgstr "Cerca solo nei tag" -#: src/Module/Admin/Site.php:698 +#: src/Module/Admin/Site.php:682 msgid "On large systems the text search can slow down the system extremely." msgstr "Su server con molti dati, la ricerca nel testo può estremamente rallentare il sistema." -#: src/Module/Admin/Site.php:700 +#: src/Module/Admin/Site.php:684 msgid "New base url" msgstr "Nuovo url base" -#: src/Module/Admin/Site.php:700 +#: src/Module/Admin/Site.php:684 msgid "" "Change base url for this server. Sends relocate message to all Friendica and" " Diaspora* contacts of all users." msgstr "Cambia l'URL base di questo server. Invia il messaggio di trasloco a tutti i contatti Friendica e Diaspora* di tutti gli utenti." -#: src/Module/Admin/Site.php:702 +#: src/Module/Admin/Site.php:686 msgid "RINO Encryption" msgstr "Crittografia RINO" -#: src/Module/Admin/Site.php:702 +#: src/Module/Admin/Site.php:686 msgid "Encryption layer between nodes." msgstr "Crittografia delle comunicazioni tra nodi." -#: src/Module/Admin/Site.php:702 src/Module/Admin/Site.php:712 +#: src/Module/Admin/Site.php:686 src/Module/Admin/Site.php:694 #: src/Module/Contact.php:554 src/Module/Settings/TwoFactor/Index.php:113 msgid "Disabled" msgstr "Disabilitato" -#: src/Module/Admin/Site.php:702 +#: src/Module/Admin/Site.php:686 msgid "Enabled" msgstr "Abilitato" -#: src/Module/Admin/Site.php:704 +#: src/Module/Admin/Site.php:688 msgid "Maximum number of parallel workers" msgstr "Massimo numero di lavori in parallelo" -#: src/Module/Admin/Site.php:704 +#: src/Module/Admin/Site.php:688 #, php-format msgid "" "On shared hosters set this to %d. On larger systems, values of %d are great." " Default value is %d." msgstr "Con hosting condiviso, imposta a %d. Su sistemi più grandi, vanno bene valori come %d. Il valore di default è %d." -#: src/Module/Admin/Site.php:705 -msgid "Don't use \"proc_open\" with the worker" -msgstr "Non usare \"proc_open\" con il worker" - -#: src/Module/Admin/Site.php:705 -msgid "" -"Enable this if your system doesn't allow the use of \"proc_open\". This can " -"happen on shared hosters. If this is enabled you should increase the " -"frequency of worker calls in your crontab." -msgstr "Abilita questo se il tuo sistema non consente l'utilizzo di \"proc_open\". Questo può succedere su hosting condiviso. Se questo è attivato dovresti aumentare la frequenza dell'esecuzione dei worker nel tuo crontab." - -#: src/Module/Admin/Site.php:706 +#: src/Module/Admin/Site.php:689 msgid "Enable fastlane" msgstr "Abilita fastlane" -#: src/Module/Admin/Site.php:706 +#: src/Module/Admin/Site.php:689 msgid "" "When enabed, the fastlane mechanism starts an additional worker if processes" " with higher priority are blocked by processes of lower priority." msgstr "Quando abilitato, il meccanismo di fastlane avvia processi aggiuntivi se processi con priorità più alta sono bloccati da processi con priorità più bassa." -#: src/Module/Admin/Site.php:707 -msgid "Enable frontend worker" -msgstr "Abilita worker da frontend" - -#: src/Module/Admin/Site.php:707 -#, php-format -msgid "" -"When enabled the Worker process is triggered when backend access is " -"performed (e.g. messages being delivered). On smaller sites you might want " -"to call %s/worker on a regular basis via an external cron job. You should " -"only enable this option if you cannot utilize cron/scheduled jobs on your " -"server." -msgstr "Quando abilitato il processo del Worker scatta quando avviene l'accesso al backend (es. messaggi che vengono spediti). Su piccole istanze potresti voler chiamare %s/worker ogni tot minuti attraverso una pianificazione cron esterna. Dovresti abilitare quest'opzione solo se non puoi utilizzare cron/operazioni pianificate sul tuo server." - -#: src/Module/Admin/Site.php:709 +#: src/Module/Admin/Site.php:691 msgid "Use relay servers" msgstr "Usa server di inoltro" -#: src/Module/Admin/Site.php:709 +#: src/Module/Admin/Site.php:691 msgid "" "Enables the receiving of public posts from relay servers. They will be " "included in the search, subscribed tags and on the global community page." msgstr "Abilita la ricezione dei messaggi pubblici dai server relay. Saranno inclusi nelle ricerche, nelle etichette alle quali si è abbonati e nella pagina comunità globale." -#: src/Module/Admin/Site.php:710 +#: src/Module/Admin/Site.php:692 msgid "\"Social Relay\" server" msgstr "Server \"Social Relay\"" -#: src/Module/Admin/Site.php:710 +#: src/Module/Admin/Site.php:692 #, php-format msgid "" "Address of the \"Social Relay\" server where public posts should be send to." @@ -6574,61 +6602,61 @@ msgid "" "relay\" command line command." msgstr "Indirizzo del server \"Social Relay\" verso il quale i messaggi pubblici dovranno essere inviati. Per esempio %s. I server ActivityRelay sono amministrati attraverso il comando \"console relay\" da riga di comando." -#: src/Module/Admin/Site.php:711 +#: src/Module/Admin/Site.php:693 msgid "Direct relay transfer" msgstr "Trasferimento relay diretto" -#: src/Module/Admin/Site.php:711 +#: src/Module/Admin/Site.php:693 msgid "" "Enables the direct transfer to other servers without using the relay servers" msgstr "Abilita il trasferimento diretto agli altri server senza utilizzare i server relay." -#: src/Module/Admin/Site.php:712 +#: src/Module/Admin/Site.php:694 msgid "Relay scope" msgstr "Ambito del relay" -#: src/Module/Admin/Site.php:712 +#: src/Module/Admin/Site.php:694 msgid "" "Can be \"all\" or \"tags\". \"all\" means that every public post should be " "received. \"tags\" means that only posts with selected tags should be " "received." msgstr "Può essere \"tutto\" o \"etichette\". \"tutto\" significa che ogni messaggio pubblico può essere ricevuto. \"etichette\" significa che solo i messaggi con le etichette selezionate saranno ricevuti." -#: src/Module/Admin/Site.php:712 +#: src/Module/Admin/Site.php:694 msgid "all" msgstr "tutti" -#: src/Module/Admin/Site.php:712 +#: src/Module/Admin/Site.php:694 msgid "tags" msgstr "tags" -#: src/Module/Admin/Site.php:713 +#: src/Module/Admin/Site.php:695 msgid "Server tags" msgstr "Tags server" -#: src/Module/Admin/Site.php:713 +#: src/Module/Admin/Site.php:695 msgid "Comma separated list of tags for the \"tags\" subscription." msgstr "Lista separata da virgola di etichette per la sottoscrizione \"etichette\"." -#: src/Module/Admin/Site.php:714 +#: src/Module/Admin/Site.php:696 msgid "Deny Server tags" msgstr "Etichette Negate del Server" -#: src/Module/Admin/Site.php:714 +#: src/Module/Admin/Site.php:696 msgid "Comma separated list of tags that are rejected." msgstr "Lista separata da virgola di etichette che vengono rifiutate." -#: src/Module/Admin/Site.php:715 +#: src/Module/Admin/Site.php:697 msgid "Allow user tags" msgstr "Permetti tag utente" -#: src/Module/Admin/Site.php:715 +#: src/Module/Admin/Site.php:697 msgid "" "If enabled, the tags from the saved searches will used for the \"tags\" " "subscription in addition to the \"relay_server_tags\"." msgstr "Se abilitato, le etichette delle ricerche salvate saranno usate per la sottoscrizione \"etichette\" in aggiunta ai \"server_etichette\"." -#: src/Module/Admin/Site.php:718 +#: src/Module/Admin/Site.php:700 msgid "Start Relocation" msgstr "Inizia il Trasloco" @@ -7092,12 +7120,12 @@ msgstr "Nega" #: src/Module/Api/Mastodon/Unimplemented.php:42 #, php-format msgid "API endpoint \"%s\" is not implemented" -msgstr "" +msgstr "L'endpoint API \"%s\" non è implementato" #: src/Module/Api/Mastodon/Unimplemented.php:43 msgid "" "The API endpoint is currently not implemented but might be in the future." -msgstr "" +msgstr "L'endpoint API attualmente non è implementato ma potrebbe esserlo in futuro." #: src/Module/Api/Twitter/ContactEndpoint.php:65 src/Module/Contact.php:400 msgid "Contact not found" @@ -7248,7 +7276,7 @@ msgstr "Gestisci Account" msgid "Connected apps" msgstr "Applicazioni collegate" -#: src/Module/BaseSettings.php:108 src/Module/Settings/UserExport.php:66 +#: src/Module/BaseSettings.php:108 src/Module/Settings/UserExport.php:67 msgid "Export personal data" msgstr "Esporta dati personali" @@ -7320,7 +7348,7 @@ msgstr "URL Feed" msgid "New photo from this URL" msgstr "Nuova foto da questo URL" -#: src/Module/Contact/Contacts.php:31 src/Module/Conversation/Network.php:174 +#: src/Module/Contact/Contacts.php:31 src/Module/Conversation/Network.php:175 msgid "Invalid contact." msgstr "Contatto non valido." @@ -7383,7 +7411,7 @@ msgstr[1] "Contatti (%s)" msgid "Error while sending poke, please retry." msgstr "Errore durante l'invio dello stuzzicamento, per favore riprova." -#: src/Module/Contact/Poke.php:126 src/Module/Search/Acl.php:55 +#: src/Module/Contact/Poke.php:126 src/Module/Search/Acl.php:56 msgid "You must be logged in to use this module." msgstr "Devi aver essere autenticato per usare questo modulo." @@ -7533,7 +7561,7 @@ msgstr "Duplica come miei messaggi" #: src/Module/Contact.php:574 src/Module/Contact.php:578 msgid "Native reshare" -msgstr "" +msgstr "Ricondivisione nativa" #: src/Module/Contact.php:593 msgid "Contact Information / Notes" @@ -7605,7 +7633,7 @@ msgstr "Al momento archiviato" msgid "Awaiting connection acknowledge" msgstr "In attesa di conferma della connessione" -#: src/Module/Contact.php:634 src/Module/Notifications/Introductions.php:176 +#: src/Module/Contact.php:634 src/Module/Notifications/Introductions.php:177 msgid "Hide this contact from others" msgstr "Nascondi questo contatto agli altri" @@ -7690,7 +7718,7 @@ msgstr "Organizza i tuoi gruppi di contatti" msgid "Search your contacts" msgstr "Cerca nei tuoi contatti" -#: src/Module/Contact.php:875 src/Module/Search/Index.php:192 +#: src/Module/Contact.php:875 src/Module/Search/Index.php:193 #, php-format msgid "Results for: %s" msgstr "Risultati per: %s" @@ -7763,92 +7791,92 @@ msgstr "Inverti stato \"Archiviato\"" msgid "Delete contact" msgstr "Rimuovi contatto" -#: src/Module/Conversation/Community.php:68 +#: src/Module/Conversation/Community.php:69 msgid "Local Community" msgstr "Comunità Locale" -#: src/Module/Conversation/Community.php:71 +#: src/Module/Conversation/Community.php:72 msgid "Posts from local users on this server" msgstr "Messaggi dagli utenti locali su questo sito" -#: src/Module/Conversation/Community.php:79 +#: src/Module/Conversation/Community.php:80 msgid "Global Community" msgstr "Comunità Globale" -#: src/Module/Conversation/Community.php:82 +#: src/Module/Conversation/Community.php:83 msgid "Posts from users of the whole federated network" msgstr "Messaggi dagli utenti della rete federata" -#: src/Module/Conversation/Community.php:115 +#: src/Module/Conversation/Community.php:116 msgid "Own Contacts" msgstr "Propri Contatti" -#: src/Module/Conversation/Community.php:119 +#: src/Module/Conversation/Community.php:120 msgid "Include" msgstr "Includi" -#: src/Module/Conversation/Community.php:120 +#: src/Module/Conversation/Community.php:121 msgid "Hide" msgstr "Nascondi" -#: src/Module/Conversation/Community.php:148 src/Module/Search/Index.php:139 -#: src/Module/Search/Index.php:179 +#: src/Module/Conversation/Community.php:149 src/Module/Search/Index.php:140 +#: src/Module/Search/Index.php:180 msgid "No results." msgstr "Nessun risultato." -#: src/Module/Conversation/Community.php:173 +#: src/Module/Conversation/Community.php:174 msgid "" "This community stream shows all public posts received by this node. They may" " not reflect the opinions of this node’s users." msgstr "Questa pagina comunità mostra tutti i messaggi pubblici ricevuti da questo nodo. Potrebbero non riflettere le opinioni degli utenti di questo nodo." -#: src/Module/Conversation/Community.php:211 +#: src/Module/Conversation/Community.php:212 msgid "Community option not available." msgstr "Opzione Comunità non disponibile" -#: src/Module/Conversation/Community.php:227 +#: src/Module/Conversation/Community.php:228 msgid "Not available." msgstr "Non disponibile." -#: src/Module/Conversation/Network.php:160 +#: src/Module/Conversation/Network.php:161 msgid "No such group" msgstr "Nessun gruppo" -#: src/Module/Conversation/Network.php:164 +#: src/Module/Conversation/Network.php:165 #, php-format msgid "Group: %s" msgstr "Gruppo: %s" -#: src/Module/Conversation/Network.php:239 +#: src/Module/Conversation/Network.php:241 msgid "Latest Activity" msgstr "Ultima Attività" -#: src/Module/Conversation/Network.php:242 +#: src/Module/Conversation/Network.php:244 msgid "Sort by latest activity" msgstr "Ordina per ultima attività" -#: src/Module/Conversation/Network.php:247 +#: src/Module/Conversation/Network.php:249 msgid "Latest Posts" msgstr "Ultimi Messaggi" -#: src/Module/Conversation/Network.php:250 +#: src/Module/Conversation/Network.php:252 msgid "Sort by post received date" msgstr "Ordina per data di ricezione del messaggio" -#: src/Module/Conversation/Network.php:255 +#: src/Module/Conversation/Network.php:257 #: src/Module/Settings/Profile/Index.php:242 msgid "Personal" msgstr "Personale" -#: src/Module/Conversation/Network.php:258 +#: src/Module/Conversation/Network.php:260 msgid "Posts that mention or involve you" msgstr "Messaggi che ti citano o coinvolgono" -#: src/Module/Conversation/Network.php:263 +#: src/Module/Conversation/Network.php:265 msgid "Starred" msgstr "Preferiti" -#: src/Module/Conversation/Network.php:266 +#: src/Module/Conversation/Network.php:268 msgid "Favourite Posts" msgstr "Messaggi preferiti" @@ -7901,7 +7929,7 @@ msgstr "BBCode::convert (raw HTML)" #: src/Module/Debug/Babel.php:71 msgid "BBCode::convert (hex)" -msgstr "" +msgstr "BBCode::convert (hex)" #: src/Module/Debug/Babel.php:76 msgid "BBCode::convert" @@ -7981,15 +8009,15 @@ msgstr "Sorgente HTML" #: src/Module/Debug/Babel.php:191 msgid "HTML Purified (raw)" -msgstr "" +msgstr "HTML Purificato (raw)" #: src/Module/Debug/Babel.php:196 msgid "HTML Purified (hex)" -msgstr "" +msgstr "HTML Purificato (hex)" #: src/Module/Debug/Babel.php:201 msgid "HTML Purified" -msgstr "" +msgstr "HTML Purificato" #: src/Module/Debug/Babel.php:207 msgid "HTML::toBBCode" @@ -8059,7 +8087,7 @@ msgstr "HTML" msgid "Twitter Source" msgstr "Sorgente Twitter" -#: src/Module/Debug/Feed.php:38 src/Module/Filer/SaveTag.php:38 +#: src/Module/Debug/Feed.php:38 src/Module/Filer/SaveTag.php:40 #: src/Module/Settings/Profile/Index.php:158 msgid "You must be logged in to use this module" msgstr "Devi aver essere autenticato per usare questo modulo" @@ -8107,7 +8135,7 @@ msgstr "Indirizzo di consultazione" #: src/Module/Delegation.php:147 msgid "Switch between your accounts" -msgstr "" +msgstr "Passa da un account all'altro" #: src/Module/Delegation.php:148 msgid "Manage your accounts" @@ -8139,15 +8167,15 @@ msgstr "Risultati per:" msgid "Site Directory" msgstr "Elenco del sito" -#: src/Module/Filer/RemoveTag.php:63 +#: src/Module/Filer/RemoveTag.php:69 msgid "Item was not removed" msgstr "L'oggetto non è stato rimosso" -#: src/Module/Filer/RemoveTag.php:66 +#: src/Module/Filer/RemoveTag.php:72 msgid "Item was not deleted" msgstr "L'oggetto non è stato eliminato" -#: src/Module/Filer/SaveTag.php:65 +#: src/Module/Filer/SaveTag.php:69 msgid "- select -" msgstr "- seleziona -" @@ -8326,15 +8354,15 @@ msgstr "Controllo sistema" #: src/Module/Install.php:190 src/Module/Install.php:247 #: src/Module/Install.php:330 msgid "Requirement not satisfied" -msgstr "" +msgstr "Requisiti non soddisfatti" #: src/Module/Install.php:191 msgid "Optional requirement not satisfied" -msgstr "" +msgstr "Requisiti opzionali non soddisfatti" #: src/Module/Install.php:192 msgid "OK" -msgstr "" +msgstr "OK" #: src/Module/Install.php:197 msgid "Check again" @@ -8631,7 +8659,7 @@ msgid "Hide Ignored Requests" msgstr "Nascondi richieste ignorate" #: src/Module/Notifications/Introductions.php:94 -#: src/Module/Notifications/Introductions.php:162 +#: src/Module/Notifications/Introductions.php:163 msgid "Notification type:" msgstr "Tipo di notifica:" @@ -8639,41 +8667,41 @@ msgstr "Tipo di notifica:" msgid "Suggested by:" msgstr "Suggerito da:" -#: src/Module/Notifications/Introductions.php:121 +#: src/Module/Notifications/Introductions.php:122 msgid "Claims to be known to you: " msgstr "Dice di conoscerti: " -#: src/Module/Notifications/Introductions.php:130 +#: src/Module/Notifications/Introductions.php:131 msgid "Shall your connection be bidirectional or not?" msgstr "La connessione dovrà essere bidirezionale o no?" -#: src/Module/Notifications/Introductions.php:131 +#: src/Module/Notifications/Introductions.php:132 #, php-format msgid "" "Accepting %s as a friend allows %s to subscribe to your posts, and you will " "also receive updates from them in your news feed." msgstr "Accettando %s come amico permette a %s di seguire i tuoi messaggi, e a te di riceverne gli aggiornamenti." -#: src/Module/Notifications/Introductions.php:132 +#: src/Module/Notifications/Introductions.php:133 #, php-format msgid "" "Accepting %s as a subscriber allows them to subscribe to your posts, but you" " will not receive updates from them in your news feed." -msgstr "Accentrando %s come abbonato gli permette di abbonarsi ai tuoi messaggi, ma tu non riceverai aggiornamenti da lui." +msgstr "Accettando %s come abbonato gli permetti di abbonarsi ai tuoi messaggi, ma tu non riceverai aggiornamenti da lui." -#: src/Module/Notifications/Introductions.php:134 +#: src/Module/Notifications/Introductions.php:135 msgid "Friend" msgstr "Amico" -#: src/Module/Notifications/Introductions.php:135 +#: src/Module/Notifications/Introductions.php:136 msgid "Subscriber" msgstr "Abbonato" -#: src/Module/Notifications/Introductions.php:199 +#: src/Module/Notifications/Introductions.php:201 msgid "No introductions." msgstr "Nessuna presentazione." -#: src/Module/Notifications/Introductions.php:200 +#: src/Module/Notifications/Introductions.php:202 #: src/Module/Notifications/Notifications.php:133 #, php-format msgid "No more %s notifications." @@ -8707,29 +8735,29 @@ msgstr "Mostra non letti" msgid "Show all" msgstr "Mostra tutti" -#: src/Module/PermissionTooltip.php:24 +#: src/Module/PermissionTooltip.php:25 #, php-format msgid "Wrong type \"%s\", expected one of: %s" msgstr "Tipo \"%s\" errato, ci si aspettava uno di: %s" -#: src/Module/PermissionTooltip.php:37 +#: src/Module/PermissionTooltip.php:38 msgid "Model not found" msgstr "Modello non trovato" -#: src/Module/PermissionTooltip.php:59 +#: src/Module/PermissionTooltip.php:60 msgid "Remote privacy information not available." msgstr "Informazioni remote sulla privacy non disponibili." -#: src/Module/PermissionTooltip.php:70 +#: src/Module/PermissionTooltip.php:71 msgid "Visible to:" msgstr "Visibile a:" -#: src/Module/Photo.php:89 +#: src/Module/Photo.php:93 #, php-format msgid "The Photo with id %s is not available." msgstr "La Foto con id %s non è disponibile." -#: src/Module/Photo.php:104 +#: src/Module/Photo.php:111 #, php-format msgid "Invalid photo with id %s." msgstr "Foto con id %s non valida." @@ -8757,17 +8785,17 @@ msgstr "j F Y" msgid "j F" msgstr "j F" -#: src/Module/Profile/Profile.php:164 +#: src/Module/Profile/Profile.php:164 src/Util/Temporal.php:163 msgid "Birthday:" msgstr "Compleanno:" #: src/Module/Profile/Profile.php:167 -#: src/Module/Settings/Profile/Index.php:260 +#: src/Module/Settings/Profile/Index.php:260 src/Util/Temporal.php:165 msgid "Age: " msgstr "Età : " #: src/Module/Profile/Profile.php:167 -#: src/Module/Settings/Profile/Index.php:260 +#: src/Module/Settings/Profile/Index.php:260 src/Util/Temporal.php:165 #, php-format msgid "%d year old" msgid_plural "%d years old" @@ -8787,20 +8815,20 @@ msgid "View as" msgstr "Vedi come" #: src/Module/Profile/Profile.php:321 src/Module/Profile/Profile.php:324 -#: src/Module/Profile/Status.php:64 src/Module/Profile/Status.php:67 -#: src/Protocol/Feed.php:999 src/Protocol/OStatus.php:1261 +#: src/Module/Profile/Status.php:65 src/Module/Profile/Status.php:68 +#: src/Protocol/Feed.php:940 src/Protocol/OStatus.php:1258 #, php-format msgid "%s's timeline" msgstr "la timeline di %s" -#: src/Module/Profile/Profile.php:322 src/Module/Profile/Status.php:65 -#: src/Protocol/Feed.php:1003 src/Protocol/OStatus.php:1265 +#: src/Module/Profile/Profile.php:322 src/Module/Profile/Status.php:66 +#: src/Protocol/Feed.php:944 src/Protocol/OStatus.php:1262 #, php-format msgid "%s's posts" msgstr "il messaggio di %s" -#: src/Module/Profile/Profile.php:323 src/Module/Profile/Status.php:66 -#: src/Protocol/Feed.php:1006 src/Protocol/OStatus.php:1268 +#: src/Module/Profile/Profile.php:323 src/Module/Profile/Status.php:67 +#: src/Protocol/Feed.php:947 src/Protocol/OStatus.php:1265 #, php-format msgid "%s's comments" msgstr "il commento di %s" @@ -8951,15 +8979,15 @@ msgid "" " or %s directly on your system." msgstr "Inserisci il tuo indirizzo Webfinger (utente@dominio.tld) o l'URL del profilo qui. Se non è supportato dal tuo sistema, devi abbonarti a %s o %s direttamente sul tuo sistema." -#: src/Module/Search/Index.php:54 +#: src/Module/Search/Index.php:55 msgid "Only logged in users are permitted to perform a search." msgstr "Solo agli utenti autenticati è permesso eseguire ricerche." -#: src/Module/Search/Index.php:76 +#: src/Module/Search/Index.php:77 msgid "Only one search per minute is permitted for not logged in users." msgstr "Solo una ricerca al minuto è permessa agli utenti non autenticati." -#: src/Module/Search/Index.php:190 +#: src/Module/Search/Index.php:191 #, php-format msgid "Items tagged with: %s" msgstr "Elementi taggati con: %s" @@ -9195,7 +9223,9 @@ msgstr "Opzioni Personalizzate Tema" msgid "Content Settings" msgstr "Opzioni Contenuto" -#: src/Module/Settings/Display.php:193 +#: src/Module/Settings/Display.php:193 view/theme/duepuntozero/config.php:70 +#: view/theme/frio/config.php:161 view/theme/quattro/config.php:72 +#: view/theme/vier/config.php:120 msgid "Theme settings" msgstr "Impostazioni tema" @@ -9348,7 +9378,8 @@ msgstr "Immagine del profilo" msgid "Location" msgstr "Posizione" -#: src/Module/Settings/Profile/Index.php:245 +#: src/Module/Settings/Profile/Index.php:245 src/Util/Temporal.php:93 +#: src/Util/Temporal.php:95 msgid "Miscellaneous" msgstr "Varie" @@ -9741,32 +9772,32 @@ msgstr "

O puoi aprire il seguente indiririzzo sul tuo dispositivo mobile:

msgid "Verify code and enable two-factor authentication" msgstr "Verifica codice e abilita l'autenticazione a due fattori" -#: src/Module/Settings/UserExport.php:58 +#: src/Module/Settings/UserExport.php:59 msgid "Export account" msgstr "Esporta account" -#: src/Module/Settings/UserExport.php:58 +#: src/Module/Settings/UserExport.php:59 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." -#: src/Module/Settings/UserExport.php:59 +#: src/Module/Settings/UserExport.php:60 msgid "Export all" msgstr "Esporta tutto" -#: src/Module/Settings/UserExport.php:59 +#: src/Module/Settings/UserExport.php:60 msgid "" "Export your account info, contacts and all your items as json. Could be a " "very big file, and could take a lot of time. Use this to make a full backup " "of your account (photos are not exported)" msgstr "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Può 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)" -#: src/Module/Settings/UserExport.php:60 +#: src/Module/Settings/UserExport.php:61 msgid "Export Contacts to CSV" msgstr "Esporta Contatti come CSV" -#: src/Module/Settings/UserExport.php:60 +#: src/Module/Settings/UserExport.php:61 msgid "" "Export the list of the accounts you are following as CSV file. Compatible to" " e.g. Mastodon." @@ -9831,6 +9862,15 @@ msgid "" "maintenance). Please try again later." msgstr "Il server è momentaneamente non disponibile (perchè è sovraccarico o in manutenzione). Per favore, riprova più tardi. " +#: src/Module/Special/HTTPException.php:76 +msgid "Stack trace:" +msgstr "Traccia dello stack:" + +#: src/Module/Special/HTTPException.php:80 +#, php-format +msgid "Exception thrown in %s:%d" +msgstr "Eccezione lanciata in %s:%d" + #: src/Module/Tos.php:46 src/Module/Tos.php:88 msgid "" "At the time of registration, and for providing communications between the " @@ -10054,214 +10094,231 @@ msgstr "Contatta il mittente rispondendo a questo messaggio se non vuoi ricevere msgid "%s posted an update." msgstr "%s ha inviato un aggiornamento." -#: src/Object/Post.php:147 +#: src/Object/Post.php:148 msgid "This entry was edited" msgstr "Questa voce è stata modificata" -#: src/Object/Post.php:175 +#: src/Object/Post.php:176 msgid "Private Message" msgstr "Messaggio privato" -#: src/Object/Post.php:220 +#: src/Object/Post.php:221 msgid "pinned item" msgstr "oggetto fissato" -#: src/Object/Post.php:225 +#: src/Object/Post.php:226 msgid "Delete locally" msgstr "Elimina localmente" -#: src/Object/Post.php:228 +#: src/Object/Post.php:229 msgid "Delete globally" msgstr "Rimuovi globalmente" -#: src/Object/Post.php:228 +#: src/Object/Post.php:229 msgid "Remove locally" msgstr "Rimuovi localmente" -#: src/Object/Post.php:241 +#: src/Object/Post.php:243 +#, php-format +msgid "Block %s" +msgstr "" + +#: src/Object/Post.php:248 msgid "save to folder" msgstr "salva nella cartella" -#: src/Object/Post.php:276 +#: src/Object/Post.php:283 msgid "I will attend" msgstr "Parteciperò" -#: src/Object/Post.php:276 +#: src/Object/Post.php:283 msgid "I will not attend" msgstr "Non parteciperò" -#: src/Object/Post.php:276 +#: src/Object/Post.php:283 msgid "I might attend" msgstr "Forse parteciperò" -#: src/Object/Post.php:306 +#: src/Object/Post.php:313 msgid "ignore thread" msgstr "ignora la discussione" -#: src/Object/Post.php:307 +#: src/Object/Post.php:314 msgid "unignore thread" msgstr "non ignorare la discussione" -#: src/Object/Post.php:308 +#: src/Object/Post.php:315 msgid "toggle ignore status" msgstr "inverti stato \"Ignora\"" -#: src/Object/Post.php:320 +#: src/Object/Post.php:327 msgid "pin" msgstr "fissa in alto" -#: src/Object/Post.php:321 +#: src/Object/Post.php:328 msgid "unpin" msgstr "non fissare più" -#: src/Object/Post.php:322 +#: src/Object/Post.php:329 msgid "toggle pin status" msgstr "inverti stato fissato" -#: src/Object/Post.php:325 +#: src/Object/Post.php:332 msgid "pinned" msgstr "fissato in alto" -#: src/Object/Post.php:332 +#: src/Object/Post.php:339 msgid "add star" msgstr "aggiungi a speciali" -#: src/Object/Post.php:333 +#: src/Object/Post.php:340 msgid "remove star" msgstr "rimuovi da speciali" -#: src/Object/Post.php:334 +#: src/Object/Post.php:341 msgid "toggle star status" msgstr "Inverti stato preferito" -#: src/Object/Post.php:337 +#: src/Object/Post.php:344 msgid "starred" msgstr "preferito" -#: src/Object/Post.php:341 +#: src/Object/Post.php:348 msgid "add tag" msgstr "aggiungi tag" -#: src/Object/Post.php:351 +#: src/Object/Post.php:358 msgid "like" msgstr "mi piace" -#: src/Object/Post.php:352 +#: src/Object/Post.php:359 msgid "dislike" msgstr "non mi piace" -#: src/Object/Post.php:354 -msgid "Quote and share this" -msgstr "Cita e condividi questo" +#: src/Object/Post.php:361 +msgid "Quote share this" +msgstr "Condividi citando questo" -#: src/Object/Post.php:354 +#: src/Object/Post.php:361 msgid "Quote Share" msgstr "Cita e Condividi" -#: src/Object/Post.php:357 -msgid "Share this" -msgstr "Condividi questo" +#: src/Object/Post.php:364 +msgid "Reshare this" +msgstr "Ricondividi questo" -#: src/Object/Post.php:402 +#: src/Object/Post.php:364 +msgid "Reshare" +msgstr "Ricondividi" + +#: src/Object/Post.php:365 +msgid "Cancel your Reshare" +msgstr "Annulla la tua Ricondivisione" + +#: src/Object/Post.php:365 +msgid "Unshare" +msgstr "Non ricondividere più" + +#: src/Object/Post.php:410 #, php-format msgid "%s (Received %s)" msgstr "%s (Ricevuto %s)" -#: src/Object/Post.php:407 +#: src/Object/Post.php:415 msgid "Comment this item on your system" msgstr "Commenta questo oggetto sul tuo sistema" -#: src/Object/Post.php:407 +#: src/Object/Post.php:415 msgid "remote comment" msgstr "commento remoto" -#: src/Object/Post.php:419 +#: src/Object/Post.php:427 msgid "Pushed" msgstr "Inviato" -#: src/Object/Post.php:419 +#: src/Object/Post.php:427 msgid "Pulled" msgstr "Recuperato" -#: src/Object/Post.php:451 +#: src/Object/Post.php:459 msgid "to" msgstr "a" -#: src/Object/Post.php:452 +#: src/Object/Post.php:460 msgid "via" msgstr "via" -#: src/Object/Post.php:453 +#: src/Object/Post.php:461 msgid "Wall-to-Wall" msgstr "Da bacheca a bacheca" -#: src/Object/Post.php:454 +#: src/Object/Post.php:462 msgid "via Wall-To-Wall:" msgstr "da bacheca a bacheca" -#: src/Object/Post.php:491 +#: src/Object/Post.php:500 #, php-format msgid "Reply to %s" msgstr "Rispondi a %s" -#: src/Object/Post.php:494 +#: src/Object/Post.php:503 msgid "More" msgstr "Mostra altro" -#: src/Object/Post.php:512 +#: src/Object/Post.php:521 msgid "Notifier task is pending" msgstr "L'attività di notifica è in attesa" -#: src/Object/Post.php:513 +#: src/Object/Post.php:522 msgid "Delivery to remote servers is pending" msgstr "La consegna ai server remoti è in attesa" -#: src/Object/Post.php:514 +#: src/Object/Post.php:523 msgid "Delivery to remote servers is underway" msgstr "La consegna ai server remoti è in corso" -#: src/Object/Post.php:515 +#: src/Object/Post.php:524 msgid "Delivery to remote servers is mostly done" msgstr "La consegna ai server remoti è quasi completata" -#: src/Object/Post.php:516 +#: src/Object/Post.php:525 msgid "Delivery to remote servers is done" msgstr "La consegna ai server remoti è completata" -#: src/Object/Post.php:536 +#: src/Object/Post.php:545 #, php-format msgid "%d comment" msgid_plural "%d comments" msgstr[0] "%d commento" msgstr[1] "%d commenti" -#: src/Object/Post.php:537 +#: src/Object/Post.php:546 msgid "Show more" msgstr "Mostra di più" -#: src/Object/Post.php:538 +#: src/Object/Post.php:547 msgid "Show fewer" msgstr "Mostra di meno" -#: src/Protocol/Diaspora.php:3431 +#: src/Protocol/Diaspora.php:3424 msgid "Attachments:" msgstr "Allegati:" -#: src/Protocol/OStatus.php:1763 +#: src/Protocol/OStatus.php:1760 #, php-format msgid "%s is now following %s." msgstr "%s sta seguendo %s" -#: src/Protocol/OStatus.php:1764 +#: src/Protocol/OStatus.php:1761 msgid "following" msgstr "segue" -#: src/Protocol/OStatus.php:1767 +#: src/Protocol/OStatus.php:1764 #, php-format msgid "%s stopped following %s." msgstr "%s ha smesso di seguire %s" -#: src/Protocol/OStatus.php:1768 +#: src/Protocol/OStatus.php:1765 msgid "stopped following" msgstr "tolto dai seguiti" @@ -10361,3 +10418,354 @@ msgstr "Benvenuto %s" #: src/Security/Authentication.php:390 msgid "Please upload a profile photo." msgstr "Carica una foto per il profilo." + +#: src/Util/EMailer/MailBuilder.php:259 +msgid "Friendica Notification" +msgstr "Notifica Friendica" + +#: src/Util/EMailer/NotifyMailBuilder.php:78 +#: src/Util/EMailer/SystemMailBuilder.php:54 +#, php-format +msgid "%1$s, %2$s Administrator" +msgstr "%1$s, %2$s Amministratore" + +#: src/Util/EMailer/NotifyMailBuilder.php:80 +#: src/Util/EMailer/SystemMailBuilder.php:56 +#, php-format +msgid "%s Administrator" +msgstr "%s Amministratore" + +#: src/Util/EMailer/NotifyMailBuilder.php:193 +#: src/Util/EMailer/NotifyMailBuilder.php:217 +#: src/Util/EMailer/SystemMailBuilder.php:101 +#: src/Util/EMailer/SystemMailBuilder.php:118 +msgid "thanks" +msgstr "grazie" + +#: src/Util/Temporal.php:167 +msgid "YYYY-MM-DD or MM-DD" +msgstr "AAAA-MM-GG o MM-GG" + +#: src/Util/Temporal.php:314 +msgid "never" +msgstr "mai" + +#: src/Util/Temporal.php:321 +msgid "less than a second ago" +msgstr "meno di un secondo fa" + +#: src/Util/Temporal.php:329 +msgid "year" +msgstr "anno" + +#: src/Util/Temporal.php:329 +msgid "years" +msgstr "anni" + +#: src/Util/Temporal.php:330 +msgid "months" +msgstr "mesi" + +#: src/Util/Temporal.php:331 +msgid "weeks" +msgstr "settimane" + +#: src/Util/Temporal.php:332 +msgid "days" +msgstr "giorni" + +#: src/Util/Temporal.php:333 +msgid "hour" +msgstr "ora" + +#: src/Util/Temporal.php:333 +msgid "hours" +msgstr "ore" + +#: src/Util/Temporal.php:334 +msgid "minute" +msgstr "minuto" + +#: src/Util/Temporal.php:334 +msgid "minutes" +msgstr "minuti" + +#: src/Util/Temporal.php:335 +msgid "second" +msgstr "secondo" + +#: src/Util/Temporal.php:335 +msgid "seconds" +msgstr "secondi" + +#: src/Util/Temporal.php:345 +#, php-format +msgid "in %1$d %2$s" +msgstr "in %1$d %2$s" + +#: src/Util/Temporal.php:348 +#, php-format +msgid "%1$d %2$s ago" +msgstr "%1$d %2$s fa" + +#: src/Worker/Delivery.php:566 +msgid "(no subject)" +msgstr "(nessun oggetto)" + +#: view/theme/duepuntozero/config.php:52 +msgid "default" +msgstr "predefinito" + +#: view/theme/duepuntozero/config.php:53 +msgid "greenzero" +msgstr "greenzero" + +#: view/theme/duepuntozero/config.php:54 +msgid "purplezero" +msgstr "purplezero" + +#: view/theme/duepuntozero/config.php:55 +msgid "easterbunny" +msgstr "easterbunny" + +#: view/theme/duepuntozero/config.php:56 +msgid "darkzero" +msgstr "darkzero" + +#: view/theme/duepuntozero/config.php:57 +msgid "comix" +msgstr "comix" + +#: view/theme/duepuntozero/config.php:58 +msgid "slackr" +msgstr "slackr" + +#: view/theme/duepuntozero/config.php:71 +msgid "Variations" +msgstr "Varianti" + +#: view/theme/frio/config.php:142 +msgid "Light (Accented)" +msgstr "Chiaro (Con accenti)" + +#: view/theme/frio/config.php:143 +msgid "Dark (Accented)" +msgstr "Scuro (Con accenti)" + +#: view/theme/frio/config.php:144 +msgid "Black (Accented)" +msgstr "Nero (Con accenti)" + +#: view/theme/frio/config.php:156 +msgid "Note" +msgstr "Note" + +#: view/theme/frio/config.php:156 +msgid "Check image permissions if all users are allowed to see the image" +msgstr "Controlla i permessi dell'immagine che tutti gli utenti possano vederla" + +#: view/theme/frio/config.php:162 +msgid "Custom" +msgstr "Personalizzato" + +#: view/theme/frio/config.php:163 +msgid "Legacy" +msgstr "Precedente" + +#: view/theme/frio/config.php:164 +msgid "Accented" +msgstr "Con accenti" + +#: view/theme/frio/config.php:165 +msgid "Select color scheme" +msgstr "Seleziona lo schema colori" + +#: view/theme/frio/config.php:166 +msgid "Select scheme accent" +msgstr "Seleziona accento schema" + +#: view/theme/frio/config.php:166 +msgid "Blue" +msgstr "Blu" + +#: view/theme/frio/config.php:166 +msgid "Red" +msgstr "Rosso" + +#: view/theme/frio/config.php:166 +msgid "Purple" +msgstr "Viola" + +#: view/theme/frio/config.php:166 +msgid "Green" +msgstr "Verde" + +#: view/theme/frio/config.php:166 +msgid "Pink" +msgstr "Rosa" + +#: view/theme/frio/config.php:167 +msgid "Copy or paste schemestring" +msgstr "Copia o incolla stringa di schema" + +#: view/theme/frio/config.php:167 +msgid "" +"You can copy this string to share your theme with others. Pasting here " +"applies the schemestring" +msgstr "" + +#: view/theme/frio/config.php:168 +msgid "Navigation bar background color" +msgstr "" + +#: view/theme/frio/config.php:169 +msgid "Navigation bar icon color " +msgstr "" + +#: view/theme/frio/config.php:170 +msgid "Link color" +msgstr "" + +#: view/theme/frio/config.php:171 +msgid "Set the background color" +msgstr "" + +#: view/theme/frio/config.php:172 +msgid "Content background opacity" +msgstr "" + +#: view/theme/frio/config.php:173 +msgid "Set the background image" +msgstr "" + +#: view/theme/frio/config.php:174 +msgid "Background image style" +msgstr "" + +#: view/theme/frio/config.php:179 +msgid "Login page background image" +msgstr "" + +#: view/theme/frio/config.php:183 +msgid "Login page background color" +msgstr "" + +#: view/theme/frio/config.php:183 +msgid "Leave background image and color empty for theme defaults" +msgstr "" + +#: view/theme/frio/php/default.php:81 view/theme/frio/php/standard.php:38 +msgid "Skip to main content" +msgstr "" + +#: view/theme/frio/php/Image.php:40 +msgid "Top Banner" +msgstr "" + +#: view/theme/frio/php/Image.php:40 +msgid "" +"Resize image to the width of the screen and show background color below on " +"long pages." +msgstr "" + +#: view/theme/frio/php/Image.php:41 +msgid "Full screen" +msgstr "" + +#: view/theme/frio/php/Image.php:41 +msgid "" +"Resize image to fill entire screen, clipping either the right or the bottom." +msgstr "" + +#: view/theme/frio/php/Image.php:42 +msgid "Single row mosaic" +msgstr "" + +#: view/theme/frio/php/Image.php:42 +msgid "" +"Resize image to repeat it on a single row, either vertical or horizontal." +msgstr "" + +#: view/theme/frio/php/Image.php:43 +msgid "Mosaic" +msgstr "" + +#: view/theme/frio/php/Image.php:43 +msgid "Repeat image to fill the screen." +msgstr "" + +#: view/theme/frio/theme.php:207 +msgid "Guest" +msgstr "" + +#: view/theme/frio/theme.php:210 +msgid "Visitor" +msgstr "" + +#: view/theme/quattro/config.php:73 +msgid "Alignment" +msgstr "" + +#: view/theme/quattro/config.php:73 +msgid "Left" +msgstr "" + +#: view/theme/quattro/config.php:73 +msgid "Center" +msgstr "" + +#: view/theme/quattro/config.php:74 +msgid "Color scheme" +msgstr "" + +#: view/theme/quattro/config.php:75 +msgid "Posts font size" +msgstr "" + +#: view/theme/quattro/config.php:76 +msgid "Textareas font size" +msgstr "" + +#: view/theme/vier/config.php:75 +msgid "Comma separated list of helper forums" +msgstr "" + +#: view/theme/vier/config.php:115 +msgid "don't show" +msgstr "" + +#: view/theme/vier/config.php:115 +msgid "show" +msgstr "" + +#: view/theme/vier/config.php:121 +msgid "Set style" +msgstr "" + +#: view/theme/vier/config.php:122 +msgid "Community Pages" +msgstr "" + +#: view/theme/vier/config.php:123 view/theme/vier/theme.php:125 +msgid "Community Profiles" +msgstr "" + +#: view/theme/vier/config.php:124 +msgid "Help or @NewHere ?" +msgstr "" + +#: view/theme/vier/config.php:125 view/theme/vier/theme.php:296 +msgid "Connect Services" +msgstr "" + +#: view/theme/vier/config.php:126 +msgid "Find Friends" +msgstr "" + +#: view/theme/vier/config.php:127 view/theme/vier/theme.php:152 +msgid "Last users" +msgstr "" + +#: view/theme/vier/theme.php:211 +msgid "Quick Start" +msgstr "" diff --git a/view/lang/it/strings.php b/view/lang/it/strings.php index e5e6d9fbff..17719ebaaf 100644 --- a/view/lang/it/strings.php +++ b/view/lang/it/strings.php @@ -419,7 +419,9 @@ $a->strings["Rotate CW (right)"] = "Ruota a destra"; $a->strings["Rotate CCW (left)"] = "Ruota a sinistra"; $a->strings["This is you"] = "Questo sei tu"; $a->strings["Comment"] = "Commento"; +$a->strings["Like"] = "Mi Piace"; $a->strings["I like this (toggle)"] = "Mi piace (clic per cambiare)"; +$a->strings["Dislike"] = "Non Mi Piace"; $a->strings["I don't like this (toggle)"] = "Non mi piace (clic per cambiare)"; $a->strings["Map"] = "Mappa"; $a->strings["View Album"] = "Sfoglia l'album"; @@ -723,6 +725,7 @@ $a->strings["Display Membership Date"] = "Mostra la Data di Registrazione"; $a->strings["Display membership date in profile"] = "Mostra la data in cui ti sei registrato nel profilo"; $a->strings["Forums"] = "Forum"; $a->strings["External link to forum"] = "Collegamento esterno al forum"; +$a->strings["show less"] = "mostra meno"; $a->strings["show more"] = "mostra di più"; $a->strings["Nothing new here"] = "Niente di nuovo qui"; $a->strings["Go back"] = "Torna indietro"; @@ -895,6 +898,8 @@ $a->strings["iconv PHP module"] = "modulo PHP iconv"; $a->strings["Error: iconv PHP module required but not installed."] = "Errore: il modulo PHP iconv è richiesto ma non installato."; $a->strings["POSIX PHP module"] = "mooduo PHP POSIX"; $a->strings["Error: POSIX PHP module required but not installed."] = "Errore, il modulo PHP POSIX è richiesto ma non installato."; +$a->strings["Program execution functions"] = "Funzioni di esecuzione del programma"; +$a->strings["Error: Program execution functions required but not enabled."] = "Errore: Funzioni di esecuzione del programma richieste ma non abilitate."; $a->strings["JSON PHP module"] = "modulo PHP JSON"; $a->strings["Error: JSON PHP module required but not installed."] = "Errore: il modulo PHP JSON è richiesto ma non installato."; $a->strings["File Information PHP module"] = "Modulo PHP File Information"; @@ -971,6 +976,7 @@ $a->strings["template engine cannot be registered without a name."] = "il motore $a->strings["template engine is not registered!"] = "il motore di modelli non è registrato!"; $a->strings["Update %s failed. See error logs."] = "aggiornamento %s fallito. Guarda i log di errore."; $a->strings["\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = "\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 sei in grado di aiutarmi. 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["[Friendica Notify] Database update"] = "[Notifica di Friendica] Aggiornamento database"; $a->strings["\n\t\t\t\t\tThe friendica database was successfully updated from %s to %s."] = "\n\t\t\t\t\tIl database di friendica è stato aggiornato con succeso da %s a %s."; $a->strings["Error decoding account file"] = "Errore decodificando il file account"; @@ -984,6 +990,8 @@ $a->strings["%d contact not imported"] = [ $a->strings["User profile creation error"] = "Errore durante la creazione del profilo dell'utente"; $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["The database version had been set to %s."] = "La versione del database è stata impostata come %s."; +$a->strings["No unused tables found."] = "Nessuna tabella inutilizzata trovata."; +$a->strings["These tables are not used for friendica and will be deleted when you execute \"dbstructure drop -e\":"] = "Queste tabelle non sono utilizzate da friendica e saranno eliminate quando eseguirai \"dbstructure drop -e\":"; $a->strings["There are no tables on MyISAM or InnoDB with the Antelope file format."] = "Non ci sono tabelle su MyISAM o InnoDB con il formato file Antelope"; $a->strings["\nError %d occurred during database update:\n%s\n"] = "\nErrore %d durante l'aggiornamento del database:\n%s\n"; $a->strings["Errors encountered performing database changes: "] = "Errori riscontrati eseguendo le modifiche al database:"; @@ -1264,6 +1272,7 @@ $a->strings["Local contacts"] = "Contatti locali"; $a->strings["Interactors"] = "Interlocutori"; $a->strings["Database (legacy)"] = "Database (legacy)"; $a->strings["Site"] = "Sito"; +$a->strings["General Information"] = "Informazioni Generali"; $a->strings["Republish users to directory"] = "Ripubblica gli utenti sulla directory"; $a->strings["Registration"] = "Registrazione"; $a->strings["File upload"] = "Caricamento file"; @@ -1425,12 +1434,8 @@ $a->strings["Disabled"] = "Disabilitato"; $a->strings["Enabled"] = "Abilitato"; $a->strings["Maximum number of parallel workers"] = "Massimo numero di lavori in parallelo"; $a->strings["On shared hosters set this to %d. On larger systems, values of %d are great. Default value is %d."] = "Con hosting condiviso, imposta a %d. Su sistemi più grandi, vanno bene valori come %d. Il valore di default è %d."; -$a->strings["Don't use \"proc_open\" with the worker"] = "Non usare \"proc_open\" con il worker"; -$a->strings["Enable this if your system doesn't allow the use of \"proc_open\". This can happen on shared hosters. If this is enabled you should increase the frequency of worker calls in your crontab."] = "Abilita questo se il tuo sistema non consente l'utilizzo di \"proc_open\". Questo può succedere su hosting condiviso. Se questo è attivato dovresti aumentare la frequenza dell'esecuzione dei worker nel tuo crontab."; $a->strings["Enable fastlane"] = "Abilita fastlane"; $a->strings["When enabed, the fastlane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."] = "Quando abilitato, il meccanismo di fastlane avvia processi aggiuntivi se processi con priorità più alta sono bloccati da processi con priorità più bassa."; -$a->strings["Enable frontend worker"] = "Abilita worker da frontend"; -$a->strings["When enabled the Worker process is triggered when backend access is performed (e.g. messages being delivered). On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server."] = "Quando abilitato il processo del Worker scatta quando avviene l'accesso al backend (es. messaggi che vengono spediti). Su piccole istanze potresti voler chiamare %s/worker ogni tot minuti attraverso una pianificazione cron esterna. Dovresti abilitare quest'opzione solo se non puoi utilizzare cron/operazioni pianificate sul tuo server."; $a->strings["Use relay servers"] = "Usa server di inoltro"; $a->strings["Enables the receiving of public posts from relay servers. They will be included in the search, subscribed tags and on the global community page."] = "Abilita la ricezione dei messaggi pubblici dai server relay. Saranno inclusi nelle ricerche, nelle etichette alle quali si è abbonati e nella pagina comunità globale."; $a->strings["\"Social Relay\" server"] = "Server \"Social Relay\""; @@ -1549,6 +1554,8 @@ $a->strings["Request date"] = "Data richiesta"; $a->strings["No registrations."] = "Nessuna registrazione."; $a->strings["Note from the user"] = "Nota dall'utente"; $a->strings["Deny"] = "Nega"; +$a->strings["API endpoint \"%s\" is not implemented"] = "L'endpoint API \"%s\" non è implementato"; +$a->strings["The API endpoint is currently not implemented but might be in the future."] = "L'endpoint API attualmente non è implementato ma potrebbe esserlo in futuro."; $a->strings["Contact not found"] = "Contatto non trovato"; $a->strings["Profile not found"] = "Profilo non trovato"; $a->strings["No installed applications."] = "Nessuna applicazione installata."; @@ -1665,6 +1672,7 @@ $a->strings["Fetch information and keywords"] = "Recupera informazioni e parole $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["Native reshare"] = "Ricondivisione nativa"; $a->strings["Contact Information / Notes"] = "Informazioni / Note sul contatto"; $a->strings["Contact Settings"] = "Impostazioni Contatto"; $a->strings["Contact"] = "Contatto"; @@ -1752,6 +1760,7 @@ $a->strings["Source activity"] = "Sorgente attività"; $a->strings["Source input"] = "Sorgente"; $a->strings["BBCode::toPlaintext"] = "BBCode::toPlaintext"; $a->strings["BBCode::convert (raw HTML)"] = "BBCode::convert (raw HTML)"; +$a->strings["BBCode::convert (hex)"] = "BBCode::convert (hex)"; $a->strings["BBCode::convert"] = "BBCode::convert"; $a->strings["BBCode::convert => HTML::toBBCode"] = "BBCode::convert => HTML::toBBCode"; $a->strings["BBCode::toMarkdown"] = "BBCode::toMarkdown"; @@ -1771,6 +1780,9 @@ $a->strings["Markdown::convert"] = "Markdown::convert"; $a->strings["Markdown::toBBCode"] = "Markdown::toBBCode"; $a->strings["Raw HTML input"] = "Sorgente HTML grezzo"; $a->strings["HTML Input"] = "Sorgente HTML"; +$a->strings["HTML Purified (raw)"] = "HTML Purificato (raw)"; +$a->strings["HTML Purified (hex)"] = "HTML Purificato (hex)"; +$a->strings["HTML Purified"] = "HTML Purificato"; $a->strings["HTML::toBBCode"] = "HTML::toBBCode"; $a->strings["HTML::toBBCode => BBCode::convert"] = "HTML::toBBCode => BBCode::convert"; $a->strings["HTML::toBBCode => BBCode::convert (raw HTML)"] = "HTML::toBBCode => BBCode::convert (raw HTML)"; @@ -1798,6 +1810,7 @@ $a->strings["Converted localtime: %s"] = "Ora locale convertita: %s"; $a->strings["Please select your timezone:"] = "Selezionare il tuo fuso orario:"; $a->strings["Only logged in users are permitted to perform a probing."] = "Solo agli utenti loggati è permesso effettuare un probe."; $a->strings["Lookup address"] = "Indirizzo di consultazione"; +$a->strings["Switch between your accounts"] = "Passa da un account all'altro"; $a->strings["Manage your accounts"] = "Gestisci i tuoi account"; $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:"; @@ -1849,6 +1862,9 @@ $a->strings["No profile"] = "Nessun profilo"; $a->strings["Method Not Allowed."] = "Metodo Non Consentito."; $a->strings["Friendica Communications Server - Setup"] = "Friendica Comunicazione Server - Installazione"; $a->strings["System check"] = "Controllo sistema"; +$a->strings["Requirement not satisfied"] = "Requisiti non soddisfatti"; +$a->strings["Optional requirement not satisfied"] = "Requisiti opzionali non soddisfatti"; +$a->strings["OK"] = "OK"; $a->strings["Check again"] = "Controlla ancora"; $a->strings["Base settings"] = "Impostazioni base"; $a->strings["Host name"] = "Nome host"; @@ -1917,7 +1933,7 @@ $a->strings["Suggested by:"] = "Suggerito da:"; $a->strings["Claims to be known to you: "] = "Dice di conoscerti: "; $a->strings["Shall your connection be bidirectional or not?"] = "La connessione dovrà essere bidirezionale o no?"; $a->strings["Accepting %s as a friend allows %s to subscribe to your posts, and you will also receive updates from them in your news feed."] = "Accettando %s come amico permette a %s di seguire i tuoi messaggi, e a te di riceverne gli aggiornamenti."; -$a->strings["Accepting %s as a subscriber allows them to subscribe to your posts, but you will not receive updates from them in your news feed."] = "Accentrando %s come abbonato gli permette di abbonarsi ai tuoi messaggi, ma tu non riceverai aggiornamenti da lui."; +$a->strings["Accepting %s as a subscriber allows them to subscribe to your posts, but you will not receive updates from them in your news feed."] = "Accettando %s come abbonato gli permetti di abbonarsi ai tuoi messaggi, ma tu non riceverai aggiornamenti da lui."; $a->strings["Friend"] = "Amico"; $a->strings["Subscriber"] = "Abbonato"; $a->strings["No introductions."] = "Nessuna presentazione."; @@ -2175,6 +2191,8 @@ $a->strings["The request was valid, but the server is refusing action. The user $a->strings["The requested resource could not be found but may be available in the future."] = "La risorsa richiesta non può' essere trovata ma potrebbe essere disponibile in futuro."; $a->strings["An unexpected condition was encountered and no more specific message is suitable."] = "Una condizione inattesa è stata riscontrata e nessun messaggio specifico è disponibile."; $a->strings["The server is currently unavailable (because it is overloaded or down for maintenance). Please try again later."] = "Il server è momentaneamente non disponibile (perchè è sovraccarico o in manutenzione). Per favore, riprova più tardi. "; +$a->strings["Stack trace:"] = "Traccia dello stack:"; +$a->strings["Exception thrown in %s:%d"] = "Eccezione lanciata in %s:%d"; $a->strings["At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication."] = "Al momento della registrazione, e per fornire le comunicazioni tra l'account dell'utente e i suoi contatti, l'utente deve fornire un nome da visualizzare (pseudonimo), un nome utente (soprannome) e un indirizzo email funzionante. I nomi saranno accessibili sulla pagina profilo dell'account da parte di qualsiasi visitatore, anche quando altri dettagli del profilo non sono mostrati. L'indirizzo email sarà usato solo per inviare notifiche riguardo l'interazione coi contatti, ma non sarà mostrato. L'inserimento dell'account nella rubrica degli utenti del nodo o nella rubrica globale è opzionale, può essere impostato nelle impostazioni dell'utente, e non è necessario ai fini delle comunicazioni."; $a->strings["This data is required for communication and is passed on to the nodes of the communication partners and is stored there. Users can enter additional private data that may be transmitted to the communication partners accounts."] = "Queste informazioni sono richiesta per la comunicazione e sono inviate ai nodi che partecipano alla comunicazione dove sono salvati. Gli utenti possono inserire aggiuntive informazioni private che potrebbero essere trasmesse agli account che partecipano alla comunicazione."; $a->strings["At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent. Deletion of the data will also be requested from the nodes of the communication partners."] = "In qualsiasi momento un utente autenticato può esportare i dati del suo account dalle impostazioni dell'account. Se l'utente vuole cancellare il suo account lo può fare da %1\$s/removeme. L'eliminazione dell'account sarà permanente. L'eliminazione dei dati sarà altresì richiesta ai nodi che partecipano alle comunicazioni."; @@ -2237,9 +2255,12 @@ $a->strings["starred"] = "preferito"; $a->strings["add tag"] = "aggiungi tag"; $a->strings["like"] = "mi piace"; $a->strings["dislike"] = "non mi piace"; -$a->strings["Quote and share this"] = "Cita e condividi questo"; +$a->strings["Quote share this"] = "Condividi citando questo"; $a->strings["Quote Share"] = "Cita e Condividi"; -$a->strings["Share this"] = "Condividi questo"; +$a->strings["Reshare this"] = "Ricondividi questo"; +$a->strings["Reshare"] = "Ricondividi"; +$a->strings["Cancel your Reshare"] = "Annulla la tua Ricondivisione"; +$a->strings["Unshare"] = "Non ricondividere più"; $a->strings["%s (Received %s)"] = "%s (Ricevuto %s)"; $a->strings["Comment this item on your system"] = "Commenta questo oggetto sul tuo sistema"; $a->strings["remote comment"] = "commento remoto"; @@ -2291,3 +2312,48 @@ $a->strings["Login failed."] = "Accesso fallito."; $a->strings["Login failed. Please check your credentials."] = "Accesso non riuscito. Per favore controlla le tue credenziali."; $a->strings["Welcome %s"] = "Benvenuto %s"; $a->strings["Please upload a profile photo."] = "Carica una foto per il profilo."; +$a->strings["Friendica Notification"] = "Notifica Friendica"; +$a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, %2\$s Amministratore"; +$a->strings["%s Administrator"] = "%s Amministratore"; +$a->strings["thanks"] = "grazie"; +$a->strings["YYYY-MM-DD or MM-DD"] = "AAAA-MM-GG o MM-GG"; +$a->strings["never"] = "mai"; +$a->strings["less than a second ago"] = "meno di un secondo fa"; +$a->strings["year"] = "anno"; +$a->strings["years"] = "anni"; +$a->strings["months"] = "mesi"; +$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["in %1\$d %2\$s"] = "in %1\$d %2\$s"; +$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s fa"; +$a->strings["(no subject)"] = "(nessun oggetto)"; +$a->strings["default"] = "predefinito"; +$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"] = "Varianti"; +$a->strings["Light (Accented)"] = "Chiaro (Con accenti)"; +$a->strings["Dark (Accented)"] = "Scuro (Con accenti)"; +$a->strings["Black (Accented)"] = "Nero (Con accenti)"; +$a->strings["Note"] = "Note"; +$a->strings["Check image permissions if all users are allowed to see the image"] = "Controlla i permessi dell'immagine che tutti gli utenti possano vederla"; +$a->strings["Custom"] = "Personalizzato"; +$a->strings["Legacy"] = "Precedente"; +$a->strings["Accented"] = "Con accenti"; +$a->strings["Select color scheme"] = "Seleziona lo schema colori"; +$a->strings["Select scheme accent"] = "Seleziona accento schema"; +$a->strings["Blue"] = "Blu"; +$a->strings["Red"] = "Rosso"; +$a->strings["Purple"] = "Viola"; +$a->strings["Green"] = "Verde"; +$a->strings["Pink"] = "Rosa"; +$a->strings["Copy or paste schemestring"] = "Copia o incolla stringa di schema"; diff --git a/view/templates/wall_thread.tpl b/view/templates/wall_thread.tpl index 7dcdb15a5d..0d2561869f 100644 --- a/view/templates/wall_thread.tpl +++ b/view/templates/wall_thread.tpl @@ -105,7 +105,7 @@ {{/if}} {{if $item.star}} - + {{/if}} {{if $item.tagger}} diff --git a/view/theme/frio/templates/search_item.tpl b/view/theme/frio/templates/search_item.tpl index 6e76f23d6a..2791a670b3 100644 --- a/view/theme/frio/templates/search_item.tpl +++ b/view/theme/frio/templates/search_item.tpl @@ -174,7 +174,7 @@ {{* Put additional actions in a dropdown menu *}} - {{if $item.edpost || $item.tagger || $item.filer || $item.pin || $item.star || $item.subthread || $item.ignore || $item.drop.dropping}} + {{if $item.edpost || $item.tagger || $item.filer || $item.pin || $item.star || $item.follow_thread || $item.ignore || $item.drop.dropping}} @@ -206,14 +206,14 @@ {{if $item.star}}
  • -  {{$item.star.do}} -  {{$item.star.undo}} +  {{$item.star.do}} +  {{$item.star.undo}}
  • {{/if}} - {{if $item.subthread}} + {{if $item.follow_thread}}
  • -  {{$item.subthread.title}} +  {{$item.follow_thread.title}}
  • {{/if}} @@ -223,7 +223,7 @@ {{/if}} - {{if ($item.edpost || $item.tagger || $item.filer || $item.pin || $item.star || $item.subthread) && ($item.ignore || $item.drop.dropping)}} + {{if ($item.edpost || $item.tagger || $item.filer || $item.pin || $item.star || $item.follow_thread) && ($item.ignore || $item.drop.dropping)}} {{/if}} diff --git a/view/theme/frio/templates/wall_thread.tpl b/view/theme/frio/templates/wall_thread.tpl index f632b0bba1..52a0e7c486 100644 --- a/view/theme/frio/templates/wall_thread.tpl +++ b/view/theme/frio/templates/wall_thread.tpl @@ -326,7 +326,7 @@ as the value of $top_child_total (this is done at the end of this file) {{/if}} {{* Put additional actions in a dropdown menu *}} - {{if $item.edpost || $item.tagger || $item.filer || $item.pin || $item.star || $item.subthread || $item.ignore || $item.drop.dropping}} + {{if $item.edpost || $item.tagger || $item.filer || $item.pin || $item.star || $item.follow_thread || $item.ignore || $item.drop.dropping}} @@ -358,14 +358,14 @@ as the value of $top_child_total (this is done at the end of this file) {{if $item.star}}
  • -  {{$item.star.do}} -  {{$item.star.undo}} +  {{$item.star.do}} +  {{$item.star.undo}}
  • {{/if}} - {{if $item.subthread}} + {{if $item.follow_thread}}
  • -  {{$item.subthread.title}} +  {{$item.follow_thread.title}}
  • {{/if}} @@ -375,7 +375,7 @@ as the value of $top_child_total (this is done at the end of this file) {{/if}} - {{if ($item.edpost || $item.tagger || $item.filer || $item.pin || $item.star || $item.subthread) && ($item.ignore || $item.drop.dropping)}} + {{if ($item.edpost || $item.tagger || $item.filer || $item.pin || $item.star || $item.follow_thread) && ($item.ignore || $item.drop.dropping)}} {{/if}} @@ -492,7 +492,7 @@ as the value of $top_child_total (this is done at the end of this file) {{/if}} - {{if $item.edpost || $item.tagger || $item.filer || $item.pin || $item.star || $item.subthread || $item.ignore || $item.drop.dropping}} + {{if $item.edpost || $item.tagger || $item.filer || $item.pin || $item.star || $item.follow_thread || $item.ignore || $item.drop.dropping}}