From 5e3b8b34327aea58dd473e6b268746690d6583db Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sat, 6 Sep 2014 12:38:06 +0200 Subject: [PATCH 001/165] Creating a shadow entry for every public post and show it on the community page. --- include/threads.php | 105 ++++++++++++++++++++++++++++++++++++++++---- mod/community.php | 22 +++++++++- 2 files changed, 117 insertions(+), 10 deletions(-) diff --git a/include/threads.php b/include/threads.php index 6b1c4342f..2645098f5 100644 --- a/include/threads.php +++ b/include/threads.php @@ -13,9 +13,47 @@ function add_thread($itemid) { .implode("`, `", array_keys($item)) ."`) VALUES ('" .implode("', '", array_values($item)) - ."')" ); + ."')"); logger("add_thread: Add thread for item ".$itemid." - ".print_r($result, true), LOGGER_DEBUG); + + // Adding a shadow item entry + if (($itemid == 0) OR ($item['uid'] == 0)) + return; + + // Check, if hide-friends is activated - then don't do a shadow entry + $r = q("SELECT `hide-friends` FROM `profile` WHERE `is-default` AND `uid` = %d AND NOT `hide-friends`", + $item['uid']); + if (!count($r)) + return; + + // Only add a shadow, if the profile isn't hidden + $r = q("SELECT `uid` FROM `user` where `uid` = %d AND NOT `hidewall`", $item['uid']); + if (!count($r)) + return; + + $item = q("SELECT * FROM `item` WHERE `id` = %d", + intval($itemid)); + + if (count($item) AND ($item[0]["visible"] == 1) AND ($item[0]["deleted"] == 0) AND + (($item[0]["id"] == $item[0]["parent"]) OR ($item[0]["parent"] == 0)) AND + ($item[0]["moderated"] == 0) AND ($item[0]["allow_cid"] == '') AND ($item[0]["allow_gid"] == '') AND + ($item[0]["deny_cid"] == '') AND ($item[0]["deny_gid"] == '') AND ($item[0]["private"] == 0)) { + + $r = q("SELECT `id` FROM `item` WHERE `uri` = '%s' AND `uid` = 0 LIMIT 1", + dbesc($item['uri'])); + + if (!$r) { + // Preparing public shadow (removing user specific data) + require_once("include/items.php"); + unset($item[0]['id']); + $item[0]['uid'] = 0; + $item[0]['contact-id'] = 0; + + $public_shadow = item_store($item[0],false); + logger("add_thread: Stored public shadow for post ".$itemid." under id ".$public_shadow, LOGGER_DEBUG); + } + } } function update_thread_uri($itemuri, $uid) { @@ -27,7 +65,7 @@ function update_thread_uri($itemuri, $uid) { } function update_thread($itemid, $setmention = false) { - $items = q("SELECT `uid`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, `moderated`, `visible`, `spam`, `starred`, `bookmark`, `contact-id`, + $items = q("SELECT `uid`, `uri`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, `moderated`, `visible`, `spam`, `starred`, `bookmark`, `contact-id`, `deleted`, `origin`, `forum_mode`, `network` FROM `item` WHERE `id` = %d AND (`parent` = %d OR `parent` = 0) LIMIT 1", intval($itemid), intval($itemid)); if (!$items) @@ -40,16 +78,50 @@ function update_thread($itemid, $setmention = false) { $sql = ""; - foreach ($item AS $field => $data) { - if ($sql != "") - $sql .= ", "; + foreach ($item AS $field => $data) + if ($field != "uri") { + if ($sql != "") + $sql .= ", "; - $sql .= "`".$field."` = '".$data."'"; - } + $sql .= "`".$field."` = '".dbesc($data)."'"; + } - $result = q("UPDATE `thread` SET ".$sql." WHERE `iid` = %d", $itemid); + $result = q("UPDATE `thread` SET ".$sql." WHERE `iid` = %d", intval($itemid)); logger("update_thread: Update thread for item ".$itemid." - ".print_r($result, true)." ".print_r($item, true), LOGGER_DEBUG); + + // Updating a shadow item entry + $items = q("SELECT `id`, `title`, `body`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, + `moderated`, `visible`, `spam`, `starred`, `bookmark`, `deleted`, `origin`, `forum_mode`, `network` + FROM `item` WHERE `uri` = '%s' AND `uid` = 0 LIMIT 1", dbesc($item["uri"])); + + if (!$items) + return; + + $item = $items[0]; + + $result = q("UPDATE `item` SET `title` = '%s', `body` = '%s', `network` = '%s' WHERE `id` = %d", + dbesc($item["title"]), + dbesc($item["body"]), + dbesc($item["network"]), + intval($item["id"]) + ); + logger("update_thread: Updating public shadow for post ".$item["id"]." Result: ".print_r($result, true), LOGGER_DEBUG); + + /* + $sql = ""; + + foreach ($item AS $field => $data) + if ($field != "id") { + if ($sql != "") + $sql .= ", "; + + $sql .= "`".$field."` = '".dbesc($data)."'"; + } + //logger("update_thread: Updating public shadow for post ".$item["id"]." SQL: ".$sql, LOGGER_DEBUG); + $result = q("UPDATE `item` SET ".$sql." WHERE `id` = %d", intval($item["id"])); + logger("update_thread: Updating public shadow for post ".$item["id"]." Result: ".print_r($result, true), LOGGER_DEBUG); + */ } function delete_thread_uri($itemuri, $uid) { @@ -61,13 +133,28 @@ function delete_thread_uri($itemuri, $uid) { } function delete_thread($itemid) { + $item = q("SELECT `uri`, `uid` FROM `thread` WHERE `iid` = %d", intval($itemid)); + $result = q("DELETE FROM `thread` WHERE `iid` = %d", intval($itemid)); logger("delete_thread: Deleted thread for item ".$itemid." - ".print_r($result, true), LOGGER_DEBUG); + + if ($count($item)) { + $r = q("SELECT `id` FROM `item` WHERE `uri` = '%s' AND NOT (`uid` IN (%d, 0))", + dbesc($item["uri"]), + intval($item["uid"]) + ); + if (!count($r)) { + $r = q("DELETE FROM `item` WHERE `uri` = '%s' AND `uid` = 0)", + dbesc($item["uri"]) + ); + logger("delete_thread: Deleted shadow for item ".$item["uri"]." - ".print_r($result, true), LOGGER_DEBUG); + } + } } function update_threads() { - global $db; + global $db; logger("update_threads: start"); diff --git a/mod/community.php b/mod/community.php index 8d23c4af2..5b3f40a79 100644 --- a/mod/community.php +++ b/mod/community.php @@ -114,6 +114,8 @@ function community_content(&$a, $update = 0) { } function community_getitems($start, $itemspage) { +// Work in progress return(community_getpublicitems($start, $itemspage)); + $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`alias`, `contact`.`rel`, `contact`.`network`, `contact`.`thumb`, `contact`.`self`, `contact`.`writable`, @@ -125,7 +127,7 @@ function community_getitems($start, $itemspage) { AND `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' INNER JOIN `contact` ON `contact`.`id` = `thread`.`contact-id` - AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 AND `contact`.`self` + AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 AND (`contact`.`self` OR `contact`.`remote_self`) WHERE `thread`.`visible` = 1 AND `thread`.`deleted` = 0 and `thread`.`moderated` = 0 AND `thread`.`private` = 0 AND `thread`.`wall` = 1 ORDER BY `thread`.`received` DESC LIMIT %d, %d ", @@ -136,3 +138,21 @@ function community_getitems($start, $itemspage) { return($r); } + +function community_getpublicitems($start, $itemspage) { + $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, + `author-name` AS `name`, `owner-avatar` AS `photo`, + `owner-link` AS `url`, `owner-avatar` AS `thumb` + FROM `item` WHERE `item`.`uid` = 0 AND `network` IN ('%s', '%s') + AND `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' + AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' + ORDER BY `item`.`received` DESC LIMIT %d, %d", + dbesc(NETWORK_DFRN), + dbesc(NETWORK_DIASPORA), + intval($start), + intval($itemspage) + ); + + return($r); + +} From 16a07e6d83dc4eff600bf1c12c0d638977ab44d6 Mon Sep 17 00:00:00 2001 From: fabrixxm Date: Sat, 6 Sep 2014 15:52:53 +0200 Subject: [PATCH 002/165] cleanup multipart email sending code remove 'EmailNotification' class and rename 'enotify' class as 'Emailer' --- .../{EmailNotification.php => Emailer.php} | 28 ++-- include/email.php | 6 + include/enotify.php | 138 ++++++------------ 3 files changed, 62 insertions(+), 110 deletions(-) rename include/{EmailNotification.php => Emailer.php} (65%) diff --git a/include/EmailNotification.php b/include/Emailer.php similarity index 65% rename from include/EmailNotification.php rename to include/Emailer.php index 8861e8f5d..a5b600e36 100644 --- a/include/EmailNotification.php +++ b/include/Emailer.php @@ -2,7 +2,7 @@ require_once('include/email.php'); -class EmailNotification { +class Emailer { /** * Send a multipart/alternative message with Text and HTML versions * @@ -13,13 +13,13 @@ class EmailNotification { * @param messageSubject subject of the message * @param htmlVersion html version of the message * @param textVersion text only version of the message + * @param additionalMailHeader additions to the smtp mail header */ - static public function sendTextHtmlEmail($fromName,$fromEmail,$replyTo,$toEmail,$messageSubject,$htmlVersion,$textVersion) { + static public function send($params) { + + $fromName = email_header_encode(html_entity_decode($params['fromName'],ENT_QUOTES,'UTF-8'),'UTF-8'); + $messageSubject = email_header_encode(html_entity_decode($params['messageSubject'],ENT_QUOTES,'UTF-8'),'UTF-8'); - $fromName = email_header_encode($fromName,'UTF-8'); - $messageSubject = email_header_encode($messageSubject,'UTF-8'); - - // generate a mime boundary $mimeBoundary =rand(0,9)."-" .rand(10000000000,9999999999)."-" @@ -28,14 +28,15 @@ class EmailNotification { // generate a multipart/alternative message header $messageHeader = - "From: {$fromName} <{$fromEmail}>\n" . - "Reply-To: {$replyTo}\n" . + $params['additionalMailHeader'] . + "From: $fromName <{$params['fromEmail']}>\n" . + "Reply-To: $fromName <{$params['replyTo']}>\n" . "MIME-Version: 1.0\n" . "Content-Type: multipart/alternative; boundary=\"{$mimeBoundary}\""; // assemble the final multipart message body with the text and html types included - $textBody = chunk_split(base64_encode($textVersion)); - $htmlBody = chunk_split(base64_encode($htmlVersion)); + $textBody = chunk_split(base64_encode($params['textVersion'])); + $htmlBody = chunk_split(base64_encode($params['htmlVersion'])); $multipartMessageBody = "--" . $mimeBoundary . "\n" . // plain text section "Content-Type: text/plain; charset=UTF-8\n" . @@ -49,12 +50,13 @@ class EmailNotification { // send the message $res = mail( - $toEmail, // send to address + $params['toEmail'], // send to address $messageSubject, // subject $multipartMessageBody, // message body $messageHeader // message headers ); - logger("sendTextHtmlEmail: END"); + logger("header " . 'To: ' . $params['toEmail'] . "\n" . $messageHeader, LOGGER_DEBUG); + logger("return value " . $res, LOGGER_DEBUG); } } -?> \ No newline at end of file +?> diff --git a/include/email.php b/include/email.php index dec8c93db..0f24a4249 100644 --- a/include/email.php +++ b/include/email.php @@ -249,6 +249,12 @@ function email_header_encode($in_str, $charset) { return $out_str; } +/** + * email_send is used by NETWORK_EMAIL and NETWORK_EMAIL2 code + * (not to notify the user, but to send items to email contacts + * + * TODO: this could be changed to use the Emailer class + */ function email_send($addr, $subject, $headers, $item) { //$headers .= 'MIME-Version: 1.0' . "\n"; //$headers .= 'Content-Type: text/html; charset=UTF-8' . "\n"; diff --git a/include/enotify.php b/include/enotify.php index 970ece82e..2dca5a609 100644 --- a/include/enotify.php +++ b/include/enotify.php @@ -1,10 +1,12 @@ get_baseurl(true); - $thanks = t('Thank You,'); - $sitename = $a->config['sitename']; - $site_admin = sprintf( t('%s Administrator'), $sitename); - - $sender_name = $product; - $hostname = $a->get_hostname(); - if(strpos($hostname,':')) - $hostname = substr($hostname,0,strpos($hostname,':')); - - $sender_email = t('noreply') . '@' . $hostname; - $additional_mail_header = ""; - - $additional_mail_header .= "Precedence: list\n"; - $additional_mail_header .= "X-Friendica-Host: ".$hostname."\n"; - $additional_mail_header .= "X-Friendica-Platform: ".FRIENDICA_PLATFORM."\n"; - $additional_mail_header .= "X-Friendica-Version: ".FRIENDICA_VERSION."\n"; - $additional_mail_header .= "List-ID: \n"; - $additional_mail_header .= "List-Archive: <".$a->get_baseurl()."/notifications/system>\n"; if(array_key_exists('item',$params)) { $title = $params['item']['title']; @@ -250,6 +231,35 @@ function notification($params) { } + + /*$email = prepare_notificaion_mail($params, $subject, $preamble, $body, $sitelink, $tsitelink, $hsitelink, $itemlink); + if ($email) Emailer::send($email); + pop_lang();*/ + + + $banner = t('Friendica Notification'); + $product = FRIENDICA_PLATFORM; + $siteurl = $a->get_baseurl(true); + $thanks = t('Thank You,'); + $sitename = $a->config['sitename']; + $site_admin = sprintf( t('%s Administrator'), $sitename); + + $sender_name = $product; + $hostname = $a->get_hostname(); + if(strpos($hostname,':')) + $hostname = substr($hostname,0,strpos($hostname,':')); + + $sender_email = t('noreply') . '@' . $hostname; + + + $additional_mail_header = ""; + $additional_mail_header .= "Precedence: list\n"; + $additional_mail_header .= "X-Friendica-Host: ".$hostname."\n"; + $additional_mail_header .= "X-Friendica-Platform: ".FRIENDICA_PLATFORM."\n"; + $additional_mail_header .= "X-Friendica-Version: ".FRIENDICA_VERSION."\n"; + $additional_mail_header .= "List-ID: \n"; + $additional_mail_header .= "List-Archive: <".$a->get_baseurl()."/notifications/system>\n"; + $h = array( 'params' => $params, 'subject' => $subject, @@ -274,7 +284,6 @@ function notification($params) { $itemlink = $h['itemlink']; - require_once('include/html2bbcode.php'); do { $dups = false; @@ -304,7 +313,7 @@ function notification($params) { if($datarray['abort']) { pop_lang(); - return; + return False; } // create notification entry in DB @@ -332,7 +341,7 @@ function notification($params) { $notify_id = $r[0]['id']; else { pop_lang(); - return; + return False; } // we seem to have a lot of duplicate comment notifications due to race conditions, mostly from forums @@ -356,17 +365,11 @@ function notification($params) { if($notify_id != $p[0]['id']) { pop_lang(); - return; + return False; } } - - - - - - $itemlink = $a->get_baseurl() . '/notify/view/' . $notify_id; $msg = replace_macros($epreamble,array('$itemlink' => $itemlink)); $r = q("update notify set msg = '%s' where id = %d and uid = %d", @@ -378,7 +381,6 @@ function notification($params) { // send email notification if notification preferences permit - require_once('include/bbcode.php'); if((intval($params['notify_flags']) & intval($params['type'])) || $params['type'] == NOTIFY_SYSTEM) { logger('notification: sending notification email'); @@ -410,7 +412,7 @@ function notification($params) { } else { // If not, just "follow" the thread. $additional_mail_header .= "References: <${id_for_parent}>\nIn-Reply-To: <${id_for_parent}>\n"; - logger("include/enotify: There's already a notification for this parent:\n" . print_r($r, true), LOGGER_DEBUG); + logger("There's already a notification for this parent:\n" . print_r($r, true), LOGGER_DEBUG); } } @@ -494,9 +496,9 @@ function notification($params) { // logger('text: ' . $email_text_body); - // use the EmailNotification library to send the message + // use the Emailer class to send the message - enotify::send(array( + Emailer::send(array( 'fromName' => $sender_name, 'fromEmail' => $sender_email, 'replyTo' => $sender_email, @@ -506,69 +508,11 @@ function notification($params) { 'textVersion' => $email_text_body, 'additionalMailHeader' => $datarray['headers'], )); + return True; } - pop_lang(); + return False; } -require_once('include/email.php'); - -class enotify { - /** - * Send a multipart/alternative message with Text and HTML versions - * - * @param fromName name of the sender - * @param fromEmail email fo the sender - * @param replyTo replyTo address to direct responses - * @param toEmail destination email address - * @param messageSubject subject of the message - * @param htmlVersion html version of the message - * @param textVersion text only version of the message - * @param additionalMailHeader additions to the smtp mail header - */ - static public function send($params) { - - $fromName = email_header_encode(html_entity_decode($params['fromName'],ENT_QUOTES,'UTF-8'),'UTF-8'); - $messageSubject = email_header_encode(html_entity_decode($params['messageSubject'],ENT_QUOTES,'UTF-8'),'UTF-8'); - - // generate a mime boundary - $mimeBoundary =rand(0,9)."-" - .rand(10000000000,9999999999)."-" - .rand(10000000000,9999999999)."=:" - .rand(10000,99999); - - // generate a multipart/alternative message header - $messageHeader = - $params['additionalMailHeader'] . - "From: $fromName <{$params['fromEmail']}>\n" . - "Reply-To: $fromName <{$params['replyTo']}>\n" . - "MIME-Version: 1.0\n" . - "Content-Type: multipart/alternative; boundary=\"{$mimeBoundary}\""; - - // assemble the final multipart message body with the text and html types included - $textBody = chunk_split(base64_encode($params['textVersion'])); - $htmlBody = chunk_split(base64_encode($params['htmlVersion'])); - $multipartMessageBody = - "--" . $mimeBoundary . "\n" . // plain text section - "Content-Type: text/plain; charset=UTF-8\n" . - "Content-Transfer-Encoding: base64\n\n" . - $textBody . "\n" . - "--" . $mimeBoundary . "\n" . // text/html section - "Content-Type: text/html; charset=UTF-8\n" . - "Content-Transfer-Encoding: base64\n\n" . - $htmlBody . "\n" . - "--" . $mimeBoundary . "--\n"; // message ending - - // send the message - $res = mail( - $params['toEmail'], // send to address - $messageSubject, // subject - $multipartMessageBody, // message body - $messageHeader // message headers - ); - logger("notification: enotify::send header " . 'To: ' . $params['toEmail'] . "\n" . $messageHeader, LOGGER_DEBUG); - logger("notification: enotify::send returns " . $res, LOGGER_DEBUG); - } -} ?> From 83df1f45831e1ab85af2eebe6eaee699b953a9e0 Mon Sep 17 00:00:00 2001 From: fabrixxm Date: Sat, 6 Sep 2014 16:12:05 +0200 Subject: [PATCH 003/165] fix italian smarty3 email templates --- view/it/smarty3/follow_notify_eml.tpl | 10 +++--- view/it/smarty3/friend_complete_eml.tpl | 14 ++++----- view/it/smarty3/htconfig.tpl | 38 +++++++++++------------ view/it/smarty3/intro_complete_eml.tpl | 16 +++++----- view/it/smarty3/lostpass_eml.tpl | 12 +++---- view/it/smarty3/passchanged_eml.tpl | 10 +++--- view/it/smarty3/register_adminadd_eml.tpl | 14 ++++----- view/it/smarty3/register_open_eml.tpl | 14 ++++----- view/it/smarty3/register_verify_eml.tpl | 12 +++---- view/it/smarty3/request_notify_eml.tpl | 12 +++---- view/it/smarty3/update_fail_eml.tpl | 8 ++--- 11 files changed, 80 insertions(+), 80 deletions(-) diff --git a/view/it/smarty3/follow_notify_eml.tpl b/view/it/smarty3/follow_notify_eml.tpl index c85a0cdc9..0bfc37552 100644 --- a/view/it/smarty3/follow_notify_eml.tpl +++ b/view/it/smarty3/follow_notify_eml.tpl @@ -1,14 +1,14 @@ -Ciao $[myname], +Ciao {{$myname}}, -Un nuovo utente ha iniziato a seguirti su $[sitename] - '$[requestor]'. +Un nuovo utente ha iniziato a seguirti su {{$sitename}} - '{{$requestor}}'. -Puoi vedere il suo profilo su $[url]. +Puoi vedere il suo profilo su {{$url}}. Accedi sul tuo sito per approvare o ignorare la richiesta. -$[siteurl] +{{$siteurl}} Saluti, - L'amministratore di $[sitename] \ No newline at end of file + L'amministratore di {{$sitename}} \ No newline at end of file diff --git a/view/it/smarty3/friend_complete_eml.tpl b/view/it/smarty3/friend_complete_eml.tpl index 890b0148c..daeaae901 100644 --- a/view/it/smarty3/friend_complete_eml.tpl +++ b/view/it/smarty3/friend_complete_eml.tpl @@ -1,22 +1,22 @@ -Ciao $[username], +Ciao {{$username}}, - Ottime notizie... '$[fn]' di '$[dfrn_url]' ha accettato -la tua richiesta di connessione su '$[sitename]'. + Ottime notizie... '{{$fn}}' di '{{$dfrn_url}}' ha accettato +la tua richiesta di connessione su '{{$sitename}}'. Adesso siete amici reciproci e potete scambiarvi aggiornamenti di stato, foto ed email senza restrizioni. -Vai nella pagina 'Contatti' di $[sitename] se vuoi effettuare +Vai nella pagina 'Contatti' di {{$sitename}} se vuoi effettuare qualche modifica riguardo questa relazione -$[siteurl] +{{$siteurl}} [Ad esempio, potresti creare un profilo separato con le informazioni che non -sono disponibili pubblicamente - ed permettere di vederlo a '$[fn]']. +sono disponibili pubblicamente - ed permettere di vederlo a '{{$fn}}']. Saluti, - l'amministratore di $[sitename] + l'amministratore di {{$sitename}} \ No newline at end of file diff --git a/view/it/smarty3/htconfig.tpl b/view/it/smarty3/htconfig.tpl index 30998b86c..eb85de821 100644 --- a/view/it/smarty3/htconfig.tpl +++ b/view/it/smarty3/htconfig.tpl @@ -4,26 +4,26 @@ // Set the following for your MySQL installation // Copy or rename this file to .htconfig.php -$db_host = '{{$dbhost}}'; -$db_user = '{{$dbuser}}'; -$db_pass = '{{$dbpass}}'; -$db_data = '{{$dbdata}}'; +{{$db}}_host = '{{{{$dbhost}}}}'; +{{$db}}_user = '{{{{$dbuser}}}}'; +{{$db}}_pass = '{{{{$dbpass}}}}'; +{{$db}}_data = '{{{{$dbdata}}}}'; // If you are using a subdirectory of your domain you will need to put the // relative path (from the root of your domain) here. // For instance if your URL is 'http://example.com/directory/subdirectory', -// set $a->path to 'directory/subdirectory'. +// set {{$a}}->path to 'directory/subdirectory'. -$a->path = '{{$urlpath}}'; +{{$a}}->path = '{{{{$urlpath}}}}'; // Choose a legal default timezone. If you are unsure, use "America/Los_Angeles". // It can be changed later and only applies to timestamps for anonymous viewers. -$default_timezone = '{{$timezone}}'; +{{$default}}_timezone = '{{{{$timezone}}}}'; // What is your site name? -$a->config['sitename'] = "La Mia Rete di Amici"; +{{$a}}->config['sitename'] = "La Mia Rete di Amici"; // Your choices are REGISTER_OPEN, REGISTER_APPROVE, or REGISTER_CLOSED. // Be certain to create your own personal account before setting @@ -32,38 +32,38 @@ $a->config['sitename'] = "La Mia Rete di Amici"; // to the email address of an already registered person who can authorise // and/or approve/deny the request. -$a->config['register_policy'] = REGISTER_OPEN; -$a->config['register_text'] = ''; -$a->config['admin_email'] = '{{$adminmail}}'; +{{$a}}->config['register_policy'] = REGISTER_OPEN; +{{$a}}->config['register_text'] = ''; +{{$a}}->config['admin_email'] = '{{{{$adminmail}}}}'; // Maximum size of an imported message, 0 is unlimited -$a->config['max_import_size'] = 200000; +{{$a}}->config['max_import_size'] = 200000; // maximum size of uploaded photos -$a->config['system']['maximagesize'] = 800000; +{{$a}}->config['system']['maximagesize'] = 800000; // Location of PHP command line processor -$a->config['php_path'] = '{{$phpath}}'; +{{$a}}->config['php_path'] = '{{{{$phpath}}}}'; // Location of global directory submission page. -$a->config['system']['directory_submit_url'] = 'http://dir.friendica.com/submit'; -$a->config['system']['directory_search_url'] = 'http://dir.friendica.com/directory?search='; +{{$a}}->config['system']['directory_submit_url'] = 'http://dir.friendica.com/submit'; +{{$a}}->config['system']['directory_search_url'] = 'http://dir.friendica.com/directory?search='; // PuSH - aka pubsubhubbub URL. This makes delivery of public posts as fast as private posts -$a->config['system']['huburl'] = 'http://pubsubhubbub.appspot.com'; +{{$a}}->config['system']['huburl'] = 'http://pubsubhubbub.appspot.com'; // Server-to-server private message encryption (RINO) is allowed by default. // Encryption will only be provided if this setting is true and the // PHP mcrypt extension is installed on both systems -$a->config['system']['rino_encrypt'] = true; +{{$a}}->config['system']['rino_encrypt'] = true; // default system theme -$a->config['system']['theme'] = 'duepuntozero'; +{{$a}}->config['system']['theme'] = 'duepuntozero'; diff --git a/view/it/smarty3/intro_complete_eml.tpl b/view/it/smarty3/intro_complete_eml.tpl index 46fe7018b..69fce8141 100644 --- a/view/it/smarty3/intro_complete_eml.tpl +++ b/view/it/smarty3/intro_complete_eml.tpl @@ -1,22 +1,22 @@ -Ciao $[username], +Ciao {{$username}}, - '$[fn]' di '$[dfrn_url]' ha accettato -la tua richiesta di connessione a '$[sitename]'. + '{{$fn}}' di '{{$dfrn_url}}' ha accettato +la tua richiesta di connessione a '{{$sitename}}'. - '$[fn]' ha deciso di accettarti come "fan", il che restringe + '{{$fn}}' ha deciso di accettarti come "fan", il che restringe alcune forme di comunicazione - come i messaggi privati e alcune interazioni. Se è la pagina di una persona famosa o di una comunità, queste impostazioni saranno applicate automaticamente. - '$[fn]' potrebbe decidere di estendere questa relazione in una comunicazione bidirezionale o ancora più permissiva + '{{$fn}}' potrebbe decidere di estendere questa relazione in una comunicazione bidirezionale o ancora più permissiva . - Inizierai a ricevere gli aggiornamenti di stato pubblici da '$[fn]', + Inizierai a ricevere gli aggiornamenti di stato pubblici da '{{$fn}}', che apparirà nella tua pagina 'Rete' -$[siteurl] +{{$siteurl}} Saluti, - l'amministratore di $[sitename] \ No newline at end of file + l'amministratore di {{$sitename}} \ No newline at end of file diff --git a/view/it/smarty3/lostpass_eml.tpl b/view/it/smarty3/lostpass_eml.tpl index b1fe75f94..3601f18a7 100644 --- a/view/it/smarty3/lostpass_eml.tpl +++ b/view/it/smarty3/lostpass_eml.tpl @@ -1,6 +1,6 @@ -Ciao $[username], - Su $[sitename] è stata ricevuta una richiesta di azzeramento della password del tuo account. +Ciao {{$username}}, + Su {{$sitename}} è stata ricevuta una richiesta di azzeramento della password del tuo account. Per confermare la richiesta, clicca sul link di verifica qui in fondo oppure copialo nella barra degli indirizzi del tuo browser. @@ -12,7 +12,7 @@ hai fatto questa richiesta. Per verificare la tua identità clicca su: -$[reset_link] +{{$reset_link}} Dopo la verifica riceverai un messaggio di risposta con la nuova password. @@ -20,13 +20,13 @@ Potrai cambiare la password dalla pagina delle impostazioni dopo aver effettuato I dati di accesso sono i seguenti: -Sito:»$[siteurl] -Nome utente:»$[email] +Sito:»{{$siteurl}} +Nome utente:»{{$email}} Saluti, - l'amministratore di $[sitename] + l'amministratore di {{$sitename}} \ No newline at end of file diff --git a/view/it/smarty3/passchanged_eml.tpl b/view/it/smarty3/passchanged_eml.tpl index 15e05df1c..fccc0928f 100644 --- a/view/it/smarty3/passchanged_eml.tpl +++ b/view/it/smarty3/passchanged_eml.tpl @@ -1,5 +1,5 @@ -Ciao $[username], +Ciao {{$username}}, La tua password è stata cambiata, come hai richiesto. Conserva queste informazioni (oppure cambia immediatamente la password con qualcosa che ti è più facile ricordare). @@ -7,14 +7,14 @@ qualcosa che ti è più facile ricordare). I tuoi dati di accesso sono i seguenti: -Sito:»$[siteurl] -Soprannome:»$[email] -Password:»$[new_password] +Sito:»{{$siteurl}} +Soprannome:»{{$email}} +Password:»{{$new_password}} Puoi cambiare la tua password dalla pagina delle impostazioni dopo aver effettuato l'accesso. Saluti, - l'amministratore di $[sitename] + l'amministratore di {{$sitename}} \ No newline at end of file diff --git a/view/it/smarty3/register_adminadd_eml.tpl b/view/it/smarty3/register_adminadd_eml.tpl index 4cb17d294..20a9cb176 100644 --- a/view/it/smarty3/register_adminadd_eml.tpl +++ b/view/it/smarty3/register_adminadd_eml.tpl @@ -1,12 +1,12 @@ -Ciao $[username], - l'amministratore di {{$sitename}} ha creato un account per te. +Ciao {{$username}}, + l'amministratore di {{{{$sitename}}}} ha creato un account per te. I dettagli di accesso sono i seguenti -Sito:»$[siteurl] -Soprannome:»$[email] -Password:»$[password] +Sito:»{{$siteurl}} +Soprannome:»{{$email}} +Password:»{{$password}} Puoi cambiare la tua password dalla pagina "Impostazioni" del tuo profilo dopo aver effettuato l'accesso @@ -26,7 +26,7 @@ Se non ancora non conosci nessuno qui, posso essere d'aiuto per farti nuovi e interessanti amici. -Grazie. Siamo contenti di darti il benvenuto su $[sitename] +Grazie. Siamo contenti di darti il benvenuto su {{$sitename}} Saluti, - l'amministratore di $[sitename] \ No newline at end of file + l'amministratore di {{$sitename}} \ No newline at end of file diff --git a/view/it/smarty3/register_open_eml.tpl b/view/it/smarty3/register_open_eml.tpl index 11a7752bc..23dcaf2c8 100644 --- a/view/it/smarty3/register_open_eml.tpl +++ b/view/it/smarty3/register_open_eml.tpl @@ -1,12 +1,12 @@ -Ciao $[username], - Grazie per aver effettuato la registrazione a $[sitename]. Il tuo account è stato creato. +Ciao {{$username}}, + Grazie per aver effettuato la registrazione a {{$sitename}}. Il tuo account è stato creato. I dettagli di accesso sono i seguenti -Sito:»$[siteurl] -Nome utente:»$[email] -Password:»$[password] +Sito:»{{$siteurl}} +Nome utente:»{{$email}} +Password:»{{$password}} Puoi cambiare la tua password dalla pagina "Impostazioni" del tuo profilo dopo aver effettuato l'accesso . @@ -26,9 +26,9 @@ Se ancora non conosci nessuno qui, potrebbe esserti di aiuto per farti nuovi e interessanti amici. -Grazie. Siamo contenti di darti il benvenuto su $[sitename] +Grazie. Siamo contenti di darti il benvenuto su {{$sitename}} Saluti, - l'amministratore di $[sitename] + l'amministratore di {{$sitename}} \ No newline at end of file diff --git a/view/it/smarty3/register_verify_eml.tpl b/view/it/smarty3/register_verify_eml.tpl index fa039badd..931d9d4b0 100644 --- a/view/it/smarty3/register_verify_eml.tpl +++ b/view/it/smarty3/register_verify_eml.tpl @@ -1,25 +1,25 @@ -Su $[sitename] è stata ricevuta una nuova richiesta di registrazione da parte di un utente che richiede +Su {{$sitename}} è stata ricevuta una nuova richiesta di registrazione da parte di un utente che richiede la tua approvazione. I dati di accesso sono i seguenti: -Nome completo:»$[username] -Sito:»$[siteurl] -Nome utente:»$[email] +Nome completo:»{{$username}} +Sito:»{{$siteurl}} +Nome utente:»{{$email}} Per approvare questa richiesta clicca su: -$[siteurl]/regmod/allow/$[hash] +{{$siteurl}}/regmod/allow/{{$hash}} Per negare la richiesta e rimuovere il profilo, clicca su: -$[siteurl]/regmod/deny/$[hash] +{{$siteurl}}/regmod/deny/{{$hash}} Grazie. diff --git a/view/it/smarty3/request_notify_eml.tpl b/view/it/smarty3/request_notify_eml.tpl index 2700e49fd..b0efcb40b 100644 --- a/view/it/smarty3/request_notify_eml.tpl +++ b/view/it/smarty3/request_notify_eml.tpl @@ -1,17 +1,17 @@ -Ciao $[myname], +Ciao {{$myname}}, -Hai appena ricevuto una richiesta di connessione su $[sitename] +Hai appena ricevuto una richiesta di connessione su {{$sitename}} -da '$[requestor]'. +da '{{$requestor}}'. -Puoi visitare il suo profilo su $[url]. +Puoi visitare il suo profilo su {{$url}}. Accedi al tuo sito per vedere la richiesta completa e approva o ignora/annulla la richiesta. -$[siteurl] +{{$siteurl}} Saluti, - l'amministratore di $[sitename] \ No newline at end of file + l'amministratore di {{$sitename}} \ No newline at end of file diff --git a/view/it/smarty3/update_fail_eml.tpl b/view/it/smarty3/update_fail_eml.tpl index 96813a7bc..d647e26d8 100644 --- a/view/it/smarty3/update_fail_eml.tpl +++ b/view/it/smarty3/update_fail_eml.tpl @@ -1,11 +1,11 @@ Ehi, -Sono $sitename; -Gli sviluppatori di Friendica hanno appena rilasciato la nuova versione $update, +Sono {{$sitename}}; +Gli sviluppatori di Friendica hanno appena rilasciato la nuova versione {{$update}}, ma appena ho provato ad installarla qualcosa è andato tremendamente storto. Le cose vanno messe a posto al più presto e non riesco a farlo da solo. Contatta uno sviluppatore di friendica se non riesci ad aiutarmi da solo. Il mio database potrebbe non essere più a posto. -Il messaggio di errore è: '$error'. +Il messaggio di errore è: '{{$error}}'. Mi dispiace, -il tuo server friendica su $siteurl \ No newline at end of file +il tuo server friendica su {{$siteurl}} \ No newline at end of file From 3b6c6d0cd9cb31a35824edd0d0550fcffed38d6c Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sat, 6 Sep 2014 17:22:59 +0200 Subject: [PATCH 004/165] Issue 1094: "remote self" is not working on twitter contacts but can be activated. It is now disabled to enable it. --- mod/crepair.php | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/mod/crepair.php b/mod/crepair.php index 0706a102d..9828124ea 100644 --- a/mod/crepair.php +++ b/mod/crepair.php @@ -145,6 +145,14 @@ function crepair_content(&$a) { $o .= EOL . '' . t('Return to contact editor') . '' . EOL; + $allow_remote_self = get_config('system','allow_users_remote_self'); + + // Disable remote self for everything except feeds. + // There is an issue when you repeat an item from maybe twitter and you got comments from friendica and twitter + // Problem is, you couldn't reply to both networks. + if ($contact['network'] != NETWORK_FEED) + $allow_remote_self = false; + $tpl = get_markup_template('crepair.tpl'); $o .= replace_macros($tpl, array( '$label_name' => t('Name'), @@ -157,7 +165,7 @@ function crepair_content(&$a) { '$label_poll' => t('Poll/Feed URL'), '$label_photo' => t('New photo from this URL'), '$label_remote_self' => t('Remote Self'), - '$allow_remote_self' => get_config('system','allow_users_remote_self'), + '$allow_remote_self' => $allow_remote_self, '$remote_self' => array('remote_self', t('Mirror postings from this contact'), $contact['remote_self'], t('Mark this contact as remote_self, this will cause friendica to repost new entries from this contact.'), array('0'=>t('No mirroring'), '1'=>t('Mirror as forwarded posting'), '2'=>t('Mirror as my own posting'))), '$contact_name' => $contact['name'], '$contact_nick' => $contact['nick'], From 1bdddebd44d493f65ea2eba04af6ea0de19f48eb Mon Sep 17 00:00:00 2001 From: fabrixxm Date: Sat, 6 Sep 2014 17:28:46 +0200 Subject: [PATCH 005/165] connection confirm notification mail via notification() remove unused email templates add a check for unexpected reponse from server --- mod/dfrn_confirm.php | 119 ++++++++++----------- mod/dfrn_request.php | 74 ++++++------- view/ca/friend_complete_eml.tpl | 19 ---- view/ca/intro_complete_eml.tpl | 21 ---- view/ca/smarty3/friend_complete_eml.tpl | 20 ---- view/ca/smarty3/intro_complete_eml.tpl | 22 ---- view/cs/friend_complete_eml.tpl | 22 ---- view/cs/intro_complete_eml.tpl | 22 ---- view/cs/smarty3/friend_complete_eml.tpl | 18 ---- view/cs/smarty3/intro_complete_eml.tpl | 18 ---- view/de/friend_complete_eml.tpl | 22 ---- view/de/intro_complete_eml.tpl | 22 ---- view/de/smarty3/friend_complete_eml.tpl | 23 ---- view/de/smarty3/intro_complete_eml.tpl | 23 ---- view/en/friend_complete_eml.tpl | 22 ---- view/en/intro_complete_eml.tpl | 22 ---- view/en/smarty3/friend_complete_eml.tpl | 23 ---- view/en/smarty3/intro_complete_eml.tpl | 23 ---- view/eo/friend_complete_eml.tpl | 22 ---- view/eo/intro_complete_eml.tpl | 22 ---- view/eo/smarty3/friend_complete_eml.tpl | 23 ---- view/eo/smarty3/intro_complete_eml.tpl | 23 ---- view/es/friend_complete_eml.tpl | 19 ---- view/es/intro_complete_eml.tpl | 21 ---- view/es/smarty3/friend_complete_eml.tpl | 20 ---- view/es/smarty3/intro_complete_eml.tpl | 22 ---- view/fr/friend_complete_eml.tpl | 23 ---- view/fr/intro_complete_eml.tpl | 22 ---- view/fr/smarty3/friend_complete_eml.tpl | 24 ----- view/fr/smarty3/intro_complete_eml.tpl | 23 ---- view/is/friend_complete_eml.tpl | 22 ---- view/is/intro_complete_eml.tpl | 22 ---- view/is/smarty3/friend_complete_eml.tpl | 23 ---- view/is/smarty3/intro_complete_eml.tpl | 23 ---- view/it/smarty3/friend_complete_eml.tpl | 22 ---- view/it/smarty3/intro_complete_eml.tpl | 22 ---- view/nb-no/friend_complete_eml.tpl | 22 ---- view/nb-no/intro_complete_eml.tpl | 22 ---- view/nb-no/smarty3/friend_complete_eml.tpl | 23 ---- view/nb-no/smarty3/intro_complete_eml.tpl | 23 ---- view/nl/friend_complete_eml.tpl | 22 ---- view/nl/intro_complete_eml.tpl | 22 ---- view/pl/friend_complete_eml.tpl | 22 ---- view/pl/intro_complete_eml.tpl | 22 ---- view/pl/smarty3/friend_complete_eml.tpl | 23 ---- view/pl/smarty3/intro_complete_eml.tpl | 23 ---- view/pt-br/intro_complete_eml.tpl | 22 ---- view/pt-br/smarty3/intro_complete_eml.tpl | 23 ---- view/ro/smarty3/friend_complete_eml.tpl | 22 ---- view/ro/smarty3/intro_complete_eml.tpl | 22 ---- view/sv/friend_complete_eml.tpl | 17 --- view/sv/intro_complete_eml.tpl | 19 ---- view/sv/smarty3/friend_complete_eml.tpl | 18 ---- view/sv/smarty3/intro_complete_eml.tpl | 20 ---- view/zh-cn/friend_complete_eml.tpl | 22 ---- view/zh-cn/intro_complete_eml.tpl | 22 ---- view/zh-cn/smarty3/friend_complete_eml.tpl | 23 ---- view/zh-cn/smarty3/intro_complete_eml.tpl | 23 ---- 58 files changed, 96 insertions(+), 1314 deletions(-) delete mode 100644 view/ca/friend_complete_eml.tpl delete mode 100644 view/ca/intro_complete_eml.tpl delete mode 100644 view/ca/smarty3/friend_complete_eml.tpl delete mode 100644 view/ca/smarty3/intro_complete_eml.tpl delete mode 100644 view/cs/friend_complete_eml.tpl delete mode 100644 view/cs/intro_complete_eml.tpl delete mode 100644 view/cs/smarty3/friend_complete_eml.tpl delete mode 100644 view/cs/smarty3/intro_complete_eml.tpl delete mode 100644 view/de/friend_complete_eml.tpl delete mode 100644 view/de/intro_complete_eml.tpl delete mode 100644 view/de/smarty3/friend_complete_eml.tpl delete mode 100644 view/de/smarty3/intro_complete_eml.tpl delete mode 100644 view/en/friend_complete_eml.tpl delete mode 100644 view/en/intro_complete_eml.tpl delete mode 100644 view/en/smarty3/friend_complete_eml.tpl delete mode 100644 view/en/smarty3/intro_complete_eml.tpl delete mode 100644 view/eo/friend_complete_eml.tpl delete mode 100644 view/eo/intro_complete_eml.tpl delete mode 100644 view/eo/smarty3/friend_complete_eml.tpl delete mode 100644 view/eo/smarty3/intro_complete_eml.tpl delete mode 100644 view/es/friend_complete_eml.tpl delete mode 100644 view/es/intro_complete_eml.tpl delete mode 100644 view/es/smarty3/friend_complete_eml.tpl delete mode 100644 view/es/smarty3/intro_complete_eml.tpl delete mode 100644 view/fr/friend_complete_eml.tpl delete mode 100644 view/fr/intro_complete_eml.tpl delete mode 100644 view/fr/smarty3/friend_complete_eml.tpl delete mode 100644 view/fr/smarty3/intro_complete_eml.tpl delete mode 100644 view/is/friend_complete_eml.tpl delete mode 100644 view/is/intro_complete_eml.tpl delete mode 100644 view/is/smarty3/friend_complete_eml.tpl delete mode 100644 view/is/smarty3/intro_complete_eml.tpl delete mode 100644 view/it/smarty3/friend_complete_eml.tpl delete mode 100644 view/it/smarty3/intro_complete_eml.tpl delete mode 100644 view/nb-no/friend_complete_eml.tpl delete mode 100644 view/nb-no/intro_complete_eml.tpl delete mode 100644 view/nb-no/smarty3/friend_complete_eml.tpl delete mode 100644 view/nb-no/smarty3/intro_complete_eml.tpl delete mode 100644 view/nl/friend_complete_eml.tpl delete mode 100644 view/nl/intro_complete_eml.tpl delete mode 100644 view/pl/friend_complete_eml.tpl delete mode 100644 view/pl/intro_complete_eml.tpl delete mode 100644 view/pl/smarty3/friend_complete_eml.tpl delete mode 100644 view/pl/smarty3/intro_complete_eml.tpl delete mode 100644 view/pt-br/intro_complete_eml.tpl delete mode 100644 view/pt-br/smarty3/intro_complete_eml.tpl delete mode 100644 view/ro/smarty3/friend_complete_eml.tpl delete mode 100644 view/ro/smarty3/intro_complete_eml.tpl delete mode 100644 view/sv/friend_complete_eml.tpl delete mode 100644 view/sv/intro_complete_eml.tpl delete mode 100644 view/sv/smarty3/friend_complete_eml.tpl delete mode 100644 view/sv/smarty3/intro_complete_eml.tpl delete mode 100644 view/zh-cn/friend_complete_eml.tpl delete mode 100644 view/zh-cn/intro_complete_eml.tpl delete mode 100644 view/zh-cn/smarty3/friend_complete_eml.tpl delete mode 100644 view/zh-cn/smarty3/intro_complete_eml.tpl diff --git a/mod/dfrn_confirm.php b/mod/dfrn_confirm.php index 8e1fc76e9..f1ce296d9 100644 --- a/mod/dfrn_confirm.php +++ b/mod/dfrn_confirm.php @@ -9,11 +9,13 @@ * 1. A form was submitted by our user approving a friendship that originated elsewhere. * This may also be called from dfrn_request to automatically approve a friendship. * - * 2. We may be the target or other side of the conversation to scenario 1, and will + * 2. We may be the target or other side of the conversation to scenario 1, and will * interact with that process on our own user's behalf. - * + * */ +require_once('include/enotify.php'); + function dfrn_confirm_post(&$a,$handsfree = null) { if(is_array($handsfree)) { @@ -35,11 +37,11 @@ function dfrn_confirm_post(&$a,$handsfree = null) { /** * - * Main entry point. Scenario 1. Our user received a friend request notification (perhaps - * from another site) and clicked 'Approve'. + * Main entry point. Scenario 1. Our user received a friend request notification (perhaps + * from another site) and clicked 'Approve'. * $POST['source_url'] is not set. If it is, it indicates Scenario 2. * - * We may also have been called directly from dfrn_request ($handsfree != null) due to + * We may also have been called directly from dfrn_request ($handsfree != null) due to * this being a page type which supports automatic friend acceptance. That is also Scenario 1 * since we are operating on behalf of our registered user to approve a friendship. * @@ -67,7 +69,7 @@ function dfrn_confirm_post(&$a,$handsfree = null) { // These data elements may come from either the friend request notification form or $handsfree array. if(is_array($handsfree)) { - logger('dfrn_confirm: Confirm in handsfree mode'); + logger('Confirm in handsfree mode'); $dfrn_id = $handsfree['dfrn_id']; $intro_id = $handsfree['intro_id']; $duplex = $handsfree['duplex']; @@ -86,7 +88,7 @@ function dfrn_confirm_post(&$a,$handsfree = null) { /** * * Ensure that dfrn_id has precedence when we go to find the contact record. - * We only want to search based on contact id if there is no dfrn_id, + * We only want to search based on contact id if there is no dfrn_id, * e.g. for OStatus network followers. * */ @@ -94,15 +96,15 @@ function dfrn_confirm_post(&$a,$handsfree = null) { if(strlen($dfrn_id)) $cid = 0; - logger('dfrn_confirm: Confirming request for dfrn_id (issued) ' . $dfrn_id); + logger('Confirming request for dfrn_id (issued) ' . $dfrn_id); if($cid) - logger('dfrn_confirm: Confirming follower with contact_id: ' . $cid); + logger('Confirming follower with contact_id: ' . $cid); /** * * The other person will have been issued an ID when they first requested friendship. - * Locate their record. At this time, their record will have both pending and blocked set to 1. + * Locate their record. At this time, their record will have both pending and blocked set to 1. * There won't be any dfrn_id if this is a network follower, so use the contact_id instead. * */ @@ -114,7 +116,7 @@ function dfrn_confirm_post(&$a,$handsfree = null) { ); if(! count($r)) { - logger('dfrn_confirm: Contact not found in DB.'); + logger('Contact not found in DB.'); notice( t('Contact not found.') . EOL ); notice( t('This may occasionally happen if contact was requested by both persons and it has already been approved.') . EOL ); return; @@ -127,7 +129,7 @@ function dfrn_confirm_post(&$a,$handsfree = null) { $site_pubkey = $contact['site-pubkey']; $dfrn_confirm = $contact['confirm']; $aes_allow = $contact['aes_allow']; - + $network = ((strlen($contact['issued-id'])) ? NETWORK_DFRN : NETWORK_OSTATUS); if($contact['network']) @@ -139,15 +141,16 @@ function dfrn_confirm_post(&$a,$handsfree = null) { * * Generate a key pair for all further communications with this person. * We have a keypair for every contact, and a site key for unknown people. - * This provides a means to carry on relationships with other people if - * any single key is compromised. It is a robust key. We're much more - * worried about key leakage than anybody cracking it. + * This provides a means to carry on relationships with other people if + * any single key is compromised. It is a robust key. We're much more + * worried about key leakage than anybody cracking it. * */ require_once('include/crypto.php'); $res = new_keypair(4096); + $private_key = $res['prvkey']; $public_key = $res['pubkey']; @@ -156,23 +159,23 @@ function dfrn_confirm_post(&$a,$handsfree = null) { $r = q("UPDATE `contact` SET `prvkey` = '%s' WHERE `id` = %d AND `uid` = %d", dbesc($private_key), intval($contact_id), - intval($uid) + intval($uid) ); $params = array(); /** * - * Per the DFRN protocol, we will verify both ends by encrypting the dfrn_id with our + * Per the DFRN protocol, we will verify both ends by encrypting the dfrn_id with our * site private key (person on the other end can decrypt it with our site public key). * Then encrypt our profile URL with the other person's site public key. They can decrypt * it with their site private key. If the decryption on the other end fails for either - * item, it indicates tampering or key failure on at least one site and we will not be + * item, it indicates tampering or key failure on at least one site and we will not be * able to provide a secure communication pathway. * - * If other site is willing to accept full encryption, (aes_allow is 1 AND we have php5.3 - * or later) then we encrypt the personal public key we send them using AES-256-CBC and a - * random key which is encrypted with their site public key. + * If other site is willing to accept full encryption, (aes_allow is 1 AND we have php5.3 + * or later) then we encrypt the personal public key we send them using AES-256-CBC and a + * random key which is encrypted with their site public key. * */ @@ -205,7 +208,7 @@ function dfrn_confirm_post(&$a,$handsfree = null) { if($user[0]['page-flags'] == PAGE_PRVGROUP) $params['page'] = 2; - logger('dfrn_confirm: Confirm: posting data to ' . $dfrn_confirm . ': ' . print_r($params,true), LOGGER_DATA); + logger('Confirm: posting data to ' . $dfrn_confirm . ': ' . print_r($params,true), LOGGER_DATA); /** * @@ -219,10 +222,10 @@ function dfrn_confirm_post(&$a,$handsfree = null) { $res = post_url($dfrn_confirm,$params); - logger('dfrn_confirm: Confirm: received data: ' . $res, LOGGER_DATA); + logger(' Confirm: received data: ' . $res, LOGGER_DATA); - // Now figure out what they responded. Try to be robust if the remote site is - // having difficulty and throwing up errors of some kind. + // Now figure out what they responded. Try to be robust if the remote site is + // having difficulty and throwing up errors of some kind. $leading_junk = substr($res,0,strpos($res,'status; $message = unxmlify($xml->message); // human readable text of what may have gone wrong. @@ -261,7 +270,7 @@ function dfrn_confirm_post(&$a,$handsfree = null) { $r = q("UPDATE contact SET `issued-id` = '%s' WHERE `id` = %d AND `uid` = %d", dbesc($new_dfrn_id), intval($contact_id), - intval($uid) + intval($uid) ); case 2: @@ -307,7 +316,7 @@ function dfrn_confirm_post(&$a,$handsfree = null) { require_once('include/Photo.php'); $photos = import_profile_photo($contact['photo'],$uid,$contact_id); - + logger('dfrn_confirm: confirm - imported photos'); if($network === NETWORK_DFRN) { @@ -455,7 +464,7 @@ function dfrn_confirm_post(&$a,$handsfree = null) { if(count($self)) { $arr = array(); - $arr['uri'] = $arr['parent-uri'] = item_new_uri($a->get_hostname(), $uid); + $arr['uri'] = $arr['parent-uri'] = item_new_uri($a->get_hostname(), $uid); $arr['uid'] = $uid; $arr['contact-id'] = $self[0]['id']; $arr['wall'] = 1; @@ -522,7 +531,7 @@ function dfrn_confirm_post(&$a,$handsfree = null) { * * Begin Scenario 2. This is the remote response to the above scenario. * This will take place on the site that originally initiated the friend request. - * In the section above where the confirming party makes a POST and + * In the section above where the confirming party makes a POST and * retrieves xml status information, they are communicating with the following code. * */ @@ -603,7 +612,7 @@ function dfrn_confirm_post(&$a,$handsfree = null) { // this is either a bogus confirmation (?) or we deleted the original introduction. $message = t('Contact record was not found for you on our site.'); xml_status(3,$message); - return; // NOTREACHED + return; // NOTREACHED } } @@ -731,33 +740,21 @@ function dfrn_confirm_post(&$a,$handsfree = null) { $combined = $r[0]; if((count($r)) && ($r[0]['notify-flags'] & NOTIFY_CONFIRM)) { - - push_lang($r[0]['language']); - $tpl = (($new_relation == CONTACT_IS_FRIEND) - ? get_intltext_template('friend_complete_eml.tpl') - : get_intltext_template('intro_complete_eml.tpl')); - - $email_tpl = replace_macros($tpl, array( - '$sitename' => $a->config['sitename'], - '$siteurl' => $a->get_baseurl(), - '$username' => $r[0]['username'], - '$email' => $r[0]['email'], - '$fn' => $r[0]['name'], - '$dfrn_url' => $r[0]['url'], - '$uid' => $newuid ) - ); - require_once('include/email.php'); - - $res = mail($r[0]['email'], email_header_encode( sprintf( t("Connection accepted at %s") , $a->config['sitename']),'UTF-8'), - $email_tpl, - 'From: ' . 'Administrator' . '@' . $_SERVER['SERVER_NAME'] . "\n" - . 'Content-type: text/plain; charset=UTF-8' . "\n" - . 'Content-transfer-encoding: 8bit' ); - - if(!$res) { - // pointless throwing an error here and confusing the person at the other end of the wire. - } - pop_lang(); + $mutual = ($new_relation == CONTACT_IS_FRIEND); + notification(array( + 'type' => NOTIFY_CONFIRM, + 'notify_flags' => $r[0]['notify-flags'], + 'language' => $r[0]['language'], + 'to_name' => $r[0]['username'], + 'to_email' => $r[0]['email'], + 'uid' => $r[0]['uid'], + 'link' => $a->get_baseurl() . '/contacts/' . $dfrn_record, + 'source_name' => ((strlen(stripslashes($r[0]['name']))) ? stripslashes($r[0]['name']) : t('[Name Withheld]')), + 'source_link' => $r[0]['url'], + 'source_photo' => $r[0]['photo'], + 'verb' => ($mutual?ACTIVITY_FRIEND:ACTIVITY_FOLLOW), + 'otype' => 'intro' + )); } // Send a new friend post if we are allowed to... @@ -778,7 +775,7 @@ function dfrn_confirm_post(&$a,$handsfree = null) { if(count($self)) { $arr = array(); - $arr['uri'] = $arr['parent-uri'] = item_new_uri($a->get_hostname(), $local_uid); + $arr['uri'] = $arr['parent-uri'] = item_new_uri($a->get_hostname(), $local_uid); $arr['uid'] = $local_uid; $arr['contact-id'] = $self[0]['id']; $arr['wall'] = 1; diff --git a/mod/dfrn_request.php b/mod/dfrn_request.php index 7440c8ab4..5e19a1ffc 100644 --- a/mod/dfrn_request.php +++ b/mod/dfrn_request.php @@ -9,6 +9,8 @@ * */ +require_once('include/enotify.php'); + if(! function_exists('dfrn_request_init')) { function dfrn_request_init(&$a) { @@ -45,13 +47,13 @@ function dfrn_request_post(&$a) { if(x($_POST, 'cancel')) { goaway(z_root()); - } + } /** * * Scenario 2: We've introduced ourself to another cell, then have been returned to our own cell - * to confirm the request, and then we've clicked submit (perhaps after logging in). + * to confirm the request, and then we've clicked submit (perhaps after logging in). * That brings us here: * */ @@ -145,7 +147,7 @@ function dfrn_request_post(&$a) { */ $r = q("INSERT INTO `contact` ( `uid`, `created`,`url`, `nurl`, `name`, `nick`, `photo`, `site-pubkey`, - `request`, `confirm`, `notify`, `poll`, `poco`, `network`, `aes_allow`, `hidden`) + `request`, `confirm`, `notify`, `poll`, `poco`, `network`, `aes_allow`, `hidden`) VALUES ( %d, '%s', '%s', '%s', '%s' , '%s', '%s', '%s', '%s', '%s', '%s', '%s', '%s', '%s', %d, %d)", intval(local_user()), datetime_convert(), @@ -216,17 +218,17 @@ function dfrn_request_post(&$a) { /** * Otherwise: - * + * * Scenario 1: - * We are the requestee. A person from a remote cell has made an introduction - * on our profile web page and clicked submit. We will use their DFRN-URL to - * figure out how to contact their cell. + * We are the requestee. A person from a remote cell has made an introduction + * on our profile web page and clicked submit. We will use their DFRN-URL to + * figure out how to contact their cell. * * Scrape the originating DFRN-URL for everything we need. Create a contact record * and an introduction to show our user next time he/she logs in. * Finally redirect back to the requestor so that their site can record the request. - * If our user (the requestee) later confirms this request, a record of it will need - * to exist on the requestor's cell in order for the confirmation process to complete.. + * If our user (the requestee) later confirms this request, a record of it will need + * to exist on the requestor's cell in order for the confirmation process to complete.. * * It's possible that neither the requestor or the requestee are logged in at the moment, * and the requestor does not yet have any credentials to the requestee profile. @@ -266,19 +268,19 @@ function dfrn_request_post(&$a) { notice( t('Spam protection measures have been invoked.') . EOL); notice( t('Friends are advised to please try again in 24 hours.') . EOL); return; - } + } } /** * - * Cleanup old introductions that remain blocked. + * Cleanup old introductions that remain blocked. * Also remove the contact record, but only if there is no existing relationship * Do not remove email contacts as these may be awaiting email verification */ - $r = q("SELECT `intro`.*, `intro`.`id` AS `iid`, `contact`.`id` AS `cid`, `contact`.`rel` + $r = q("SELECT `intro`.*, `intro`.`id` AS `iid`, `contact`.`id` AS `cid`, `contact`.`rel` FROM `intro` LEFT JOIN `contact` on `intro`.`contact-id` = `contact`.`id` - WHERE `intro`.`blocked` = 1 AND `contact`.`self` = 0 + WHERE `intro`.`blocked` = 1 AND `contact`.`self` = 0 AND `contact`.`network` != '%s' AND `intro`.`datetime` < UTC_TIMESTAMP() - INTERVAL 30 MINUTE ", dbesc(NETWORK_MAIL2) @@ -401,13 +403,13 @@ function dfrn_request_post(&$a) { $photo = avatar_img($addr); - $r = q("UPDATE `contact` SET - `photo` = '%s', + $r = q("UPDATE `contact` SET + `photo` = '%s', `thumb` = '%s', - `micro` = '%s', - `name-date` = '%s', - `uri-date` = '%s', - `avatar-date` = '%s', + `micro` = '%s', + `name-date` = '%s', + `uri-date` = '%s', + `avatar-date` = '%s', `hidden` = 0, WHERE `id` = %d ", @@ -464,7 +466,7 @@ function dfrn_request_post(&$a) { if($network === NETWORK_DFRN) { - $ret = q("SELECT * FROM `contact` WHERE `uid` = %d AND `url` = '%s' AND `self` = 0 LIMIT 1", + $ret = q("SELECT * FROM `contact` WHERE `uid` = %d AND `url` = '%s' AND `self` = 0 LIMIT 1", intval($uid), dbesc($url) ); @@ -506,7 +508,7 @@ function dfrn_request_post(&$a) { goaway($a->get_baseurl() . '/' . $a->cmd); return; // NOTREACHED } - + require_once('include/Scrape.php'); @@ -521,12 +523,12 @@ function dfrn_request_post(&$a) { notice( t('Warning: profile location has no identifiable owner name.') . EOL ); if(! x($parms,'photo')) notice( t('Warning: profile location has no profile photo.') . EOL ); - $invalid = validate_dfrn($parms); + $invalid = validate_dfrn($parms); if($invalid) { notice( sprintf( tt("%d required parameter was not found at the given location", "%d required parameters were not found at the given location", $invalid), $invalid) . EOL ); - + return; } } @@ -591,7 +593,7 @@ function dfrn_request_post(&$a) { // This notice will only be seen by the requestor if the requestor and requestee are on the same server. - if(! $failed) + if(! $failed) info( t('Your introduction has been sent.') . EOL ); // "Homecoming" - send the requestor back to their site to record the introduction. @@ -599,21 +601,21 @@ function dfrn_request_post(&$a) { $dfrn_url = bin2hex($a->get_baseurl() . '/profile/' . $nickname); $aes_allow = ((function_exists('openssl_encrypt')) ? 1 : 0); - goaway($parms['dfrn-request'] . "?dfrn_url=$dfrn_url" - . '&dfrn_version=' . DFRN_PROTOCOL_VERSION - . '&confirm_key=' . $hash + goaway($parms['dfrn-request'] . "?dfrn_url=$dfrn_url" + . '&dfrn_version=' . DFRN_PROTOCOL_VERSION + . '&confirm_key=' . $hash . (($aes_allow) ? "&aes_allow=1" : "") ); // NOTREACHED // END $network === NETWORK_DFRN } elseif($network === NETWORK_OSTATUS) { - + /** * * OStatus network * Check contact existence - * Try and scrape together enough information to create a contact record, + * Try and scrape together enough information to create a contact record, * with us as CONTACT_IS_FOLLOWER * Substitute our user's feed URL into $url template * Send the subscriber home to subscribe @@ -655,7 +657,7 @@ function dfrn_request_content(&$a) { return login(); } - // Edge case, but can easily happen in the wild. This person is authenticated, + // Edge case, but can easily happen in the wild. This person is authenticated, // but not as the person who needs to deal with this request. if ($a->user['nickname'] != $a->argv[1]) { @@ -683,11 +685,11 @@ function dfrn_request_content(&$a) { return $o; } - elseif((x($_GET,'confirm_key')) && strlen($_GET['confirm_key'])) { + elseif((x($_GET,'confirm_key')) && strlen($_GET['confirm_key'])) { // we are the requestee and it is now safe to send our user their introduction, - // We could just unblock it, but first we have to jump through a few hoops to - // send an email, or even to find out if we need to send an email. + // We could just unblock it, but first we have to jump through a few hoops to + // send an email, or even to find out if we need to send an email. $intro = q("SELECT * FROM `intro` WHERE `hash` = '%s' LIMIT 1", dbesc($_GET['confirm_key']) @@ -707,7 +709,7 @@ function dfrn_request_content(&$a) { $auto_confirm = true; if(! $auto_confirm) { - require_once('include/enotify.php'); + notification(array( 'type' => NOTIFY_INTRO, 'notify_flags' => $r[0]['notify-flags'], @@ -758,7 +760,7 @@ function dfrn_request_content(&$a) { /** * Normal web request. Display our user's introduction form. */ - + if((get_config('system','block_public')) && (! local_user()) && (! remote_user())) { if(! get_config('system','local_block')) { notice( t('Public access denied.') . EOL); @@ -793,7 +795,7 @@ function dfrn_request_content(&$a) { /** * * The auto_request form only has the profile address - * because nobody is going to read the comments and + * because nobody is going to read the comments and * it doesn't matter if they know you or not. * */ diff --git a/view/ca/friend_complete_eml.tpl b/view/ca/friend_complete_eml.tpl deleted file mode 100644 index 539d9ff3d..000000000 --- a/view/ca/friend_complete_eml.tpl +++ /dev/null @@ -1,19 +0,0 @@ - -Apreciat/da $username, - - Grans noticies... '$fn' a '$dfrn_url' ha acceptat la teva sol·licitud de connexió en '$sitename'. - -Ara sous amics mutus i podreu intercanviar actualizacions de estatus, fotos, i correu electrónic -sense cap restricció. - -Visita la teva pàgina de 'Contactes' en $sitename si desitja realizar qualsevol canvi en aquesta relació. - -$siteurl - -[Per exemple, pots crear un perfil independent amb informació que no esta disponible al públic en general -- i assignar drets de visualització a '$fn']. - - - $sitename - - diff --git a/view/ca/intro_complete_eml.tpl b/view/ca/intro_complete_eml.tpl deleted file mode 100644 index 70507d71d..000000000 --- a/view/ca/intro_complete_eml.tpl +++ /dev/null @@ -1,21 +0,0 @@ - -Apreciat/da $username, - - '$fn' en '$dfrn_url' ha acceptat la teva petició -connexió a '$sitename'. - - '$fn' ha optat per acceptar-te com a "fan", que restringeix certes -formes de comunicació, com missatges privats i algunes interaccions -amb el perfil. Si ets una "celebritat" o una pàgina de comunitat, -aquests ajustos s'aplican automàticament - - '$fn' pot optar per extendre aixó en una relació més permisiva -en el futur. - - Començaràs a rebre les actualizacions públiques de estatus de '$fn', -que apareixeran a la teva pàgina "Xarxa" en - -$siteurl - - - $sitename diff --git a/view/ca/smarty3/friend_complete_eml.tpl b/view/ca/smarty3/friend_complete_eml.tpl deleted file mode 100644 index 660ac8c1a..000000000 --- a/view/ca/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,20 +0,0 @@ - - -Apreciat/da {{$username}}, - - Grans noticies... '{{$fn}}' a '{{$dfrn_url}}' ha acceptat la teva sol·licitud de connexió en '{{$sitename}}'. - -Ara sous amics mutus i podreu intercanviar actualizacions de estatus, fotos, i correu electrónic -sense cap restricció. - -Visita la teva pàgina de 'Contactes' en {{$sitename}} si desitja realizar qualsevol canvi en aquesta relació. - -{{$siteurl}} - -[Per exemple, pots crear un perfil independent amb informació que no esta disponible al públic en general -- i assignar drets de visualització a '{{$fn}}']. - - - {{$sitename}} - - diff --git a/view/ca/smarty3/intro_complete_eml.tpl b/view/ca/smarty3/intro_complete_eml.tpl deleted file mode 100644 index 6a0e33713..000000000 --- a/view/ca/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - - -Apreciat/da {{$username}}, - - '{{$fn}}' en '{{$dfrn_url}}' ha acceptat la teva petició -connexió a '{{$sitename}}'. - - '{{$fn}}' ha optat per acceptar-te com a "fan", que restringeix certes -formes de comunicació, com missatges privats i algunes interaccions -amb el perfil. Si ets una "celebritat" o una pàgina de comunitat, -aquests ajustos s'aplican automàticament - - '{{$fn}}' pot optar per extendre aixó en una relació més permisiva -en el futur. - - Començaràs a rebre les actualizacions públiques de estatus de '{{$fn}}', -que apareixeran a la teva pàgina "Xarxa" en - -{{$siteurl}} - - - {{$sitename}} diff --git a/view/cs/friend_complete_eml.tpl b/view/cs/friend_complete_eml.tpl deleted file mode 100644 index e0ce676a8..000000000 --- a/view/cs/friend_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Drahý/Drahá $[username], - - Skvělé zprávy... '$[fn]' na '$[dfrn_url]' akceptoval -Vaši žádost o spojení na '$[sitename]'. - -Jste nyní vzájemnými přáteli a můžete si vyměňovat aktualizace statusu, fotografií a emailů -bez omezení. - -Navštivte prosím stránku "Kontakty" na $[sitename] pokud si přejete provést -jakékoliv změny v tomto vztahu. - -$[siteurl] - -[Například můžete vytvořit separátní profil s informacemi, které nebudou -dostupné pro veřejnost - a přidělit práva k němu pro čtení pro '$[fn]']. - -S pozdravem, - - $[sitename] administrátor - - \ No newline at end of file diff --git a/view/cs/intro_complete_eml.tpl b/view/cs/intro_complete_eml.tpl deleted file mode 100644 index b174b2c61..000000000 --- a/view/cs/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Drahý/Drahá $[username], - - '$[fn]' na '$[dfrn_url]' akceptoval -Vaši žádost o připojení na '$[sitename]'. - - '$[fn]' se rozhodl Vás akceptovat jako "fanouška", což omezuje -určité druhy komunikace, jako jsou soukromé zprávy a určité profilové -interakce. Pokud se jedná o účet celebrity nebo o kumunitní stránky, tato nastavení byla -použita automaticky. - - '$[fn]' se může rozhodnout rozšířit tento vztah na oboustraný nebo méně restriktivní -vztah v budoucnosti. - - Nyní začnete získávat veřejné aktualizace statusu od '$[fn]', -které se objeví na Vaší stránce "Síť" na - -$[siteurl] - -S pozdravem, - - $[sitename] administrátor \ No newline at end of file diff --git a/view/cs/smarty3/friend_complete_eml.tpl b/view/cs/smarty3/friend_complete_eml.tpl deleted file mode 100644 index 462022a05..000000000 --- a/view/cs/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,18 +0,0 @@ - - -Milý/Milá {{$username}}, - - Skvělé zprávy... '{{$fn}}' na '{{$dfrn_url}}' odsouhlasil Váš požadavek na spojení na '{{$sitename}}'. - -Jste nyní přátelé a můžete si vyměňovat aktualizace statusu, fotek a e-mailů bez omezení. - -Pokud budete chtít tento vztah jakkoliv upravit, navštivte Vaši stránku "Kontakty" na {{$sitename}}. - -{{$siteurl}} - -(Nyní můžete například vytvořit separátní profil s informacemi, které nebudou viditelné veřejně, a nastavit právo pro zobrazení tohoto profilu pro '{{$fn}}'). - -S pozdravem, - - {{$sitename}} administrátor - diff --git a/view/cs/smarty3/intro_complete_eml.tpl b/view/cs/smarty3/intro_complete_eml.tpl deleted file mode 100644 index 0137995c7..000000000 --- a/view/cs/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,18 +0,0 @@ - - -Milý/Milá {{$username}}, - - - '{{$fn}}' na '{{$dfrn_url}}' odsouhlasil Váš požadavek na spojení na '{{$sitename}}'. - - '{{$fn}}' Vás označil za svého "fanouška", což jistým způsobem omezuje komunikaci (například v oblasti soukromých zpráv a některých profilových interakcí. Pokud je toto celebritní nebo komunitní stránka, bylo toto nastavení byla přijato automaticky. - - '{{$fn}}' může v budoucnu rozšířit toto spojení na oboustranné nebo jinak méně restriktivní. - - Nyní začnete dostávat veřejné aktualizace statusu od '{{$fn}}', které se objeví ve Vaší stránce "Síť" na webu - -{{$siteurl}} - -S pozdravem, - - {{$sitename}} administrátor diff --git a/view/de/friend_complete_eml.tpl b/view/de/friend_complete_eml.tpl deleted file mode 100644 index 2135f9975..000000000 --- a/view/de/friend_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Hallo $[username], - - Großartige Neuigkeiten... '$[fn]' auf '$[dfrn_url]' hat -deine Kontaktanfrage auf '$[sitename]' bestätigt. - -Ihr seid nun beidseitige Freunde und könnt Statusmitteilungen, Bilder und E-Mails -ohne Einschränkungen austauschen. - -Rufe deine 'Kontakte' Seite auf $[sitename] auf, wenn du -Änderungen an diesem Kontakt vornehmen willst. - -$[siteurl] - -[Du könntest z.B. ein spezielles Profil anlegen, das Informationen enthält, -die nicht für die breite Öffentlichkeit sichtbar sein sollen und es für '$[fn]' zum Betrachten freigeben]. - -Beste Grüße, - - $[sitename] Administrator - - \ No newline at end of file diff --git a/view/de/intro_complete_eml.tpl b/view/de/intro_complete_eml.tpl deleted file mode 100644 index 9039a7fca..000000000 --- a/view/de/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Hallo $[username], - - '$[fn]' auf '$[dfrn_url]' akzeptierte -deine Verbindungsanfrage auf '$[sitename]'. - - '$[fn]' hat entschieden dich als "Fan" zu akzeptieren, was zu einigen -Einschränkungen bei der Kommunikation führt - wie z.B. das Schreiben von privaten Nachrichten und einige Profil -Interaktionen. Sollte dies ein Promi-Konto oder eine Forum-Seite sein, werden die Einstellungen -automatisch angewandt. - - '$[fn]' kann wählen, ob die Freundschaft in eine beidseitige oder alles erlaubende -Beziehung in der Zukunft erweitert wird. - - Du empfängst ab sofort die öffentlichen Beiträge von '$[fn]', -auf deiner "Netzwerk" Seite. - -$[siteurl] - -Beste Grüße, - - $[sitename] Administrator \ No newline at end of file diff --git a/view/de/smarty3/friend_complete_eml.tpl b/view/de/smarty3/friend_complete_eml.tpl deleted file mode 100644 index 27dd1bc94..000000000 --- a/view/de/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Hallo {{$username}}, - - Großartige Neuigkeiten... '{{$fn}}' auf '{{$dfrn_url}}' hat -deine Kontaktanfrage auf '{{$sitename}}' bestätigt. - -Ihr seid nun beidseitige Freunde und könnt Statusmitteilungen, Bilder und Emails -ohne Einschränkungen austauschen. - -Rufe deine 'Kontakte' Seite auf {{$sitename}} auf, wenn du -Änderungen an diesem Kontakt vornehmen willst. - -{{$siteurl}} - -[Du könntest z.B. ein spezielles Profil anlegen, das Informationen enthält, -die nicht für die breite Öffentlichkeit sichtbar sein sollen und es für '{{$fn}}' zum Betrachten freigeben]. - -Beste Grüße, - - {{$sitename}} Administrator - - \ No newline at end of file diff --git a/view/de/smarty3/intro_complete_eml.tpl b/view/de/smarty3/intro_complete_eml.tpl deleted file mode 100644 index b14f6f992..000000000 --- a/view/de/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Hallo {{$username}}, - - '{{$fn}}' auf '{{$dfrn_url}}' hat deine Verbindungsanfrage -auf '{{$sitename}}' akzeptiert. - - '{{$fn}}' hat entschieden Dich als "Fan" zu akzeptieren, was zu einigen -Einschränkungen bei der Kommunikation führt - wie zB das Schreiben von privaten Nachrichten und einige Profil -Interaktionen. Sollte dies ein Promi-Konto oder eine Forum-Seite sein, werden die Einstellungen -automatisch angewandt. - - '{{$fn}}' kann wählen, ob die Freundschaft in eine beidseitige oder alles erlaubende -Beziehung in der Zukunft erweitert wird. - - Du empfängst ab sofort die öffentlichen Beiträge von '{{$fn}}', -auf deiner "Netzwerk" Seite. - -{{$siteurl}} - -Beste Grüße, - - {{$sitename}} Administrator \ No newline at end of file diff --git a/view/en/friend_complete_eml.tpl b/view/en/friend_complete_eml.tpl deleted file mode 100644 index 89f578388..000000000 --- a/view/en/friend_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Dear $[username], - - Great news... '$[fn]' at '$[dfrn_url]' has accepted -your connection request at '$[sitename]'. - -You are now mutual friends and may exchange status updates, photos, and email -without restriction. - -Please visit your 'Contacts' page at $[sitename] if you wish to make -any changes to this relationship. - -$[siteurl] - -[For instance, you may create a separate profile with information that is not -available to the general public - and assign viewing rights to '$[fn]']. - -Sincerely, - - $[sitename] Administrator - - diff --git a/view/en/intro_complete_eml.tpl b/view/en/intro_complete_eml.tpl deleted file mode 100644 index cd78b2a15..000000000 --- a/view/en/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Dear $[username], - - '$[fn]' at '$[dfrn_url]' has accepted -your connection request at '$[sitename]'. - - '$[fn]' 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. - - '$[fn]' may choose to extend this into a two-way or more permissive -relationship in the future. - - You will start receiving public status updates from '$[fn]', -which will appear on your 'Network' page at - -$[siteurl] - -Sincerely, - - $[sitename] Administrator diff --git a/view/en/smarty3/friend_complete_eml.tpl b/view/en/smarty3/friend_complete_eml.tpl deleted file mode 100644 index 32311e837..000000000 --- a/view/en/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Dear {{$username}}, - - Great news... '{{$fn}}' at '{{$dfrn_url}}' has accepted -your connection request at '{{$sitename}}'. - -You are now mutual friends and may exchange status updates, photos, and email -without restriction. - -Please visit your 'Contacts' page at {{$sitename}} if you wish to make -any changes to this relationship. - -{{$siteurl}} - -[For instance, you may create a separate profile with information that is not -available to the general public - and assign viewing rights to '{{$fn}}']. - -Sincerely, - - {{$sitename}} Administrator - - diff --git a/view/en/smarty3/intro_complete_eml.tpl b/view/en/smarty3/intro_complete_eml.tpl deleted file mode 100644 index 46d4402a2..000000000 --- a/view/en/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Dear {{$username}}, - - '{{$fn}}' at '{{$dfrn_url}}' has accepted -your connection request at '{{$sitename}}'. - - '{{$fn}}' 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. - - '{{$fn}}' may choose to extend this into a two-way or more permissive -relationship in the future. - - You will start receiving public status updates from '{{$fn}}', -which will appear on your 'Network' page at - -{{$siteurl}} - -Sincerely, - - {{$sitename}} Administrator diff --git a/view/eo/friend_complete_eml.tpl b/view/eo/friend_complete_eml.tpl deleted file mode 100644 index f429ca450..000000000 --- a/view/eo/friend_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Kara $[username], - - Boegaj novaĵoj.... '$[fn]' ĉe '$[dfrn_url]' aprobis -vian kontaktpeton ĉe '$[sitename]'. - -Vi nun estas reciprokaj amikoj kaj povas interŝanĝi afiŝojn, bildojn kaj mesaĝojn -senkatene. - -Bonvolu viziti vian 'Kontaktoj' paĝon ĉe $[sitename] se vi volas -ŝangi la rilaton. - -$[siteurl] - -[Ekzempe, vi eble volas krei disiĝintan profilon kun informoj kiu ne -haveblas al la komuna publiko - kaj rajtigi '$[fn]' al ĝi]' - -Salutoj, - - $[sitename] administranto - - \ No newline at end of file diff --git a/view/eo/intro_complete_eml.tpl b/view/eo/intro_complete_eml.tpl deleted file mode 100644 index 56a4fd880..000000000 --- a/view/eo/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Kara $[username], - - '$[fn]' ĉe '$[dfrn_url]' akceptis -vian kontaktpeton ĉe '$[sitename]'. - - '$[fn]' elektis vin kiel "admiranto", kio malpermesas -kelkajn komunikilojn - ekzemple privataj mesaĝoj kaj kelkaj profilrilataj -agoj. Se tio estas konto de komunumo aŭ de eminentulo, tiaj agordoj -aŭtomate aktiviĝis. - - '$[fn]' eblas konverti la rilaton al ambaŭdirekta rilato -aŭ apliki pli da permesoj. - - Vi ekricevos publikajn afiŝojn de '$[fn]', -kiuj aperos sur via 'Reto' paĝo ĉe - -$[siteurl] - -Salutoj, - - $[sitename] administranto \ No newline at end of file diff --git a/view/eo/smarty3/friend_complete_eml.tpl b/view/eo/smarty3/friend_complete_eml.tpl deleted file mode 100644 index 7d50b8bc5..000000000 --- a/view/eo/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Kara {{$username}}, - - Boegaj novaĵoj.... '{{$fn}}' ĉe '{{$dfrn_url}}' aprobis -vian kontaktpeton ĉe '{{$sitename}}'. - -Vi nun estas reciprokaj amikoj kaj povas interŝanĝi afiŝojn, bildojn kaj mesaĝojn -senkatene. - -Bonvolu viziti vian 'Kontaktoj' paĝon ĉe {{$sitename}} se vi volas -ŝangi la rilaton. - -{{$siteurl}} - -[Ekzempe, vi eble volas krei disiĝintan profilon kun informoj kiu ne -haveblas al la komuna publiko - kaj rajtigi '{{$fn}}' al ĝi]' - -Salutoj, - - {{$sitename}} administranto - - \ No newline at end of file diff --git a/view/eo/smarty3/intro_complete_eml.tpl b/view/eo/smarty3/intro_complete_eml.tpl deleted file mode 100644 index 66903de96..000000000 --- a/view/eo/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Kara {{$username}}, - - '{{$fn}}' ĉe '{{$dfrn_url}}' akceptis -vian kontaktpeton ĉe '{{$sitename}}'. - - '{{$fn}}' elektis vin kiel "admiranto", kio malpermesas -kelkajn komunikilojn - ekzemple privataj mesaĝoj kaj kelkaj profilrilataj -agoj. Se tio estas konto de komunumo aŭ de eminentulo, tiaj agordoj -aŭtomate aktiviĝis. - - '{{$fn}}' eblas konverti la rilaton al ambaŭdirekta rilato -aŭ apliki pli da permesoj. - - Vi ekricevos publikajn afiŝojn de '{{$fn}}', -kiuj aperos sur via 'Reto' paĝo ĉe - -{{$siteurl}} - -Salutoj, - - {{$sitename}} administranto \ No newline at end of file diff --git a/view/es/friend_complete_eml.tpl b/view/es/friend_complete_eml.tpl deleted file mode 100644 index 0dc867efd..000000000 --- a/view/es/friend_complete_eml.tpl +++ /dev/null @@ -1,19 +0,0 @@ - -Estimado/a $username, - - Grandes noticias... '$fn' a '$dfrn_url' ha aceptado tu solicitud de conexión en '$sitename'. - -Ahora sois amigos mutuos y podreis intercambiar actualizaciones de estado, fotos, y correo electrónico -sin restricción alguna. - -Visita tu página de 'Contactos' en $sitename si desear realizar cualquier cambio en esta relación. - -$siteurl - -[Por ejemplo, puedes crear un perfil independiente con información que no está disponible al público en general -- y asignar derechos de visualización a '$fn']. - - - $sitename - - diff --git a/view/es/intro_complete_eml.tpl b/view/es/intro_complete_eml.tpl deleted file mode 100644 index a2964808c..000000000 --- a/view/es/intro_complete_eml.tpl +++ /dev/null @@ -1,21 +0,0 @@ - -Estimado/a $username, - - '$fn' en '$dfrn_url' ha aceptado tu petición -conexión a '$sitename'. - - '$fn' ha optado por aceptarte come "fan", que restringe ciertas -formas de comunicación, como mensajes privados y algunas interacciones -con el perfil. Si eres una "celebridad" o una página de comunidad, -estos ajustes se aplican automáticamente - - '$fn' puede optar por extender esto en una relación más permisiva -en el futuro. - - Empezarás a recibir las actualizaciones públicas de estado de '$fn', -que aparecerán en tu página "Red" en - -$siteurl - - - $sitename diff --git a/view/es/smarty3/friend_complete_eml.tpl b/view/es/smarty3/friend_complete_eml.tpl deleted file mode 100644 index 493446b04..000000000 --- a/view/es/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,20 +0,0 @@ - - -Estimado/a {{$username}}, - - Grandes noticias... '{{$fn}}' a '{{$dfrn_url}}' ha aceptado tu solicitud de conexión en '{{$sitename}}'. - -Ahora sois amigos mutuos y podreis intercambiar actualizaciones de estado, fotos, y correo electrónico -sin restricción alguna. - -Visita tu página de 'Contactos' en {{$sitename}} si desear realizar cualquier cambio en esta relación. - -{{$siteurl}} - -[Por ejemplo, puedes crear un perfil independiente con información que no está disponible al público en general -- y asignar derechos de visualización a '{{$fn}}']. - - - {{$sitename}} - - diff --git a/view/es/smarty3/intro_complete_eml.tpl b/view/es/smarty3/intro_complete_eml.tpl deleted file mode 100644 index c9dd3fed6..000000000 --- a/view/es/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - - -Estimado/a {{$username}}, - - '{{$fn}}' en '{{$dfrn_url}}' ha aceptado tu petición -conexión a '{{$sitename}}'. - - '{{$fn}}' ha optado por aceptarte come "fan", que restringe ciertas -formas de comunicación, como mensajes privados y algunas interacciones -con el perfil. Si eres una "celebridad" o una página de comunidad, -estos ajustes se aplican automáticamente - - '{{$fn}}' puede optar por extender esto en una relación más permisiva -en el futuro. - - Empezarás a recibir las actualizaciones públicas de estado de '{{$fn}}', -que aparecerán en tu página "Red" en - -{{$siteurl}} - - - {{$sitename}} diff --git a/view/fr/friend_complete_eml.tpl b/view/fr/friend_complete_eml.tpl deleted file mode 100644 index 1f2553b5e..000000000 --- a/view/fr/friend_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - -Cher(e) $username, - - Grande nouvelle… « $fn » (de « $dfrn_url ») a accepté votre -demande de connexion à « $sitename ». - -Vous êtes désormais dans une relation réciproque et pouvez échanger des -photos, des humeurs et des messages sans restriction. - -Merci de visiter votre page « Contacts » sur $sitename pour toute -modification que vous souhaiteriez apporter à cette relation. - -$siteurl - -[Par exemple, vous pouvez créer un profil spécifique avec des informations -cachées au grand public - et ainsi assigner des droits privilégiés à -« $fn »]/ - -Sincèremment, - - l'administrateur de $sitename - - diff --git a/view/fr/intro_complete_eml.tpl b/view/fr/intro_complete_eml.tpl deleted file mode 100644 index f698cfeb7..000000000 --- a/view/fr/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Cher(e) $username, - - « $fn » du site « $dfrn_url » a accepté votre -demande de mise en relation sur « $sitename ». - - « $fn » a décidé de vous accepter comme « fan », ce qui restreint -certains de vos moyens de communication - tels que les messages privés et -certaines interactions avec son profil. S'il s'agit de la page d'une -célébrité et/ou communauté, ces réglages ont été définis automatiquement. - - « $fn » pourra choisir d'étendre votre relation à quelque chose de -plus permissif dans l'avenir. - - Vous allez commencer à recevoir les mises à jour publiques du -statut de « $fn », lesquelles apparaîtront sur votre page « Réseau » sur - -$siteurl - -Sincèrement votre, - - l'administrateur de $sitename diff --git a/view/fr/smarty3/friend_complete_eml.tpl b/view/fr/smarty3/friend_complete_eml.tpl deleted file mode 100644 index 9f329c950..000000000 --- a/view/fr/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,24 +0,0 @@ - - -Cher(e) {{$username}}, - - Grande nouvelle… « {{$fn}} » (de « {{$dfrn_url}} ») a accepté votre -demande de connexion à « {{$sitename}} ». - -Vous êtes désormais dans une relation réciproque et pouvez échanger des -photos, des humeurs et des messages sans restriction. - -Merci de visiter votre page « Contacts » sur {{$sitename}} pour toute -modification que vous souhaiteriez apporter à cette relation. - -{{$siteurl}} - -[Par exemple, vous pouvez créer un profil spécifique avec des informations -cachées au grand public - et ainsi assigner des droits privilégiés à -« {{$fn}} »]/ - -Sincèremment, - - l'administrateur de {{$sitename}} - - diff --git a/view/fr/smarty3/intro_complete_eml.tpl b/view/fr/smarty3/intro_complete_eml.tpl deleted file mode 100644 index 88cd00fc4..000000000 --- a/view/fr/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Cher(e) {{$username}}, - - « {{$fn}} » du site « {{$dfrn_url}} » a accepté votre -demande de mise en relation sur « {{$sitename}} ». - - « {{$fn}} » a décidé de vous accepter comme « fan », ce qui restreint -certains de vos moyens de communication - tels que les messages privés et -certaines interactions avec son profil. S'il s'agit de la page d'une -célébrité et/ou communauté, ces réglages ont été définis automatiquement. - - « {{$fn}} » pourra choisir d'étendre votre relation à quelque chose de -plus permissif dans l'avenir. - - Vous allez commencer à recevoir les mises à jour publiques du -statut de « {{$fn}} », lesquelles apparaîtront sur votre page « Réseau » sur - -{{$siteurl}} - -Sincèrement votre, - - l'administrateur de {{$sitename}} diff --git a/view/is/friend_complete_eml.tpl b/view/is/friend_complete_eml.tpl deleted file mode 100644 index 945ff4922..000000000 --- a/view/is/friend_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Góðan daginn $[username], - - Frábærar fréttir... '$[fn]' hjá '$[dfrn_url]' hefur samþykkt -tengibeiðni þína hjá '$[sitename]'. - -Þið eruð nú sameiginlegir vinir og getið skipst á stöðu uppfærslum, myndum og tölvupósti -án hafta. - -Endilega fara á síðunna 'Tengiliðir' á þjóninum $[sitename] ef þú villt gera -einhverjar breytingar á þessu sambandi. - -$[siteurl] - -[Til dæmis þá getur þú búið til nýjar notenda upplýsingar um þig, með ítarlegri lýsingu, sem eiga ekki -að vera aðgengileg almenningi - og veitt aðgang til að sjá '$[fn]']. - -Bestu kveðjur, - - Kerfisstjóri $[sitename] - - \ No newline at end of file diff --git a/view/is/intro_complete_eml.tpl b/view/is/intro_complete_eml.tpl deleted file mode 100644 index dba296d4e..000000000 --- a/view/is/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Góðan daginn $[username], - - '$[fn]' hjá '$[dfrn_url]' hefur samþykkt -tengibeiðni þína á '$[sitename]'. - - '$[fn]' hefur ákveðið að hafa þig sem "aðdáanda", sem takmarkar -ákveðnar gerðir af samskipturm - til dæmis einkapóst og ákveðnar notenda -aðgerðir. Ef þetta er stjörnu- eða hópasíða, þá voru þessar stillingar -settar á sjálfkrafa. - - '$[fn]' getur ákveðið seinna að breyta þessu í gagnkvæma eða enn hafta minni -tengingu í framtíðinni. - - Þú munt byrja að fá opinberar stöðubreytingar frá '$[fn]', -þær munu birtast á 'Tengslanet' síðunni þinni á - -$[siteurl] - -Bestu kveðjur, - - Kerfisstjóri $[sitename] \ No newline at end of file diff --git a/view/is/smarty3/friend_complete_eml.tpl b/view/is/smarty3/friend_complete_eml.tpl deleted file mode 100644 index f25787eff..000000000 --- a/view/is/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Góðan daginn {{$username}}, - - Frábærar fréttir... '{{$fn}}' hjá '{{$dfrn_url}}' hefur samþykkt -tengibeiðni þína hjá '{{$sitename}}'. - -Þið eruð nú sameiginlegir vinir og getið skipst á stöðu uppfærslum, myndum og tölvupósti -án hafta. - -Endilega fara á síðunna 'Tengiliðir' á þjóninum {{$sitename}} ef þú villt gera -einhverjar breytingar á þessu sambandi. - -{{$siteurl}} - -[Til dæmis þá getur þú búið til nýjar notenda upplýsingar um þig, með ítarlegri lýsingu, sem eiga ekki -að vera aðgengileg almenningi - og veitt aðgang til að sjá '{{$fn}}']. - -Bestu kveðjur, - - Kerfisstjóri {{$sitename}} - - \ No newline at end of file diff --git a/view/is/smarty3/intro_complete_eml.tpl b/view/is/smarty3/intro_complete_eml.tpl deleted file mode 100644 index feab4d6f6..000000000 --- a/view/is/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Góðan daginn {{$username}}, - - '{{$fn}}' hjá '{{$dfrn_url}}' hefur samþykkt -tengibeiðni þína á '{{$sitename}}'. - - '{{$fn}}' hefur ákveðið að hafa þig sem "aðdáanda", sem takmarkar -ákveðnar gerðir af samskipturm - til dæmis einkapóst og ákveðnar notenda -aðgerðir. Ef þetta er stjörnu- eða hópasíða, þá voru þessar stillingar -settar á sjálfkrafa. - - '{{$fn}}' getur ákveðið seinna að breyta þessu í gagnkvæma eða enn hafta minni -tengingu í framtíðinni. - - Þú munt byrja að fá opinberar stöðubreytingar frá '{{$fn}}', -þær munu birtast á 'Tengslanet' síðunni þinni á - -{{$siteurl}} - -Bestu kveðjur, - - Kerfisstjóri {{$sitename}} \ No newline at end of file diff --git a/view/it/smarty3/friend_complete_eml.tpl b/view/it/smarty3/friend_complete_eml.tpl deleted file mode 100644 index daeaae901..000000000 --- a/view/it/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Ciao {{$username}}, - - Ottime notizie... '{{$fn}}' di '{{$dfrn_url}}' ha accettato -la tua richiesta di connessione su '{{$sitename}}'. - -Adesso siete amici reciproci e potete scambiarvi aggiornamenti di stato, foto ed email -senza restrizioni. - -Vai nella pagina 'Contatti' di {{$sitename}} se vuoi effettuare -qualche modifica riguardo questa relazione - -{{$siteurl}} - -[Ad esempio, potresti creare un profilo separato con le informazioni che non -sono disponibili pubblicamente - ed permettere di vederlo a '{{$fn}}']. - -Saluti, - - l'amministratore di {{$sitename}} - - \ No newline at end of file diff --git a/view/it/smarty3/intro_complete_eml.tpl b/view/it/smarty3/intro_complete_eml.tpl deleted file mode 100644 index 69fce8141..000000000 --- a/view/it/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Ciao {{$username}}, - - '{{$fn}}' di '{{$dfrn_url}}' ha accettato -la tua richiesta di connessione a '{{$sitename}}'. - - '{{$fn}}' ha deciso di accettarti come "fan", il che restringe -alcune forme di comunicazione - come i messaggi privati e alcune -interazioni. Se è la pagina di una persona famosa o di una comunità, queste impostazioni saranno -applicate automaticamente. - - '{{$fn}}' potrebbe decidere di estendere questa relazione in una comunicazione bidirezionale o ancora più permissiva -. - - Inizierai a ricevere gli aggiornamenti di stato pubblici da '{{$fn}}', -che apparirà nella tua pagina 'Rete' - -{{$siteurl}} - -Saluti, - - l'amministratore di {{$sitename}} \ No newline at end of file diff --git a/view/nb-no/friend_complete_eml.tpl b/view/nb-no/friend_complete_eml.tpl deleted file mode 100644 index 4526c94d0..000000000 --- a/view/nb-no/friend_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Kjære $[username], - - Gode nyheter... '$[fn]' ved '$[dfrn_url]' har godtatt -din forespørsel om kobling hos '$[sitename]'. - -Dere er nå gjensidige venner og kan utveksle statusoppdateringer, bilder og e-post -uten hindringer. - -Vennligst besøk din side "Kontakter" ved $[sitename] hvis du ønsker å gjøre -noen endringer på denne forbindelsen. - -$[siteurl] - -[For eksempel, så kan du lage en egen profil med informasjon som ikke er -tilgjengelig for alle - og angi visningsrettigheter til '$[fn]']. - -Med vennlig hilsen, - - $[sitename] administrator - - \ No newline at end of file diff --git a/view/nb-no/intro_complete_eml.tpl b/view/nb-no/intro_complete_eml.tpl deleted file mode 100644 index 17b0be5a8..000000000 --- a/view/nb-no/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Kjære $[username], - - '$[fn]' ved '$[dfrn_url]' har godtatt -din forespørsel om kobling ved $[sitename]'. - - '$[fn]' har valgt å godta deg som "fan", som begrenser -noen typer kommunikasjon - slik som private meldinger og noen profilhandlinger. -Hvis dette er en kjendis- eller forumside, så ble disse innstillingene -angitt automatisk. - - '$[fn]' kan velge å utvide dette til en to-veis eller mer åpen -forbindelse i fremtiden. - - Du vil nå motta offentlige statusoppdateringer fra '$[fn]', -som vil vises på din "Nettverk"-side ved - -$[siteurl] - -Med vennlig hilsen, - - $[sitename] administrator \ No newline at end of file diff --git a/view/nb-no/smarty3/friend_complete_eml.tpl b/view/nb-no/smarty3/friend_complete_eml.tpl deleted file mode 100644 index 7ffe7c9ae..000000000 --- a/view/nb-no/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Kjære {{$username}}, - - Gode nyheter... '{{$fn}}' ved '{{$dfrn_url}}' har godtatt -din forespørsel om kobling hos '{{$sitename}}'. - -Dere er nå gjensidige venner og kan utveksle statusoppdateringer, bilder og e-post -uten hindringer. - -Vennligst besøk din side "Kontakter" ved {{$sitename}} hvis du ønsker å gjøre -noen endringer på denne forbindelsen. - -{{$siteurl}} - -[For eksempel, så kan du lage en egen profil med informasjon som ikke er -tilgjengelig for alle - og angi visningsrettigheter til '{{$fn}}']. - -Med vennlig hilsen, - - {{$sitename}} administrator - - \ No newline at end of file diff --git a/view/nb-no/smarty3/intro_complete_eml.tpl b/view/nb-no/smarty3/intro_complete_eml.tpl deleted file mode 100644 index 98d4917c8..000000000 --- a/view/nb-no/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Kjære {{$username}}, - - '{{$fn}}' ved '{{$dfrn_url}}' har godtatt -din forespørsel om kobling ved {{$sitename}}'. - - '{{$fn}}' har valgt å godta deg som "fan", som begrenser -noen typer kommunikasjon - slik som private meldinger og noen profilhandlinger. -Hvis dette er en kjendis- eller forumside, så ble disse innstillingene -angitt automatisk. - - '{{$fn}}' kan velge å utvide dette til en to-veis eller mer åpen -forbindelse i fremtiden. - - Du vil nå motta offentlige statusoppdateringer fra '{{$fn}}', -som vil vises på din "Nettverk"-side ved - -{{$siteurl}} - -Med vennlig hilsen, - - {{$sitename}} administrator \ No newline at end of file diff --git a/view/nl/friend_complete_eml.tpl b/view/nl/friend_complete_eml.tpl deleted file mode 100644 index 7d00138c9..000000000 --- a/view/nl/friend_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Beste $[username], - - Goed nieuws... '$[fn]' op '$[dfrn_url]' heeft uw -contactaanvraag goedgekeurd op '$[sitename]'. - -U bent nu in contact met elkaar en kan statusberichten, foto's en e-mail uitwisselen, -zonder beperkingen. - -Bezoek uw 'Contacten'-pagina op $[sitename] wanneer u de instellingen -van dit contact wilt veranderen. - -$[siteurl] - -[U kunt bijvoorbeeld een apart profiel aanmaken met informatie dat niet door -iedereen valt in te zien, maar wel door '$[fn]']. - -Vriendelijke groet, - - Beheerder $[sitename] - - \ No newline at end of file diff --git a/view/nl/intro_complete_eml.tpl b/view/nl/intro_complete_eml.tpl deleted file mode 100644 index eb9e57948..000000000 --- a/view/nl/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Beste $[username], - - '$[fn]' op '$[dfrn_url]' heeft uw -contactaanvraag goedgekeurd op '$[sitename]'. - - '$[fn]' heeft besloten om u de status van "fan" te geven. -Hierdoor kunt u bijvoorbeeld geen privéberichten uitwisselen en gelden er enkele profielrestricties. -Wanneer dit een pagina voor een beroemdheid of een gemeenschap is, zijn deze -instellingen automatisch toegepast. - - '$[fn]' kan er voor kiezen om in de toekomst deze contactrestricties uit te breiden of -om ze te verminderen. - - U ontvangt vanaf nu openbare statusupdates van '$[fn]'. -Deze kunt u zien op uw 'Netwerk'-pagina op - -$[siteurl] - -Vriendelijke groet, - - Beheerder $[sitename] \ No newline at end of file diff --git a/view/pl/friend_complete_eml.tpl b/view/pl/friend_complete_eml.tpl deleted file mode 100644 index 16cbeeaa1..000000000 --- a/view/pl/friend_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Drogi $[username], - - Świetne wieści! '$[fn]' na '$[dfrn_url]' przyjął / przyjęła -Twoją prośbę o znajomość na '$[sitename]'. - -Jesteście teraz znajomymi i możecie wymieniać się zmianami statusów, zdjęciami i wiadomościami -bez ograniczeń. - -Zajrzyj na stronę 'Kontakty' na $[sitename] jeśli chcesz dokonać -zmian w tej relacji. - -$[siteurl] - -[Możesz np.: utworzyć oddzielny profil z informacjami, który nie będzie -dostępny dla wszystkich - i przypisać sprawdzanie uprawnień do '$[fn]']. - -Z poważaniem, - - $[sitename] Administrator - - \ No newline at end of file diff --git a/view/pl/intro_complete_eml.tpl b/view/pl/intro_complete_eml.tpl deleted file mode 100644 index a50d0e2d1..000000000 --- a/view/pl/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Drogi $[username], - - '$[fn]' w '$[dfrn_url]' zaakceptował -twoje połączenie na '$[sitename]'. - - '$[fn]' zaakceptował Cię jako "fana", uniemożliwiając -pewne sposoby komunikacji - takie jak prywatne wiadomości czy niektóre formy -interakcji pomiędzy profilami. Jeśli jest to strona gwiazdy lub społeczności, ustawienia zostały -zastosowane automatycznie. - - '$[fn]' może rozszeżyć to w dwustronną komunikację lub więcej (doprecyzować) -relacje w przyszłości. - - Będziesz teraz otrzymywać aktualizacje statusu od '$[fn]', -który będzie pojawiać się na Twojej stronie "Sieć" - -$[siteurl] - -Z poważaniem, - - Administrator $[sitename] \ No newline at end of file diff --git a/view/pl/smarty3/friend_complete_eml.tpl b/view/pl/smarty3/friend_complete_eml.tpl deleted file mode 100644 index b6cf0a3b6..000000000 --- a/view/pl/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Drogi {{$username}}, - - Świetne wieści! '{{$fn}}' na '{{$dfrn_url}}' przyjął / przyjęła -Twoją prośbę o znajomość na '{{$sitename}}'. - -Jesteście teraz znajomymi i możecie wymieniać się zmianami statusów, zdjęciami i wiadomościami -bez ograniczeń. - -Zajrzyj na stronę 'Kontakty' na {{$sitename}} jeśli chcesz dokonać -zmian w tej relacji. - -{{$siteurl}} - -[Możesz np.: utworzyć oddzielny profil z informacjami, który nie będzie -dostępny dla wszystkich - i przypisać sprawdzanie uprawnień do '{{$fn}}']. - -Z poważaniem, - - {{$sitename}} Administrator - - \ No newline at end of file diff --git a/view/pl/smarty3/intro_complete_eml.tpl b/view/pl/smarty3/intro_complete_eml.tpl deleted file mode 100644 index 8137f83e2..000000000 --- a/view/pl/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Drogi {{$username}}, - - '{{$fn}}' w '{{$dfrn_url}}' zaakceptował -twoje połączenie na '{{$sitename}}'. - - '{{$fn}}' zaakceptował Cię jako "fana", uniemożliwiając -pewne sposoby komunikacji - takie jak prywatne wiadomości czy niektóre formy -interakcji pomiędzy profilami. Jeśli jest to strona gwiazdy lub społeczności, ustawienia zostały -zastosowane automatycznie. - - '{{$fn}}' może rozszeżyć to w dwustronną komunikację lub więcej (doprecyzować) -relacje w przyszłości. - - Będziesz teraz otrzymywać aktualizacje statusu od '{{$fn}}', -który będzie pojawiać się na Twojej stronie "Sieć" - -{{$siteurl}} - -Z poważaniem, - - Administrator {{$sitename}} \ No newline at end of file diff --git a/view/pt-br/intro_complete_eml.tpl b/view/pt-br/intro_complete_eml.tpl deleted file mode 100644 index 13ccbc9d7..000000000 --- a/view/pt-br/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Prezado/a $[username], - - '$[fn]' em '$[dfrn_url]' aceitou -seu pedido de coneção em '$[sitename]'. - - '$[fn]' optou por aceitá-lo com "fan", que restringe -algumas formas de comunicação, tais como mensagens privadas e algumas interações -com o perfil. Se essa é uma página de celebridade ou de comunidade essas configurações foram -aplicadas automaticamente. - - '$[fn]' pode escolher estender isso para uma comunicação bidirecional ourelacionamento mais permissivo -no futuro. - - Você começará a receber atualizações públicas de '$[fn]' -que aparecerão na sua página 'Rede' - -$[siteurl] - -Cordialmente, - - Administrador do $[sitemname] \ No newline at end of file diff --git a/view/pt-br/smarty3/intro_complete_eml.tpl b/view/pt-br/smarty3/intro_complete_eml.tpl deleted file mode 100644 index 30c5699b8..000000000 --- a/view/pt-br/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -Prezado/a {{$username}}, - - '{{$fn}}' em '{{$dfrn_url}}' aceitou -seu pedido de coneção em '{{$sitename}}'. - - '{{$fn}}' optou por aceitá-lo com "fan", que restringe -algumas formas de comunicação, tais como mensagens privadas e algumas interações -com o perfil. Se essa é uma página de celebridade ou de comunidade essas configurações foram -aplicadas automaticamente. - - '{{$fn}}' pode escolher estender isso para uma comunicação bidirecional ourelacionamento mais permissivo -no futuro. - - Você começará a receber atualizações públicas de '{{$fn}}' -que aparecerão na sua página 'Rede' - -{{$siteurl}} - -Cordialmente, - - Administrador do {{$sitemname}} \ No newline at end of file diff --git a/view/ro/smarty3/friend_complete_eml.tpl b/view/ro/smarty3/friend_complete_eml.tpl deleted file mode 100644 index 9c68c8d09..000000000 --- a/view/ro/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Dragă $[username], - - Veşti bune... '$[fn]' at '$[dfrn_url]' a acceptat -cererea dvs. de conectare la '$[sitename]'. - -Sunteți acum prieteni comuni și puteţi schimba actualizări de status, fotografii, și e-mail -fără restricţii. - -Vizitaţi pagina dvs. 'Contacte' la $[sitename] dacă doriţi să faceţi -orice schimbare către această relaţie. - -$[siteurl] - -[De exemplu, puteți crea un profil separat, cu informații care nu sunt -la dispoziția publicului larg - și atribuiți drepturi de vizualizare la "$ [Fn] ']​​. - -Cu stimă, - - $[sitename] Administrator - - \ No newline at end of file diff --git a/view/ro/smarty3/intro_complete_eml.tpl b/view/ro/smarty3/intro_complete_eml.tpl deleted file mode 100644 index 16569d274..000000000 --- a/view/ro/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -Dragă $[username], - - '$[fn]' de la '$[dfrn_url]' a acceptat -cererea dvs. de conectare la '$[sitename]'. - - '$[fn]' a decis să accepte un "fan", care restricționează -câteva forme de comunicare - cum ar fi mesageria privată şi unele profile -interacțiuni. În cazul în care aceasta este o pagină celebritate sau comunitate, aceste setări au fost -aplicat automat. - - '$[fn]' poate alege să se extindă aceasta în două sau mai căi permisive -relaţie in viitor. - - Veți începe să primiți actualizări publice de status de la '$[fn]', -care va apare pe pagina dvs. 'Network' la - -$[siteurl] - -Cu stimă, - - $[sitename] Administrator \ No newline at end of file diff --git a/view/sv/friend_complete_eml.tpl b/view/sv/friend_complete_eml.tpl deleted file mode 100644 index 2b8b0238e..000000000 --- a/view/sv/friend_complete_eml.tpl +++ /dev/null @@ -1,17 +0,0 @@ -$username, - -Goda nyheter... '$fn' på '$dfrn_url' har accepterat din kontaktförfrågan på '$sitename'. - -Ni är nu ömsesidiga vänner och kan se varandras statusuppdateringar samt skicka foton och meddelanden -utan begränsningar. - -Gå in på din sida 'Kontakter' på $sitename om du vill göra några -ändringar när det gäller denna kontakt. - -$siteurl - -[Du kan exempelvis skapa en separat profil med information som inte -är tillgänglig för vem som helst, och ge visningsrättigheter till '$fn']. - -Hälsningar, -$sitename admin diff --git a/view/sv/intro_complete_eml.tpl b/view/sv/intro_complete_eml.tpl deleted file mode 100644 index 1f24af25f..000000000 --- a/view/sv/intro_complete_eml.tpl +++ /dev/null @@ -1,19 +0,0 @@ -$username, - -'$fn' på '$dfrn_url' har accepterat din kontaktförfrågan på '$sitename'. - -'$fn' har valt att acceptera dig som ett "fan" vilket innebär vissa begränsningar -i kommunikationen mellan er - som till exempel personliga meddelanden och viss interaktion -mellan profiler. Om detta är en kändis eller en gemenskap så har dessa inställningar gjorts -per automatik. - -'$fn' kan välja att utöka detta till vanlig tvåvägskommunikation eller någon annan mer -tillåtande kommunikationsform i framtiden. - -Du kommer hädanefter att få statusuppdateringar från '$fn', -vilka kommer att synas på din Nätverk-sida på - -$siteurl - -Hälsningar, -$sitename admin diff --git a/view/sv/smarty3/friend_complete_eml.tpl b/view/sv/smarty3/friend_complete_eml.tpl deleted file mode 100644 index 7cabdf22d..000000000 --- a/view/sv/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,18 +0,0 @@ - -{{$username}}, - -Goda nyheter... '{{$fn}}' på '{{$dfrn_url}}' har accepterat din kontaktförfrågan på '{{$sitename}}'. - -Ni är nu ömsesidiga vänner och kan se varandras statusuppdateringar samt skicka foton och meddelanden -utan begränsningar. - -Gå in på din sida 'Kontakter' på {{$sitename}} om du vill göra några -ändringar när det gäller denna kontakt. - -{{$siteurl}} - -[Du kan exempelvis skapa en separat profil med information som inte -är tillgänglig för vem som helst, och ge visningsrättigheter till '{{$fn}}']. - -Hälsningar, -{{$sitename}} admin diff --git a/view/sv/smarty3/intro_complete_eml.tpl b/view/sv/smarty3/intro_complete_eml.tpl deleted file mode 100644 index 48d565a03..000000000 --- a/view/sv/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,20 +0,0 @@ - -{{$username}}, - -'{{$fn}}' på '{{$dfrn_url}}' har accepterat din kontaktförfrågan på '{{$sitename}}'. - -'{{$fn}}' har valt att acceptera dig som ett "fan" vilket innebär vissa begränsningar -i kommunikationen mellan er - som till exempel personliga meddelanden och viss interaktion -mellan profiler. Om detta är en kändis eller en gemenskap så har dessa inställningar gjorts -per automatik. - -'{{$fn}}' kan välja att utöka detta till vanlig tvåvägskommunikation eller någon annan mer -tillåtande kommunikationsform i framtiden. - -Du kommer hädanefter att få statusuppdateringar från '{{$fn}}', -vilka kommer att synas på din Nätverk-sida på - -{{$siteurl}} - -Hälsningar, -{{$sitename}} admin diff --git a/view/zh-cn/friend_complete_eml.tpl b/view/zh-cn/friend_complete_eml.tpl deleted file mode 100644 index a25896f09..000000000 --- a/view/zh-cn/friend_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -尊敬的$[username], - - 精彩新闻... 「$[fn]」在「$[dfrn_url]」接受了 -您的连通要求在「$[sitename]」。 - -您们现在是共同的朋友们,会兑换现状更新,照片和邮件 -无限 - -请看您的联络页在$[sitename]如果您想做 -什么变化关于这个关系。 - -$[siteurl] - -[例如,您会想造成区分的简介括无 -公开-和分配看权利给「$[fn]」 - -谨上, - - $[sitename]行政人员 - - \ No newline at end of file diff --git a/view/zh-cn/intro_complete_eml.tpl b/view/zh-cn/intro_complete_eml.tpl deleted file mode 100644 index 8d8d4f603..000000000 --- a/view/zh-cn/intro_complete_eml.tpl +++ /dev/null @@ -1,22 +0,0 @@ - -尊敬的$[username], - - 「$[fn]」在「$[dfrn_url]」接受了 -您的联络要求在「$[sitename]」 - - 「$[fn]」接受您为迷。这限制 -有的种类沟通,例如私人信息和简介 -操作。如果这是名人或社会页,这些设置是 -自动地应用。 - - 「$[fn]」会将来选择延长关系成双向的或更允许的 -关系。 - - 您会开始受到公开的现状更新从「$[fn]」, -它们出现在您的「网络」页在 - -$[siteurl] - -谨上, - - $[sitename]行政人员 \ No newline at end of file diff --git a/view/zh-cn/smarty3/friend_complete_eml.tpl b/view/zh-cn/smarty3/friend_complete_eml.tpl deleted file mode 100644 index 5e6e99bc9..000000000 --- a/view/zh-cn/smarty3/friend_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -尊敬的{{$username}}, - - 精彩新闻... 「{{$fn}}」在「{{$dfrn_url}}」接受了 -您的连通要求在「{{$sitename}}」。 - -您们现在是共同的朋友们,会兑换现状更新,照片和邮件 -无限 - -请看您的联络页在{{$sitename}}如果您想做 -什么变化关于这个关系。 - -{{$siteurl}} - -[例如,您会想造成区分的简介括无 -公开-和分配看权利给「{{$fn}}」 - -谨上, - - {{$sitename}}行政人员 - - \ No newline at end of file diff --git a/view/zh-cn/smarty3/intro_complete_eml.tpl b/view/zh-cn/smarty3/intro_complete_eml.tpl deleted file mode 100644 index db68d7d71..000000000 --- a/view/zh-cn/smarty3/intro_complete_eml.tpl +++ /dev/null @@ -1,23 +0,0 @@ - - -尊敬的{{$username}}, - - 「{{$fn}}」在「{{$dfrn_url}}」接受了 -您的联络要求在「{{$sitename}}」 - - 「{{$fn}}」接受您为迷。这限制 -有的种类沟通,例如私人信息和简介 -操作。如果这是名人或社会页,这些设置是 -自动地应用。 - - 「{{$fn}}」会将来选择延长关系成双向的或更允许的 -关系。 - - 您会开始受到公开的现状更新从「{{$fn}}」, -它们出现在您的「网络」页在 - -{{$siteurl}} - -谨上, - - {{$sitename}}行政人员 \ No newline at end of file From 392b53dbf9151f4918383e88b6f7b88b62c791e4 Mon Sep 17 00:00:00 2001 From: hauke Date: Sat, 6 Sep 2014 17:46:31 +0200 Subject: [PATCH 006/165] minified js files where out of date and inconsistently used. Removed until decision on minifying strategy --- js/acl.min.js | 1 - js/ajaxupload.min.js | 41 ------------------- js/country.min.js | 2 - js/fk.autocomplete.min.js | 1 - js/jquery.htmlstream.min.js | 1 - js/main.min.js | 1 - js/webtoolkit.base64.min.js | 1 - view/theme/decaf-mobile/templates/jot-end.tpl | 2 +- view/theme/decaf-mobile/templates/msg-end.tpl | 2 +- .../decaf-mobile/templates/profed_end.tpl | 2 +- .../decaf-mobile/templates/wallmsg-end.tpl | 2 +- view/theme/frost-mobile/templates/end.tpl | 10 ++--- view/theme/frost-mobile/templates/jot-end.tpl | 2 +- view/theme/frost-mobile/templates/msg-end.tpl | 2 +- .../frost-mobile/templates/profed_end.tpl | 2 +- .../frost-mobile/templates/wallmsg-end.tpl | 2 +- view/theme/frost/js/acl.js | 4 +- view/theme/frost/js/acl.min.js | 1 - view/theme/frost/js/main.min.js | 1 - view/theme/frost/js/theme.min.js | 1 - view/theme/frost/templates/end.tpl | 10 ++--- view/theme/frost/templates/jot-end.tpl | 2 +- view/theme/frost/templates/msg-end.tpl | 2 +- view/theme/frost/templates/profed_end.tpl | 2 +- view/theme/frost/templates/wallmsg-end.tpl | 2 +- 25 files changed, 24 insertions(+), 75 deletions(-) delete mode 100644 js/acl.min.js delete mode 100644 js/ajaxupload.min.js delete mode 100644 js/country.min.js delete mode 100644 js/fk.autocomplete.min.js delete mode 100644 js/jquery.htmlstream.min.js delete mode 100644 js/main.min.js delete mode 100644 js/webtoolkit.base64.min.js delete mode 100644 view/theme/frost/js/acl.min.js delete mode 100644 view/theme/frost/js/main.min.js delete mode 100644 view/theme/frost/js/theme.min.js diff --git a/js/acl.min.js b/js/acl.min.js deleted file mode 100644 index b3ad459e9..000000000 --- a/js/acl.min.js +++ /dev/null @@ -1 +0,0 @@ -function ACL(backend_url,preset){that=this;that.url=backend_url;that.kp_timer=null;if(preset==undefined)preset=[];that.allow_cid=preset[0]||[];that.allow_gid=preset[1]||[];that.deny_cid=preset[2]||[];that.deny_gid=preset[3]||[];that.group_uids=[];that.nw=4;that.list_content=$("#acl-list-content");that.item_tpl=unescape($(".acl-list-item[rel=acl-template]").html());that.showall=$("#acl-showall");if(preset.length==0)that.showall.addClass("selected");that.showall.click(that.on_showall);$(".acl-button-show").live("click",that.on_button_show);$(".acl-button-hide").live("click",that.on_button_hide);$("#acl-search").keypress(that.on_search);$("#acl-wrapper").parents("form").submit(that.on_submit);that.get(0,100)}ACL.prototype.on_submit=function(){aclfileds=$("#acl-fields").html("");$(that.allow_gid).each(function(i,v){aclfileds.append("")});$(that.allow_cid).each(function(i,v){aclfileds.append("")});$(that.deny_gid).each(function(i,v){aclfileds.append("")});$(that.deny_cid).each(function(i,v){aclfileds.append("")})};ACL.prototype.search=function(){var srcstr=$("#acl-search").val();that.list_content.html("");that.get(0,100,srcstr)};ACL.prototype.on_search=function(event){if(that.kp_timer)clearTimeout(that.kp_timer);that.kp_timer=setTimeout(that.search,1e3)};ACL.prototype.on_showall=function(event){event.preventDefault();event.stopPropagation();if(that.showall.hasClass("selected")){return false}that.showall.addClass("selected");that.allow_cid=[];that.allow_gid=[];that.deny_cid=[];that.deny_gid=[];that.update_view();return false};ACL.prototype.on_button_show=function(event){event.preventDefault();event.stopImmediatePropagation();event.stopPropagation();that.set_allow($(this).parent().attr("id"));return false};ACL.prototype.on_button_hide=function(event){event.preventDefault();event.stopImmediatePropagation();event.stopPropagation();that.set_deny($(this).parent().attr("id"));return false};ACL.prototype.set_allow=function(itemid){type=itemid[0];id=parseInt(itemid.substr(1));switch(type){case"g":if(that.allow_gid.indexOf(id)<0){that.allow_gid.push(id)}else{that.allow_gid.remove(id)}if(that.deny_gid.indexOf(id)>=0)that.deny_gid.remove(id);break;case"c":if(that.allow_cid.indexOf(id)<0){that.allow_cid.push(id)}else{that.allow_cid.remove(id)}if(that.deny_cid.indexOf(id)>=0)that.deny_cid.remove(id);break}that.update_view()};ACL.prototype.set_deny=function(itemid){type=itemid[0];id=parseInt(itemid.substr(1));switch(type){case"g":if(that.deny_gid.indexOf(id)<0){that.deny_gid.push(id)}else{that.deny_gid.remove(id)}if(that.allow_gid.indexOf(id)>=0)that.allow_gid.remove(id);break;case"c":if(that.deny_cid.indexOf(id)<0){that.deny_cid.push(id)}else{that.deny_cid.remove(id)}if(that.allow_cid.indexOf(id)>=0)that.allow_cid.remove(id);break}that.update_view()};ACL.prototype.update_view=function(){if(that.allow_gid.length==0&&that.allow_cid.length==0&&that.deny_gid.length==0&&that.deny_cid.length==0){that.showall.addClass("selected");$("#jot-perms-icon").removeClass("lock").addClass("unlock");$("#jot-public").show();$(".profile-jot-net input").attr("disabled",false);if(typeof editor!="undefined"&&editor!=false){$("#profile-jot-desc").html(ispublic)}}else{that.showall.removeClass("selected");$("#jot-perms-icon").removeClass("unlock").addClass("lock");$("#jot-public").hide();$(".profile-jot-net input").attr("disabled","disabled");$("#profile-jot-desc").html(" ")}$("#acl-list-content .acl-list-item").each(function(){$(this).removeClass("groupshow grouphide")});$("#acl-list-content .acl-list-item").each(function(){itemid=$(this).attr("id");type=itemid[0];id=parseInt(itemid.substr(1));btshow=$(this).children(".acl-button-show").removeClass("selected");bthide=$(this).children(".acl-button-hide").removeClass("selected");switch(type){case"g":var uclass="";if(that.allow_gid.indexOf(id)>=0){btshow.addClass("selected");bthide.removeClass("selected");uclass="groupshow"}if(that.deny_gid.indexOf(id)>=0){btshow.removeClass("selected");bthide.addClass("selected");uclass="grouphide"}$(that.group_uids[id]).each(function(i,v){if(uclass=="grouphide")$("#c"+v).removeClass("groupshow");if(uclass!=""){var cls=$("#c"+v).attr("class");if(cls==undefined)return true;var hiding=cls.indexOf("grouphide");if(hiding==-1)$("#c"+v).addClass(uclass)}});break;case"c":if(that.allow_cid.indexOf(id)>=0){btshow.addClass("selected");bthide.removeClass("selected")}if(that.deny_cid.indexOf(id)>=0){btshow.removeClass("selected");bthide.addClass("selected")}}})};ACL.prototype.get=function(start,count,search){var postdata={start:start,count:count,search:search};$.ajax({type:"POST",url:that.url,data:postdata,dataType:"json",success:that.populate})};ACL.prototype.populate=function(data){var height=Math.ceil(data.tot/that.nw)*42;that.list_content.height(height);$(data.items).each(function(){html="
"+that.item_tpl+"
";html=html.format(this.photo,this.name,this.type,this.id,"",this.network,this.link);if(this.uids!=undefined)that.group_uids[this.id]=this.uids;that.list_content.append(html)});$(".acl-list-item img[data-src]",that.list_content).each(function(i,el){$(el).attr("src",$(el).data("src"))});that.update_view()}; \ No newline at end of file diff --git a/js/ajaxupload.min.js b/js/ajaxupload.min.js deleted file mode 100644 index 960bf3b87..000000000 --- a/js/ajaxupload.min.js +++ /dev/null @@ -1,41 +0,0 @@ - -(function(){function log(){if(typeof(console)!='undefined'&&typeof(console.log)=='function'){Array.prototype.unshift.call(arguments,'[Ajax Upload]');console.log(Array.prototype.join.call(arguments,' '));}} -function addEvent(el,type,fn){if(el.addEventListener){el.addEventListener(type,fn,false);}else if(el.attachEvent){el.attachEvent('on'+type,function(){fn.call(el);});}else{throw new Error('not supported or DOM not loaded');}} -function addResizeEvent(fn){var timeout;addEvent(window,'resize',function(){if(timeout){clearTimeout(timeout);} -timeout=setTimeout(fn,100);});} -var getOffsetSlow=function(el){var top=0,left=0;do{top+=el.offsetTop||0;left+=el.offsetLeft||0;el=el.offsetParent;}while(el);return{left:left,top:top};};if(document.documentElement.getBoundingClientRect){var getOffset=function(el){var box=el.getBoundingClientRect();var doc=el.ownerDocument;var body=doc.body;var docElem=doc.documentElement;var clientTop=docElem.clientTop||body.clientTop||0;var clientLeft=docElem.clientLeft||body.clientLeft||0;var zoom=1;if(body.getBoundingClientRect){var bound=body.getBoundingClientRect();zoom=(bound.right-bound.left)/body.clientWidth;} -if(zoom==0||body.clientWidth==0) -return getOffsetSlow(el);if(zoom>1){clientTop=0;clientLeft=0;} -var top=box.top/zoom+(window.pageYOffset||docElem&&docElem.scrollTop/zoom||body.scrollTop/zoom)-clientTop,left=box.left/zoom+(window.pageXOffset||docElem&&docElem.scrollLeft/zoom||body.scrollLeft/zoom)-clientLeft;return{top:top,left:left};};}else{var getOffset=getOffsetSlow;} -function getBox(el){var left,right,top,bottom;var offset=getOffset(el);left=offset.left;top=offset.top;right=left+el.offsetWidth;bottom=top+el.offsetHeight;return{left:left,right:right,top:top,bottom:bottom};} -function addStyles(el,styles){for(var name in styles){if(styles.hasOwnProperty(name)){el.style[name]=styles[name];}}} -function copyLayout(from,to){var box=getBox(from);addStyles(to,{position:'absolute',left:box.left+'px',top:box.top+'px',width:from.offsetWidth+'px',height:from.offsetHeight+'px'});to.title=from.title;} -var toElement=(function(){var div=document.createElement('div');return function(html){div.innerHTML=html;var el=div.firstChild;return div.removeChild(el);};})();var getUID=(function(){var id=0;return function(){return'ValumsAjaxUpload'+id++;};})();function fileFromPath(file){return file.replace(/.*(\/|\\)/,"");} -function getExt(file){return(-1!==file.indexOf('.'))?file.replace(/.*[.]/,''):'';} -function hasClass(el,name){var re=new RegExp('\\b'+name+'\\b');return re.test(el.className);} -function addClass(el,name){if(!hasClass(el,name)){el.className+=' '+name;}} -function removeClass(el,name){var re=new RegExp('\\b'+name+'\\b');el.className=el.className.replace(re,'');} -function removeNode(el){el.parentNode.removeChild(el);} -window.AjaxUpload=function(button,options){this._settings={action:'upload.php',name:'userfile',data:{},autoSubmit:true,responseType:false,hoverClass:'hover',focusClass:'focus',disabledClass:'disabled',onChange:function(file,extension){},onSubmit:function(file,extension){},onComplete:function(file,response){}};for(var i in options){if(options.hasOwnProperty(i)){this._settings[i]=options[i];}} -if(button.jquery){button=button[0];}else if(typeof button=="string"){if(/^#.*/.test(button)){button=button.slice(1);} -button=document.getElementById(button);} -if(!button||button.nodeType!==1){throw new Error("Please make sure that you're passing a valid element");} -if(button.nodeName.toUpperCase()=='A'){addEvent(button,'click',function(e){if(e&&e.preventDefault){e.preventDefault();}else if(window.event){window.event.returnValue=false;}});} -this._button=button;this._input=null;this._disabled=false;this.enable();this._rerouteClicks();};AjaxUpload.prototype={setData:function(data){this._settings.data=data;},disable:function(){addClass(this._button,this._settings.disabledClass);this._disabled=true;var nodeName=this._button.nodeName.toUpperCase();if(nodeName=='INPUT'||nodeName=='BUTTON'){this._button.setAttribute('disabled','disabled');} -if(this._input){this._input.parentNode.style.visibility='hidden';}},enable:function(){removeClass(this._button,this._settings.disabledClass);this._button.removeAttribute('disabled');this._disabled=false;},_createInput:function(){var self=this;var input=document.createElement("input");input.setAttribute('type','file');input.setAttribute('name',this._settings.name);addStyles(input,{'position':'absolute','right':0,'margin':0,'padding':0,'fontSize':'480px','fontFamily':'sans-serif','cursor':'pointer'});var div=document.createElement("div");addStyles(div,{'display':'block','position':'absolute','overflow':'hidden','margin':0,'padding':0,'opacity':0,'direction':'ltr','zIndex':2147483583,'cursor':'pointer'});if(div.style.opacity!=="0"){if(typeof(div.filters)=='undefined'){throw new Error('Opacity not supported by the browser');} -div.style.filter="alpha(opacity=0)";} -addEvent(input,'change',function(){if(!input||input.value===''){return;} -var file=fileFromPath(input.value);if(false===self._settings.onChange.call(self,file,getExt(file))){self._clearInput();return;} -if(self._settings.autoSubmit){self.submit();}});addEvent(input,'mouseover',function(){addClass(self._button,self._settings.hoverClass);});addEvent(input,'mouseout',function(){removeClass(self._button,self._settings.hoverClass);removeClass(self._button,self._settings.focusClass);input.parentNode.style.visibility='hidden';});addEvent(input,'focus',function(){addClass(self._button,self._settings.focusClass);});addEvent(input,'blur',function(){removeClass(self._button,self._settings.focusClass);});div.appendChild(input);document.body.appendChild(div);this._input=input;},_clearInput:function(){if(!this._input){return;} -removeNode(this._input.parentNode);this._input=null;this._createInput();removeClass(this._button,this._settings.hoverClass);removeClass(this._button,this._settings.focusClass);},_rerouteClicks:function(){var self=this;addEvent(self._button,'mouseover',function(){if(self._disabled){return;} -if(!self._input){self._createInput();} -var div=self._input.parentNode;copyLayout(self._button,div);div.style.visibility='visible';});},_createIframe:function(){var id=getUID();var iframe=toElement('', - error : '

The requested content cannot be loaded.
Please try again later.

', - closeBtn : '', - next : '', - prev : '' - }, - - // Properties for each animation type - // Opening fancyBox - openEffect : 'fade', // 'elastic', 'fade' or 'none' - openSpeed : 250, - openEasing : 'swing', - openOpacity : true, - openMethod : 'zoomIn', - - // Closing fancyBox - closeEffect : 'fade', // 'elastic', 'fade' or 'none' - closeSpeed : 250, - closeEasing : 'swing', - closeOpacity : true, - closeMethod : 'zoomOut', - - // Changing next gallery item - nextEffect : 'elastic', // 'elastic', 'fade' or 'none' - nextSpeed : 250, - nextEasing : 'swing', - nextMethod : 'changeIn', - - // Changing previous gallery item - prevEffect : 'elastic', // 'elastic', 'fade' or 'none' - prevSpeed : 250, - prevEasing : 'swing', - prevMethod : 'changeOut', - - // Enable default helpers - helpers : { - overlay : true, - title : true - }, - - // Callbacks - onCancel : $.noop, // If canceling - beforeLoad : $.noop, // Before loading - afterLoad : $.noop, // After loading - beforeShow : $.noop, // Before changing in current item - afterShow : $.noop, // After opening - beforeChange : $.noop, // Before changing gallery item - beforeClose : $.noop, // Before closing - afterClose : $.noop // After closing - }, - - //Current state - group : {}, // Selected group - opts : {}, // Group options - previous : null, // Previous element - coming : null, // Element being loaded - current : null, // Currently loaded element - isActive : false, // Is activated - isOpen : false, // Is currently open - isOpened : false, // Have been fully opened at least once - - wrap : null, - skin : null, - outer : null, - inner : null, - - player : { - timer : null, - isActive : false - }, - - // Loaders - ajaxLoad : null, - imgPreload : null, - - // Some collections - transitions : {}, - helpers : {}, - - /* - * Static methods - */ - - open: function (group, opts) { - if (!group) { - return; - } - - if (!$.isPlainObject(opts)) { - opts = {}; - } - - // Close if already active - if (false === F.close(true)) { - return; - } - - // Normalize group - if (!$.isArray(group)) { - group = isQuery(group) ? $(group).get() : [group]; - } - - // Recheck if the type of each element is `object` and set content type (image, ajax, etc) - $.each(group, function(i, element) { - var obj = {}, - href, - title, - content, - type, - rez, - hrefParts, - selector; - - if ($.type(element) === "object") { - // Check if is DOM element - if (element.nodeType) { - element = $(element); - } - - if (isQuery(element)) { - obj = { - href : element.data('fancybox-href') || element.attr('href'), - title : element.data('fancybox-title') || element.attr('title'), - isDom : true, - element : element - }; - - if ($.metadata) { - $.extend(true, obj, element.metadata()); - } - - } else { - obj = element; - } - } - - href = opts.href || obj.href || (isString(element) ? element : null); - title = opts.title !== undefined ? opts.title : obj.title || ''; - - content = opts.content || obj.content; - type = content ? 'html' : (opts.type || obj.type); - - if (!type && obj.isDom) { - type = element.data('fancybox-type'); - - if (!type) { - rez = element.prop('class').match(/fancybox\.(\w+)/); - type = rez ? rez[1] : null; - } - } - - if (isString(href)) { - // Try to guess the content type - if (!type) { - if (F.isImage(href)) { - type = 'image'; - - } else if (F.isSWF(href)) { - type = 'swf'; - - } else if (href.charAt(0) === '#') { - type = 'inline'; - - } else if (isString(element)) { - type = 'html'; - content = element; - } - } - - // Split url into two pieces with source url and content selector, e.g, - // "/mypage.html #my_id" will load "/mypage.html" and display element having id "my_id" - if (type === 'ajax') { - hrefParts = href.split(/\s+/, 2); - href = hrefParts.shift(); - selector = hrefParts.shift(); - } - } - - if (!content) { - if (type === 'inline') { - if (href) { - content = $( isString(href) ? href.replace(/.*(?=#[^\s]+$)/, '') : href ); //strip for ie7 - - } else if (obj.isDom) { - content = element; - } - - } else if (type === 'html') { - content = href; - - } else if (!type && !href && obj.isDom) { - type = 'inline'; - content = element; - } - } - - $.extend(obj, { - href : href, - type : type, - content : content, - title : title, - selector : selector - }); - - group[ i ] = obj; - }); - - // Extend the defaults - F.opts = $.extend(true, {}, F.defaults, opts); - - // All options are merged recursive except keys - if (opts.keys !== undefined) { - F.opts.keys = opts.keys ? $.extend({}, F.defaults.keys, opts.keys) : false; - } - - F.group = group; - - return F._start(F.opts.index); - }, - - // Cancel image loading or abort ajax request - cancel: function () { - var coming = F.coming; - - if (!coming || false === F.trigger('onCancel')) { - return; - } - - F.hideLoading(); - - if (F.ajaxLoad) { - F.ajaxLoad.abort(); - } - - F.ajaxLoad = null; - - if (F.imgPreload) { - F.imgPreload.onload = F.imgPreload.onerror = null; - } - - if (coming.wrap) { - coming.wrap.stop(true, true).trigger('onReset').remove(); - } - - F.coming = null; - - // If the first item has been canceled, then clear everything - if (!F.current) { - F._afterZoomOut( coming ); - } - }, - - // Start closing animation if is open; remove immediately if opening/closing - close: function (event) { - F.cancel(); - - if (false === F.trigger('beforeClose')) { - return; - } - - F.unbindEvents(); - - if (!F.isActive) { - return; - } - - if (!F.isOpen || event === true) { - $('.fancybox-wrap').stop(true).trigger('onReset').remove(); - - F._afterZoomOut(); - - } else { - F.isOpen = F.isOpened = false; - F.isClosing = true; - - $('.fancybox-item, .fancybox-nav').remove(); - - F.wrap.stop(true, true).removeClass('fancybox-opened'); - - F.transitions[ F.current.closeMethod ](); - } - }, - - // Manage slideshow: - // $.fancybox.play(); - toggle slideshow - // $.fancybox.play( true ); - start - // $.fancybox.play( false ); - stop - play: function ( action ) { - var clear = function () { - clearTimeout(F.player.timer); - }, - set = function () { - clear(); - - if (F.current && F.player.isActive) { - F.player.timer = setTimeout(F.next, F.current.playSpeed); - } - }, - stop = function () { - clear(); - - D.unbind('.player'); - - F.player.isActive = false; - - F.trigger('onPlayEnd'); - }, - start = function () { - if (F.current && (F.current.loop || F.current.index < F.group.length - 1)) { - F.player.isActive = true; - - D.bind({ - 'onCancel.player beforeClose.player' : stop, - 'onUpdate.player' : set, - 'beforeLoad.player' : clear - }); - - set(); - - F.trigger('onPlayStart'); - } - }; - - if (action === true || (!F.player.isActive && action !== false)) { - start(); - } else { - stop(); - } - }, - - // Navigate to next gallery item - next: function ( direction ) { - var current = F.current; - - if (current) { - if (!isString(direction)) { - direction = current.direction.next; - } - - F.jumpto(current.index + 1, direction, 'next'); - } - }, - - // Navigate to previous gallery item - prev: function ( direction ) { - var current = F.current; - - if (current) { - if (!isString(direction)) { - direction = current.direction.prev; - } - - F.jumpto(current.index - 1, direction, 'prev'); - } - }, - - // Navigate to gallery item by index - jumpto: function ( index, direction, router ) { - var current = F.current; - - if (!current) { - return; - } - - index = getScalar(index); - - F.direction = direction || current.direction[ (index >= current.index ? 'next' : 'prev') ]; - F.router = router || 'jumpto'; - - if (current.loop) { - if (index < 0) { - index = current.group.length + (index % current.group.length); - } - - index = index % current.group.length; - } - - if (current.group[ index ] !== undefined) { - F.cancel(); - - F._start(index); - } - }, - - // Center inside viewport and toggle position type to fixed or absolute if needed - reposition: function (e, onlyAbsolute) { - var current = F.current, - wrap = current ? current.wrap : null, - pos; - - if (wrap) { - pos = F._getPosition(onlyAbsolute); - - if (e && e.type === 'scroll') { - delete pos.position; - - wrap.stop(true, true).animate(pos, 200); - - } else { - wrap.css(pos); - - current.pos = $.extend({}, current.dim, pos); - } - } - }, - - update: function (e) { - var type = (e && e.type), - anyway = !type || type === 'orientationchange'; - - if (anyway) { - clearTimeout(didUpdate); - - didUpdate = null; - } - - if (!F.isOpen || didUpdate) { - return; - } - - didUpdate = setTimeout(function() { - var current = F.current; - - if (!current || F.isClosing) { - return; - } - - F.wrap.removeClass('fancybox-tmp'); - - if (anyway || type === 'load' || (type === 'resize' && current.autoResize)) { - F._setDimension(); - } - - if (!(type === 'scroll' && current.canShrink)) { - F.reposition(e); - } - - F.trigger('onUpdate'); - - didUpdate = null; - - }, (anyway && !isTouch ? 0 : 300)); - }, - - // Shrink content to fit inside viewport or restore if resized - toggle: function ( action ) { - if (F.isOpen) { - F.current.fitToView = $.type(action) === "boolean" ? action : !F.current.fitToView; - - // Help browser to restore document dimensions - if (isTouch) { - F.wrap.removeAttr('style').addClass('fancybox-tmp'); - - F.trigger('onUpdate'); - } - - F.update(); - } - }, - - hideLoading: function () { - D.unbind('.loading'); - - $('#fancybox-loading').remove(); - }, - - showLoading: function () { - var el, viewport; - - F.hideLoading(); - - el = $('
').click(F.cancel).appendTo('body'); - - // If user will press the escape-button, the request will be canceled - D.bind('keydown.loading', function(e) { - if ((e.which || e.keyCode) === 27) { - e.preventDefault(); - - F.cancel(); - } - }); - - if (!F.defaults.fixed) { - viewport = F.getViewport(); - - el.css({ - position : 'absolute', - top : (viewport.h * 0.5) + viewport.y, - left : (viewport.w * 0.5) + viewport.x - }); - } - }, - - getViewport: function () { - var locked = (F.current && F.current.locked) || false, - rez = { - x: W.scrollLeft(), - y: W.scrollTop() - }; - - if (locked) { - rez.w = locked[0].clientWidth; - rez.h = locked[0].clientHeight; - - } else { - // See http://bugs.jquery.com/ticket/6724 - rez.w = isTouch && window.innerWidth ? window.innerWidth : W.width(); - rez.h = isTouch && window.innerHeight ? window.innerHeight : W.height(); - } - - return rez; - }, - - // Unbind the keyboard / clicking actions - unbindEvents: function () { - if (F.wrap && isQuery(F.wrap)) { - F.wrap.unbind('.fb'); - } - - D.unbind('.fb'); - W.unbind('.fb'); - }, - - bindEvents: function () { - var current = F.current, - keys; - - if (!current) { - return; - } - - // Changing document height on iOS devices triggers a 'resize' event, - // that can change document height... repeating infinitely - W.bind('orientationchange.fb' + (isTouch ? '' : ' resize.fb') + (current.autoCenter && !current.locked ? ' scroll.fb' : ''), F.update); - - keys = current.keys; - - if (keys) { - D.bind('keydown.fb', function (e) { - var code = e.which || e.keyCode, - target = e.target || e.srcElement; - - // Skip esc key if loading, because showLoading will cancel preloading - if (code === 27 && F.coming) { - return false; - } - - // Ignore key combinations and key events within form elements - if (!e.ctrlKey && !e.altKey && !e.shiftKey && !e.metaKey && !(target && (target.type || $(target).is('[contenteditable]')))) { - $.each(keys, function(i, val) { - if (current.group.length > 1 && val[ code ] !== undefined) { - F[ i ]( val[ code ] ); - - e.preventDefault(); - return false; - } - - if ($.inArray(code, val) > -1) { - F[ i ] (); - - e.preventDefault(); - return false; - } - }); - } - }); - } - - if ($.fn.mousewheel && current.mouseWheel) { - F.wrap.bind('mousewheel.fb', function (e, delta, deltaX, deltaY) { - var target = e.target || null, - parent = $(target), - canScroll = false; - - while (parent.length) { - if (canScroll || parent.is('.fancybox-skin') || parent.is('.fancybox-wrap')) { - break; - } - - canScroll = isScrollable( parent[0] ); - parent = $(parent).parent(); - } - - if (delta !== 0 && !canScroll) { - if (F.group.length > 1 && !current.canShrink) { - if (deltaY > 0 || deltaX > 0) { - F.prev( deltaY > 0 ? 'down' : 'left' ); - - } else if (deltaY < 0 || deltaX < 0) { - F.next( deltaY < 0 ? 'up' : 'right' ); - } - - e.preventDefault(); - } - } - }); - } - }, - - trigger: function (event, o) { - var ret, obj = o || F.coming || F.current; - - if (!obj) { - return; - } - - if ($.isFunction( obj[event] )) { - ret = obj[event].apply(obj, Array.prototype.slice.call(arguments, 1)); - } - - if (ret === false) { - return false; - } - - if (obj.helpers) { - $.each(obj.helpers, function (helper, opts) { - if (opts && F.helpers[helper] && $.isFunction(F.helpers[helper][event])) { - opts = $.extend(true, {}, F.helpers[helper].defaults, opts); - - F.helpers[helper][event](opts, obj); - } - }); - } - - D.trigger(event); - }, - - isImage: function (str) { - return isString(str) && str.match(/(^data:image\/.*,)|(\.(jp(e|g|eg)|gif|png|bmp|webp)((\?|#).*)?$)/i); - }, - - isSWF: function (str) { - return isString(str) && str.match(/\.(swf)((\?|#).*)?$/i); - }, - - _start: function (index) { - var coming = {}, - obj, - href, - type, - margin, - padding; - - index = getScalar( index ); - obj = F.group[ index ] || null; - - if (!obj) { - return false; - } - - coming = $.extend(true, {}, F.opts, obj); - - // Convert margin and padding properties to array - top, right, bottom, left - margin = coming.margin; - padding = coming.padding; - - if ($.type(margin) === 'number') { - coming.margin = [margin, margin, margin, margin]; - } - - if ($.type(padding) === 'number') { - coming.padding = [padding, padding, padding, padding]; - } - - // 'modal' propery is just a shortcut - if (coming.modal) { - $.extend(true, coming, { - closeBtn : false, - closeClick : false, - nextClick : false, - arrows : false, - mouseWheel : false, - keys : null, - helpers: { - overlay : { - closeClick : false - } - } - }); - } - - // 'autoSize' property is a shortcut, too - if (coming.autoSize) { - coming.autoWidth = coming.autoHeight = true; - } - - if (coming.width === 'auto') { - coming.autoWidth = true; - } - - if (coming.height === 'auto') { - coming.autoHeight = true; - } - - /* - * Add reference to the group, so it`s possible to access from callbacks, example: - * afterLoad : function() { - * this.title = 'Image ' + (this.index + 1) + ' of ' + this.group.length + (this.title ? ' - ' + this.title : ''); - * } - */ - - coming.group = F.group; - coming.index = index; - - // Give a chance for callback or helpers to update coming item (type, title, etc) - F.coming = coming; - - if (false === F.trigger('beforeLoad')) { - F.coming = null; - - return; - } - - type = coming.type; - href = coming.href; - - if (!type) { - F.coming = null; - - //If we can not determine content type then drop silently or display next/prev item if looping through gallery - if (F.current && F.router && F.router !== 'jumpto') { - F.current.index = index; - - return F[ F.router ]( F.direction ); - } - - return false; - } - - F.isActive = true; - - if (type === 'image' || type === 'swf') { - coming.autoHeight = coming.autoWidth = false; - coming.scrolling = 'visible'; - } - - if (type === 'image') { - coming.aspectRatio = true; - } - - if (type === 'iframe' && isTouch) { - coming.scrolling = 'scroll'; - } - - // Build the neccessary markup - coming.wrap = $(coming.tpl.wrap).addClass('fancybox-' + (isTouch ? 'mobile' : 'desktop') + ' fancybox-type-' + type + ' fancybox-tmp ' + coming.wrapCSS).appendTo( coming.parent || 'body' ); - - $.extend(coming, { - skin : $('.fancybox-skin', coming.wrap), - outer : $('.fancybox-outer', coming.wrap), - inner : $('.fancybox-inner', coming.wrap) - }); - - $.each(["Top", "Right", "Bottom", "Left"], function(i, v) { - coming.skin.css('padding' + v, getValue(coming.padding[ i ])); - }); - - F.trigger('onReady'); - - // Check before try to load; 'inline' and 'html' types need content, others - href - if (type === 'inline' || type === 'html') { - if (!coming.content || !coming.content.length) { - return F._error( 'content' ); - } - - } else if (!href) { - return F._error( 'href' ); - } - - if (type === 'image') { - F._loadImage(); - - } else if (type === 'ajax') { - F._loadAjax(); - - } else if (type === 'iframe') { - F._loadIframe(); - - } else { - F._afterLoad(); - } - }, - - _error: function ( type ) { - $.extend(F.coming, { - type : 'html', - autoWidth : true, - autoHeight : true, - minWidth : 0, - minHeight : 0, - scrolling : 'no', - hasError : type, - content : F.coming.tpl.error - }); - - F._afterLoad(); - }, - - _loadImage: function () { - // Reset preload image so it is later possible to check "complete" property - var img = F.imgPreload = new Image(); - - img.onload = function () { - this.onload = this.onerror = null; - - F.coming.width = this.width; - F.coming.height = this.height; - - F._afterLoad(); - }; - - img.onerror = function () { - this.onload = this.onerror = null; - - F._error( 'image' ); - }; - - img.src = F.coming.href; - - if (img.complete !== true) { - F.showLoading(); - } - }, - - _loadAjax: function () { - var coming = F.coming; - - F.showLoading(); - - F.ajaxLoad = $.ajax($.extend({}, coming.ajax, { - url: coming.href, - error: function (jqXHR, textStatus) { - if (F.coming && textStatus !== 'abort') { - F._error( 'ajax', jqXHR ); - - } else { - F.hideLoading(); - } - }, - success: function (data, textStatus) { - if (textStatus === 'success') { - coming.content = data; - - F._afterLoad(); - } - } - })); - }, - - _loadIframe: function() { - var coming = F.coming, - iframe = $(coming.tpl.iframe.replace(/\{rnd\}/g, new Date().getTime())) - .attr('scrolling', isTouch ? 'auto' : coming.iframe.scrolling) - .attr('src', coming.href); - - // This helps IE - $(coming.wrap).bind('onReset', function () { - try { - $(this).find('iframe').hide().attr('src', '//about:blank').end().empty(); - } catch (e) {} - }); - - if (coming.iframe.preload) { - F.showLoading(); - - iframe.one('load', function() { - $(this).data('ready', 1); - - // iOS will lose scrolling if we resize - if (!isTouch) { - $(this).bind('load.fb', F.update); - } - - // Without this trick: - // - iframe won't scroll on iOS devices - // - IE7 sometimes displays empty iframe - $(this).parents('.fancybox-wrap').width('100%').removeClass('fancybox-tmp').show(); - - F._afterLoad(); - }); - } - - coming.content = iframe.appendTo( coming.inner ); - - if (!coming.iframe.preload) { - F._afterLoad(); - } - }, - - _preloadImages: function() { - var group = F.group, - current = F.current, - len = group.length, - cnt = current.preload ? Math.min(current.preload, len - 1) : 0, - item, - i; - - for (i = 1; i <= cnt; i += 1) { - item = group[ (current.index + i ) % len ]; - - if (item.type === 'image' && item.href) { - new Image().src = item.href; - } - } - }, - - _afterLoad: function () { - var coming = F.coming, - previous = F.current, - placeholder = 'fancybox-placeholder', - current, - content, - type, - scrolling, - href, - embed; - - F.hideLoading(); - - if (!coming || F.isActive === false) { - return; - } - - if (false === F.trigger('afterLoad', coming, previous)) { - coming.wrap.stop(true).trigger('onReset').remove(); - - F.coming = null; - - return; - } - - if (previous) { - F.trigger('beforeChange', previous); - - previous.wrap.stop(true).removeClass('fancybox-opened') - .find('.fancybox-item, .fancybox-nav') - .remove(); - } - - F.unbindEvents(); - - current = coming; - content = coming.content; - type = coming.type; - scrolling = coming.scrolling; - - $.extend(F, { - wrap : current.wrap, - skin : current.skin, - outer : current.outer, - inner : current.inner, - current : current, - previous : previous - }); - - href = current.href; - - switch (type) { - case 'inline': - case 'ajax': - case 'html': - if (current.selector) { - content = $('
').html(content).find(current.selector); - - } else if (isQuery(content)) { - if (!content.data(placeholder)) { - content.data(placeholder, $('
').insertAfter( content ).hide() ); - } - - content = content.show().detach(); - - current.wrap.bind('onReset', function () { - if ($(this).find(content).length) { - content.hide().replaceAll( content.data(placeholder) ).data(placeholder, false); - } - }); - } - break; - - case 'image': - content = current.tpl.image.replace('{href}', href); - break; - - case 'swf': - content = ''; - embed = ''; - - $.each(current.swf, function(name, val) { - content += ''; - embed += ' ' + name + '="' + val + '"'; - }); - - content += ''; - break; - } - - if (!(isQuery(content) && content.parent().is(current.inner))) { - current.inner.append( content ); - } - - // Give a chance for helpers or callbacks to update elements - F.trigger('beforeShow'); - - // Set scrolling before calculating dimensions - current.inner.css('overflow', scrolling === 'yes' ? 'scroll' : (scrolling === 'no' ? 'hidden' : scrolling)); - - // Set initial dimensions and start position - F._setDimension(); - - F.reposition(); - - F.isOpen = false; - F.coming = null; - - F.bindEvents(); - - if (!F.isOpened) { - $('.fancybox-wrap').not( current.wrap ).stop(true).trigger('onReset').remove(); - - } else if (previous.prevMethod) { - F.transitions[ previous.prevMethod ](); - } - - F.transitions[ F.isOpened ? current.nextMethod : current.openMethod ](); - - F._preloadImages(); - }, - - _setDimension: function () { - var viewport = F.getViewport(), - steps = 0, - canShrink = false, - canExpand = false, - wrap = F.wrap, - skin = F.skin, - inner = F.inner, - current = F.current, - width = current.width, - height = current.height, - minWidth = current.minWidth, - minHeight = current.minHeight, - maxWidth = current.maxWidth, - maxHeight = current.maxHeight, - scrolling = current.scrolling, - scrollOut = current.scrollOutside ? current.scrollbarWidth : 0, - margin = current.margin, - wMargin = getScalar(margin[1] + margin[3]), - hMargin = getScalar(margin[0] + margin[2]), - wPadding, - hPadding, - wSpace, - hSpace, - origWidth, - origHeight, - origMaxWidth, - origMaxHeight, - ratio, - width_, - height_, - maxWidth_, - maxHeight_, - iframe, - body; - - // Reset dimensions so we could re-check actual size - wrap.add(skin).add(inner).width('auto').height('auto').removeClass('fancybox-tmp'); - - wPadding = getScalar(skin.outerWidth(true) - skin.width()); - hPadding = getScalar(skin.outerHeight(true) - skin.height()); - - // Any space between content and viewport (margin, padding, border, title) - wSpace = wMargin + wPadding; - hSpace = hMargin + hPadding; - - origWidth = isPercentage(width) ? (viewport.w - wSpace) * getScalar(width) / 100 : width; - origHeight = isPercentage(height) ? (viewport.h - hSpace) * getScalar(height) / 100 : height; - - if (current.type === 'iframe') { - iframe = current.content; - - if (current.autoHeight && iframe.data('ready') === 1) { - try { - if (iframe[0].contentWindow.document.location) { - inner.width( origWidth ).height(9999); - - body = iframe.contents().find('body'); - - if (scrollOut) { - body.css('overflow-x', 'hidden'); - } - - origHeight = body.height(); - } - - } catch (e) {} - } - - } else if (current.autoWidth || current.autoHeight) { - inner.addClass( 'fancybox-tmp' ); - - // Set width or height in case we need to calculate only one dimension - if (!current.autoWidth) { - inner.width( origWidth ); - } - - if (!current.autoHeight) { - inner.height( origHeight ); - } - - if (current.autoWidth) { - origWidth = inner.width(); - } - - if (current.autoHeight) { - origHeight = inner.height(); - } - - inner.removeClass( 'fancybox-tmp' ); - } - - width = getScalar( origWidth ); - height = getScalar( origHeight ); - - ratio = origWidth / origHeight; - - // Calculations for the content - minWidth = getScalar(isPercentage(minWidth) ? getScalar(minWidth, 'w') - wSpace : minWidth); - maxWidth = getScalar(isPercentage(maxWidth) ? getScalar(maxWidth, 'w') - wSpace : maxWidth); - - minHeight = getScalar(isPercentage(minHeight) ? getScalar(minHeight, 'h') - hSpace : minHeight); - maxHeight = getScalar(isPercentage(maxHeight) ? getScalar(maxHeight, 'h') - hSpace : maxHeight); - - // These will be used to determine if wrap can fit in the viewport - origMaxWidth = maxWidth; - origMaxHeight = maxHeight; - - if (current.fitToView) { - maxWidth = Math.min(viewport.w - wSpace, maxWidth); - maxHeight = Math.min(viewport.h - hSpace, maxHeight); - } - - maxWidth_ = viewport.w - wMargin; - maxHeight_ = viewport.h - hMargin; - - if (current.aspectRatio) { - if (width > maxWidth) { - width = maxWidth; - height = getScalar(width / ratio); - } - - if (height > maxHeight) { - height = maxHeight; - width = getScalar(height * ratio); - } - - if (width < minWidth) { - width = minWidth; - height = getScalar(width / ratio); - } - - if (height < minHeight) { - height = minHeight; - width = getScalar(height * ratio); - } - - } else { - width = Math.max(minWidth, Math.min(width, maxWidth)); - - if (current.autoHeight && current.type !== 'iframe') { - inner.width( width ); - - height = inner.height(); - } - - height = Math.max(minHeight, Math.min(height, maxHeight)); - } - - // Try to fit inside viewport (including the title) - if (current.fitToView) { - inner.width( width ).height( height ); - - wrap.width( width + wPadding ); - - // Real wrap dimensions - width_ = wrap.width(); - height_ = wrap.height(); - - if (current.aspectRatio) { - while ((width_ > maxWidth_ || height_ > maxHeight_) && width > minWidth && height > minHeight) { - if (steps++ > 19) { - break; - } - - height = Math.max(minHeight, Math.min(maxHeight, height - 10)); - width = getScalar(height * ratio); - - if (width < minWidth) { - width = minWidth; - height = getScalar(width / ratio); - } - - if (width > maxWidth) { - width = maxWidth; - height = getScalar(width / ratio); - } - - inner.width( width ).height( height ); - - wrap.width( width + wPadding ); - - width_ = wrap.width(); - height_ = wrap.height(); - } - - } else { - width = Math.max(minWidth, Math.min(width, width - (width_ - maxWidth_))); - height = Math.max(minHeight, Math.min(height, height - (height_ - maxHeight_))); - } - } - - if (scrollOut && scrolling === 'auto' && height < origHeight && (width + wPadding + scrollOut) < maxWidth_) { - width += scrollOut; - } - - inner.width( width ).height( height ); - - wrap.width( width + wPadding ); - - width_ = wrap.width(); - height_ = wrap.height(); - - canShrink = (width_ > maxWidth_ || height_ > maxHeight_) && width > minWidth && height > minHeight; - canExpand = current.aspectRatio ? (width < origMaxWidth && height < origMaxHeight && width < origWidth && height < origHeight) : ((width < origMaxWidth || height < origMaxHeight) && (width < origWidth || height < origHeight)); - - $.extend(current, { - dim : { - width : getValue( width_ ), - height : getValue( height_ ) - }, - origWidth : origWidth, - origHeight : origHeight, - canShrink : canShrink, - canExpand : canExpand, - wPadding : wPadding, - hPadding : hPadding, - wrapSpace : height_ - skin.outerHeight(true), - skinSpace : skin.height() - height - }); - - if (!iframe && current.autoHeight && height > minHeight && height < maxHeight && !canExpand) { - inner.height('auto'); - } - }, - - _getPosition: function (onlyAbsolute) { - var current = F.current, - viewport = F.getViewport(), - margin = current.margin, - width = F.wrap.width() + margin[1] + margin[3], - height = F.wrap.height() + margin[0] + margin[2], - rez = { - position: 'absolute', - top : margin[0], - left : margin[3] - }; - - if (current.autoCenter && current.fixed && !onlyAbsolute && height <= viewport.h && width <= viewport.w) { - rez.position = 'fixed'; - - } else if (!current.locked) { - rez.top += viewport.y; - rez.left += viewport.x; - } - - rez.top = getValue(Math.max(rez.top, rez.top + ((viewport.h - height) * current.topRatio))); - rez.left = getValue(Math.max(rez.left, rez.left + ((viewport.w - width) * current.leftRatio))); - - return rez; - }, - - _afterZoomIn: function () { - var current = F.current; - - if (!current) { - return; - } - - F.isOpen = F.isOpened = true; - - F.wrap.css('overflow', 'visible').addClass('fancybox-opened'); - - F.update(); - - // Assign a click event - if ( current.closeClick || (current.nextClick && F.group.length > 1) ) { - F.inner.css('cursor', 'pointer').bind('click.fb', function(e) { - if (!$(e.target).is('a') && !$(e.target).parent().is('a')) { - e.preventDefault(); - - F[ current.closeClick ? 'close' : 'next' ](); - } - }); - } - - // Create a close button - if (current.closeBtn) { - $(current.tpl.closeBtn).appendTo(F.skin).bind('click.fb', function(e) { - e.preventDefault(); - - F.close(); - }); - } - - // Create navigation arrows - if (current.arrows && F.group.length > 1) { - if (current.loop || current.index > 0) { - $(current.tpl.prev).appendTo(F.outer).bind('click.fb', F.prev); - } - - if (current.loop || current.index < F.group.length - 1) { - $(current.tpl.next).appendTo(F.outer).bind('click.fb', F.next); - } - } - - F.trigger('afterShow'); - - // Stop the slideshow if this is the last item - if (!current.loop && current.index === current.group.length - 1) { - F.play( false ); - - } else if (F.opts.autoPlay && !F.player.isActive) { - F.opts.autoPlay = false; - - F.play(); - } - }, - - _afterZoomOut: function ( obj ) { - obj = obj || F.current; - - $('.fancybox-wrap').trigger('onReset').remove(); - - $.extend(F, { - group : {}, - opts : {}, - router : false, - current : null, - isActive : false, - isOpened : false, - isOpen : false, - isClosing : false, - wrap : null, - skin : null, - outer : null, - inner : null - }); - - F.trigger('afterClose', obj); - } - }); - - /* - * Default transitions - */ - - F.transitions = { - getOrigPosition: function () { - var current = F.current, - element = current.element, - orig = current.orig, - pos = {}, - width = 50, - height = 50, - hPadding = current.hPadding, - wPadding = current.wPadding, - viewport = F.getViewport(); - - if (!orig && current.isDom && element.is(':visible')) { - orig = element.find('img:first'); - - if (!orig.length) { - orig = element; - } - } - - if (isQuery(orig)) { - pos = orig.offset(); - - if (orig.is('img')) { - width = orig.outerWidth(); - height = orig.outerHeight(); - } - - } else { - pos.top = viewport.y + (viewport.h - height) * current.topRatio; - pos.left = viewport.x + (viewport.w - width) * current.leftRatio; - } - - if (F.wrap.css('position') === 'fixed' || current.locked) { - pos.top -= viewport.y; - pos.left -= viewport.x; - } - - pos = { - top : getValue(pos.top - hPadding * current.topRatio), - left : getValue(pos.left - wPadding * current.leftRatio), - width : getValue(width + wPadding), - height : getValue(height + hPadding) - }; - - return pos; - }, - - step: function (now, fx) { - var ratio, - padding, - value, - prop = fx.prop, - current = F.current, - wrapSpace = current.wrapSpace, - skinSpace = current.skinSpace; - - if (prop === 'width' || prop === 'height') { - ratio = fx.end === fx.start ? 1 : (now - fx.start) / (fx.end - fx.start); - - if (F.isClosing) { - ratio = 1 - ratio; - } - - padding = prop === 'width' ? current.wPadding : current.hPadding; - value = now - padding; - - F.skin[ prop ]( getScalar( prop === 'width' ? value : value - (wrapSpace * ratio) ) ); - F.inner[ prop ]( getScalar( prop === 'width' ? value : value - (wrapSpace * ratio) - (skinSpace * ratio) ) ); - } - }, - - zoomIn: function () { - var current = F.current, - startPos = current.pos, - effect = current.openEffect, - elastic = effect === 'elastic', - endPos = $.extend({opacity : 1}, startPos); - - // Remove "position" property that breaks older IE - delete endPos.position; - - if (elastic) { - startPos = this.getOrigPosition(); - - if (current.openOpacity) { - startPos.opacity = 0.1; - } - - } else if (effect === 'fade') { - startPos.opacity = 0.1; - } - - F.wrap.css(startPos).animate(endPos, { - duration : effect === 'none' ? 0 : current.openSpeed, - easing : current.openEasing, - step : elastic ? this.step : null, - complete : F._afterZoomIn - }); - }, - - zoomOut: function () { - var current = F.current, - effect = current.closeEffect, - elastic = effect === 'elastic', - endPos = {opacity : 0.1}; - - if (elastic) { - endPos = this.getOrigPosition(); - - if (current.closeOpacity) { - endPos.opacity = 0.1; - } - } - - F.wrap.animate(endPos, { - duration : effect === 'none' ? 0 : current.closeSpeed, - easing : current.closeEasing, - step : elastic ? this.step : null, - complete : F._afterZoomOut - }); - }, - - changeIn: function () { - var current = F.current, - effect = current.nextEffect, - startPos = current.pos, - endPos = { opacity : 1 }, - direction = F.direction, - distance = 200, - field; - - startPos.opacity = 0.1; - - if (effect === 'elastic') { - field = direction === 'down' || direction === 'up' ? 'top' : 'left'; - - if (direction === 'down' || direction === 'right') { - startPos[ field ] = getValue(getScalar(startPos[ field ]) - distance); - endPos[ field ] = '+=' + distance + 'px'; - - } else { - startPos[ field ] = getValue(getScalar(startPos[ field ]) + distance); - endPos[ field ] = '-=' + distance + 'px'; - } - } - - // Workaround for http://bugs.jquery.com/ticket/12273 - if (effect === 'none') { - F._afterZoomIn(); - - } else { - F.wrap.css(startPos).animate(endPos, { - duration : current.nextSpeed, - easing : current.nextEasing, - complete : F._afterZoomIn - }); - } - }, - - changeOut: function () { - var previous = F.previous, - effect = previous.prevEffect, - endPos = { opacity : 0.1 }, - direction = F.direction, - distance = 200; - - if (effect === 'elastic') { - endPos[ direction === 'down' || direction === 'up' ? 'top' : 'left' ] = ( direction === 'up' || direction === 'left' ? '-' : '+' ) + '=' + distance + 'px'; - } - - previous.wrap.animate(endPos, { - duration : effect === 'none' ? 0 : previous.prevSpeed, - easing : previous.prevEasing, - complete : function () { - $(this).trigger('onReset').remove(); - } - }); - } - }; - - /* - * Overlay helper - */ - - F.helpers.overlay = { - defaults : { - closeClick : true, // if true, fancyBox will be closed when user clicks on the overlay - speedOut : 200, // duration of fadeOut animation - showEarly : true, // indicates if should be opened immediately or wait until the content is ready - css : {}, // custom CSS properties - locked : !isTouch, // if true, the content will be locked into overlay - fixed : true // if false, the overlay CSS position property will not be set to "fixed" - }, - - overlay : null, // current handle - fixed : false, // indicates if the overlay has position "fixed" - - // Public methods - create : function(opts) { - opts = $.extend({}, this.defaults, opts); - - if (this.overlay) { - this.close(); - } - - this.overlay = $('
').appendTo( 'body' ); - this.fixed = false; - - if (opts.fixed && F.defaults.fixed) { - this.overlay.addClass('fancybox-overlay-fixed'); - - this.fixed = true; - } - }, - - open : function(opts) { - var that = this; - - opts = $.extend({}, this.defaults, opts); - - if (this.overlay) { - this.overlay.unbind('.overlay').width('auto').height('auto'); - - } else { - this.create(opts); - } - - if (!this.fixed) { - W.bind('resize.overlay', $.proxy( this.update, this) ); - - this.update(); - } - - if (opts.closeClick) { - this.overlay.bind('click.overlay', function(e) { - if ($(e.target).hasClass('fancybox-overlay')) { - if (F.isActive) { - F.close(); - } else { - that.close(); - } - } - }); - } - - this.overlay.css( opts.css ).show(); - }, - - close : function() { - $('.fancybox-overlay').remove(); - - W.unbind('resize.overlay'); - - this.overlay = null; - - if (this.margin !== false) { - $('body').css('margin-right', this.margin); - - this.margin = false; - } - - if (this.el) { - this.el.removeClass('fancybox-lock'); - } - }, - - // Private, callbacks - - update : function () { - var width = '100%', offsetWidth; - - // Reset width/height so it will not mess - this.overlay.width(width).height('100%'); - - // jQuery does not return reliable result for IE - if (IE) { - offsetWidth = Math.max(document.documentElement.offsetWidth, document.body.offsetWidth); - - if (D.width() > offsetWidth) { - width = D.width(); - } - - } else if (D.width() > W.width()) { - width = D.width(); - } - - this.overlay.width(width).height(D.height()); - }, - - // This is where we can manipulate DOM, because later it would cause iframes to reload - onReady : function (opts, obj) { - $('.fancybox-overlay').stop(true, true); - - if (!this.overlay) { - this.margin = D.height() > W.height() || $('body').css('overflow-y') === 'scroll' ? $('body').css('margin-right') : false; - this.el = document.all && !document.querySelector ? $('html') : $('body'); - - this.create(opts); - } - - if (opts.locked && this.fixed) { - obj.locked = this.overlay.append( obj.wrap ); - obj.fixed = false; - } - - if (opts.showEarly === true) { - this.beforeShow.apply(this, arguments); - } - }, - - beforeShow : function(opts, obj) { - if (obj.locked) { - this.el.addClass('fancybox-lock'); - - if (this.margin !== false) { - $('body').css('margin-right', getScalar( this.margin ) + obj.scrollbarWidth); - } - } - - this.open(opts); - }, - - onUpdate : function() { - if (!this.fixed) { - this.update(); - } - }, - - afterClose: function (opts) { - // Remove overlay if exists and fancyBox is not opening - // (e.g., it is not being open using afterClose callback) - if (this.overlay && !F.isActive) { - this.overlay.fadeOut(opts.speedOut, $.proxy( this.close, this )); - } - } - }; - - /* - * Title helper - */ - - F.helpers.title = { - defaults : { - type : 'float', // 'float', 'inside', 'outside' or 'over', - position : 'bottom' // 'top' or 'bottom' - }, - - beforeShow: function (opts) { - var current = F.current, - text = current.title, - type = opts.type, - title, - target; - - if ($.isFunction(text)) { - text = text.call(current.element, current); - } - - if (!isString(text) || $.trim(text) === '') { - return; - } - - title = $('
' + text + '
'); - - switch (type) { - case 'inside': - target = F.skin; - break; - - case 'outside': - target = F.wrap; - break; - - case 'over': - target = F.inner; - break; - - default: // 'float' - target = F.skin; - - title.appendTo('body'); - - if (IE) { - title.width( title.width() ); - } - - title.wrapInner(''); - - //Increase bottom margin so this title will also fit into viewport - F.current.margin[2] += Math.abs( getScalar(title.css('margin-bottom')) ); - break; - } - - title[ (opts.position === 'top' ? 'prependTo' : 'appendTo') ](target); - } - }; - - // jQuery plugin initialization - $.fn.fancybox = function (options) { - var index, - that = $(this), - selector = this.selector || '', - run = function(e) { - var what = $(this).blur(), idx = index, relType, relVal; - - if (!(e.ctrlKey || e.altKey || e.shiftKey || e.metaKey) && !what.is('.fancybox-wrap')) { - relType = options.groupAttr || 'data-fancybox-group'; - relVal = what.attr(relType); - - if (!relVal) { - relType = 'rel'; - relVal = what.get(0)[ relType ]; - } - - if (relVal && relVal !== '' && relVal !== 'nofollow') { - what = selector.length ? $(selector) : that; - what = what.filter('[' + relType + '="' + relVal + '"]'); - idx = what.index(this); - } - - options.index = idx; - - // Stop an event from bubbling if everything is fine - if (F.open(what, options) !== false) { - e.preventDefault(); - } - } - }; - - options = options || {}; - index = options.index || 0; - - if (!selector || options.live === false) { - that.unbind('click.fb-start').bind('click.fb-start', run); - - } else { - D.undelegate(selector, 'click.fb-start').delegate(selector + ":not('.fancybox-item, .fancybox-nav')", 'click.fb-start', run); - } - - this.filter('[data-fancybox-start=1]').trigger('click'); - - return this; - }; - - // Tests that need a body at doc ready - D.ready(function() { - if ( $.scrollbarWidth === undefined ) { - // http://benalman.com/projects/jquery-misc-plugins/#scrollbarwidth - $.scrollbarWidth = function() { - var parent = $('
').appendTo('body'), - child = parent.children(), - width = child.innerWidth() - child.height( 99 ).innerWidth(); - - parent.remove(); - - return width; - }; - } - - if ( $.support.fixedPosition === undefined ) { - $.support.fixedPosition = (function() { - var elem = $('
').appendTo('body'), - fixed = ( elem[0].offsetTop === 20 || elem[0].offsetTop === 15 ); - - elem.remove(); - - return fixed; - }()); - } - - $.extend(F.defaults, { - scrollbarWidth : $.scrollbarWidth(), - fixed : $.support.fixedPosition, - parent : $('body') - }); - }); - -}(window, document, jQuery)); \ No newline at end of file diff --git a/library/fancybox/jquery.fancybox.pack.js b/library/fancybox/jquery.fancybox.pack.js deleted file mode 100644 index c8947a08b..000000000 --- a/library/fancybox/jquery.fancybox.pack.js +++ /dev/null @@ -1,44 +0,0 @@ -(function(C,z,f,r){var q=f(C),n=f(z),b=f.fancybox=function(){b.open.apply(this,arguments)},H=navigator.userAgent.match(/msie/i),w=null,s=z.createTouch!==r,t=function(a){return a&&a.hasOwnProperty&&a instanceof f},p=function(a){return a&&"string"===f.type(a)},F=function(a){return p(a)&&0
',image:'',iframe:'",error:'

The requested content cannot be loaded.
Please try again later.

',closeBtn:'',next:'',prev:''},openEffect:"fade",openSpeed:250,openEasing:"swing",openOpacity:!0, -openMethod:"zoomIn",closeEffect:"fade",closeSpeed:250,closeEasing:"swing",closeOpacity:!0,closeMethod:"zoomOut",nextEffect:"elastic",nextSpeed:250,nextEasing:"swing",nextMethod:"changeIn",prevEffect:"elastic",prevSpeed:250,prevEasing:"swing",prevMethod:"changeOut",helpers:{overlay:!0,title:!0},onCancel:f.noop,beforeLoad:f.noop,afterLoad:f.noop,beforeShow:f.noop,afterShow:f.noop,beforeChange:f.noop,beforeClose:f.noop,afterClose:f.noop},group:{},opts:{},previous:null,coming:null,current:null,isActive:!1, -isOpen:!1,isOpened:!1,wrap:null,skin:null,outer:null,inner:null,player:{timer:null,isActive:!1},ajaxLoad:null,imgPreload:null,transitions:{},helpers:{},open:function(a,d){if(a&&(f.isPlainObject(d)||(d={}),!1!==b.close(!0)))return f.isArray(a)||(a=t(a)?f(a).get():[a]),f.each(a,function(e,c){var k={},g,h,j,m,l;"object"===f.type(c)&&(c.nodeType&&(c=f(c)),t(c)?(k={href:c.data("fancybox-href")||c.attr("href"),title:c.data("fancybox-title")||c.attr("title"),isDom:!0,element:c},f.metadata&&f.extend(!0,k, -c.metadata())):k=c);g=d.href||k.href||(p(c)?c:null);h=d.title!==r?d.title:k.title||"";m=(j=d.content||k.content)?"html":d.type||k.type;!m&&k.isDom&&(m=c.data("fancybox-type"),m||(m=(m=c.prop("class").match(/fancybox\.(\w+)/))?m[1]:null));p(g)&&(m||(b.isImage(g)?m="image":b.isSWF(g)?m="swf":"#"===g.charAt(0)?m="inline":p(c)&&(m="html",j=c)),"ajax"===m&&(l=g.split(/\s+/,2),g=l.shift(),l=l.shift()));j||("inline"===m?g?j=f(p(g)?g.replace(/.*(?=#[^\s]+$)/,""):g):k.isDom&&(j=c):"html"===m?j=g:!m&&(!g&& -k.isDom)&&(m="inline",j=c));f.extend(k,{href:g,type:m,content:j,title:h,selector:l});a[e]=k}),b.opts=f.extend(!0,{},b.defaults,d),d.keys!==r&&(b.opts.keys=d.keys?f.extend({},b.defaults.keys,d.keys):!1),b.group=a,b._start(b.opts.index)},cancel:function(){var a=b.coming;a&&!1!==b.trigger("onCancel")&&(b.hideLoading(),b.ajaxLoad&&b.ajaxLoad.abort(),b.ajaxLoad=null,b.imgPreload&&(b.imgPreload.onload=b.imgPreload.onerror=null),a.wrap&&a.wrap.stop(!0,!0).trigger("onReset").remove(),b.coming=null,b.current|| -b._afterZoomOut(a))},close:function(a){b.cancel();!1!==b.trigger("beforeClose")&&(b.unbindEvents(),b.isActive&&(!b.isOpen||!0===a?(f(".fancybox-wrap").stop(!0).trigger("onReset").remove(),b._afterZoomOut()):(b.isOpen=b.isOpened=!1,b.isClosing=!0,f(".fancybox-item, .fancybox-nav").remove(),b.wrap.stop(!0,!0).removeClass("fancybox-opened"),b.transitions[b.current.closeMethod]())))},play:function(a){var d=function(){clearTimeout(b.player.timer)},e=function(){d();b.current&&b.player.isActive&&(b.player.timer= -setTimeout(b.next,b.current.playSpeed))},c=function(){d();f("body").unbind(".player");b.player.isActive=!1;b.trigger("onPlayEnd")};if(!0===a||!b.player.isActive&&!1!==a){if(b.current&&(b.current.loop||b.current.index=c.index?"next":"prev"],b.router=e||"jumpto",c.loop&&(0>a&&(a=c.group.length+a%c.group.length),a%=c.group.length),c.group[a]!==r&&(b.cancel(),b._start(a)))},reposition:function(a,d){var e=b.current,c=e?e.wrap:null,k;c&&(k=b._getPosition(d),a&&"scroll"===a.type?(delete k.position,c.stop(!0,!0).animate(k,200)):(c.css(k),e.pos=f.extend({}, -e.dim,k)))},update:function(a){var d=a&&a.type,e=!d||"orientationchange"===d;e&&(clearTimeout(w),w=null);b.isOpen&&!w&&(w=setTimeout(function(){var c=b.current;c&&!b.isClosing&&(b.wrap.removeClass("fancybox-tmp"),(e||"load"===d||"resize"===d&&c.autoResize)&&b._setDimension(),"scroll"===d&&c.canShrink||b.reposition(a),b.trigger("onUpdate"),w=null)},e&&!s?0:300))},toggle:function(a){b.isOpen&&(b.current.fitToView="boolean"===f.type(a)?a:!b.current.fitToView,s&&(b.wrap.removeAttr("style").addClass("fancybox-tmp"), -b.trigger("onUpdate")),b.update())},hideLoading:function(){n.unbind(".loading");f("#fancybox-loading").remove()},showLoading:function(){var a,d;b.hideLoading();a=f('
').click(b.cancel).appendTo("body");n.bind("keydown.loading",function(a){if(27===(a.which||a.keyCode))a.preventDefault(),b.cancel()});b.defaults.fixed||(d=b.getViewport(),a.css({position:"absolute",top:0.5*d.h+d.y,left:0.5*d.w+d.x}))},getViewport:function(){var a=b.current&&b.current.locked|| -!1,d={x:q.scrollLeft(),y:q.scrollTop()};a?(d.w=a[0].clientWidth,d.h=a[0].clientHeight):(d.w=s&&C.innerWidth?C.innerWidth:q.width(),d.h=s&&C.innerHeight?C.innerHeight:q.height());return d},unbindEvents:function(){b.wrap&&t(b.wrap)&&b.wrap.unbind(".fb");n.unbind(".fb");q.unbind(".fb")},bindEvents:function(){var a=b.current,d;a&&(q.bind("orientationchange.fb"+(s?"":" resize.fb")+(a.autoCenter&&!a.locked?" scroll.fb":""),b.update),(d=a.keys)&&n.bind("keydown.fb",function(e){var c=e.which||e.keyCode,k= -e.target||e.srcElement;if(27===c&&b.coming)return!1;!e.ctrlKey&&(!e.altKey&&!e.shiftKey&&!e.metaKey&&(!k||!k.type&&!f(k).is("[contenteditable]")))&&f.each(d,function(d,k){if(1h[0].clientWidth||h[0].clientHeight&&h[0].scrollHeight>h[0].clientHeight),h=f(h).parent();if(0!==c&&!j&&1g||0>k)b.next(0>g?"up":"right");d.preventDefault()}}))},trigger:function(a,d){var e,c=d||b.coming||b.current;if(c){f.isFunction(c[a])&&(e=c[a].apply(c,Array.prototype.slice.call(arguments,1)));if(!1===e)return!1;c.helpers&&f.each(c.helpers,function(d, -e){e&&(b.helpers[d]&&f.isFunction(b.helpers[d][a]))&&(e=f.extend(!0,{},b.helpers[d].defaults,e),b.helpers[d][a](e,c))});f.event.trigger(a+".fb")}},isImage:function(a){return p(a)&&a.match(/(^data:image\/.*,)|(\.(jp(e|g|eg)|gif|png|bmp|webp)((\?|#).*)?$)/i)},isSWF:function(a){return p(a)&&a.match(/\.(swf)((\?|#).*)?$/i)},_start:function(a){var d={},e,c;a=l(a);e=b.group[a]||null;if(!e)return!1;d=f.extend(!0,{},b.opts,e);e=d.margin;c=d.padding;"number"===f.type(e)&&(d.margin=[e,e,e,e]);"number"===f.type(c)&& -(d.padding=[c,c,c,c]);d.modal&&f.extend(!0,d,{closeBtn:!1,closeClick:!1,nextClick:!1,arrows:!1,mouseWheel:!1,keys:null,helpers:{overlay:{closeClick:!1}}});d.autoSize&&(d.autoWidth=d.autoHeight=!0);"auto"===d.width&&(d.autoWidth=!0);"auto"===d.height&&(d.autoHeight=!0);d.group=b.group;d.index=a;b.coming=d;if(!1===b.trigger("beforeLoad"))b.coming=null;else{c=d.type;e=d.href;if(!c)return b.coming=null,b.current&&b.router&&"jumpto"!==b.router?(b.current.index=a,b[b.router](b.direction)):!1;b.isActive= -!0;if("image"===c||"swf"===c)d.autoHeight=d.autoWidth=!1,d.scrolling="visible";"image"===c&&(d.aspectRatio=!0);"iframe"===c&&s&&(d.scrolling="scroll");d.wrap=f(d.tpl.wrap).addClass("fancybox-"+(s?"mobile":"desktop")+" fancybox-type-"+c+" fancybox-tmp "+d.wrapCSS).appendTo(d.parent||"body");f.extend(d,{skin:f(".fancybox-skin",d.wrap),outer:f(".fancybox-outer",d.wrap),inner:f(".fancybox-inner",d.wrap)});f.each(["Top","Right","Bottom","Left"],function(a,b){d.skin.css("padding"+b,x(d.padding[a]))});b.trigger("onReady"); -if("inline"===c||"html"===c){if(!d.content||!d.content.length)return b._error("content")}else if(!e)return b._error("href");"image"===c?b._loadImage():"ajax"===c?b._loadAjax():"iframe"===c?b._loadIframe():b._afterLoad()}},_error:function(a){f.extend(b.coming,{type:"html",autoWidth:!0,autoHeight:!0,minWidth:0,minHeight:0,scrolling:"no",hasError:a,content:b.coming.tpl.error});b._afterLoad()},_loadImage:function(){var a=b.imgPreload=new Image;a.onload=function(){this.onload=this.onerror=null;b.coming.width= -this.width;b.coming.height=this.height;b._afterLoad()};a.onerror=function(){this.onload=this.onerror=null;b._error("image")};a.src=b.coming.href;!0!==a.complete&&b.showLoading()},_loadAjax:function(){var a=b.coming;b.showLoading();b.ajaxLoad=f.ajax(f.extend({},a.ajax,{url:a.href,error:function(a,e){b.coming&&"abort"!==e?b._error("ajax",a):b.hideLoading()},success:function(d,e){"success"===e&&(a.content=d,b._afterLoad())}}))},_loadIframe:function(){var a=b.coming,d=f(a.tpl.iframe.replace(/\{rnd\}/g, -(new Date).getTime())).attr("scrolling",s?"auto":a.iframe.scrolling).attr("src",a.href);f(a.wrap).bind("onReset",function(){try{f(this).find("iframe").hide().attr("src","//about:blank").end().empty()}catch(a){}});a.iframe.preload&&(b.showLoading(),d.one("load",function(){f(this).data("ready",1);s||f(this).bind("load.fb",b.update);f(this).parents(".fancybox-wrap").width("100%").removeClass("fancybox-tmp").show();b._afterLoad()}));a.content=d.appendTo(a.inner);a.iframe.preload||b._afterLoad()},_preloadImages:function(){var a= -b.group,d=b.current,e=a.length,c=d.preload?Math.min(d.preload,e-1):0,f,g;for(g=1;g<=c;g+=1)f=a[(d.index+g)%e],"image"===f.type&&f.href&&((new Image).src=f.href)},_afterLoad:function(){var a=b.coming,d=b.current,e,c,k,g,h;b.hideLoading();if(a&&!1!==b.isActive)if(!1===b.trigger("afterLoad",a,d))a.wrap.stop(!0).trigger("onReset").remove(),b.coming=null;else{d&&(b.trigger("beforeChange",d),d.wrap.stop(!0).removeClass("fancybox-opened").find(".fancybox-item, .fancybox-nav").remove());b.unbindEvents(); -e=a.content;c=a.type;k=a.scrolling;f.extend(b,{wrap:a.wrap,skin:a.skin,outer:a.outer,inner:a.inner,current:a,previous:d});g=a.href;switch(c){case "inline":case "ajax":case "html":a.selector?e=f("
").html(e).find(a.selector):t(e)&&(e.data("fancybox-placeholder")||e.data("fancybox-placeholder",f('
').insertAfter(e).hide()),e=e.show().detach(),a.wrap.bind("onReset",function(){f(this).find(e).length&&e.hide().replaceAll(e.data("fancybox-placeholder")).data("fancybox-placeholder", -!1)}));break;case "image":e=a.tpl.image.replace("{href}",g);break;case "swf":e='',h="",f.each(a.swf,function(a,b){e+='';h+=" "+a+'="'+b+'"'}),e+='"}(!t(e)||!e.parent().is(a.inner))&&a.inner.append(e);b.trigger("beforeShow"); -a.inner.css("overflow","yes"===k?"scroll":"no"===k?"hidden":k);b._setDimension();b.reposition();b.isOpen=!1;b.coming=null;b.bindEvents();if(b.isOpened){if(d.prevMethod)b.transitions[d.prevMethod]()}else f(".fancybox-wrap").not(a.wrap).stop(!0).trigger("onReset").remove();b.transitions[b.isOpened?a.nextMethod:a.openMethod]();b._preloadImages()}},_setDimension:function(){var a=b.getViewport(),d=0,e=!1,c=!1,e=b.wrap,k=b.skin,g=b.inner,h=b.current,c=h.width,j=h.height,m=h.minWidth,u=h.minHeight,n=h.maxWidth, -v=h.maxHeight,s=h.scrolling,q=h.scrollOutside?h.scrollbarWidth:0,y=h.margin,p=l(y[1]+y[3]),r=l(y[0]+y[2]),z,A,t,D,B,G,C,E,w;e.add(k).add(g).width("auto").height("auto").removeClass("fancybox-tmp");y=l(k.outerWidth(!0)-k.width());z=l(k.outerHeight(!0)-k.height());A=p+y;t=r+z;D=F(c)?(a.w-A)*l(c)/100:c;B=F(j)?(a.h-t)*l(j)/100:j;if("iframe"===h.type){if(w=h.content,h.autoHeight&&1===w.data("ready"))try{w[0].contentWindow.document.location&&(g.width(D).height(9999),G=w.contents().find("body"),q&&G.css("overflow-x", -"hidden"),B=G.height())}catch(H){}}else if(h.autoWidth||h.autoHeight)g.addClass("fancybox-tmp"),h.autoWidth||g.width(D),h.autoHeight||g.height(B),h.autoWidth&&(D=g.width()),h.autoHeight&&(B=g.height()),g.removeClass("fancybox-tmp");c=l(D);j=l(B);E=D/B;m=l(F(m)?l(m,"w")-A:m);n=l(F(n)?l(n,"w")-A:n);u=l(F(u)?l(u,"h")-t:u);v=l(F(v)?l(v,"h")-t:v);G=n;C=v;h.fitToView&&(n=Math.min(a.w-A,n),v=Math.min(a.h-t,v));A=a.w-p;r=a.h-r;h.aspectRatio?(c>n&&(c=n,j=l(c/E)),j>v&&(j=v,c=l(j*E)),cA||p>r)&&(c>m&&j>u)&&!(19n&&(c=n,j=l(c/E)),g.width(c).height(j),e.width(c+y),a=e.width(),p=e.height();else c=Math.max(m,Math.min(c,c-(a-A))),j=Math.max(u,Math.min(j,j-(p-r)));q&&("auto"===s&&jA||p>r)&&c>m&&j>u;c=h.aspectRatio?cu&&j
').appendTo("body"); -this.fixed=!1;a.fixed&&b.defaults.fixed&&(this.overlay.addClass("fancybox-overlay-fixed"),this.fixed=!0)},open:function(a){var d=this;a=f.extend({},this.defaults,a);this.overlay?this.overlay.unbind(".overlay").width("auto").height("auto"):this.create(a);this.fixed||(q.bind("resize.overlay",f.proxy(this.update,this)),this.update());a.closeClick&&this.overlay.bind("click.overlay",function(a){f(a.target).hasClass("fancybox-overlay")&&(b.isActive?b.close():d.close())});this.overlay.css(a.css).show()}, -close:function(){f(".fancybox-overlay").remove();q.unbind("resize.overlay");this.overlay=null;!1!==this.margin&&(f("body").css("margin-right",this.margin),this.margin=!1);this.el&&this.el.removeClass("fancybox-lock")},update:function(){var a="100%",b;this.overlay.width(a).height("100%");H?(b=Math.max(z.documentElement.offsetWidth,z.body.offsetWidth),n.width()>b&&(a=n.width())):n.width()>q.width()&&(a=n.width());this.overlay.width(a).height(n.height())},onReady:function(a,b){f(".fancybox-overlay").stop(!0, -!0);this.overlay||(this.margin=n.height()>q.height()||"scroll"===f("body").css("overflow-y")?f("body").css("margin-right"):!1,this.el=z.all&&!z.querySelector?f("html"):f("body"),this.create(a));a.locked&&this.fixed&&(b.locked=this.overlay.append(b.wrap),b.fixed=!1);!0===a.showEarly&&this.beforeShow.apply(this,arguments)},beforeShow:function(a,b){b.locked&&(this.el.addClass("fancybox-lock"),!1!==this.margin&&f("body").css("margin-right",l(this.margin)+b.scrollbarWidth));this.open(a)},onUpdate:function(){this.fixed|| -this.update()},afterClose:function(a){this.overlay&&!b.isActive&&this.overlay.fadeOut(a.speedOut,f.proxy(this.close,this))}};b.helpers.title={defaults:{type:"float",position:"bottom"},beforeShow:function(a){var d=b.current,e=d.title,c=a.type;f.isFunction(e)&&(e=e.call(d.element,d));if(p(e)&&""!==f.trim(e)){d=f('
'+e+"
");switch(c){case "inside":c=b.skin;break;case "outside":c=b.wrap;break;case "over":c=b.inner;break;default:c=b.skin,d.appendTo("body"), -H&&d.width(d.width()),d.wrapInner(''),b.current.margin[2]+=Math.abs(l(d.css("margin-bottom")))}d["top"===a.position?"prependTo":"appendTo"](c)}}};f.fn.fancybox=function(a){var d,e=f(this),c=this.selector||"",k=function(g){var h=f(this).blur(),j=d,k,l;!g.ctrlKey&&(!g.altKey&&!g.shiftKey&&!g.metaKey)&&!h.is(".fancybox-wrap")&&(k=a.groupAttr||"data-fancybox-group",l=h.attr(k),l||(k="rel",l=h.get(0)[k]),l&&(""!==l&&"nofollow"!==l)&&(h=c.length?f(c):e,h=h.filter("["+k+'="'+l+ -'"]'),j=h.index(this)),a.index=j,!1!==b.open(h,a)&&g.preventDefault())};a=a||{};d=a.index||0;!c||!1===a.live?e.unbind("click.fb-start").bind("click.fb-start",k):n.undelegate(c,"click.fb-start").delegate(c+":not('.fancybox-item, .fancybox-nav')","click.fb-start",k);this.filter("[data-fancybox-start=1]").trigger("click");return this};n.ready(function(){f.scrollbarWidth===r&&(f.scrollbarWidth=function(){var a=f('
').appendTo("body"),b=a.children(), -b=b.innerWidth()-b.height(99).innerWidth();a.remove();return b});if(f.support.fixedPosition===r){var a=f.support,d=f('
').appendTo("body"),e=20===d[0].offsetTop||15===d[0].offsetTop;d.remove();a.fixedPosition=e}f.extend(b.defaults,{scrollbarWidth:f.scrollbarWidth(),fixed:f.support.fixedPosition,parent:f("body")})})})(window,document,jQuery); \ No newline at end of file diff --git a/view/templates/head.tpl b/view/templates/head.tpl index a07ef7af2..e32205fa5 100644 --- a/view/templates/head.tpl +++ b/view/templates/head.tpl @@ -3,7 +3,6 @@ -{{**}} @@ -33,7 +32,6 @@ -{{**}} diff --git a/view/theme/decaf-mobile/templates/end.tpl b/view/theme/decaf-mobile/templates/end.tpl index 0ea424f32..fcc21461d 100644 --- a/view/theme/decaf-mobile/templates/end.tpl +++ b/view/theme/decaf-mobile/templates/end.tpl @@ -10,8 +10,7 @@ -->*}} -{{**}} +{{**}} {{**}} {{**}} +{{**}} {{**}} From 04da5ed3bb68e7b329dc3ced486138a78ea967eb Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Sun, 7 Sep 2014 15:36:23 +0200 Subject: [PATCH 040/165] revup after the Hackathon in Berlin --- boot.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/boot.php b/boot.php index 3c3ca1264..e4b08c389 100644 --- a/boot.php +++ b/boot.php @@ -12,7 +12,7 @@ require_once('library/Mobile_Detect/Mobile_Detect.php'); require_once('include/features.php'); define ( 'FRIENDICA_PLATFORM', 'Friendica'); -define ( 'FRIENDICA_VERSION', '3.2.1753' ); +define ( 'FRIENDICA_VERSION', '3.2.1754' ); define ( 'DFRN_PROTOCOL_VERSION', '2.23' ); define ( 'DB_UPDATE_VERSION', 1173 ); define ( 'EOL', "
\r\n" ); From 2fe79c564b18c91bb505a7fd41f529403b63f5b2 Mon Sep 17 00:00:00 2001 From: Beanow Date: Sun, 7 Sep 2014 15:48:44 +0200 Subject: [PATCH 041/165] Fixed whitespace issue causing trueish results in templates. For example: profiles would show labels with no content. --- include/text.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/include/text.php b/include/text.php index 00cbc2b59..b20afd933 100644 --- a/include/text.php +++ b/include/text.php @@ -1503,7 +1503,7 @@ function prepare_text($text) { else $s = smilies(bbcode($text)); - return $s; + return trim($s); }} From 948c52f13e3d5db1d067c3c9c109eb6f5745a18d Mon Sep 17 00:00:00 2001 From: Beanow Date: Sun, 7 Sep 2014 16:24:40 +0200 Subject: [PATCH 042/165] Added styling to show settings headers can be clicked. --- view/global.css | 4 ++-- view/templates/settings.tpl | 12 ++++++------ view/templates/settings_features.tpl | 2 +- 3 files changed, 9 insertions(+), 9 deletions(-) diff --git a/view/global.css b/view/global.css index 5c414cb35..549e1216d 100644 --- a/view/global.css +++ b/view/global.css @@ -123,6 +123,6 @@ blockquote.shared_content { border: none; } -.settings-heading { - cursor: pointer; +.settings-heading a:after{ + content: ' »'; } \ No newline at end of file diff --git a/view/templates/settings.tpl b/view/templates/settings.tpl index adf440002..8f913aac6 100644 --- a/view/templates/settings.tpl +++ b/view/templates/settings.tpl @@ -5,7 +5,7 @@
-

{{$h_pass}}

+

{{$h_pass}}

{{include file="field_password.tpl" field=$password1}} {{include file="field_password.tpl" field=$password2}} @@ -20,7 +20,7 @@
-

{{$h_basic}}

+

{{$h_basic}}

{{include file="field_input.tpl" field=$username}} @@ -37,7 +37,7 @@
-

{{$h_prv}}

+

{{$h_prv}}

@@ -109,7 +109,7 @@ -

{{$h_not}}

+

{{$h_not}}

@@ -141,7 +141,7 @@
-

{{$h_advn}}

+

{{$h_advn}}

{{$h_descadvn}}
@@ -152,7 +152,7 @@
-

{{$relocate}}

+

{{$relocate}}

{{$relocate_text}}
diff --git a/view/templates/settings_features.tpl b/view/templates/settings_features.tpl index 261dfa9de..2793e477b 100644 --- a/view/templates/settings_features.tpl +++ b/view/templates/settings_features.tpl @@ -6,7 +6,7 @@ {{foreach $features as $f}} -

{{$f.0}}

+

{{$f.0}}

{{foreach $f.1 as $fcat}} From 2eb74a9b42132494cbe08c40c27c76db28a09ebc Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Sun, 7 Sep 2014 16:59:01 +0200 Subject: [PATCH 043/165] fixing a typo --- include/dbstructure.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/include/dbstructure.php b/include/dbstructure.php index 010f86218..ee12d07cb 100644 --- a/include/dbstructure.php +++ b/include/dbstructure.php @@ -24,7 +24,7 @@ function update_fail($update_id, $error_message){ The friendica developers released update %s recently, but when I tried to install it, something went terribly wrong. This needs to be fixed soon and I can't do it alone. Please contact a - friendica developer if you can not help me on your own. My database might be invalid."); + friendica developer if you can not help me on your own. My database might be invalid.")); $body = t("The error message is\n[pre]%s[/pre]"); $preamble = sprintf($preamble, $update_id); $body = sprintf($body, $error_message); From 447d358565040239f1b0011d1916e9d5b92a53f6 Mon Sep 17 00:00:00 2001 From: hauke Date: Sun, 7 Sep 2014 17:06:21 +0200 Subject: [PATCH 044/165] new default icon by Andi Stadler --- images/person-175.jpg | Bin 8510 -> 3049 bytes images/person-48.jpg | Bin 1274 -> 1969 bytes images/person-80.jpg | Bin 2303 -> 2902 bytes 3 files changed, 0 insertions(+), 0 deletions(-) diff --git a/images/person-175.jpg b/images/person-175.jpg index fc0ec3d7717347e77b3b101ad91af04c23dcf1be..7e8d858fc9d5aea272e98fc1631c714b60d0b35b 100644 GIT binary patch literal 3049 zcmb7GXH-+^7QN{qw1k8zVCVq@CLm343_-d`wNRvYkRnA!L7F1PNK-%r1QC=X0)m2! zNC*fjRfr&Eq*)M#suWRp7iY%x-up3cy>su6@1DKyx7K&gzWdzmq3v-1Ypidi4?rLQ z00A#xdkfIgwbawGHnZGM^mJ4733T@)hEbI$L{ez5x4$RR$k>2rY_4ZO4AY>2)a-(|r2w+G9VPu1Ia5l^BNiI|0RWiv5q{J1_)X=HP2_xyX@Dn3a`HmvB_c?I@~iSQ@{CV90nSra zLVZ*)1pr6GZez{@sMhla;|Iof66k>}=EBYb4A>PKFIWUwEC7K+U@*kbV!$C#7y`*h zqyShPo*+Rp=a&S_f(CI20{Wfa8Lf}MMrR+seW$5D?!(vPYo}19?^6>MW=pE_YbwsJ zM(!#~1>DZv4ww9`C7O>C|A+TkLuFQ`R##+d`=czX+(6YVFSiuFL8|qz`qA!6C1FRd z+Dr~7L7Az#kvlIEc?*;}Z(B>2S17xCf6J=q^Ot*W=l3m2t75-u=p9)%wYU?1>`j~@ z+bP%dp6#xVCQyD=qU$o#t}xaM^CugBTUHbD>q=d&_PKiFrhJ)^RJrQ7Ae@mS{>F-3 zdpF_JWOS0fenrcLqC^{_Hl`Qvi;W;3G;> zs5%zTSSe+fpu%cAJqZsWlzta$>~T&tmV$}vlW*Ef@{AU6>m-S>2zNoO>gHj zmBxkLc#$cjpYXQ*jzooxRIrMZZ{-8d#(O7qX99F%MBZHpb8%GZeO)4Q+NnvHLHH=l zE!0iTwWv?Bk#wnSL>J0FNAhUSp7LBme@v2?Cka;$dbgDv%ukdYorz-E`G{?P+TE>k z@A%xR=}d1=19sN3S4){QC81!H`}37XA;+9P*lW{U+UlR(JCri*%_JIam(FdPuap=F zQks)+)L9AE=dtW%%?5J^?~;t~1`tQ>TFwFSil7hoecd$nGpMbWo!N}b8c9a@nkiC9 zSJ*Nt@1(_{MjY+6tDZ~KnfbZ(*Vch;9toS>)FQFUf%!XLG=Z;Mj4iSkLJ-ogZ8H3L zX_6#PNZ;#zaq3u)6hf~x!%@8^9-9$pQTNTu#0zR-kp4-8?P_1F@tFH}0y(VYd1F<3 z|1q*f9)H`naP!*EClPTxAK8uv@;HNrd}TRg^(L~e&Dw++x#mVb7npK*HX{7s~#b7FHh$MTey=nB919eFxk)Vbk_I~FuGdw)ZDJzwP3n#8z>80Un=PM(%Jeiyi>#&1t`u z_6E{SD)ipn6eVm@jvtn}3|oL>knE_U*j?GJ{Clkqd3=GI*CwhEOXc(M3R>MP=|$=L z(~oLj@l-rKONelWttt$~A3x$5|7OHGZf<=Pk4V@rM_G?8+zmYdjkzmq#x6BHk0v^C zWJ_>XeJl!FbZ0G1xh|BrIF<~wmqiA#0ia{!Ov7lXpNN9}knPpee(Ob&m~4mvI;ev& zRDjgV34Q}ksr|h7>tX|ibq)dN5@Rn}2sJ&-eI(Xd(k%J7xrIT@DX~ez+-qMCdt9D< zWQ!wrJkO>)3%ltivmh%4mvt)k6wi#7AOdA>MK3o_pGv=#$c36jMLH{SZWgwzI@IZ+ z@c>CJ+CXhBt$8ldTJF#nmKxk9j$#hzjJ4K(wmM+guC&64kpaJ;Qf4e%PDIp$_T*}& zYiLork1v3F*OjK3NoS4QM=68&Zl*3`R zG2?;s8^dzPRij(ZvCOza(f${Vls=e*v@o;@%VS>>X1vd4^Xar!OqhMEhwEw!hNq;Vu4YUE?on&E;25bk# z26q5EP?FH{CGe5F)T14AS$m~phqIKRz5Ii`*dzLbtZmgp{&Sy|e=xWm2gLp_2mC=G zVZm_)MZm$~|Cd@JH~`ctC{-e5N2pjDv(J3-r&6)oK>7znyawG|_>={|IoH%+WSh zE#&y6Y$G=ZSiT>D$AA70Xq(EB zi~@RUs(RnWG`R*D3(r>$SnjelW3BJ2smQXYwtNkt<5|q-Clb@`Zx@8AdGHo4exQ#k z(w}yf9+S&}Bvv&{zkFQ!0(OZvHdna-rh1F%5lnL=KapH4g)UZ2noO8d31jGluk-QC zI(DQS=PX{_C-j9Q2xj1HRwlTm)!iBxzz=&uWS1~hBq0nwdN7r{XY9OEGLp+TX#7E$sW31A>KnJ|EEP6fUnc;Um`=dJV<7ly5 zPMq(udID<*rP1<5VK}IN#ky*;tnUeZ2PbP;(cim>EFa^h_XEo=g+o#WP+(t5SHo&G zko)F+0bGEm$bg*P$+0$KmuL$&u05Kpp!UpWTBRhSIaWWWnLSCRDSz_z&+!^bXmd%v z+*ZZ=LLR7}7i5ONibi*=-YV2QF?i~NV!yE*$Hm5R5yV)*-~)tHp~p(DqauMz7t#yY zAc;rZ^O#fe>h^V?NZoT?y+E2jNad5O^BLOlPni^>`WuXE&An(qZT`@d(RCVK=8Kr^ z2=ewA+CQJFmLYj1ivyAox2Zo4{_B3||82rF+AKCu_SHV;ewUJ$X-{9=;u%<628zaTCQ8-B_opD$%*%f&>GE}<1G9&d} Y@b`sb`oeJN1?RW)BtGX&$L%-&0*lh=$p8QV literal 8510 zcmb7pWl$VI)8>-JAt5+~MZzu?9D;iif&~pO!6CR?aDuypC3u3{;_klalHjno26t!S zc)zRq?ym0sTu;^f=aZ2nh%YiOE3Z#3Zjs2?;4)Q@o<4rlqANCZ~tc(?CEp zv^4(-g7&l&3lr-FHueh|5<(K1|8IHh1Q22aDgYHgGUlSlRNM~2;4+cs>V*on8bkzzpJ|blF;+4f=?dj0r~{Oz;B`oiFl|DxciTbuNEjmv*#34J76+^4z(e$L6}1oYAyXAXKHm zG#qTv`-P;c-mVABR=#!T+x`x{v;4s#6Qdy0tuQ@ktT!C!$gdqZL4ib+z9}u% zUuBd8Ro|^-88Xspd`>R|VZh*pd`t2}LzJ@SV7l*Bq?b+LS&v%eL%;R$zuUa=vAN;_ z$;@rqrYeaet<=@+-dv!wBmxdgPM+kc{GTiG1gS~wK46kVGs)+fbJ}zXrAbtRRi#N@ zlc-8#OOvR+`!9voD?br$7q6nra`@asnu6|50_lcRwfCBL4Z1gf#n^pEhLt6Fc{vQz0znUm$av)?rl zJo}!-i13w}Nw#4)7;HI$^j4DLV$;RXQQ4jL@kq_FloxuZT3CM2udemWbvi8;*k8(g zUU6EW{s^FQ{4FHfD*iFwgil4S{(wsV+F65l^0QP;tH^q68Z&Eau@atEq$aTU*P%1_ zt$J*#o0k($|0sl~VjI^v&ud-u3bSV3>TGdYW-&sSA`ZvVE1FiUW4ge;MXX3~3I1*W zbGU~$2LN;l*S~oL$basu3KV+I58@rmnb8wdo_qXRRjskn^~%x`;Nl=cMD~gMX{tm`vY~qlz#8vl%JX^Kg?+enF2uv zP2i`|4skHHo-J`r5$n6M-^No%Mb8)$%JtfQe5qaRt>&wZ3v%}4trxOrF+5&`4OZNd z?H_Cu4V=8Y3>FZ55B}Kk2zXQ1t9kMWc4 z%3HVySLs%{% zd^HSq>qM}IxVo4-6h_c%re+FmT8Qdfj%=sS9-WkLPWfN9w4L0iEI&->vlJpdW)uqb z5>j#04sNu)P)8T}_s+$C$h0?8#i3Jdo-wBlrbdQ($Mw2px^5$CVb?v{ZXo4Q2mGpg%pc$j-`y(-Z_-F zb%a=a1tTM-eAs+NYxEj~fACKmbk7fUg`aG!SdRF}qO3gXE(g7gkH|X7W(D5|a5-AD z^AG%_q$4xhSch;)svVgg)w zG05$TQ^ho&!LZplF}7Q!UIyY3t_uPEImJeO4(#Jf-yhCc=>Imj?0n}1^0`T~`IQ%u zOx8F;^J-2|&GNie)Ny=!;FGv~nO?;Jl{dP?7vAnoJy9UW9m;g1u@xrnIfRA za!NP!HnW^I%Ttyh?jZ#;^2WME_RBg*4)ZH=D9H_icv6Sp897bqGk}fX9q#b(GfPpb<sIE!GUH!Ihp7bBYf}F%1F+%U5K0?S4d!B;y)5!@NnSH(g{W%Fy^-WG8k;4mQy)ykdit4NKe z%4RwG!)SdLmUv!JHap5=zSun9JKY(nCz@!kfl=TZJJ?L1u;*U9<7Hp`GPYQ%NDnR#pCJ5wtXvpsRU-94E>xHHRyEQIfk0-Qxd1mb)%sLIXnV% zvkh;IvUW^uoiH0ds7jN%=KXJkF!E*O|6+(;{vLM5Rt$?9JLrVbElr)It8{oj-Y}gQ zTeF${t!p%mrcC{nIco``fe4;+W=pB(KLV^I&aXeDw$%H)4UAxW!B1njt!cR?Qh$lc zO;MUCJ79`ataeYc+I;Mt;iIORa8HbbBCct-5oEBG89p%?6}y{`7+r4f>4tb+aY&7mif#QdrfD1O84W?U^@ zdu9>m)FpPwGw+(Y-E6#6TS%B;TSz+(i-Aa^-`g%Qguk8&2inG3La$M~EmMT&dxXzR zc`%V}Dy;*XXQQ_Nw36U!9$ucUuN_IyXScJIQ;PFvM$vl}U(^pFXC!(*IJg*6m95y> ziHS7tQ&CJ)G1Gr?gjkmbDRuhT@UeIc9vEab3fR0+ZN(mJhOudUY-p+w6WBe z{mM+L6boH-y|qextLXjqKU~dT@9+P~+=u{>c)&uEN&~8Ne=+LkAz$fhIzjHd-wU)H zq=S3fO$SCTF;GR*EZe_seA3|EtiR{~z(3}+^%sRL1DXi)vcg=(M!%`Kjn#7e+10W} zKi1YM8q{+=8O*R%FpIW#7PMwMTXl3Yo^Qb5XXDBFcz|X+swccvSMaYM=2WC#X7o%0 z^Y9^RPrp!AdSh}!y#446vnUfsupTa5JQ?WO$z|h@KnV)3h={ZOt z#P;pslvF%)kJ*5lu0JspB)Yydlo%rnk&%JuU;i%ne%K^IwB87O}Keu3r zEYWgnZL8NY{t(M|KP16z_@$}PuTRhFSg$sS#UxYD0&>_B-*vXFr=<(xcS@}2p|S)S zWvrOp(jKU#Io75qtR~$kP`<#e-&dCSv@y;U?i7*l0F`>qm;DEF~mHaPw`l!O}I#s^!MB5)&symt}4uu35NNduYD#BLG=pwU7%+! z6lnzpt_mTX2`);{<{kmo;OTwT_)hS*n8qGf>P^+SErPw13)0~$UOXF_rlw{!;@=4P zFXU?6DXhu+gGp0$Tj=2$<985|G$$UImJRLFS`$x4OtfpH$*TPi%H^{tH{U0orlUsy z$I!f0mm7*y$=znYwf@%Zy@q*PJPny3_I3rApwcoyrs$J_!2F_5Bl2EnfjXvbi{8;? zfVfHmpeUxcRy##U*4%q2L^{42q?3C_F)lNsJ|j({5jp)|b?L{Q$2@BrhpcVwF`3r8 z)1lAdA9*V&kxW?GHxuSA9<}9@3;LJo8r%y!o%Z;uv?D*2v0j2l@b3qUU#iJzxWh{t zx{h~P^Bs*ayKk=c{^fXEmRZl2S5D8zmb!>l{j9=VIo@{`rDDE8+tfZU4F^ZiHH7no zt|rXVa3^%|>b_f9m|KuuplEER*CD?LXUT}|+0RSY1c@I&mCo$Cx;kk%bSTbBu#9SC zcsG*sGUqq6-lb&*@%LY9*P7dl+^}2KrNq@Le*HE4N+RMcz$f4lAntiRfib$4E|`YF zT>@$@bxathINLnW=UlDsE3O*})Zj6Ukb2|n8OIs6%aS5Lp{JcijL!b*gR@|K^3Irj z*i|tmby5<$#aV;7<}gT8#8m3E_HZ*s(=lNr`UGmlB}=z$9M`tvzDxYZDc9*u)w@mX z?MmQ!70S<@EI(JDRrr_$;psVW-*rxu;gdNup?}Fu5>O zz1p6gkMoyRVlNTKcWCVmAQHb6E9$Mx2=L&K!&$^^7uDn^R9f_xsKz`q?pQX8lbDkr z;f-}`N^2L16OF7rR4XTrNsZ!P^fcmQ;;d#TiC}9b zo-VBoI?dmhIVLD8*w-Qv(;qxDUJ$wW3s}!JBrp}g(vkek!=uWpk&^J9JnnAkYP2Zw=`>^JJvhZuRDb8$qUA??&(h3J_0h=`4CQQ zZ>J_xwRuD)?GPQ*<+(z3~6w>B+#XUH~yL{9AS_P+cA3(QES=NO`;d)0Ymc3<)l!o;f zik2J4DZAJWzY{#9Qpntt>^kO>13&z-nX%+F4$}GE6rnns*y21k3!|CXbLzvBL8Dh| zDeywe(z&3Of7f>K>C1KI*87jYFz|w~I^A~83%>aiH2s0rr4nZQkRq+tBe_XBwYQ=5 zi*6>$#cw@^VkH);1kHyId7j<4pjgSjy3OjzJ?Mu(@EUNC)HrwZKbWRDI2M+4mvAEO z|2iJmqa+;ieS!|*Dh-Kp@{r%B8eY)N;fpfnR>2)>sx5*0NvWFo>@jaX zBw}@ATT8^u_Sv^PSyMcB%_f(1=$4YX;BRAR}S~QC0jx%frtPp*L9=uG1ayI)T0OrP7r;{u~?qRU%b5gL0jhwOW(%OvCC+7h2nw=9n+?7koz?*R{1IV}$>S0{f+A%+Ao zqf0qID;h**p=`Wd)0>PU8JmgZZa$dHb_ycx{j@KNqZS3D!jp9*@d7)!blUt2dxlaE zY_Hj1y+!pKuW{We(JgI#I&7zh?p>k$vQ$}x9myOOeLp(uMFNyx7$DV)3)%jL8^s^@ zR&=^Q0-FJOR5ZJQLIiEbOR6r#Gyh9Eh5cwl-j z8d&ruE=I96&8H|fe7BlKiCzG%dc0KnA!~M|=IscBU5c%#Z^K^4Y$bjPLxsjK(7 zuLQ@3K167fs^KihpABrDoR+GQkR2^R7vru&J*C7wi(>!6?NzYLpOKmNu6BVZ?sugH zPDNW9^<#SUVCs#13V7NA7f-z-E7!Y_=2hYF1W&oumHRxj+ih_T15ujo(zTu7k;1;! z``qFuW?Uoo>x(|zXDEDElY78S;PMghMLmk4!OO|b#WBxZ(q44^^kJdBt62S$*E5_K zgG?g2D1v{iGsFA?bIZ2vu*I2{;ZixaR-fm>SrADjxQIPJe6CmyeAUKhL_`5q*GLFo zc*eW)XB^rykL-IQryj(VfHJnPnCN3<>(gmse zanSc#f<>m{Di)CgFs~!-fdI5FN*KRxhaZ)+%^0#_z(rX@R%iSvpddS^Vn_gXQ5ReHu^_<1Lv1@-& z?{E^`S>lB<9CzZcnE9g8mL{@v!0*|dYpwA}?X_tO2sktK)~aze0bM_bl@0uD{P0*W z>vdh!xXNsZ4TSACh@Xy_*?cs1t3G3CCw7qQsxk*=Q>K?$o-5;hOFnNDNVkF&2B}1F zkLP(~xnP70=TDQo1gs&D8K@)m$xy2!UY8Z&!Viypy6-`H(H zHnM=-dH3=mOw%RYOrvyGDXJaNO|1SZuOODrDoVl`iTSuo7@Nyz;m){h5Zl`c7K9@g z8uDS+piT8K{;r18kvoLx%wYuB!11%f?+*>NO#Qczwv|L#m~rge2w9M6Saf!Ri^7$F z0tjY1!v*nUkX;PL!5c9%m3Xz*{<<$Ov9+_?mS9?%lP@mvr(kp%XaCh$dsH7PXGy_s zF-0N#lu}1rB;HT7Jy|%-&lJ=w%|a0qJU})I=T7u~w^nLuiHAI|dgb|L6i%I5xg4H4=r=wi3Vtqq?TUUhyxnZ8VKp{f7 z0j^jTiYTk~s+5yVsoYk=ns^w+n+55x3n0~a8zN2ay^+aB&al;i?sd^NZqyERXuf}@ z7Y(YeMB<6)`Mq3VQ)o1W?<dCy7o zWc6}gR+ph0>bIX*{)p8PS-Vutq#&XU$fNROC2tFfc$W{%TE2~2O~>oECbX8dMtata z(H2S^$!ZD5O#d!=TP+KgoOAo!@~dAM|Ke`r0*T&0&I*>VF;11T9QxiclT2r=8D-8Y z2kPaxq3CzXh~@k=aTMw}Bd4@INk!d{Y-9}Q9x(sd za_{!^q6oRQnrh~j+!KnH5`TRZJ)L)^-`da50IGLO@wrFAeL{Rx|{EMN;vud7SDPsVAD7hwgzthYPY;rNt7PC_WW`PUHWc8p z88=;j-mUhrB_i0?Il9F2JIMDbtNdcMsVL|9cdiX|E$f+Q2Qf|Q_Uu3NlNaSusR0qGMO9s$|qQ$rDSjZ?UTZ+-*uU+%+2 zI}GL9pDNp_q8&0*w=W!rBg@PPv$rhbd$x>(p?q?rs@IP==q+B1U|e?vobtI6C2z#T z=(D9@1Mh>Z8jI$KLNAd4{YBZow0!uE;@`JruRKzOr*k+>nlV(kIz>YIuR#$P`7js5 zrsme>$Xioptl=>xT0gf^V}JJIScQ)oa_NGfqS5Ma`jwCFeCDWM^cI-d%Q5}gD%v&J zn1H@i2(R25^UrB=&9qSPrdY$m=MHh8^N^5`51DF_VmO$Lm%wdFEROa3=NB-^k<6PrCy}tC3s*vOx?D4 z1o)fmzOpJvJd|DMNGz#jNI3&VC!C^+BM~+zVeHiG8xeBwYd!ni)J;`>G8eWPqAJrx z>f;{MEmr%>L+#oqR@sv-7893IFO+hB;e;}tyUAA!xcahO#2}xD)jE|-#d@OiABWYB z%)Ex!x9o%`%zyxQ3Z%pgMOkxj^*pl0BTI0QBHC6=N$9?$scMF!wrS)gFWiuEec0qAF!A`B7_4GQteF5S~@{tM~#E1Esb`*>G;m+Eb zi2N{1&C-miA~Q^K6WkT|oUgPINa0rr?jZi8jS;=EiY0n$$^>IYWF0|xAo@%(?>(D> zcpL9FKYLUU`xb~^+LG9e3}~Hs+s4mRnHMG;oicZ*RN-b&-x# zk7)e%><2t=aqC~kb?PprhNL^!-*_C>W?y3&GP&n1IJok zlqbt?e^_RRjW|xstSaQYP}~V`ephhbO6E*nVDBYNKAZtnW3jmw^AD1 z-x#D}X`J}pu|QNI*6U)FLsO2#o;`jcZru9#On=UO!67r?VyTebj){4P2FD0nRHyUC zt)F#4zy+3CrKX-y?6c41GJ~?=YJ!d_U%5hfpLYSD{vanDmg*AMqytA1Fjnm{2(yvU z{$dkbwU^hi`i}qwm<-t5!V;Q(d#1<#$|qFtka}ukj7WkVaeup3-qC|P==E)x;E2xL zP{YafU~>Pm6MnwHIbITF1xcI@?lN8x!}@jJRX{VkSMkdl+F-n)ie_6K&{v&jisf)( j`OPv^U}_x7(|-Ui(7gL=%z$4IsU5{$J8}5#aqfQrlW=fV diff --git a/images/person-48.jpg b/images/person-48.jpg index dc5eb6e6929835587e4e47a17b7d418c571502a6..d007f9e5e94236705cd646ca4386bd115bdeb5e6 100644 GIT binary patch literal 1969 zcmbtUSyYqP8a;m|5=BUWT96WcWD-GckWs*fDPfR^Ac=y2i&O&=KoW#Xpol^N6{9jq z8N@P`g^1OYes1F~O%owEN`iOAM4yTbf!#e^VUI%;S2)&& zWMl$!VuHg@or#0@!#1QXvhRTNCe=ThO_F~^u=!cm1_)R{0wg3v00;tvBtWtb@Bsiw zfIvdv&r!glFc1QblW*1J8T`-4BtTIPN8pio0HC$EC@v#J04OfcEEHBeAQDcOZoDub z*3s;Xn%morvsVkAP$a;1{Ug_qigH3C9zZChT+JV>7$gd{ zow|DZX3n3N{?{soj94x2aCman;JNkw+(M#$-Y4BDowjSYEZfC7>I$K?51t&)EOI#@ z!u!~^pf8m5qW0`uruF#y1%+&|vL8i6-dm41$#1>$bdDRC5F2^3Vah(^MYnZ1!?cv? zI|q{MOt&XpDcGA&epPFiMo+Xq!)f+qd=uo)bCn1s+w!h_{q%IjqAejywR>CoF(@oW#V58=Ixbi) zZ%%j|zP$9rns!l_4hJSnlE0w!B~D01I-TjqmNH@rB)Sg@pBA)~Uuzn#zOiG{@3dt$ z-|7?(dvTxH_1ddktyD%?zr^-r;fa|Uh5IiPtNR8{&aha*vU7&C6g=JhrEv7vigFG| z@k()JSAEQ7l?{r1%f?Tq6OHP#pRKG5&(Eh_ljm|?SmtN@dY9J}hfcKh7#SFij;NIsyf;)OU1|LC8$YzGmh{^^8Mr*Q z#aLXT&*ofaGIq)){(u z@OMj+#QUS6y1^_b`UJ#&pOC~mN+lSPjTMvY%6UV*W1n4o-4RVRQcPHvv(CKv%MW*3-5Dh>YrWz> za<|z!JKRT6?XGaI{6ws1S#ap4&E&mPyczLzl)uFR+tgd)C!9Ob3sHcl$=Qeb+Wub| z_d~UDuljCuESBlmzK`|(vDdDWy1(}MBd4siYLjR_QqMIj*LspT5XJd*s?d# zvBTvf!>{Ssh#aLLWsDP{*vHbkZ3`tkom$ilF*mZ9?MegWn5BYOj7V+esdmEUsD!0T@sWwUbd|F3f10f?IsBL0#ffCxIk4DSeg2VegqL3}5~ zK#YmwIhqTfhCal-Jc75Xa}$}T*eSH_i?BN~dq*^Hf1IfljU}wp4~JwncjRj^?KLAR zhr=B@pWjzUCp2bRr}w89krPbeyxj}=f~|%EV&1`kHzo%T%0S)QC}M5GASS>t%AXv} ziaXc_OAdr&@N>rs1ate=_29E#4E6=`k7zc-mX;_7tMbP@-_{Fpo=K*qB#HqWs6)e5 zXo?G4s=u}n$f)2>R literal 1274 zcmex=582{JIV7_url1}3rzHwqPg5DS{P@ZkSj3_L))m;{*x8SEK$R$U8^c$_KQ zw5Ta!-T{8A+rGbN7~U>7nE52*=`q_MvWYr!2Ga!H{ziYDUG#qL^#IMRbtctioU)oL zl+;8^W#=VXZ8l(NwH4nW=T~cdw|ag?(D~rhJE0*{j_YZr7JQt3KIT}_en|$I%1cYO zA389p+xTh3v5gP(^JX4D{`X37Nz`}Kl&PD7EKiX61tfO1B?3b{1$O4wHsiHy*g^&L;7(aLAjbc4~$jI@G`_?wbDNT&*JFGlQ zcHPb`Tr*wjRh4UUtI-MZiQgpO)!pijxAoW%aM|xluWHG}h1v(b7AF3#lz$;xuyci* z%kf1jzB6Ps)fncjxs~y)@8?c;(ZmHyLi(aIHlGkJ@?-eMJMo{%^_RJ_X3y?S)^$=g zIsQ`7=i^^@sjRPIk8AJUZq@UbV5{JoI?>)qDdnU8_Tc8v*VV0FZ%tag!Pzy?TcP2S z$n+UGLPtL7K0asoC*zr}zq8-Oy9J?(iV{y}{rN2LYd+uV!y=uZ8@cwyXMg;0PcL*? z)3ob3%eDtPZMYolw(&@p6)+iiZ85nSw=VZ~?>>{g;i{}rJvNi{C6;_osLzlqZd|0x z8>?HYQ(6*gaOLu;J&UKQ^Yz&tl;vB0ImByT!^(8sZ6B9}PFeS4p$XIR!e8GT+*iLZ z-If1x6u4zlL7&5cbcy$G-+sTszfv${$>}#O z`~0Uio|to`NBYgCp{C2rZsk}T#e);8YU&hn};yRD#&p)ATyz=Qa?X962bEml5 zUGKPiydXw-=SgqVkYcxUcO1glSxV(@*#62m`@?(R^~mi@LNgNjmEv1G^E>}J;=?hrzBjE5; qQm&+_PSRH|JcZvanwKLzO~pM`*q@}-h~2aQe-i-G>hqBR diff --git a/images/person-80.jpg b/images/person-80.jpg index 75b8faf9227a2acd62f9f9e76b92158dd36008fd..c02e4f0f2e89156151cf6c98c8bbd6fd93704c9b 100644 GIT binary patch literal 2902 zcmbtVS5%W(7yZ5@Km>$@BtwUgpa=vBO*#=ls)Z&f2#5hA5K5Hl&?88V1QEeXS40P} zAWf+wV#EneiqfPA3=x8$C_)BYGxM)C5A#3Fx%cVbbI;mm-?R4S4e-VQgpGx@1ptB| zV70jb-UeW3=CI$?>9B(Vmg24E7wkj9hH303Vt0j}^$nz8t!*r^Hg@|hv0-{dWdfEK z>P7VpiNqRX^@xJJw}9DJss9vPMgCKPt;f6;00{@|06Qp%1RzKdiUfIWfE)kBV7XA^uAwU=k0uTfg0RZ6W7*Jpb00m`aOvXn!_SZNNBa?I^ zFSDvsp)X~&iC;%b&>%%XS;?|^8Bmj9$tp6rMdZTw`EszPv%9xl=S~-F9~B499QX%C zYrxgEJ^N0DWD~K!#R2>Rl4J1WSN8&lF3p6&U;sQ_7rO}vj{ra@6bAVpU_KbX00asL z5n@;Xg%l@l;)8FZ2KgZC6zb)Ja(7dQ9L@Xeh?2m*db6v|0=foXnO=Blft-`*L#nnfG!F$Nb*XKG@85*LkRA=?!XKAQ;Wm zZtrx|xs;Y}py)!f)XLV{i}z_(Iq*dNc>u&3QDCKke_EIKZlFE%rPn8PUy0KKp`>xw ztB(0&w&YMcn_0kal8IJ4@STQKeR$eMIFS=YslbQHX|XprAwkLlf!a%)mYXqKy`qu- zB>%*Z=Aa-*0g)ZS<2K&G7ujZY}}lSFn3_#QHyI)S-ZsyZ?2Brc{cOuoXvzriV zE2&)GMDo&Ied_ql#P_=--JxdLCJSv8iZ-N{wQ za9l5|aGlB=8g$B?Dl1c6*fzWB4%9ea`k|ky>i?$-yE5 z=8YBW`Rc1T#;>x^^!iPz=nrUA1fp-6cv%bK%DK#NqvM(jJ%jxR zUFl?VVplIxuZ}RK9>8)B>VGje8 zPReNiWM49imMb$S5>3d#rzsOwRBdr_(j9N^%ZWa__l@ohCVygq&3(FYxP?vQ~9y#KWqJ8$xnj!0D<+~fG!lI1V8}nf!y@9DQ2X~4y z*IAs2B^twoQZLOMRPFh7DX*q`cdX{kpaSD)6EjYqq=%t!QcjmnWYnnqrT*>M(RFd` z=xqDjk}DJ6TuDk7rxr)3uT`3Oz>UJ7^|i=(eFXYRTjHcs(DL-#s9O13Pu^4Yx#O&f zwoIFarFYQJTaqV_*pzN4u<0*<3H+v8DQFM1Pf6Qxh8A`rY~}bB z@j&-E;l?Bhs;O)@Cr~WY=~3}Pw(+}wx!0u2rJ6EzJJGSkTHBcWg6BOI43iIzQBY+# zV1+g>nBbUvdS$4YY@*bQiDY1JnN+J}jMnyRV>XR&p?eHWdk+_qpaw@E z53HfjUJk7hs@`e-;kVNjA__aNk{PGUQpIjilF?NxC(a2m=5Pr z&)tO4*QDjIfsiagtB?%a-gD1}q|EW2Rp{oIa->bVe>nY*zd!(RU~|U-uua>CSOXAK z7+{UfgkvFASO8GmJlqP=e{rQP+d}+5+xn4!-^M6i(JnRzXAv2-BZ!0cAp0=r)rKU1VZaW zK+$`>7c)hQemWM6D1%wvP58vuV4*pJp4W78dzni(lVljmA@ z(z}=`+ZA=Duggr1xC&YBiNj1G76R;xsYlj@IoCei6Bcq5uE@ literal 2303 zcmb7p2(faDMUOa8<)4(=@tA{H90)YVk ztpa3|03Lurpin3Tw$)%Tm>gUQ0pCJZQBhtAsj8-iR7E1yx9`+a*U;5OBDHsG>+0$4 z+OMv*#X)z{`&vFz~lf36b||&G)Hb3U|@(G4ECS#mJoo#kh?7$)yNDvbyi~M zM-9s?VZA0A^I}Fe0Vr){10x|wz#e!NO?Gk5q_}Cfq=n6hbNAy;|E!GaX_iy-dr~fW z6#EZ0_Qu(2zg5o5rhDpvheb(HSf;0wL>|)I@^?&Ej+qT z7^+VCtb@w68`+^7#0<$4_I{74 z@~GmulM38Q=Ig!5!D-Ow;lsyWKXzwW=?4}2voA7^F%ZY%m^lyq$Kh%ok4U!G#*c}x-d=xhXm_!Sw*b^F`(SNXQCYZvbg?I2L$K$I4M>*e;hQggko(FfE zBxrVmh%48WdrA#;HZG{Xxj43MP1Kb)g4C8W)emHVi}RUCvGG|Qya!=Wsg^>$Q~
ZbKzcS_cMTZvE@Mp)>!QMMncoQZqp8Jo0!WR_QyZhD&7y-ub&#UE4BJ9 zHeG#XaVST`pNl|!3}X+jUs```;CfPj{-&iBt453#wBhg5YKJKAJy}Q9vh@x5V7nsP z`uR%&e=V`rVp?0vg5BCO`87>mJYU~YzjVm8Axs6;|MGfG(-@|yv>&%Rh0zDXMe%ao z3#a@8c0XzkC<&Np)V-?7w|oM37XGG>c?XnLQXQ=ZvP+L1+jO=wFXg}5{#&F}k84!S z?Hwe$XrdhnarCBIY4>D<>CxXO_1|7!>~H;Pb(ndCXcXI9C=hw zfC~3^MUdF+FO?D+Wlu>pah{a1j4?zOn(eQ$-r?*lm(PBgH8328x~s{EDPO5JJCHN& zQ(kCHw3uRfp1pF_%;{F`eydbloV%DrSLw6vFDWilE@+|300YVoE}=Q>gm6H)C?_Z9 zR7S)C`I9)amCoPO&})wH?iH8+xEk2`ZZW3Z00&ZFfHE^VI+CJkYMOs{QtZs6y4Wo< zC78R^MJJ@>8E&Q|JTP&=^Lkna`qP&JLwb^ThuT7YOYfUJ^glKR$Ml^~Kt`O9k}Zsp zz3lQ}Qe)%`7Y&-Kb5Pj>xB39Dz9GMMwF|c_;|F}#e!qW?H`kd;7B;14Wge*|FOeMG zdg8kXA8e}VYzD&VW_0Y^0>fP)RJICs!*q{`&xb+la(TrTgGCX&v`yPnA$#FYuCp@0 zJz7K-WgDRqda67NEzg@j`Euvp8;pF0q_p~8HqieHr!51>qdci|Z2Wpf?>)5*oFP1l zL<@pdTI<_mO&PYN%lkimzwp6=R}FIIb3~1Tu0$VW_b1#G`pwC)q1S0)NTsqiKW}r|TWI?72nW7O znz(+L(A=~nA+KRDdGr$7_1+^^fhvUS=;=ij8%1}TI)AQdGyZHfTQ_*A?z~Rxr*_v( zsKWA|+chTbghZQWyk2X=4?`3kYEz1ZiF($>v77;~(02VG>$%WvW(4I!#dC@HJe=QV z3U1@GNSPzZ3JYz?_~vEWCd4gnKA)}heb(B0W*^$~6ychs)-&7dpC(snp@G+Y23Y1* zMiE)^cQkTB#kT^!sz=7Gzxndr^}&z~P|xWYwN>?@NkWah2_g7TFt+5@%A~MLdU(o| z#ufKY4D74OoYKLk+IQ+XZs@%qNI}KoA7?JERWK0V#GZd{ytJ2Z2y)p!} zh+9&}DM(oiY1~JrOqAp6DZmihW)>3CpYopM3AWGl@9cAIwns#d);Z_j4ky|rZy(9Y zmy!fe$KdTzWSbUc3q4OWAxNq)x$^?goMR^gSk!qL5O771ow~*!Ch(g1?>_50^XCSc zBUk5qhzWKfmvBb7P8NpM{B?!SrSx_2W0z0h0?w9tR_?(|GpCTTqxmupt#vstQ}mv zfiGkiT4Ji*&zL70;TlV{{aBmJf#?*^ZvtM~%R=#JdwiTwH|T*6gKn%9@yc*V*WKsd z9_$Pc)o&;JLG3~us&LWW`q_PMfFpsY8WaYOl5E;koOT}OvORrjL=H?-x4N(UiI75b8FKBASfJy57>%gEPUNHv>D6!=we9CwSX_`dXg8Kx-(|8^ zJu&fUa>#SuO4q3n^F??fQwGetR_5FD-Uyy{VsV)4&h#v=2}U1Al3!2($*s#TbBZCl jt-(wPHYqK+lrZJ>XB?Z5%sHF`kZjOb)bTHS*{gp8Fl^~n From 6db73c0b6d2373a555bd098ab7ed0c941d5a072b Mon Sep 17 00:00:00 2001 From: fabrixxm Date: Sun, 7 Sep 2014 17:28:38 +0200 Subject: [PATCH 045/165] fix update routine to support update from 3.2 disable PDO support --- boot.php | 105 +++++++++++++++++++++++---------------- include/dba.php | 33 +++++++------ include/dbstructure.php | 52 +++++++++++--------- include/network.php | 41 +++++++++------- update.php | 106 ++++++++++++++++++++-------------------- 5 files changed, 185 insertions(+), 152 deletions(-) diff --git a/boot.php b/boot.php index 3c3ca1264..e552ee3e0 100644 --- a/boot.php +++ b/boot.php @@ -11,6 +11,9 @@ require_once('include/cache.php'); require_once('library/Mobile_Detect/Mobile_Detect.php'); require_once('include/features.php'); +require_once('update.php'); +require_once('include/dbstructure.php'); + define ( 'FRIENDICA_PLATFORM', 'Friendica'); define ( 'FRIENDICA_VERSION', '3.2.1753' ); define ( 'DFRN_PROTOCOL_VERSION', '2.23' ); @@ -1003,7 +1006,6 @@ if(! function_exists('check_url')) { if(! function_exists('update_db')) { function update_db(&$a) { - $build = get_config('system','build'); if(! x($build)) $build = set_config('system','build',DB_UPDATE_VERSION); @@ -1011,21 +1013,17 @@ if(! function_exists('update_db')) { if($build != DB_UPDATE_VERSION) { $stored = intval($build); $current = intval(DB_UPDATE_VERSION); - if(($stored < $current) && file_exists('update.php')) { - + if($stored < $current) { load_config('database'); // We're reporting a different version than what is currently installed. // Run any existing update scripts to bring the database up to current. - require_once('update.php'); - // make sure that boot.php and update.php are the same release, we might be // updating right this very second and the correct version of the update.php // file may not be here yet. This can happen on a very busy site. if(DB_UPDATE_VERSION == UPDATE_VERSION) { - // Compare the current structure with the defined structure $t = get_config('database','dbupdate_'.DB_UPDATE_VERSION); @@ -1034,53 +1032,32 @@ if(! function_exists('update_db')) { set_config('database','dbupdate_'.DB_UPDATE_VERSION, time()); - require_once("include/dbstructure.php"); + // run old update routine (wich could modify the schema and + // conflits with new routine) + for ($x = $stored; $x < NEW_UPDATE_ROUTINE_VERSION; $x++) { + $r = run_update_function($x); + if (!$r) break; + } + if ($stored < NEW_UPDATE_ROUTINE_VERSION) $stored = NEW_UPDATE_ROUTINE_VERSION; + + + // run new update routine + // it update the structure in one call $retval = update_structure(false, true); if($retval) { update_fail( DB_UPDATE_VERSION, - sprintf(t('Update %s failed. See error logs.'), DB_UPDATE_VERSION) + $retval ); - break; + return; } else { set_config('database','dbupdate_'.DB_UPDATE_VERSION, 'success'); } + // run any left update_nnnn functions in update.php for($x = $stored; $x < $current; $x ++) { - if(function_exists('update_' . $x)) { - - // There could be a lot of processes running or about to run. - // We want exactly one process to run the update command. - // So store the fact that we're taking responsibility - // after first checking to see if somebody else already has. - - // If the update fails or times-out completely you may need to - // delete the config entry to try again. - - $t = get_config('database','update_' . $x); - if($t !== false) - break; - set_config('database','update_' . $x, time()); - - // call the specific update - - $func = 'update_' . $x; - $retval = $func(); - if($retval) { - //send the administrator an e-mail - update_fail( - $x, - sprintf(t('Update %s failed. See error logs.'), $x) - ); - break; - } else { - set_config('database','update_' . $x, 'success'); - set_config('system','build', $x + 1); - } - } else { - set_config('database','update_' . $x, 'success'); - set_config('system','build', $x + 1); - } + $r = run_update_function($x); + if (!$r) break; } } } @@ -1089,6 +1066,48 @@ if(! function_exists('update_db')) { return; } } +if(!function_exists('run_update_function')){ + function run_update_function($x) { + if(function_exists('update_' . $x)) { + + // There could be a lot of processes running or about to run. + // We want exactly one process to run the update command. + // So store the fact that we're taking responsibility + // after first checking to see if somebody else already has. + + // If the update fails or times-out completely you may need to + // delete the config entry to try again. + + $t = get_config('database','update_' . $x); + if($t !== false) + return false; + set_config('database','update_' . $x, time()); + + // call the specific update + + $func = 'update_' . $x; + $retval = $func(); + + if($retval) { + //send the administrator an e-mail + update_fail( + $x, + sprintf(t('Update %s failed. See error logs.'), $x) + ); + return false; + } else { + set_config('database','update_' . $x, 'success'); + set_config('system','build', $x + 1); + return true; + } + } else { + set_config('database','update_' . $x, 'success'); + set_config('system','build', $x + 1); + return true; + } + return true; + } +} if(! function_exists('check_plugins')) { diff --git a/include/dba.php b/include/dba.php index 7409ec3a8..c66723033 100644 --- a/include/dba.php +++ b/include/dba.php @@ -1,10 +1,15 @@ db) + if ($this->db) if($this->mysqli) $this->db->close(); else @@ -245,14 +250,14 @@ function printable($s) { }} // Procedural functions -if(! function_exists('dbg')) { +if(! function_exists('dbg')) { function dbg($state) { global $db; if($db) $db->dbg($state); }} -if(! function_exists('dbesc')) { +if(! function_exists('dbesc')) { function dbesc($str) { global $db; if($db && $db->connected) @@ -268,7 +273,7 @@ function dbesc($str) { // Example: $r = q("SELECT * FROM `%s` WHERE `uid` = %d", // 'user', 1); -if(! function_exists('q')) { +if(! function_exists('q')) { function q($sql) { global $db; @@ -285,12 +290,12 @@ function q($sql) { /** * - * This will happen occasionally trying to store the - * session data after abnormal program termination + * This will happen occasionally trying to store the + * session data after abnormal program termination * */ logger('dba: no database: ' . print_r($args,true)); - return false; + return false; }} @@ -300,7 +305,7 @@ function q($sql) { * */ -if(! function_exists('dbq')) { +if(! function_exists('dbq')) { function dbq($sql) { global $db; @@ -312,10 +317,10 @@ function dbq($sql) { }} -// Caller is responsible for ensuring that any integer arguments to +// Caller is responsible for ensuring that any integer arguments to // dbesc_array are actually integers and not malformed strings containing -// SQL injection vectors. All integer array elements should be specifically -// cast to int to avoid trouble. +// SQL injection vectors. All integer array elements should be specifically +// cast to int to avoid trouble. if(! function_exists('dbesc_array_cb')) { diff --git a/include/dbstructure.php b/include/dbstructure.php index 010f86218..75623c01c 100644 --- a/include/dbstructure.php +++ b/include/dbstructure.php @@ -1,6 +1,9 @@ variable -// of $st and an optional text of $message and terminates the current process. +// Outputs a basic dfrn XML status structure to STDOUT, with a variable +// of $st and an optional text of $message and terminates the current process. if(! function_exists('xml_status')) { function xml_status($st, $message = '') { @@ -246,7 +246,7 @@ function http_status_exit($val) { if($val >= 200 && $val < 300) $err = 'OK'; - logger('http_status_exit ' . $val); + logger('http_status_exit ' . $val); header($_SERVER["SERVER_PROTOCOL"] . ' ' . $val . ' ' . $err); killme(); @@ -298,16 +298,16 @@ function convert_xml_element_to_array($xml_element, &$recursion_depth=0) { } }} -// Given an email style address, perform webfinger lookup and +// Given an email style address, perform webfinger lookup and // return the resulting DFRN profile URL, or if no DFRN profile URL -// is located, returns an OStatus subscription template (prefixed +// is located, returns an OStatus subscription template (prefixed // with the string 'stat:' to identify it as on OStatus template). // If this isn't an email style address just return $s. // Return an empty string if email-style addresses but webfinger fails, -// or if the resultant personal XRD doesn't contain a supported +// or if the resultant personal XRD doesn't contain a supported // subscription/friend-request attribute. -// amended 7/9/2011 to return an hcard which could save potentially loading +// amended 7/9/2011 to return an hcard which could save potentially loading // a lengthy content page to scrape dfrn attributes if(! function_exists('webfinger_dfrn')) { @@ -332,7 +332,7 @@ function webfinger_dfrn($s,&$hcard) { return $profile_link; }} -// Given an email style address, perform webfinger lookup and +// Given an email style address, perform webfinger lookup and // return the array of link attributes from the personal XRD file. // On error/failure return an empty array. @@ -374,7 +374,7 @@ function lrdd($uri, $debug = false) { // All we have is an email address. Resource-priority is irrelevant // because our URI isn't directly resolvable. - if(strstr($uri,'@')) { + if(strstr($uri,'@')) { return(webfinger($uri)); } @@ -418,7 +418,7 @@ function lrdd($uri, $debug = false) { foreach($properties as $prop) if((string) $prop['@attributes'] === 'http://lrdd.net/priority/resource') $priority = 'resource'; - } + } // save the links in case we need them @@ -449,7 +449,7 @@ function lrdd($uri, $debug = false) { $tpl = ''; if($priority === 'host') { - if(strlen($tpl)) + if(strlen($tpl)) $pxrd = str_replace('{uri}', urlencode($uri), $tpl); elseif(isset($href)) $pxrd = $href; @@ -623,6 +623,9 @@ function fetch_xrd_links($url) { if(! function_exists('validate_url')) { function validate_url(&$url) { + + if(get_config('system','disable_url_validation')) + return true; // no naked subdomains (allow localhost for tests) if(strpos($url,'.') === false && strpos($url,'/localhost/') === false) return false; @@ -688,7 +691,7 @@ function allowed_url($url) { foreach($allowed as $a) { $pat = strtolower(trim($a)); if(($fnmatch && fnmatch($pat,$host)) || ($pat == $host)) { - $found = true; + $found = true; break; } } @@ -722,7 +725,7 @@ function allowed_email($email) { foreach($allowed as $a) { $pat = strtolower(trim($a)); if(($fnmatch && fnmatch($pat,$domain)) || ($pat == $domain)) { - $found = true; + $found = true; break; } } @@ -888,7 +891,7 @@ function scale_external_images($srctext, $include_link = true, $scale_replace = $new_height = $ph->getHeight(); logger('scale_external_images: ' . $orig_width . '->' . $new_width . 'w ' . $orig_height . '->' . $new_height . 'h' . ' match: ' . $mtch[0], LOGGER_DEBUG); $s = str_replace($mtch[0],'[img=' . $new_width . 'x' . $new_height. ']' . $scaled . '[/img]' - . "\n" . (($include_link) + . "\n" . (($include_link) ? '[url=' . $mtch[1] . ']' . t('view full size') . '[/url]' . "\n" : ''),$s); logger('scale_external_images: new string: ' . $s, LOGGER_DEBUG); @@ -928,8 +931,8 @@ function fix_contact_ssl_policy(&$contact,$new_policy) { } if($ssl_changed) { - q("update contact set - url = '%s', + q("update contact set + url = '%s', request = '%s', notify = '%s', poll = '%s', @@ -984,7 +987,7 @@ function xml2array($contents, $namespaces = true, $get_attributes=1, $priority = return array(); } - xml_parser_set_option($parser, XML_OPTION_TARGET_ENCODING, "UTF-8"); + xml_parser_set_option($parser, XML_OPTION_TARGET_ENCODING, "UTF-8"); // http://minutillo.com/steve/weblog/2004/6/17/php-xml-and-character-encodings-a-tale-of-sadness-rage-and-data-loss xml_parser_set_option($parser, XML_OPTION_CASE_FOLDING, 0); xml_parser_set_option($parser, XML_OPTION_SKIP_WHITE, 1); diff --git a/update.php b/update.php index 0ac59db95..0d4863a3f 100644 --- a/update.php +++ b/update.php @@ -48,13 +48,13 @@ function update_1000() { q("ALTER TABLE `intro` ADD `duplex` TINYINT( 1 ) NOT NULL DEFAULT '0' AFTER `knowyou` "); q("ALTER TABLE `contact` ADD `duplex` TINYINT( 1 ) NOT NULL DEFAULT '0' AFTER `rel` "); - q("ALTER TABLE `contact` CHANGE `issued-pubkey` `issued-pubkey` TEXT CHARACTER SET utf8 COLLATE utf8_general_ci NOT NULL"); + q("ALTER TABLE `contact` CHANGE `issued-pubkey` `issued-pubkey` TEXT CHARACTER SET utf8 COLLATE utf8_general_ci NOT NULL"); q("ALTER TABLE `contact` ADD `term-date` DATETIME NOT NULL DEFAULT '0000-00-00 00:00:00' AFTER `avatar-date`"); } function update_1001() { q("ALTER TABLE `item` ADD `wall` TINYINT( 1 ) NOT NULL DEFAULT '0' AFTER `type` "); - q("ALTER TABLE `item` ADD INDEX ( `wall` )"); + q("ALTER TABLE `item` ADD INDEX ( `wall` )"); } function update_1002() { @@ -65,7 +65,7 @@ function update_1003() { q("ALTER TABLE `contact` DROP `issued-pubkey` , DROP `ret-id` , DROP `ret-pubkey` "); q("ALTER TABLE `contact` ADD `usehub` TINYINT( 1 ) NOT NULL DEFAULT '0' AFTER `ret-aes`"); q("ALTER TABLE `contact` ADD `hub-verify` CHAR( 255 ) NOT NULL AFTER `usehub`"); - q("ALTER TABLE `contact` ADD INDEX ( `uid` ) , ADD INDEX ( `self` ), ADD INDEX ( `issued-id` ), ADD INDEX ( `dfrn-id` )"); + q("ALTER TABLE `contact` ADD INDEX ( `uid` ) , ADD INDEX ( `self` ), ADD INDEX ( `issued-id` ), ADD INDEX ( `dfrn-id` )"); q("ALTER TABLE `contact` ADD INDEX ( `blocked` ), ADD INDEX ( `readonly` )"); } @@ -104,7 +104,7 @@ function update_1006() { function update_1007() { q("ALTER TABLE `user` ADD `page-flags` INT NOT NULL DEFAULT '0' AFTER `notify-flags`"); - q("ALTER TABLE `user` ADD INDEX ( `nickname` )"); + q("ALTER TABLE `user` ADD INDEX ( `nickname` )"); } function update_1008() { @@ -137,9 +137,9 @@ function update_1012() { } function update_1013() { - q("ALTER TABLE `item` ADD `target-type` CHAR( 255 ) NOT NULL + q("ALTER TABLE `item` ADD `target-type` CHAR( 255 ) NOT NULL AFTER `object` , ADD `target` TEXT NOT NULL AFTER `target-type`"); -} +} function update_1014() { require_once('include/Photo.php'); @@ -156,7 +156,7 @@ function update_1014() { } $r = q("SELECT * FROM `contact` WHERE 1"); if(count($r)) { - foreach($r as $rr) { + foreach($r as $rr) { if(stristr($rr['thumb'],'avatar')) q("UPDATE `contact` SET `micro` = '%s' WHERE `id` = %d", dbesc(str_replace('avatar','micro',$rr['thumb'])), @@ -269,7 +269,7 @@ function update_1027() { `id` INT NOT NULL AUTO_INCREMENT PRIMARY KEY , `name` CHAR( 255 ) NOT NULL , `version` CHAR( 255 ) NOT NULL , - `installed` TINYINT( 1 ) NOT NULL DEFAULT '0' + `installed` TINYINT( 1 ) NOT NULL DEFAULT '0' ) ENGINE = MYISAM DEFAULT CHARSET=utf8 "); } @@ -319,7 +319,7 @@ function update_1031() { } } } - + function update_1032() { q("ALTER TABLE `profile` ADD `pdesc` CHAR( 255 ) NOT NULL AFTER `name` "); } @@ -335,11 +335,11 @@ function update_1033() { function update_1034() { - // If you have any of these parent-less posts they can cause problems, and + // If you have any of these parent-less posts they can cause problems, and // we need to delete them. You can't see them anyway. - // Legitimate items will usually get re-created on the next + // Legitimate items will usually get re-created on the next // pull from the hub. - // But don't get rid of a post that may have just come in + // But don't get rid of a post that may have just come in // and may not yet have the parent id set. q("DELETE FROM `item` WHERE `parent` = 0 AND `created` < UTC_TIMESTAMP() - INTERVAL 2 MINUTE"); @@ -557,7 +557,7 @@ function update_1068() { `url` CHAR( 255 ) NOT NULL , `photo` CHAR( 255 ) NOT NULL , `note` TEXT NOT NULL , - `created` DATETIME NOT NULL + `created` DATETIME NOT NULL ) ENGINE = MYISAM DEFAULT CHARSET=utf8"); } @@ -633,7 +633,7 @@ function update_1076() { } // There was a typo in 1076 so we'll try again in 1077 to make sure -// We'll also make it big enough to allow for future growth, I seriously +// We'll also make it big enough to allow for future growth, I seriously // doubt Diaspora will be able to leave guids at 16 bytes, // and we can also use the same structure for our own larger guids @@ -641,7 +641,7 @@ function update_1077() { q("CREATE TABLE IF NOT EXISTS `guid` ( `id` INT UNSIGNED NOT NULL AUTO_INCREMENT PRIMARY KEY , `guid` CHAR( 16 ) NOT NULL , INDEX ( `guid` ) ) ENGINE = MYISAM "); - q("ALTER TABLE `guid` CHANGE `guid` `guid` CHAR( 64 ) NOT NULL"); + q("ALTER TABLE `guid` CHANGE `guid` `guid` CHAR( 64 ) NOT NULL"); } function update_1078() { @@ -667,7 +667,7 @@ function update_1079() { ADD `network` CHAR( 32 ) NOT NULL , ADD `alias` CHAR( 255 ) NOT NULL , ADD `pubkey` TEXT NOT NULL , - ADD INDEX ( `addr` ) , + ADD INDEX ( `addr` ) , ADD INDEX ( `network` ) "); } @@ -802,24 +802,24 @@ function update_1096() { } function update_1097() { - q("ALTER TABLE `queue` - ADD INDEX (`cid`), - ADD INDEX (`created`), - ADD INDEX (`last`), - ADD INDEX (`network`), - ADD INDEX (`batch`) + q("ALTER TABLE `queue` + ADD INDEX (`cid`), + ADD INDEX (`created`), + ADD INDEX (`last`), + ADD INDEX (`network`), + ADD INDEX (`batch`) "); } function update_1098() { - q("ALTER TABLE `contact` - ADD INDEX (`network`), - ADD INDEX (`name`), - ADD INDEX (`nick`), - ADD INDEX (`attag`), + q("ALTER TABLE `contact` + ADD INDEX (`network`), + ADD INDEX (`name`), + ADD INDEX (`nick`), + ADD INDEX (`attag`), ADD INDEX (`url`), - ADD INDEX (`addr`), - ADD INDEX (`batch`) + ADD INDEX (`addr`), + ADD INDEX (`batch`) "); } @@ -843,7 +843,7 @@ function update_1099() { q("ALTER TABLE `gcontact` ADD INDEX (`nurl`) "); q("ALTER TABLE `glink` ADD INDEX (`cid`), ADD INDEX (`uid`), ADD INDEX (`gcid`), ADD INDEX (`updated`) "); - q("ALTER TABLE `contact` ADD `poco` TEXT NOT NULL AFTER `confirm` "); + q("ALTER TABLE `contact` ADD `poco` TEXT NOT NULL AFTER `confirm` "); } @@ -859,7 +859,7 @@ function update_1100() { q("update contact set nurl = '%s' where id = %d", dbesc(normalise_link($rr['url'])), intval($rr['id']) - ); + ); } } } @@ -876,18 +876,18 @@ function update_1101() { } function update_1102() { - q("ALTER TABLE `clients` ADD `name` TEXT NULL DEFAULT NULL AFTER `redirect_uri` "); - q("ALTER TABLE `clients` ADD `icon` TEXT NULL DEFAULT NULL AFTER `name` "); - q("ALTER TABLE `clients` ADD `uid` INT NOT NULL DEFAULT 0 AFTER `icon` "); + q("ALTER TABLE `clients` ADD `name` TEXT NULL DEFAULT NULL AFTER `redirect_uri` "); + q("ALTER TABLE `clients` ADD `icon` TEXT NULL DEFAULT NULL AFTER `name` "); + q("ALTER TABLE `clients` ADD `uid` INT NOT NULL DEFAULT 0 AFTER `icon` "); - q("ALTER TABLE `tokens` ADD `secret` TEXT NOT NULL AFTER `id` "); - q("ALTER TABLE `tokens` ADD `uid` INT NOT NULL AFTER `scope` "); + q("ALTER TABLE `tokens` ADD `secret` TEXT NOT NULL AFTER `id` "); + q("ALTER TABLE `tokens` ADD `uid` INT NOT NULL AFTER `scope` "); } function update_1103() { // q("ALTER TABLE `item` ADD INDEX ( `wall` ) "); - q("ALTER TABLE `item` ADD FULLTEXT ( `tag` ) "); + q("ALTER TABLE `item` ADD FULLTEXT ( `tag` ) "); q("ALTER TABLE `contact` ADD INDEX ( `pending` ) "); q("ALTER TABLE `user` ADD INDEX ( `hidewall` ) "); q("ALTER TABLE `user` ADD INDEX ( `blockwall` ) "); @@ -924,7 +924,7 @@ function update_1107() { } -function update_1108() { +function update_1108() { q("ALTER TABLE `contact` ADD `hidden` TINYINT( 1 ) NOT NULL DEFAULT '0' AFTER `writable` , ADD INDEX ( `hidden` ) "); @@ -993,8 +993,8 @@ INDEX ( `stat` ) } function update_1115() { - q("ALTER TABLE `item` ADD `moderated` - TINYINT( 1 ) NOT NULL DEFAULT '0' AFTER `pubmail`, + q("ALTER TABLE `item` ADD `moderated` + TINYINT( 1 ) NOT NULL DEFAULT '0' AFTER `pubmail`, ADD INDEX (`moderated`) "); } @@ -1149,16 +1149,16 @@ function update_1134() { } function update_1135() { - //there can't be indexes with more than 1000 bytes in mysql, + //there can't be indexes with more than 1000 bytes in mysql, //so change charset to be smaller q("ALTER TABLE `config` CHANGE `cat` `cat` CHAR( 255 ) CHARACTER SET ascii COLLATE ascii_general_ci NOT NULL , -CHANGE `k` `k` CHAR( 255 ) CHARACTER SET ascii COLLATE ascii_general_ci NOT NULL"); - +CHANGE `k` `k` CHAR( 255 ) CHARACTER SET ascii COLLATE ascii_general_ci NOT NULL"); + //same thing for pconfig q("ALTER TABLE `pconfig` CHANGE `cat` `cat` CHAR( 255 ) CHARACTER SET ascii COLLATE ascii_general_ci NOT NULL , - CHANGE `k` `k` CHAR( 255 ) CHARACTER SET ascii COLLATE ascii_general_ci NOT NULL"); + CHANGE `k` `k` CHAR( 255 ) CHARACTER SET ascii COLLATE ascii_general_ci NOT NULL"); // faulty update merged forward. Bad update in 1134 caused duplicate k,cat pairs - // these have to be cleared before the unique keys can be added. + // these have to be cleared before the unique keys can be added. } function update_1136() { @@ -1184,7 +1184,7 @@ function update_1136() { } } } - + $arr = array(); $r = q("select * from pconfig where 1 order by id desc"); if(count($r)) { @@ -1203,8 +1203,8 @@ function update_1136() { } } } - q("ALTER TABLE `config` ADD UNIQUE `access` ( `cat` , `k` ) "); - q("ALTER TABLE `pconfig` ADD UNIQUE `access` ( `uid` , `cat` , `k` )"); + q("ALTER TABLE `config` ADD UNIQUE `access` ( `cat` , `k` ) "); + q("ALTER TABLE `pconfig` ADD UNIQUE `access` ( `uid` , `cat` , `k` )"); } @@ -1278,7 +1278,7 @@ function update_1146() { function update_1147() { $r1 = q("ALTER TABLE `sign` ALTER `iid` SET DEFAULT '0'"); $r2 = q("ALTER TABLE `sign` ADD `retract_iid` INT(10) UNSIGNED NOT NULL DEFAULT '0' AFTER `iid`"); - $r3 = q("ALTER TABLE `sign` ADD INDEX ( `retract_iid` )"); + $r3 = q("ALTER TABLE `sign` ADD INDEX ( `retract_iid` )"); if((! $r1) || (! $r2) || (! $r3)) return UPDATE_FAILED ; return UPDATE_SUCCESS ; @@ -1327,7 +1327,7 @@ function update_1152() { `otype` TINYINT( 3 ) UNSIGNED NOT NULL , `type` TINYINT( 3 ) UNSIGNED NOT NULL , `term` CHAR( 255 ) NOT NULL , - `url` CHAR( 255 ) NOT NULL, + `url` CHAR( 255 ) NOT NULL, KEY `oid` ( `oid` ), KEY `otype` ( `otype` ), KEY `type` ( `type` ), @@ -1340,7 +1340,7 @@ function update_1152() { function update_1153() { $r = q("ALTER TABLE `hook` ADD `priority` INT(11) UNSIGNED NOT NULL DEFAULT '0'"); - + if(!$r) return UPDATE_FAILED; return UPDATE_SUCCESS; } @@ -1448,11 +1448,9 @@ function update_1162() { function update_1163() { set_config('system', 'maintenance', 1); - $r = q("ALTER TABLE `item` ADD `network` char(32) NOT NULL, - ADD INDEX (`network`)"); + $r = q("ALTER TABLE `item` ADD `network` char(32) NOT NULL"); set_config('system', 'maintenance', 0); - if(!$r) return UPDATE_FAILED; From 3ac5e4508b2c11f04acabbeb50bdbabcc904ec5e Mon Sep 17 00:00:00 2001 From: fabrixxm Date: Sun, 7 Sep 2014 17:46:31 +0200 Subject: [PATCH 046/165] fix email to new registerd users. fix notification in case of error sending email. --- include/Emailer.php | 1 + include/enotify.php | 3 +-- include/user.php | 4 ++-- mod/register.php | 11 ++++++++--- 4 files changed, 12 insertions(+), 7 deletions(-) diff --git a/include/Emailer.php b/include/Emailer.php index 2baa27980..535a05428 100644 --- a/include/Emailer.php +++ b/include/Emailer.php @@ -57,6 +57,7 @@ class Emailer { ); logger("header " . 'To: ' . $params['toEmail'] . "\n" . $messageHeader, LOGGER_DEBUG); logger("return value " . (($res)?"true":"false"), LOGGER_DEBUG); + return $res; } } ?> diff --git a/include/enotify.php b/include/enotify.php index 9ca9d7970..bad94597a 100644 --- a/include/enotify.php +++ b/include/enotify.php @@ -595,7 +595,7 @@ function notification($params) { // use the Emailer class to send the message - Emailer::send(array( + return Emailer::send(array( 'fromName' => $sender_name, 'fromEmail' => $sender_email, 'replyTo' => $sender_email, @@ -605,7 +605,6 @@ function notification($params) { 'textVersion' => $email_text_body, 'additionalMailHeader' => $datarray['headers'], )); - return True; } return False; diff --git a/include/user.php b/include/user.php index bf29daf1a..eccfa7a08 100644 --- a/include/user.php +++ b/include/user.php @@ -382,7 +382,7 @@ function send_register_open_eml($email, $sitename, $siteurl, $username, $passwor The login details are as follows: Site Location: %3$s Login Name: %1$s - Password: %5$ + Password: %5$s You may change your password from your account "Settings" page after logging in. @@ -407,7 +407,7 @@ function send_register_open_eml($email, $sitename, $siteurl, $username, $passwor $preamble = sprintf($preamble, $username, $sitename); $body = sprintf($body, $email, $sitename, $siteurl, $username, $password); - notification(array( + return notification(array( 'type' => "SYSTEM_EMAIL", 'to_email' => $email, 'subject'=> sprintf( t('Registration details for %s'), $sitename), diff --git a/mod/register.php b/mod/register.php index eb6fda737..4ad84ecd6 100644 --- a/mod/register.php +++ b/mod/register.php @@ -81,20 +81,25 @@ function register_post(&$a) { set_pconfig($user['uid'],'system','invites_remaining',$num_invites); } - send_register_open_eml( + $res = send_register_open_eml( $user['email'], $a->config['sitename'], $a->get_baseurl(), $user['username'], $result['password']); - if($res) { info( t('Registration successful. Please check your email for further instructions.') . EOL ) ; goaway(z_root()); } else { - notice( t('Failed to send email message. Here is the message that failed.') . $email_tpl . EOL ); + notice( + sprintf( + t('Failed to send email message. Here your accout details:
login: %s
password: %s

You can change your password after login.'), + $user['email'], + $result['password'] + ). EOL + ); } } elseif($a->config['register_policy'] == REGISTER_APPROVE) { From 2234f257b6b88d9633f56ec81880f88075778c73 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Sun, 7 Sep 2014 18:02:58 +0200 Subject: [PATCH 047/165] missed the settings template for duepunto --- view/theme/duepuntozero/templates/theme_settings.tpl | 8 ++++++++ 1 file changed, 8 insertions(+) create mode 100644 view/theme/duepuntozero/templates/theme_settings.tpl diff --git a/view/theme/duepuntozero/templates/theme_settings.tpl b/view/theme/duepuntozero/templates/theme_settings.tpl new file mode 100644 index 000000000..a5f406f7a --- /dev/null +++ b/view/theme/duepuntozero/templates/theme_settings.tpl @@ -0,0 +1,8 @@ + + +{{include file="field_select.tpl" field=$colorset}} + +
+ +
+ From d784e0d8a6c3106405f04a672fcc630ad49645f9 Mon Sep 17 00:00:00 2001 From: hauke Date: Sun, 7 Sep 2014 18:04:35 +0200 Subject: [PATCH 048/165] added cc license to default avatar --- images/person-175.jpg | Bin 3049 -> 5896 bytes images/person-48.jpg | Bin 1969 -> 2172 bytes images/person-80.jpg | Bin 2902 -> 3103 bytes 3 files changed, 0 insertions(+), 0 deletions(-) diff --git a/images/person-175.jpg b/images/person-175.jpg index 7e8d858fc9d5aea272e98fc1631c714b60d0b35b..527a9d78b6bcb42704b79a363cf23ea8aeeb2210 100644 GIT binary patch literal 5896 zcmbtYcT`i)wmu2HNg_q1h9))i-a)!b2Wg6-Ne~Ex(2*jcD;<>H0|HV6q^TfCSBeT! zrAluiRZw2QpZBeG-&*(mad*}_v*+92?3t6_GXrzrN28nWo z>!MuGV0*MJ65$Ltazvo*Rh*Ic?P21A!Z2-Dj6K>FaYjTq!*2X>EeJD4!Mu?6-Y^8r z7Ukv(Lpk85`QNDp@J0_L26nb;{Gx5o-U>gv?Vrg7QRsU@|18o&$i^4$Y76&32;pZF z5+pyJ0Ir?=C;ye4Ir*;~oDDv01E8cpB~VEKf&ySDhyV&YeFrcDAOK7N5P*Px2^l#7 z2`QM6m}&iiKl}h1P}lK<+T2r8Q%pJkygo^q}tZT!Oo3PLsPq{j)MNz z^11;fzdf&eVDbGd2U3 zh<-xDU|xGhG&~$q-v|bVh*-%`aQZWZU;f&Pf9Pr};q4S1c(``e8Mct0VV|dMC?E2@ zL%2s$z|Q^*WZ}FDd203kSYPvs;m!}-z!|nn+M%enW^2a09yll?jx+ZcTW`g`!%h)G zTZ7B47a$gWMY53!C3zSKorbrDBJe3tvi_iUw1g=GH+DUVpsF;C&L3(;_P%PHOf^4 zh>3o>7%dT4h!x5IFq>yum(;ZDVwp+0Tu4$*TW_3mI0c>VXho)kAmd41TqXrhV3xSFL=U16{0qKK73Ltz#29 z5_*bZ#^a3?h21Hlm7379W=)HOd$6U)l~VRI#ULFhTctRcWKdw8*J zEss*oGu4}gm$}|>6|*r}l!k!c4X+k!-SwHTfIYs`sN6-sP%^c=x&`V$*wVMPIxzdaMl{AKoYt}4$ z=b7xUN%%j$a4d*IvB<5t@LP|aoowj8pX}iCSiuLA5(pji9~j_&G4#(O5DX?Hq@pG# zIS)+&Fd-3$7)k?Nq~#!C;}oWYv5Sa`iK|{yGqSaVa2XgHBiubOq1dG4ns$0+6%!k@ zXGp=ex_($fb?v)uqoH~s*iN9X?`ESmUmLtp1h-SWF~Ee9H2aBu zVrDyuK`(~h;2@NHs=sG#C8RH=-E1A!ClnP?*?(hrQ2+Gf*#&H9uYHJkztwLOks z66=c;bVia#D(gPw_4^1~0`Tjj_C+{JoG8c6^CYp#qIr4{to&F6(KO-Q3BrkBzz=D3VIhhtc(K2{Xu zqmT3`t*dtBS^GW*1->GZ4oo~JF`A|hk4%Kzqm3PkFV)>Xdx(4w_D-7s(2)2T@R zOxezhaK7aIXf4i-iJ-$u>Kj#yMtG!PbEJ0N>`QF~SZ2+V zE>uWc?ZA`1yDyA({DLfp;8F}z3#oXE17574EL+ttN}G8>r}P3}KE|>?S^AJ3m};RK zQe^j>E8jOt!tZsaTpA)kx6QEO&^+{WdVOi>dX3i+v;9G{-L(W-&YuywM_(a8sfp|X zV^`1IHrm{f{S>G#Y7q6R8&Ko2Zmf^MwUjPV#&xeHiCG@X4H&GayN}Io6tD6%zwfzN z>j?d|HSAF>6|C94skI=6Q7bM{E7Vx?-wEeJ?vV_Y)p~VSST?e5VQb;yk5ipW;kAVx z+Vrb>cdO)_Ibyc_ZpEv@c}09_^5Ci|C>j=a(vO>g+#I|SpHy(PYb)kg+>ON!bSAoA zk~+HS?!OI#UA$jI1G( z&cWov$218wot?UQ8PZVEX!d1B_nuGY{vr=9u+u)DMfAOi@`y+z5-a$%@knubg>#8B zCb5$(Ch8J)|M57rbc=VvTCBOJs#bYq$*%`)>gthUWg2YrKkDQP4nGwze_3f)+m6G$ z%qtj|9j+U_A{Q~hK;zG|9DosKWKF6iv8Z?$r4Jd;l(UQ3Z}Z zI7*_@>^`n4tl^0uRl45^N;;p;Q8_-#9;)+M)gZ56HhFF*h0fDND}@Tm&YhJixiG!* zVJbkDYyD>9{p}!BPATEzwz1>l4(ep5!LEKK>-t@Zn%mSA0n?voZe+*tsTXo$6l#Y? zPdIGi0n91DQQ5eh8Y;BVX!TiV%1sgoYiwnixagLm-%0z%o7?ZFS&DFbh)0I#g|J-?8wTi=0m?bOwBV& z(yjrDZzn&{49j)a&bcUghL!Kl8|Sqd8ZW7}CiRGuJ?pz8_3Lg>-ul$XrRSfzty5|J zzP|7?l+UU+j}w{D#C~lKq6K;F>+-i?I^GCcG!B&AF#kfFJM(qVOOn=AJ$5|RuM{9v ziRz*}DVifbW{%%f$V!?VH>|A?uM`)g%(og6D0sm-S<29ycjW#3J9d6UWTrQ8sWPS@ z^ttIccrV*Aeaf4{jxPN|)`9?Avwm1dlP^0HlkBc@c=qaI>f(G&{#ONVmq6N7S*;dk zw#yC`RJ##$A0NS=^}T@S)07hTWeJQjQum18_W-*zyPagc7U#@La$C(N?9tY_kI zT;bvvvg4p;n3{cKFxZQJD0cB;x6$kNpvar@4=&e0C)t25L zzWQvd2}yQ~?rrUTsklu3@sQkTn_nZ5p5oC>4oInk2c0RNwwB6GJ5j~G_ zv_-snV@uMz9`33&%9V}|?>G$EWU<+fY+E*2h>5r`1*B4wuMoO%@YR(`!BkBFM(BsC z*|z!#MxC7oo0E(t27juT;SDom^*7sSLQJ1oxR|SOY4763SYwL5qn|Uj%fw)v^qhnv z2bkl2eo!pSi57PfwdkJGM?Vi&%wy#0Hy~D1{UNhi2>N8bvE6lNFsJ?CU2De)oYTrQ z6D4>gVQ^;@fq<|ceONl=sARdwnus*5%)ec!M1pHHN2t4aowVOJ@g93m31^E6XSBJ$JpE3uwD*0C8W~6Hm+HJ)Ur+G; zP4IODpJfU4AM{S-^&VGbGl-Uy@(nlAlvW(1TyBXO7^~baejdwBx8Hz{D4ttdvH1A3 zxcX!bpS$ov@D&O^Q6VAxTiJl1Y=DT0Fa&0Ra1TjP&fEU3U;TFWZ+fi6_FLa1o`EPe zjwkqLZ&#iwik0z8TV_@jnS#F`w}0>6YW>Oeo%Ur{bAFk@1lsiKOT5MD8fIi5Qgt=< zU(U1~5cVEtVYNga6{1B`g9O8w2UMKg4KHYB#;}|n6nabrp-$C{Ur3v)~%* z|59})Zx-H`!7^MGnIdW?CTw}@au2biQ?s^oXQV*v?mOE1_6BMAyj5aT;u2W_63tyE zLB04@B|~YVJoK14R@5--J$-q3x_tRtVQ-2>G7AAGn`?e^{`A-L_MgUO4ew?f#=j0Z z?#%e+*5Z0l_igBBGsES~QRkm67bleuSHY#e`qESE;SD!%Qyra_9-P06^Tg6CaDk`teo*Hp5nWt+8% z-vy4{{=JapQewbY9qo8xYEhM~QZ7nja`~I-*4=XGd~jEGX3J7b0%t`U|D_jKEe6+Uf-g^VrZOLvDCAZjotd;hWcj}VRtFJ8V zDlqH{)1_vMq6XD)*|hj)MYX;kVJwHetRs=Pg54;fMqM_Z^Kw1kH8b1C2M>Ln@7 zyst9z3kc)+66sT%Lx$vC>=L|@op2N5hU0YFj*m65QF){3BV$|na|e{@v@BesJTjxU zk9jMgywcoKv~Axw)#P~dq#_7k7Cl_RkP?tRCx@_&?#y;lRV@T- zPaE9NJT3W1=DMP1DIx7)*@(2+q_1L|e7N%LlrlcUI|UA&yma1A{1Y{?P#Kvlfj1_M?2J1phOh@T`LuQbO?g5b!w-062rs zIRGgPujB1!qKzN*SO1HEmCv<5&oiHY31sK^-v{`w0#N^l;^nNof&9Pa%^wE-62Vu_ z1YjZpqJL_oe=ZRN82%1<3sD|Q$g7^+{#T8y1i{zXM3ZF>a9Nr*;(B^|r~yWem?-jN zuD)fi6G&fCIS(s9nVJ^$bmX#(*P9lS(UI7PDUXZUDsB^YGWk$0;6IZM24_wlmKOh9 z6?@Mm2{BsxT;XqR9lCCRkNoPFwqz zn>vTjRpOTXr}bEYQd>7FU7gN7Y_ajxkAt*z1V)S?rjn7gxp>^;Om3x~jN!`eXag1X z!QjxG0-7s5!=xI}yBu$+$*7enCcBmcK48ldJ#A(m5)dvYrOCM|1B`AYBGV~$@eO>K zYb8bQedy+_j2aJynOfiUM$uNr|58H zxO8KBJ_;w=QiW@oWZTJfx4Z9^=7ihc)N)Pcgsj+WGF7GMKr#KrHOGO01rtHYA;GPX zlu`b|CN+V4XpCFyg+Z-Vcko??hq<;3PlkUt@7-%Y4isk?(b3jYb6y~Rcy+CJQjMI{ zqr4SESi#K_!da%Bwyl>>+B{-OpC;I-6yQ2&(I$_T zL8%wO&uj{61fb3Yl7Qr-iZ0n4@xlklwKt*?KxwKH4OXI zFBBK{AQdbc$B<#~!dXMh#gM4gReU0 z5AL_}M300J6J){ij-@X@@tbw35#x>=y2_@GTU2^*e3?>(lg>o2y(}1%PeDVic*A#d zPcG0|>CJR8iVG2%C_>7^=2yEoG%3ZzkaYJAD(8X?yq>(btL{3y)VvJPuM>?qyXd$q(RQ)^-r?DA^b`o;E9P`{00wYFHsgek6r zK|yjv|M-f9a@2 W&Ly^q&(0@5Q))CKP;u>a?0*2EN#x@I literal 3049 zcmb7GXH-+^7QN{qw1k8zVCVq@CLm343_-d`wNRvYkRnA!L7F1PNK-%r1QC=X0)m2! zNC*fjRfr&Eq*)M#suWRp7iY%x-up3cy>su6@1DKyx7K&gzWdzmq3v-1Ypidi4?rLQ z00A#xdkfIgwbawGHnZGM^mJ4733T@)hEbI$L{ez5x4$RR$k>2rY_4ZO4AY>2)a-(|r2w+G9VPu1Ia5l^BNiI|0RWiv5q{J1_)X=HP2_xyX@Dn3a`HmvB_c?I@~iSQ@{CV90nSra zLVZ*)1pr6GZez{@sMhla;|Iof66k>}=EBYb4A>PKFIWUwEC7K+U@*kbV!$C#7y`*h zqyShPo*+Rp=a&S_f(CI20{Wfa8Lf}MMrR+seW$5D?!(vPYo}19?^6>MW=pE_YbwsJ zM(!#~1>DZv4ww9`C7O>C|A+TkLuFQ`R##+d`=czX+(6YVFSiuFL8|qz`qA!6C1FRd z+Dr~7L7Az#kvlIEc?*;}Z(B>2S17xCf6J=q^Ot*W=l3m2t75-u=p9)%wYU?1>`j~@ z+bP%dp6#xVCQyD=qU$o#t}xaM^CugBTUHbD>q=d&_PKiFrhJ)^RJrQ7Ae@mS{>F-3 zdpF_JWOS0fenrcLqC^{_Hl`Qvi;W;3G;> zs5%zTSSe+fpu%cAJqZsWlzta$>~T&tmV$}vlW*Ef@{AU6>m-S>2zNoO>gHj zmBxkLc#$cjpYXQ*jzooxRIrMZZ{-8d#(O7qX99F%MBZHpb8%GZeO)4Q+NnvHLHH=l zE!0iTwWv?Bk#wnSL>J0FNAhUSp7LBme@v2?Cka;$dbgDv%ukdYorz-E`G{?P+TE>k z@A%xR=}d1=19sN3S4){QC81!H`}37XA;+9P*lW{U+UlR(JCri*%_JIam(FdPuap=F zQks)+)L9AE=dtW%%?5J^?~;t~1`tQ>TFwFSil7hoecd$nGpMbWo!N}b8c9a@nkiC9 zSJ*Nt@1(_{MjY+6tDZ~KnfbZ(*Vch;9toS>)FQFUf%!XLG=Z;Mj4iSkLJ-ogZ8H3L zX_6#PNZ;#zaq3u)6hf~x!%@8^9-9$pQTNTu#0zR-kp4-8?P_1F@tFH}0y(VYd1F<3 z|1q*f9)H`naP!*EClPTxAK8uv@;HNrd}TRg^(L~e&Dw++x#mVb7npK*HX{7s~#b7FHh$MTey=nB919eFxk)Vbk_I~FuGdw)ZDJzwP3n#8z>80Un=PM(%Jeiyi>#&1t`u z_6E{SD)ipn6eVm@jvtn}3|oL>knE_U*j?GJ{Clkqd3=GI*CwhEOXc(M3R>MP=|$=L z(~oLj@l-rKONelWttt$~A3x$5|7OHGZf<=Pk4V@rM_G?8+zmYdjkzmq#x6BHk0v^C zWJ_>XeJl!FbZ0G1xh|BrIF<~wmqiA#0ia{!Ov7lXpNN9}knPpee(Ob&m~4mvI;ev& zRDjgV34Q}ksr|h7>tX|ibq)dN5@Rn}2sJ&-eI(Xd(k%J7xrIT@DX~ez+-qMCdt9D< zWQ!wrJkO>)3%ltivmh%4mvt)k6wi#7AOdA>MK3o_pGv=#$c36jMLH{SZWgwzI@IZ+ z@c>CJ+CXhBt$8ldTJF#nmKxk9j$#hzjJ4K(wmM+guC&64kpaJ;Qf4e%PDIp$_T*}& zYiLork1v3F*OjK3NoS4QM=68&Zl*3`R zG2?;s8^dzPRij(ZvCOza(f${Vls=e*v@o;@%VS>>X1vd4^Xar!OqhMEhwEw!hNq;Vu4YUE?on&E;25bk# z26q5EP?FH{CGe5F)T14AS$m~phqIKRz5Ii`*dzLbtZmgp{&Sy|e=xWm2gLp_2mC=G zVZm_)MZm$~|Cd@JH~`ctC{-e5N2pjDv(J3-r&6)oK>7znyawG|_>={|IoH%+WSh zE#&y6Y$G=ZSiT>D$AA70Xq(EB zi~@RUs(RnWG`R*D3(r>$SnjelW3BJ2smQXYwtNkt<5|q-Clb@`Zx@8AdGHo4exQ#k z(w}yf9+S&}Bvv&{zkFQ!0(OZvHdna-rh1F%5lnL=KapH4g)UZ2noO8d31jGluk-QC zI(DQS=PX{_C-j9Q2xj1HRwlTm)!iBxzz=&uWS1~hBq0nwdN7r{XY9OEGLp+TX#7E$sW31A>KnJ|EEP6fUnc;Um`=dJV<7ly5 zPMq(udID<*rP1<5VK}IN#ky*;tnUeZ2PbP;(cim>EFa^h_XEo=g+o#WP+(t5SHo&G zko)F+0bGEm$bg*P$+0$KmuL$&u05Kpp!UpWTBRhSIaWWWnLSCRDSz_z&+!^bXmd%v z+*ZZ=LLR7}7i5ONibi*=-YV2QF?i~NV!yE*$Hm5R5yV)*-~)tHp~p(DqauMz7t#yY zAc;rZ^O#fe>h^V?NZoT?y+E2jNad5O^BLOlPni^>`WuXE&An(qZT`@d(RCVK=8Kr^ z2=ewA+CQJFmLYj1ivyAox2Zo4{_B3||82rF+AKCu_SHV;ewUJ$X-{9=;u%<628zaTCQ8-B_opD$%*%f&>GE}<1G9&d} Y@b`sb`oeJN1?RW)BtGX&$L%-&0*lh=$p8QV diff --git a/images/person-48.jpg b/images/person-48.jpg index d007f9e5e94236705cd646ca4386bd115bdeb5e6..8984bb2955d92ee712a36cdbd62eeccc6005d7fe 100644 GIT binary patch delta 1588 zcmYL|dpy%?9LIm#lyozf91(twTRR7%(wZ)ETs!10)k?;Gn9XLt{hG*3)+;H;XelLi zBzoD_ib_tR%L|iB%w|1CYHXen52fV+ zLu3S^fYB+SJA*<6LlH8C4#D8scmzpeyW;U|1{tP1QXqU1%#5YdAv{?#hFcmIPi2G2 zOqd30b~-f%Vz4zT2N@L2TO=L=zv)srngcU2k;!0#?g#=?qYolfCc`0s$yjJZJUE6* zraOejlVQl6PNhNM21h4w2Lpj%260T9bo?`L zhwM(eRS!)Z=}%hEDG)_;9<$Gohgkmf(yF2Iv_dDYKM8!# zxAXLAdC;k`a36dl&V@4-yvxN&n!_9AWNZv?6W#XYni2bGxPV8Vdb}G7+_F7{jFxo=x}~KY&(EvTSvg&H7B;V# zS92z}Zrx<~{5qnD7&L$$Co8W0x;6KXL%LE{S(tj$@(jZBP7RNm)9tG7Tf@iF5C0h1FF_c!9Idinkv*V?42FI=AjK90xU zf(T7~3qx{l7fbJ{`kB?ziNEe9au07V?(%OL$=3F0-eufs!o59OUG}Q5du*@FcDJm8 zc%M*9t++U3cGl$8-da(wN4bJfl6O<+s(1IB+iO`F;?38Ou*->Y6;=u9-7Oo z4;I7k-)8E>q&HnGzm$JCE~Jm7dchm|*y+Em{6^i^wz}E!PvI2R-+LY?D~8uFiWJI( zfzC9hIO0}Vli|>cBks0q#{8NCqu@$sTYEY0XGQq6lW0leM%84~Yp)90`iyZ=h7JL9 z-JoM?V@KysEwLaiFZ6&>469( z?a)A7@#>i$&r5^L!f8r%5snC{{M^WsVFhv*9DUldlpmV+*@ozkp3{F;1v+;$XAzsY zEHkJ*=F;`9cH^S-dEg`=q(oo+B`N2fQk`TzHx2S$?cY4{>a^>gweqad-1)$t42kFrt0!Z7% znfB#AKHFBw@78#nqSUyUzPV8|6ep4h2cC5Wpg&H-dpsw`^Jx|cX1RBdoi0$5@>IH0 z2kXW6yty`E$(^dkj44wGTca(sc3sKtRigmCI2GoNOi4t?1Ik(qNgP3|o`C)bC+N!H zyOUd913UC6gJ9)bfznLWmi16zQg_-XkELh)_(f~*vByDB=VvaA%}LMCuJ7!^;jq6E zbJ2}TTd!kgg=z1`lB*w1c3M^n^f$dtE0Fbf7I#0(M2%K*aQWx*y zeWP{X>t7z*axelUXoD4u9Y?3`;_*6k@LXq z*(CF-v?t4r1EOxt46%;fz))|koY9B2MWqD!}ie+Vf zvv!q*Hm75KA3Xs@55`?ePKZ}n5Sf>n$45g#ms6s;JO{RVIA54S_S$dnQv{q^W~lwU e>)Sa&8$9f@k@f<&mLZY=LGVM`uHKIMzJCC|IoJdM delta 1396 zcmV-)1&jLp5U~%C7C-Fd!&(b7^j8AW2F`AWBe0 zM<8}MFexk`adlyAX>@rYJs>zR3jf;xLjaQ@0X~ym0i^;&;*$gdWdp_&8k1}SApr@K zjskZR0s{a60|EjF2LS*8000031OWn*7y~4Ksl-6uk0#|eJ(ipvC76B3gvC1hpf$tL zl^6$TveMpPlAT0Lwh&S}y#<1($^czpxExla<;9x{{RH#XGC0n%Es3mHeNgV?&q@5mb0O;^33?! z0gf*&CC<;o`-fi18Eg5toVHe?ZMjw!(@ax&68cCmMOuK(=J)ZpRC4zw{?pW{Y53c{qJvnDYum3`TVni?uU?ZwqF^|mU7VP zovghtYVzf0gDnnv_&gsjr`C*uu#vCMnd@6r!6I&#mYA zx~ITd1xFp{$e8~Ci`5D%(4r-4agcV4(3G@wR`k7QYiimiCbq21Onl>i)~*=(zq>oe z^T`ySYh7l!Mkt#fzvNYHVcYcDe!kKPwD_wW)f~%GH^P z^~7@?DGYr4Rg^Xjy}_^FpXe)X6eBmV%{xdt*sB3+vI#MH9!WNvwU)3^kij zo;cvRX?o<)kpx;aOFD+2(B5&Y0p_+`Oe}cUnjc!QE6f41dFji4m&Ed@AvzZbQSHh* ztVTVu<=H}$hpsGhjsqk|lZ1-LqQBgBs1vKsKq|dQ`uHc}##VqcBA#YXBGl(X9nVL~G|I`|({? zs&e6$MhzrQ8jRX~vAfSi&Snmh3vBMa_)C)R-|#))>)Z--aROBTJ&3 zNkt1;;?QZLLzEI_Nl_e2gbwpfU+22M=bz`j-sgGm`+l$Ix$c+hrJ6bFJczU-n@ZwR zgF$i(=)ef3fqq<4FrCTFn(hlG`p&|yvLy>%hbWXzxZ2uRHK z-|{-kQ?-4jgRQ>WrYRrfuR^fu@;!bQ{PYYP)FGm?S-#m`B(>exy^wDw#dow)2Bf4Q zP>76-EL0x&5fCY;w2UlF1p#bPRnrGe9eha2aCN*H8OdU!aOV3QeJQ8Uir)Zo5C|Yk zl-gY3!=Xr?7*IOof69J-Ia1X{v@2RwC#O(@KuM-g!1omiv#WdpGe9R@LjDGPfy-bQakFRn6Io(CnW98TVLt|r=f;L%iSiSoj?Ck<6~TDoqz zoy$6reM5W31am~_zTK>rv9VhV@>OTsXSAE1kVx~UrPSO+w*f5bE;wsjCqd> zKKmyjx~xuIz#-F6$KCXSTDy+MIQO^Yf~DxDqK~=p3u`H9l@*_L77|Kgxu1u9qkKlC zd8~leLap#Uf`;aRE6*~6jLq5)e-{HGAI!~XUf1ZQHt|CU6X=s!S}s&%L|c;FT9OTH zdBxm|`>a1fqkTdQXwR%xpfJL5o=De?KRXXY`RtDz*D(n^Ybw;daVQlOO4Af^omY`* zMgu5TSNiQ*{lp(zIs|)H?fd0q3_9|&BNfWKkACuAFUsdt*_YA%D}L@%2*+=c9Iv;< zB~RI6pt{+3(|;s_=UY`&YvE><*Gz(73CCckO zY!0%ihBen#sf2y>S&1qvAU&`#baK)u*)ScBGx}6L*-whmd)qQfG}N4!imQL1n`aZ< z;%BMt^nA*%=d0oLq8{VAh&2>!-k5r$_3!S<p0Kl{bjL3(wyx5@ivdg`;~%2^4@r zBrEQx$FZ~bCG1(=nFCThW;Y5tnaA9;ZHUlJBv3iULN!BuM zZol?GN4iFDPOKfKAVlRP$EB_L)$3PpWh3^ac)Sl)tTXrzRUdqR-Y#YLJymWoP@!-jE|9rIwM|mNT#G@_DzNey8^w zxvf;{|G2v>G=$Y{F)0NTgkQ@nmui!Zs+fwMe;9fICU>SS_LJ2pg8!G|ZSF>@5kW>Z z;V8I)8-Yc(bZE=fTwdLK6m*#G{Vp@t`Uk!-tS9C~la75t;T;8mPTvufR>xTD4r_le z4Dsv|^X{kTp~=f1oGzFG-j}h6%kSQLC|@D~X{`>F)a~KdN)D=Tvcy38#|X7seoiyB z2^E7YfAu4@H&U)Cc`xvlc>ni#e zH5vGu1xNBya*jH}*ONBOu8UN4o8^=ZZ*zxhs9EDWD%A+rRq*=qkL9N)GULgKLO@uP z_EDb2TMb^hYO>esQ4*f*rQ#5$&?{XoJLypwc2qw$Xx46=Ibai`@x_CAN_fJ)wm9jo zw@CC`jO)DO3_sO7(qg+i zycu=PgC3h93p{ysr8tq zuEntJ9)#K?{%o%Se)TZ;BuX&5`}&nEMwIpR3&kni1U2{0C3|A2R=Bf^vyqf#IPDuR zq25zRoq#HQnxR;{eZPz1)r%UQHw~8fcvR=eL+_-!N=qlVA<1=_TEoQc-imGwkv4dk W(It()O}dX20gESJFd!&(b7^j8AW2F`AWBe0 zM<8}MFexk`adlyAX>@rYJs>zR3jf;xLjaQ@0X~ym0oem{E(w!40(lQ*lEk8k8d2$F zIP^S<5L}bN0xtm#lkox+0k@L|1CvEM5C8%K0RsUA1qJ~P00000009C61O)~W5+MKw z6BIEZB0*7M5ET|OGh!noFf>9#Qe$y)b%BDR|Jncu0RaF8KLY-CliUL%fBueFR%<@+ z^>!0T%PDvh8<3Y5He-Wq;}wslE92=@Rt7VWYK{p7V2V@C(kyjL87Zs4KVLDI$mT7v z=nF}AD`w38@&2HZAyfKspy}8h#>de7{{YL{)cTaDbA!TUa#6-k-Xzs)NhA?({w%>G z{{XjaRx2w!_7g9Xv6s|$e>r~@=|WoeP0WL19G3|4aY(* zR)Iut*RKKy;f5q%bt8=cRZ-9Z+3^`!FI16MMx&C)TbixReU@F8bnx9$WCRZqyz22v z2ND6q$O~$z<%yU%~Vk`@p7O2*c1=r4;7IJU+=Mg;(? zC$C`x#^ZjV?0w~JnHzL)8A$D^^*nKjro!RwU9S=RvRRHjf2*s0-xZUP_>ISHLEgTz zCoyLmm|r5cee|DE$`bvIjfFp(?&zhfc*?nwR#jQSEWj% zDPE;Yu%&v{ponpf7$J-Z;)xgCL_ifspzWU1HyEXS-Y(`j3)#6?n3^^N$yPQ5yH z?WsGc?*c!#tY6EFww=pc-YiaLN3Rtb;jMlD0F!c>e;Rdc)Q`m7$+H`AmNiEVq%x7X zU_k_Y!5s+t`x+;@W@$eRVDbL|jdgrcu?uVXvd2=S`yW9XMHFXlA+qI|6B_Y`wRn;W z@J5is3`!C>qK!gF9B8`*L{Jq}bO3t-JM`*ZjZYZ6L*Q*EPeHigHnHte}HFX{m z&fZHk1V99h-Ci#pQ;6PGQi(KksQWw1%COv>6QZMy&i?Fn-qdc2eoZD9k^Rf<|2R5V}ODr&^%G3X%pHN1B05#j&DXhBvKo}5)<== z4I(>6P!7;3f%O+|UFrU4Kb5939J(eHe=xaAeys|G zUm-h)P2gt}sUiUNaqJ3$Q;2Bw+QDN!e<#!;eHh`*Wh8ZyX=0)nxmx8az&L{rM!KX9 zL-1C_fTCQZ)QPIg7(hjOk;k9)Y&WI6k!zbHc8r6k)uFNJ8QFAk<#_;vWt(ZEXn?Q* zo#^sTmQI{eB?iEvZ1UkZ>x2IQL=V_&K?O5^2pfb5VLdtD zV7=G)rdG`vuPl>h=gZpmVN%0*D`bN>d?w?^D#`4pz&>sEof+)#e!M8KgAfKH$Y=YB zqXPzzBCpVN;5F^E)2f2s&Oh||ZUT}DNOX-$)OxoYBcgH z5~L|NvDgpNm;`|_V*oin89Ogv4p%v%;0yUI926x{L)37H5DpY9NQ|6Q-<4~ynpbO` z2H0v~sQRJi1`#0gL{x{vA}gsZ z;x1aSYuz-NvUHY2xpyPmBtkf=UUu#A;ahFmN-Q<8>M#od1G{tq53JOWkPf33S#S`k z1V^fZ^99j=T^ECIqnx;7g2zOUDuMn(KKeFFtCDyfkcx5{K<5&fd?>-f8^yUx>Ng{c znT|Sk!#S=v*<@_yPmkY>wxetylmQyhwEMq*j8lfej)@E8dc!7z(UFM_BsJ!o9OT|w u3r9A973C1`ZBe9bRs9U@o9C Date: Sun, 7 Sep 2014 20:41:33 +0200 Subject: [PATCH 049/165] RC for 3.3 --- boot.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/boot.php b/boot.php index 3eb57ea1a..31858010d 100644 --- a/boot.php +++ b/boot.php @@ -15,7 +15,7 @@ require_once('update.php'); require_once('include/dbstructure.php'); define ( 'FRIENDICA_PLATFORM', 'Friendica'); -define ( 'FRIENDICA_VERSION', '3.2.1754' ); +define ( 'FRIENDICA_VERSION', '3.3rc' ); define ( 'DFRN_PROTOCOL_VERSION', '2.23' ); define ( 'DB_UPDATE_VERSION', 1173 ); define ( 'EOL', "
\r\n" ); From 67bfb30f71f33c3e3fec53bf28d6c53d7920188f Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Tue, 9 Sep 2014 08:41:35 +0200 Subject: [PATCH 050/165] copy of the Home.md so github has an index file to show --- doc/readme.md | 47 +++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 47 insertions(+) create mode 100644 doc/readme.md diff --git a/doc/readme.md b/doc/readme.md new file mode 100644 index 000000000..62bdd2001 --- /dev/null +++ b/doc/readme.md @@ -0,0 +1,47 @@ +Friendica Documentation and Resources +===================================== + +**Contents** + +* General functions - first steps + * [Account Basics](help/Account-Basics) + * [New User Quick Start](help/Quick-Start-guide) + * [Creating posts](help/Text_editor) + * [BBCode tag reference](help/BBCode) + * [Comment, sort and delete posts](help/Text_comment) + * [Profiles](help/Profiles) +* You and other user + * [Connectors](help/Connectors) + * [Making Friends](help/Making-Friends) + * [Groups and Privacy](help/Groups-and-Privacy) + * [Tags and Mentions](help/Tags-and-Mentions) + * [Community Forums](help/Forums) + * [Chats](help/Chats) +* Further information + * [Improve Performance](help/Improve-Performance) + * [Move Account](help/Move-Account) + * [Remove Account](help/Remove-Account) + * [Bugs and Issues](help/Bugs-and-Issues) + * [Frequently asked questions (FAQ)](help/FAQ) + +**Technical Documentation** + +* [Install](help/Install) +* [Settings](help/Settings) +* [Plugins](help/Plugins) +* [Installing Connectors (Facebook/Twitter/StatusNet)](help/Installing-Connectors) +* [Message Flow](help/Message-Flow) +* [Using SSL with Friendica](help/SSL) +* [Developers](help/Developers) +* [Twitter/StatusNet API Functions](help/api) + + +**External Resources** + +* [Main Website](http://friendica.com) +* [Mailing List Archive](http://librelist.com/browser/friendica/) + +**About** + +* [Site/Version Info](friendica) + From 9c1ee29911e9196d8c78db2d38d9d497d3235e5b Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Tue, 9 Sep 2014 08:41:58 +0200 Subject: [PATCH 051/165] current API documentation from the github wiki --- doc/api.md | 362 +++++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 362 insertions(+) create mode 100644 doc/api.md diff --git a/doc/api.md b/doc/api.md new file mode 100644 index 000000000..f36a79a5e --- /dev/null +++ b/doc/api.md @@ -0,0 +1,362 @@ +The friendica API aims to be compatible to the [StatusNet API](http://status.net/wiki/Twitter-compatible_API) which aims to be compatible to the [Twitter API 1.0](https://dev.twitter.com/docs/api/1). + +Please refer to the linked documentation for further information. + +## Implemented API calls + +### General +#### Unsupported parameters +* cursor: Not implemented in StatusNet +* trim_user: Not implemented in StatusNet +* contributor_details: Not implemented in StatusNet +* place_id: Not implemented in StatusNet +* display_coordinates: Not implemented in StatusNet +* include_rts: To-Do +* include_my_retweet: Retweets in friendica are implemented in a different way + +#### Different behaviour +* screen_name: The nick name in friendica is only unique in each network but not for all networks. The users are searched in the following priority: Friendica, StatusNet/GNU Social, Diaspora, pump.io, Twitter. If no contact was found by this way, then the first contact is taken. +* include_entities: Default is "false". If set to "true" then the plain text is formatted so that links are having descriptions. + +#### Return values +* cid: Contact id of the user (important for "contact_allow" and "contact_deny") +* network: network of the user + +### account/verify_credentials +#### Parameters +* skip_status: Don't show the "status" field. (Default: false) +* include_entities: "true" shows entities for pictures and links (Default: false) + +### statuses/update, statuses/update_with_media +#### Parameters +* title: Title of the status +* status: Status in text format +* htmlstatus: Status in HTML format +* in_reply_to_status_id +* lat: latitude +* long: longitude +* media: image data +* source: Application name +* group_allow +* contact_allow +* group_deny +* contact_deny +* network +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* trim_user +* place_id +* display_coordinates + +### users/search +#### Parameters +* q: name of the user + +#### Unsupported parameters +* page +* count +* include_entities + +### users/show +#### Parameters +* user_id: id of the user +* screen_name: screen name (for technical reasons, this value is not unique!) +* include_entities: "true" shows entities for pictures and links (Default: false) + +### statuses/home_timeline +#### Parameters +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* exclude_replies: don't show replies (default: false) +* conversation_id: Shows all statuses of a given conversation. +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* include_rts +* trim_user +* contributor_details + +### statuses/friends_timeline +#### Parameters +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* exclude_replies: don't show replies (default: false) +* conversation_id: Shows all statuses of a given conversation. +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* include_rts +* trim_user +* contributor_details + +### statuses/public_timeline +#### Parameters +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* exclude_replies: don't show replies (default: false) +* conversation_id: Shows all statuses of a given conversation. +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* trim_user + +### statuses/show +#### Parameters +* id: message number +* conversation: if set to "1" show all messages of the conversation with the given id +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* include_my_retweet +* trim_user + +### statuses/retweet +#### Parameters +* id: message number +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* trim_user + +### statuses/destroy +#### Parameters +* id: message number +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* trim_user + +### statuses/mentions +#### Parameters +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* include_rts +* trim_user +* contributor_details + +### statuses/replies +#### Parameters +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* include_rts +* trim_user +* contributor_details + +### statuses/user_timeline +#### Parameters +* user_id: id of the user +* screen_name: screen name (for technical reasons, this value is not unique!) +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* exclude_replies: don't show replies (default: false) +* conversation_id: Shows all statuses of a given conversation. +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* include_rts +* trim_user +* contributor_details + +### conversation/show +Unofficial Twitter command. It shows all direct answers (excluding the original post) to a given id. + +#### Parameters +* id: id of the post +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* include_rts +* trim_user +* contributor_details + +### favorites +#### Parameters +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* user_id +* screen_name + +Favorites aren't displayed to other users, so "user_id" and "screen_name". So setting this value will result in an empty array. + +### account/rate_limit_status + +### help/test + +### statuses/friends +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* user_id +* screen_name +* cursor + +Friendica doesn't allow showing friends of other users. + +### statuses/followers +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* user_id +* screen_name +* cursor + +Friendica doesn't allow showing followers of other users. + +### statusnet/config + +### statusnet/version + +### friends/ids +#### Parameters +* stringify_ids: Should the id numbers be sent as text (true) or number (false)? (default: false) + +#### Unsupported parameters +* user_id +* screen_name +* cursor + +Friendica doesn't allow showing friends of other users. + +### followers/ids +#### Parameters +* stringify_ids: Should the id numbers be sent as text (true) or number (false)? (default: false) + +#### Unsupported parameters +* user_id +* screen_name +* cursor + +Friendica doesn't allow showing followers of other users. + +### direct_messages/new +#### Parameters +* user_id: id of the user +* screen_name: screen name (for technical reasons, this value is not unique!) +* text: The message +* replyto: ID of the replied direct message +* title: Title of the direct message + +### direct_messages/conversation +Shows all direct messages of a conversation +#### Parameters +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* getText: Defines the format of the status field. Can be "html" or "plain" +* uri: URI of the conversation + +### direct_messages/all +#### Parameters +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* getText: Defines the format of the status field. Can be "html" or "plain" + +### direct_messages/sent +#### Parameters +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* getText: Defines the format of the status field. Can be "html" or "plain" +* include_entities: "true" shows entities for pictures and links (Default: false) + +### direct_messages +#### Parameters +* count: Items per page (default: 20) +* page: page number +* since_id: minimal id +* max_id: maximum id +* getText: Defines the format of the status field. Can be "html" or "plain" +* include_entities: "true" shows entities for pictures and links (Default: false) + +#### Unsupported parameters +* skip_status + +### oauth/request_token +#### Parameters +* oauth_callback + +#### Unsupported parameters +* x_auth_access_type + +### oauth/access_token +#### Parameters +* oauth_verifier + +#### Unsupported parameters +* x_auth_password +* x_auth_username +* x_auth_mode + +## Not Implemented API calls +The following list is extracted from the [API source file](https://github.com/friendica/friendica/blob/master/include/api.php) (at the very bottom): +* favorites/create +* favorites/destroy +* statuses/retweets_of_me +* friendships/create +* friendships/destroy +* friendships/exists +* friendships/show +* account/update_location +* account/update_profile_background_image +* account/update_profile_image +* blocks/create +* blocks/destroy + +The following are things from the Twitter API also not implemented in StatusNet: +* statuses/retweeted_to_me +* statuses/retweeted_by_me +* direct_messages/destroy +* account/end_session +* account/update_delivery_device +* notifications/follow +* notifications/leave +* blocks/exists +* blocks/blocking +* lists + +## Usage Examples +### BASH / cURL +Betamax has documentated some example API usage from a [bash script](https://en.wikipedia.org/wiki/Bash_(Unix_shell) employing [curl](https://en.wikipedia.org/wiki/CURL) (see [his posting](https://betamax65.de/display/betamax65/43539)). + + /usr/bin/curl -u USER:PASS https://YOUR.FRIENDICA.TLD/api/statuses/update.xml -d source="some source id" -d status="the status you want to post" + +### Python +The [RSStoFriedika](https://github.com/pafcu/RSStoFriendika) code can be used as an example of how to use the API with python. The lines for posting are located at [line 21](https://github.com/pafcu/RSStoFriendika/blob/master/RSStoFriendika.py#L21) and following. + + def tweet(server, message, group_allow=None): + url = server + '/api/statuses/update' + urllib2.urlopen(url, urllib.urlencode({'status': message,'group_allow[]':group_allow}, doseq=True)) + +There is also a [module for python 3](https://bitbucket.org/tobiasd/python-friendica) for using the API. \ No newline at end of file From 7687342849536cd53f6cd122f9d80924bcb015b7 Mon Sep 17 00:00:00 2001 From: fabrixxm Date: Tue, 9 Sep 2014 22:07:47 +0200 Subject: [PATCH 052/165] fix email for - registration request - registration approval - account created by admin add a reditect after registration approval or deny --- include/enotify.php | 9 ++------- mod/admin.php | 2 +- mod/register.php | 4 +--- mod/regmod.php | 9 +++++++-- 4 files changed, 11 insertions(+), 13 deletions(-) diff --git a/include/enotify.php b/include/enotify.php index bad94597a..04db10500 100644 --- a/include/enotify.php +++ b/include/enotify.php @@ -320,7 +320,7 @@ function notification($params) { $sitelink = t('Please visit %s to approve or reject the request.'); $tsitelink = sprintf( $sitelink, $params['link'] ); - $hsitelink = sprintf( $sitelink, '' . $sitename . ''); + $hsitelink = sprintf( $sitelink, '' . $sitename . '

'); $itemlink = $params['link']; break; case "SYSTEM_DB_UPDATE_FAIL": @@ -336,11 +336,6 @@ function notification($params) { // add a notification to the user, with could be inexistent) $subject = $params['subject']; $preamble = $params['preamble']; - if (x($params,'epreamble')){ - $epreamble = $params['epreamble']; - } else { - $epreamble = str_replace("\n","
\n",$preamble); - } $body = $params['body']; $sitelink = ""; $tsitelink = ""; @@ -554,7 +549,7 @@ function notification($params) { $email_html_body = replace_macros($tpl,array( '$banner' => $datarray['banner'], '$product' => $datarray['product'], - '$preamble' => $datarray['preamble'], + '$preamble' => str_replace("\n","
\n",$datarray['preamble']), '$sitename' => $datarray['sitename'], '$siteurl' => $datarray['siteurl'], '$source_name' => $datarray['source_name'], diff --git a/mod/admin.php b/mod/admin.php index 537702b55..dff8ee156 100644 --- a/mod/admin.php +++ b/mod/admin.php @@ -795,7 +795,7 @@ function admin_page_users_post(&$a){ notification(array( 'type' => "SYSTEM_EMAIL", - 'to_email' => $email, + 'to_email' => $nu['email'], 'subject'=> sprintf( t('Registration details for %s'), $a->config['sitename']), 'preamble'=> $preamble, 'body' => $body)); diff --git a/mod/register.php b/mod/register.php index 4ad84ecd6..4c0860e6e 100644 --- a/mod/register.php +++ b/mod/register.php @@ -48,8 +48,6 @@ function register_post(&$a) { } - require_once('include/user.php'); - $arr = $_POST; $arr['blocked'] = $blocked; @@ -140,7 +138,7 @@ function register_post(&$a) { 'source_link' => $a->get_baseurl()."/admin/users/", 'link' => $a->get_baseurl()."/admin/users/", 'source_photo' => $a->get_baseurl() . "/photo/avatar/".$user['uid'].".jpg", - 'to_email' => $admin['mail'], + 'to_email' => $admin['email'], 'uid' => $admin['uid'], 'language' => ($admin['language']?$admin['language']:'en')) ); diff --git a/mod/regmod.php b/mod/regmod.php index 05f33ab11..53e6716f2 100644 --- a/mod/regmod.php +++ b/mod/regmod.php @@ -1,6 +1,7 @@ Date: Wed, 10 Sep 2014 18:30:30 +0200 Subject: [PATCH 053/165] Override 'enotify_no_content' system option if type is SYSTEM_EMAIL --- include/enotify.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/include/enotify.php b/include/enotify.php index 04db10500..51263871b 100644 --- a/include/enotify.php +++ b/include/enotify.php @@ -542,7 +542,8 @@ function notification($params) { call_hooks('enotify_mail', $datarray); // check whether sending post content in email notifications is allowed - $content_allowed = !get_config('system','enotify_no_content'); + // always true for "SYSTEM_EMAIL" + $content_allowed = ((!get_config('system','enotify_no_content')) || ($params['type'] == "SYSTEM_EMAIL")); // load the template for private message notifications $tpl = get_markup_template('email_notify_html.tpl'); From df1f9d5eb74907e59cf3a96d6bd52eeca2a1b733 Mon Sep 17 00:00:00 2001 From: fabrixxm Date: Wed, 10 Sep 2014 19:05:43 +0200 Subject: [PATCH 054/165] Update IT strings --- view/it/messages.po | 13212 +++++++++++++++++++++--------------------- view/it/strings.php | 2742 ++++----- 2 files changed, 8109 insertions(+), 7845 deletions(-) diff --git a/view/it/messages.po b/view/it/messages.po index 68deee95d..548825dad 100644 --- a/view/it/messages.po +++ b/view/it/messages.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-08-10 15:13+0200\n" -"PO-Revision-Date: 2014-08-11 09:48+0000\n" +"POT-Creation-Date: 2014-09-07 14:32+0200\n" +"PO-Revision-Date: 2014-09-10 09:32+0000\n" "Last-Translator: fabrixxm \n" "Language-Team: Italian (http://www.transifex.com/projects/p/friendica/language/it/)\n" "MIME-Version: 1.0\n" @@ -23,219 +23,308 @@ msgstr "" "Language: it\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: ../../object/Item.php:92 -msgid "This entry was edited" -msgstr "Questa voce è stata modificata" - -#: ../../object/Item.php:113 ../../mod/content.php:620 -#: ../../mod/photos.php:1357 -msgid "Private Message" -msgstr "Messaggio privato" - -#: ../../object/Item.php:117 ../../mod/editpost.php:109 -#: ../../mod/content.php:728 ../../mod/settings.php:673 -msgid "Edit" -msgstr "Modifica" - -#: ../../object/Item.php:126 ../../mod/content.php:437 -#: ../../mod/content.php:740 ../../mod/photos.php:1651 -#: ../../include/conversation.php:612 -msgid "Select" -msgstr "Seleziona" - -#: ../../object/Item.php:127 ../../mod/admin.php:922 ../../mod/content.php:438 -#: ../../mod/content.php:741 ../../mod/contacts.php:703 -#: ../../mod/settings.php:674 ../../mod/group.php:171 -#: ../../mod/photos.php:1652 ../../include/conversation.php:613 -msgid "Delete" -msgstr "Rimuovi" - -#: ../../object/Item.php:130 ../../mod/content.php:763 -msgid "save to folder" -msgstr "salva nella cartella" - -#: ../../object/Item.php:192 ../../mod/content.php:753 -msgid "add star" -msgstr "aggiungi a speciali" - -#: ../../object/Item.php:193 ../../mod/content.php:754 -msgid "remove star" -msgstr "rimuovi da speciali" - -#: ../../object/Item.php:194 ../../mod/content.php:755 -msgid "toggle star status" -msgstr "Inverti stato preferito" - -#: ../../object/Item.php:197 ../../mod/content.php:758 -msgid "starred" -msgstr "preferito" - -#: ../../object/Item.php:202 ../../mod/content.php:759 -msgid "add tag" -msgstr "aggiungi tag" - -#: ../../object/Item.php:213 ../../mod/content.php:684 -#: ../../mod/photos.php:1540 -msgid "I like this (toggle)" -msgstr "Mi piace (clic per cambiare)" - -#: ../../object/Item.php:213 ../../mod/content.php:684 -msgid "like" -msgstr "mi piace" - -#: ../../object/Item.php:214 ../../mod/content.php:685 -#: ../../mod/photos.php:1541 -msgid "I don't like this (toggle)" -msgstr "Non mi piace (clic per cambiare)" - -#: ../../object/Item.php:214 ../../mod/content.php:685 -msgid "dislike" -msgstr "non mi piace" - -#: ../../object/Item.php:216 ../../mod/content.php:687 -msgid "Share this" -msgstr "Condividi questo" - -#: ../../object/Item.php:216 ../../mod/content.php:687 -msgid "share" -msgstr "condividi" - -#: ../../object/Item.php:298 ../../include/conversation.php:665 -msgid "Categories:" -msgstr "Categorie:" - -#: ../../object/Item.php:299 ../../include/conversation.php:666 -msgid "Filed under:" -msgstr "Archiviato in:" - -#: ../../object/Item.php:308 ../../object/Item.php:309 -#: ../../mod/content.php:471 ../../mod/content.php:852 -#: ../../mod/content.php:853 ../../include/conversation.php:653 -#, php-format -msgid "View %s's profile @ %s" -msgstr "Vedi il profilo di %s @ %s" - -#: ../../object/Item.php:310 ../../mod/content.php:854 -msgid "to" -msgstr "a" - -#: ../../object/Item.php:311 -msgid "via" -msgstr "via" - -#: ../../object/Item.php:312 ../../mod/content.php:855 -msgid "Wall-to-Wall" -msgstr "Da bacheca a bacheca" - -#: ../../object/Item.php:313 ../../mod/content.php:856 -msgid "via Wall-To-Wall:" -msgstr "da bacheca a bacheca" - -#: ../../object/Item.php:322 ../../mod/content.php:481 -#: ../../mod/content.php:864 ../../include/conversation.php:673 -#, php-format -msgid "%s from %s" -msgstr "%s da %s" - -#: ../../object/Item.php:342 ../../object/Item.php:658 ../../boot.php:713 -#: ../../mod/content.php:709 ../../mod/photos.php:1562 -#: ../../mod/photos.php:1606 ../../mod/photos.php:1694 -msgid "Comment" -msgstr "Commento" - -#: ../../object/Item.php:345 ../../mod/wallmessage.php:156 -#: ../../mod/editpost.php:124 ../../mod/content.php:499 -#: ../../mod/content.php:883 ../../mod/message.php:334 -#: ../../mod/message.php:565 ../../mod/photos.php:1543 -#: ../../include/conversation.php:691 ../../include/conversation.php:1108 -msgid "Please wait" -msgstr "Attendi" - -#: ../../object/Item.php:368 ../../mod/content.php:603 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d commento" -msgstr[1] "%d commenti" - -#: ../../object/Item.php:370 ../../object/Item.php:383 -#: ../../mod/content.php:605 ../../include/text.php:1968 -msgid "comment" -msgid_plural "comments" -msgstr[0] "" -msgstr[1] "commento" - -#: ../../object/Item.php:371 ../../boot.php:714 ../../mod/content.php:606 -#: ../../include/contact_widgets.php:204 -msgid "show more" -msgstr "mostra di più" - -#: ../../object/Item.php:656 ../../mod/content.php:707 -#: ../../mod/photos.php:1560 ../../mod/photos.php:1604 -#: ../../mod/photos.php:1692 -msgid "This is you" -msgstr "Questo sei tu" - -#: ../../object/Item.php:659 ../../view/theme/perihel/config.php:95 -#: ../../view/theme/diabook/theme.php:633 -#: ../../view/theme/diabook/config.php:148 -#: ../../view/theme/quattro/config.php:64 ../../view/theme/dispy/config.php:70 -#: ../../view/theme/clean/config.php:79 -#: ../../view/theme/_clean_repo/config.php:79 #: ../../view/theme/cleanzero/config.php:80 -#: ../../view/theme/vier/config.php:51 -#: ../../view/theme/vier-mobil/config.php:47 ../../mod/mood.php:137 -#: ../../mod/install.php:248 ../../mod/install.php:286 -#: ../../mod/crepair.php:171 ../../mod/content.php:710 -#: ../../mod/contacts.php:464 ../../mod/profiles.php:642 +#: ../../view/theme/vier/config.php:52 ../../view/theme/diabook/config.php:148 +#: ../../view/theme/diabook/theme.php:633 +#: ../../view/theme/quattro/config.php:64 ../../view/theme/dispy/config.php:70 +#: ../../object/Item.php:678 ../../mod/contacts.php:470 +#: ../../mod/manage.php:110 ../../mod/fsuggest.php:107 +#: ../../mod/photos.php:1084 ../../mod/photos.php:1205 +#: ../../mod/photos.php:1512 ../../mod/photos.php:1563 +#: ../../mod/photos.php:1607 ../../mod/photos.php:1695 +#: ../../mod/invite.php:140 ../../mod/events.php:478 ../../mod/mood.php:137 #: ../../mod/message.php:335 ../../mod/message.php:564 -#: ../../mod/localtime.php:45 ../../mod/photos.php:1084 -#: ../../mod/photos.php:1205 ../../mod/photos.php:1512 -#: ../../mod/photos.php:1563 ../../mod/photos.php:1607 -#: ../../mod/photos.php:1695 ../../mod/poke.php:199 ../../mod/events.php:478 -#: ../../mod/fsuggest.php:107 ../../mod/invite.php:140 -#: ../../mod/manage.php:110 +#: ../../mod/profiles.php:645 ../../mod/install.php:248 +#: ../../mod/install.php:286 ../../mod/crepair.php:179 +#: ../../mod/content.php:710 ../../mod/poke.php:199 ../../mod/localtime.php:45 msgid "Submit" msgstr "Invia" -#: ../../object/Item.php:660 ../../mod/content.php:711 -msgid "Bold" -msgstr "Grassetto" +#: ../../view/theme/cleanzero/config.php:82 +#: ../../view/theme/vier/config.php:54 ../../view/theme/diabook/config.php:150 +#: ../../view/theme/quattro/config.php:66 ../../view/theme/dispy/config.php:72 +msgid "Theme settings" +msgstr "Impostazioni tema" -#: ../../object/Item.php:661 ../../mod/content.php:712 -msgid "Italic" -msgstr "Corsivo" +#: ../../view/theme/cleanzero/config.php:83 +msgid "Set resize level for images in posts and comments (width and height)" +msgstr "Dimensione immagini in messaggi e commenti (larghezza e altezza)" -#: ../../object/Item.php:662 ../../mod/content.php:713 -msgid "Underline" -msgstr "Sottolineato" +#: ../../view/theme/cleanzero/config.php:84 +#: ../../view/theme/diabook/config.php:151 +#: ../../view/theme/dispy/config.php:73 +msgid "Set font-size for posts and comments" +msgstr "Dimensione del carattere di messaggi e commenti" -#: ../../object/Item.php:663 ../../mod/content.php:714 -msgid "Quote" -msgstr "Citazione" +#: ../../view/theme/cleanzero/config.php:85 +msgid "Set theme width" +msgstr "Imposta la larghezza del tema" -#: ../../object/Item.php:664 ../../mod/content.php:715 -msgid "Code" -msgstr "Codice" +#: ../../view/theme/cleanzero/config.php:86 +#: ../../view/theme/quattro/config.php:68 +msgid "Color scheme" +msgstr "Schema colori" -#: ../../object/Item.php:665 ../../mod/content.php:716 -msgid "Image" -msgstr "Immagine" +#: ../../view/theme/vier/config.php:55 +msgid "Set style" +msgstr "Imposta stile" -#: ../../object/Item.php:666 ../../mod/content.php:717 -msgid "Link" -msgstr "Link" +#: ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 ../../include/acl_selectors.php:328 +msgid "don't show" +msgstr "non mostrare" -#: ../../object/Item.php:667 ../../mod/content.php:718 -msgid "Video" -msgstr "Video" +#: ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 ../../include/acl_selectors.php:327 +msgid "show" +msgstr "mostra" -#: ../../object/Item.php:668 ../../mod/editpost.php:145 -#: ../../mod/content.php:719 ../../mod/photos.php:1564 -#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 -#: ../../include/conversation.php:1125 -msgid "Preview" -msgstr "Anteprima" +#: ../../view/theme/diabook/config.php:152 +#: ../../view/theme/dispy/config.php:74 +msgid "Set line-height for posts and comments" +msgstr "Altezza della linea di testo di messaggi e commenti" + +#: ../../view/theme/diabook/config.php:153 +msgid "Set resolution for middle column" +msgstr "Imposta la dimensione della colonna centrale" + +#: ../../view/theme/diabook/config.php:154 +msgid "Set color scheme" +msgstr "Imposta lo schema dei colori" + +#: ../../view/theme/diabook/config.php:155 +msgid "Set zoomfactor for Earth Layer" +msgstr "Livello di zoom per Earth Layer" + +#: ../../view/theme/diabook/config.php:156 +#: ../../view/theme/diabook/theme.php:585 +msgid "Set longitude (X) for Earth Layers" +msgstr "Longitudine (X) per Earth Layers" + +#: ../../view/theme/diabook/config.php:157 +#: ../../view/theme/diabook/theme.php:586 +msgid "Set latitude (Y) for Earth Layers" +msgstr "Latitudine (Y) per Earth Layers" + +#: ../../view/theme/diabook/config.php:158 +#: ../../view/theme/diabook/theme.php:130 +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:624 +msgid "Community Pages" +msgstr "Pagine Comunitarie" + +#: ../../view/theme/diabook/config.php:159 +#: ../../view/theme/diabook/theme.php:579 +#: ../../view/theme/diabook/theme.php:625 +msgid "Earth Layers" +msgstr "Earth Layers" + +#: ../../view/theme/diabook/config.php:160 +#: ../../view/theme/diabook/theme.php:391 +#: ../../view/theme/diabook/theme.php:626 +msgid "Community Profiles" +msgstr "Profili Comunità" + +#: ../../view/theme/diabook/config.php:161 +#: ../../view/theme/diabook/theme.php:599 +#: ../../view/theme/diabook/theme.php:627 +msgid "Help or @NewHere ?" +msgstr "Serve aiuto? Sei nuovo?" + +#: ../../view/theme/diabook/config.php:162 +#: ../../view/theme/diabook/theme.php:606 +#: ../../view/theme/diabook/theme.php:628 +msgid "Connect Services" +msgstr "Servizi di conessione" + +#: ../../view/theme/diabook/config.php:163 +#: ../../view/theme/diabook/theme.php:523 +#: ../../view/theme/diabook/theme.php:629 +msgid "Find Friends" +msgstr "Trova Amici" + +#: ../../view/theme/diabook/config.php:164 +#: ../../view/theme/diabook/theme.php:412 +#: ../../view/theme/diabook/theme.php:630 +msgid "Last users" +msgstr "Ultimi utenti" + +#: ../../view/theme/diabook/config.php:165 +#: ../../view/theme/diabook/theme.php:486 +#: ../../view/theme/diabook/theme.php:631 +msgid "Last photos" +msgstr "Ultime foto" + +#: ../../view/theme/diabook/config.php:166 +#: ../../view/theme/diabook/theme.php:441 +#: ../../view/theme/diabook/theme.php:632 +msgid "Last likes" +msgstr "Ultimi \"mi piace\"" + +#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:105 +#: ../../include/nav.php:146 ../../mod/notifications.php:93 +msgid "Home" +msgstr "Home" + +#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 +#: ../../include/nav.php:146 +msgid "Your posts and conversations" +msgstr "I tuoi messaggi e le tue conversazioni" + +#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2070 +#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 +#: ../../include/nav.php:77 ../../mod/profperm.php:103 +#: ../../mod/newmember.php:32 +msgid "Profile" +msgstr "Profilo" + +#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 +msgid "Your profile page" +msgstr "Pagina del tuo profilo" + +#: ../../view/theme/diabook/theme.php:125 ../../include/nav.php:175 +#: ../../mod/contacts.php:694 +msgid "Contacts" +msgstr "Contatti" + +#: ../../view/theme/diabook/theme.php:125 +msgid "Your contacts" +msgstr "I tuoi contatti" + +#: ../../view/theme/diabook/theme.php:126 ../../boot.php:2077 +#: ../../include/nav.php:78 ../../mod/fbrowser.php:25 +msgid "Photos" +msgstr "Foto" + +#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 +msgid "Your photos" +msgstr "Le tue foto" + +#: ../../view/theme/diabook/theme.php:127 ../../boot.php:2094 +#: ../../include/nav.php:80 ../../mod/events.php:370 +msgid "Events" +msgstr "Eventi" + +#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 +msgid "Your events" +msgstr "I tuoi eventi" + +#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 +msgid "Personal notes" +msgstr "Note personali" + +#: ../../view/theme/diabook/theme.php:128 +msgid "Your personal photos" +msgstr "Le tue foto personali" + +#: ../../view/theme/diabook/theme.php:129 ../../include/nav.php:129 +#: ../../mod/community.php:32 +msgid "Community" +msgstr "Comunità" + +#: ../../view/theme/diabook/theme.php:463 ../../include/conversation.php:118 +#: ../../include/conversation.php:246 ../../include/text.php:1964 +msgid "event" +msgstr "l'evento" + +#: ../../view/theme/diabook/theme.php:466 +#: ../../view/theme/diabook/theme.php:475 ../../include/diaspora.php:1919 +#: ../../include/conversation.php:121 ../../include/conversation.php:130 +#: ../../include/conversation.php:249 ../../include/conversation.php:258 +#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/subthread.php:87 +#: ../../mod/tagger.php:62 +msgid "status" +msgstr "stato" + +#: ../../view/theme/diabook/theme.php:471 ../../include/diaspora.php:1919 +#: ../../include/conversation.php:126 ../../include/conversation.php:254 +#: ../../include/text.php:1966 ../../mod/like.php:149 +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 +msgid "photo" +msgstr "foto" + +#: ../../view/theme/diabook/theme.php:480 ../../include/diaspora.php:1935 +#: ../../include/conversation.php:137 ../../mod/like.php:166 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "A %1$s piace %3$s di %2$s" + +#: ../../view/theme/diabook/theme.php:499 ../../mod/photos.php:60 +#: ../../mod/photos.php:155 ../../mod/photos.php:1064 +#: ../../mod/photos.php:1189 ../../mod/photos.php:1212 +#: ../../mod/photos.php:1758 ../../mod/photos.php:1770 +msgid "Contact Photos" +msgstr "Foto dei contatti" + +#: ../../view/theme/diabook/theme.php:500 ../../include/user.php:335 +#: ../../include/user.php:342 ../../include/user.php:349 +#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1189 +#: ../../mod/photos.php:1212 ../../mod/profile_photo.php:74 +#: ../../mod/profile_photo.php:81 ../../mod/profile_photo.php:88 +#: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 +#: ../../mod/profile_photo.php:305 +msgid "Profile Photos" +msgstr "Foto del profilo" + +#: ../../view/theme/diabook/theme.php:524 +msgid "Local Directory" +msgstr "Elenco Locale" + +#: ../../view/theme/diabook/theme.php:525 ../../mod/directory.php:51 +msgid "Global Directory" +msgstr "Elenco globale" + +#: ../../view/theme/diabook/theme.php:526 ../../include/contact_widgets.php:36 +msgid "Similar Interests" +msgstr "Interessi simili" + +#: ../../view/theme/diabook/theme.php:527 ../../include/contact_widgets.php:35 +#: ../../mod/suggest.php:66 +msgid "Friend Suggestions" +msgstr "Contatti suggeriti" + +#: ../../view/theme/diabook/theme.php:528 ../../include/contact_widgets.php:38 +msgid "Invite Friends" +msgstr "Invita amici" + +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:648 ../../include/nav.php:170 +#: ../../mod/settings.php:85 ../../mod/admin.php:1065 ../../mod/admin.php:1286 +#: ../../mod/newmember.php:22 +msgid "Settings" +msgstr "Impostazioni" + +#: ../../view/theme/diabook/theme.php:584 +msgid "Set zoomfactor for Earth Layers" +msgstr "Livello di zoom per Earth Layers" + +#: ../../view/theme/diabook/theme.php:622 +msgid "Show/hide boxes at right-hand column:" +msgstr "Mostra/Nascondi riquadri nella colonna destra" + +#: ../../view/theme/quattro/config.php:67 +msgid "Alignment" +msgstr "Allineamento" + +#: ../../view/theme/quattro/config.php:67 +msgid "Left" +msgstr "Sinistra" + +#: ../../view/theme/quattro/config.php:67 +msgid "Center" +msgstr "Centrato" + +#: ../../view/theme/quattro/config.php:69 +msgid "Posts font size" +msgstr "Dimensione caratteri post" + +#: ../../view/theme/quattro/config.php:70 +msgid "Textareas font size" +msgstr "Dimensione caratteri nelle aree di testo" + +#: ../../view/theme/dispy/config.php:75 +msgid "Set colour scheme" +msgstr "Imposta schema colori" #: ../../index.php:203 ../../mod/apps.php:7 msgid "You must be logged in to use addons. " @@ -253,28 +342,28 @@ msgstr "Pagina non trovata." msgid "Permission denied" msgstr "Permesso negato" -#: ../../index.php:360 ../../mod/mood.php:114 ../../mod/display.php:319 -#: ../../mod/register.php:41 ../../mod/dfrn_confirm.php:53 -#: ../../mod/api.php:26 ../../mod/api.php:31 ../../mod/wallmessage.php:9 -#: ../../mod/wallmessage.php:33 ../../mod/wallmessage.php:79 -#: ../../mod/wallmessage.php:103 ../../mod/suggest.php:56 -#: ../../mod/network.php:4 ../../mod/install.php:151 ../../mod/editpost.php:10 -#: ../../mod/attach.php:33 ../../mod/regmod.php:118 ../../mod/crepair.php:117 -#: ../../mod/uimport.php:23 ../../mod/notes.php:20 ../../mod/contacts.php:246 -#: ../../mod/settings.php:102 ../../mod/settings.php:593 -#: ../../mod/settings.php:598 ../../mod/profiles.php:146 -#: ../../mod/profiles.php:575 ../../mod/group.php:19 ../../mod/follow.php:9 -#: ../../mod/message.php:38 ../../mod/message.php:174 -#: ../../mod/viewcontacts.php:22 ../../mod/photos.php:134 -#: ../../mod/photos.php:1050 ../../mod/wall_attach.php:55 -#: ../../mod/poke.php:135 ../../mod/wall_upload.php:66 +#: ../../index.php:360 ../../include/items.php:4550 ../../mod/attach.php:33 +#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 +#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 +#: ../../mod/group.php:19 ../../mod/delegate.php:6 +#: ../../mod/notifications.php:66 ../../mod/settings.php:102 +#: ../../mod/settings.php:593 ../../mod/settings.php:598 +#: ../../mod/contacts.php:249 ../../mod/wall_attach.php:55 +#: ../../mod/register.php:42 ../../mod/manage.php:96 ../../mod/editpost.php:10 +#: ../../mod/regmod.php:109 ../../mod/api.php:26 ../../mod/api.php:31 +#: ../../mod/suggest.php:56 ../../mod/nogroup.php:25 ../../mod/fsuggest.php:78 +#: ../../mod/viewcontacts.php:22 ../../mod/wall_upload.php:66 +#: ../../mod/notes.php:20 ../../mod/network.php:4 ../../mod/photos.php:134 +#: ../../mod/photos.php:1050 ../../mod/follow.php:9 ../../mod/uimport.php:23 +#: ../../mod/invite.php:15 ../../mod/invite.php:101 ../../mod/events.php:140 +#: ../../mod/mood.php:114 ../../mod/message.php:38 ../../mod/message.php:174 +#: ../../mod/profiles.php:148 ../../mod/profiles.php:577 +#: ../../mod/install.php:151 ../../mod/crepair.php:117 ../../mod/poke.php:135 +#: ../../mod/display.php:455 ../../mod/dfrn_confirm.php:55 +#: ../../mod/item.php:148 ../../mod/item.php:164 #: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 #: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 -#: ../../mod/events.php:140 ../../mod/delegate.php:6 ../../mod/nogroup.php:25 -#: ../../mod/fsuggest.php:78 ../../mod/item.php:148 ../../mod/item.php:164 -#: ../../mod/notifications.php:66 ../../mod/invite.php:15 -#: ../../mod/invite.php:101 ../../mod/manage.php:96 ../../mod/allfriends.php:9 -#: ../../include/items.php:4496 +#: ../../mod/allfriends.php:9 msgid "Permission denied." msgstr "Permesso negato." @@ -282,944 +371,2696 @@ msgstr "Permesso negato." msgid "toggle mobile" msgstr "commuta tema mobile" -#: ../../view/theme/perihel/theme.php:33 -#: ../../view/theme/diabook/theme.php:123 ../../mod/notifications.php:93 -#: ../../include/nav.php:105 ../../include/nav.php:146 -msgid "Home" -msgstr "Home" - -#: ../../view/theme/perihel/theme.php:33 -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 -#: ../../include/nav.php:146 -msgid "Your posts and conversations" -msgstr "I tuoi messaggi e le tue conversazioni" - -#: ../../view/theme/perihel/theme.php:34 -#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2021 -#: ../../mod/newmember.php:32 ../../mod/profperm.php:103 -#: ../../include/nav.php:77 ../../include/profile_advanced.php:7 -#: ../../include/profile_advanced.php:84 -msgid "Profile" -msgstr "Profilo" - -#: ../../view/theme/perihel/theme.php:34 -#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 -msgid "Your profile page" -msgstr "Pagina del tuo profilo" - -#: ../../view/theme/perihel/theme.php:35 -#: ../../view/theme/diabook/theme.php:126 ../../boot.php:2028 -#: ../../mod/fbrowser.php:25 ../../include/nav.php:78 -msgid "Photos" -msgstr "Foto" - -#: ../../view/theme/perihel/theme.php:35 -#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 -msgid "Your photos" -msgstr "Le tue foto" - -#: ../../view/theme/perihel/theme.php:36 -#: ../../view/theme/diabook/theme.php:127 ../../boot.php:2045 -#: ../../mod/events.php:370 ../../include/nav.php:80 -msgid "Events" -msgstr "Eventi" - -#: ../../view/theme/perihel/theme.php:36 -#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 -msgid "Your events" -msgstr "I tuoi eventi" - -#: ../../view/theme/perihel/theme.php:37 -#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 -msgid "Personal notes" -msgstr "Note personali" - -#: ../../view/theme/perihel/theme.php:37 -#: ../../view/theme/diabook/theme.php:128 -msgid "Your personal photos" -msgstr "Le tue foto personali" - -#: ../../view/theme/perihel/theme.php:38 -#: ../../view/theme/diabook/theme.php:129 ../../mod/community.php:32 -#: ../../include/nav.php:129 -msgid "Community" -msgstr "Comunità" - -#: ../../view/theme/perihel/config.php:89 -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:328 -msgid "don't show" -msgstr "non mostrare" - -#: ../../view/theme/perihel/config.php:89 -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:327 -msgid "show" -msgstr "mostra" - -#: ../../view/theme/perihel/config.php:97 -#: ../../view/theme/diabook/config.php:150 -#: ../../view/theme/quattro/config.php:66 ../../view/theme/dispy/config.php:72 -#: ../../view/theme/clean/config.php:81 -#: ../../view/theme/_clean_repo/config.php:81 -#: ../../view/theme/cleanzero/config.php:82 -#: ../../view/theme/vier/config.php:53 -#: ../../view/theme/vier-mobil/config.php:49 -msgid "Theme settings" -msgstr "Impostazioni tema" - -#: ../../view/theme/perihel/config.php:98 -#: ../../view/theme/diabook/config.php:151 -#: ../../view/theme/dispy/config.php:73 -#: ../../view/theme/cleanzero/config.php:84 -msgid "Set font-size for posts and comments" -msgstr "Dimensione del carattere di messaggi e commenti" - -#: ../../view/theme/perihel/config.php:99 -#: ../../view/theme/diabook/config.php:152 -#: ../../view/theme/dispy/config.php:74 -msgid "Set line-height for posts and comments" -msgstr "Altezza della linea di testo di messaggi e commenti" - -#: ../../view/theme/perihel/config.php:100 -#: ../../view/theme/diabook/config.php:153 -msgid "Set resolution for middle column" -msgstr "Imposta la dimensione della colonna centrale" - -#: ../../view/theme/diabook/theme.php:125 ../../mod/contacts.php:688 -#: ../../include/nav.php:175 -msgid "Contacts" -msgstr "Contatti" - -#: ../../view/theme/diabook/theme.php:125 -msgid "Your contacts" -msgstr "I tuoi contatti" - -#: ../../view/theme/diabook/theme.php:130 -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:624 -#: ../../view/theme/diabook/config.php:158 -msgid "Community Pages" -msgstr "Pagine Comunitarie" - -#: ../../view/theme/diabook/theme.php:391 -#: ../../view/theme/diabook/theme.php:626 -#: ../../view/theme/diabook/config.php:160 -msgid "Community Profiles" -msgstr "Profili Comunità" - -#: ../../view/theme/diabook/theme.php:412 -#: ../../view/theme/diabook/theme.php:630 -#: ../../view/theme/diabook/config.php:164 -msgid "Last users" -msgstr "Ultimi utenti" - -#: ../../view/theme/diabook/theme.php:441 -#: ../../view/theme/diabook/theme.php:632 -#: ../../view/theme/diabook/config.php:166 -msgid "Last likes" -msgstr "Ultimi \"mi piace\"" - -#: ../../view/theme/diabook/theme.php:463 ../../include/conversation.php:118 -#: ../../include/conversation.php:246 ../../include/text.php:1962 -msgid "event" -msgstr "l'evento" - -#: ../../view/theme/diabook/theme.php:466 -#: ../../view/theme/diabook/theme.php:475 ../../mod/tagger.php:62 -#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/subthread.php:87 -#: ../../include/conversation.php:121 ../../include/conversation.php:130 -#: ../../include/conversation.php:249 ../../include/conversation.php:258 -#: ../../include/diaspora.php:1920 -msgid "status" -msgstr "stato" - -#: ../../view/theme/diabook/theme.php:471 ../../mod/tagger.php:62 -#: ../../mod/like.php:149 ../../mod/subthread.php:87 -#: ../../include/conversation.php:126 ../../include/conversation.php:254 -#: ../../include/text.php:1964 ../../include/diaspora.php:1920 -msgid "photo" -msgstr "foto" - -#: ../../view/theme/diabook/theme.php:480 ../../mod/like.php:166 -#: ../../include/conversation.php:137 ../../include/diaspora.php:1936 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "A %1$s piace %3$s di %2$s" - -#: ../../view/theme/diabook/theme.php:486 -#: ../../view/theme/diabook/theme.php:631 -#: ../../view/theme/diabook/config.php:165 -msgid "Last photos" -msgstr "Ultime foto" - -#: ../../view/theme/diabook/theme.php:499 ../../mod/photos.php:60 -#: ../../mod/photos.php:155 ../../mod/photos.php:1064 -#: ../../mod/photos.php:1189 ../../mod/photos.php:1212 -#: ../../mod/photos.php:1758 ../../mod/photos.php:1770 -msgid "Contact Photos" -msgstr "Foto dei contatti" - -#: ../../view/theme/diabook/theme.php:500 ../../mod/photos.php:155 -#: ../../mod/photos.php:731 ../../mod/photos.php:1189 -#: ../../mod/photos.php:1212 ../../mod/profile_photo.php:74 -#: ../../mod/profile_photo.php:81 ../../mod/profile_photo.php:88 -#: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 -#: ../../mod/profile_photo.php:305 ../../include/user.php:334 -#: ../../include/user.php:341 ../../include/user.php:348 -msgid "Profile Photos" -msgstr "Foto del profilo" - -#: ../../view/theme/diabook/theme.php:523 -#: ../../view/theme/diabook/theme.php:629 -#: ../../view/theme/diabook/config.php:163 -msgid "Find Friends" -msgstr "Trova Amici" - -#: ../../view/theme/diabook/theme.php:524 -msgid "Local Directory" -msgstr "Elenco Locale" - -#: ../../view/theme/diabook/theme.php:525 ../../mod/directory.php:49 -msgid "Global Directory" -msgstr "Elenco globale" - -#: ../../view/theme/diabook/theme.php:526 ../../include/contact_widgets.php:35 -msgid "Similar Interests" -msgstr "Interessi simili" - -#: ../../view/theme/diabook/theme.php:527 ../../mod/suggest.php:66 -#: ../../include/contact_widgets.php:34 -msgid "Friend Suggestions" -msgstr "Contatti suggeriti" - -#: ../../view/theme/diabook/theme.php:528 ../../include/contact_widgets.php:37 -msgid "Invite Friends" -msgstr "Invita amici" - -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:648 ../../mod/newmember.php:22 -#: ../../mod/admin.php:1019 ../../mod/admin.php:1238 ../../mod/settings.php:85 -#: ../../include/nav.php:170 -msgid "Settings" -msgstr "Impostazioni" - -#: ../../view/theme/diabook/theme.php:579 -#: ../../view/theme/diabook/theme.php:625 -#: ../../view/theme/diabook/config.php:159 -msgid "Earth Layers" -msgstr "Earth Layers" - -#: ../../view/theme/diabook/theme.php:584 -msgid "Set zoomfactor for Earth Layers" -msgstr "Livello di zoom per Earth Layers" - -#: ../../view/theme/diabook/theme.php:585 -#: ../../view/theme/diabook/config.php:156 -msgid "Set longitude (X) for Earth Layers" -msgstr "Longitudine (X) per Earth Layers" - -#: ../../view/theme/diabook/theme.php:586 -#: ../../view/theme/diabook/config.php:157 -msgid "Set latitude (Y) for Earth Layers" -msgstr "Latitudine (Y) per Earth Layers" - -#: ../../view/theme/diabook/theme.php:599 -#: ../../view/theme/diabook/theme.php:627 -#: ../../view/theme/diabook/config.php:161 -msgid "Help or @NewHere ?" -msgstr "Serve aiuto? Sei nuovo?" - -#: ../../view/theme/diabook/theme.php:606 -#: ../../view/theme/diabook/theme.php:628 -#: ../../view/theme/diabook/config.php:162 -msgid "Connect Services" -msgstr "Servizi di conessione" - -#: ../../view/theme/diabook/theme.php:622 -msgid "Show/hide boxes at right-hand column:" -msgstr "Mostra/Nascondi riquadri nella colonna destra" - -#: ../../view/theme/diabook/config.php:154 -msgid "Set color scheme" -msgstr "Imposta lo schema dei colori" - -#: ../../view/theme/diabook/config.php:155 -msgid "Set zoomfactor for Earth Layer" -msgstr "Livello di zoom per Earth Layer" - -#: ../../view/theme/quattro/config.php:67 -msgid "Alignment" -msgstr "Allineamento" - -#: ../../view/theme/quattro/config.php:67 -msgid "Left" -msgstr "Sinistra" - -#: ../../view/theme/quattro/config.php:67 -msgid "Center" -msgstr "Centrato" - -#: ../../view/theme/quattro/config.php:68 ../../view/theme/clean/config.php:84 -#: ../../view/theme/_clean_repo/config.php:84 -#: ../../view/theme/cleanzero/config.php:86 -msgid "Color scheme" -msgstr "Schema colori" - -#: ../../view/theme/quattro/config.php:69 -msgid "Posts font size" -msgstr "Dimensione caratteri post" - -#: ../../view/theme/quattro/config.php:70 -msgid "Textareas font size" -msgstr "Dimensione caratteri nelle aree di testo" - -#: ../../view/theme/dispy/config.php:75 -msgid "Set colour scheme" -msgstr "Imposta schema colori" - -#: ../../view/theme/clean/config.php:56 -#: ../../view/theme/_clean_repo/config.php:56 ../../include/user.php:246 -#: ../../include/text.php:1698 -msgid "default" -msgstr "default" - -#: ../../view/theme/clean/config.php:57 -#: ../../view/theme/_clean_repo/config.php:57 -msgid "dark" -msgstr "" - -#: ../../view/theme/clean/config.php:58 -#: ../../view/theme/_clean_repo/config.php:58 -msgid "black" -msgstr "" - -#: ../../view/theme/clean/config.php:82 -#: ../../view/theme/_clean_repo/config.php:82 -msgid "Background Image" -msgstr "" - -#: ../../view/theme/clean/config.php:82 -#: ../../view/theme/_clean_repo/config.php:82 -msgid "" -"The URL to a picture (e.g. from your photo album) that should be used as " -"background image." -msgstr "" - -#: ../../view/theme/clean/config.php:83 -#: ../../view/theme/_clean_repo/config.php:83 -msgid "Background Color" -msgstr "" - -#: ../../view/theme/clean/config.php:83 -#: ../../view/theme/_clean_repo/config.php:83 -msgid "HEX value for the background color. Don't include the #" -msgstr "" - -#: ../../view/theme/clean/config.php:85 -#: ../../view/theme/_clean_repo/config.php:85 -msgid "font size" -msgstr "" - -#: ../../view/theme/clean/config.php:85 -#: ../../view/theme/_clean_repo/config.php:85 -msgid "base font size for your interface" -msgstr "" - -#: ../../view/theme/cleanzero/config.php:83 -msgid "Set resize level for images in posts and comments (width and height)" -msgstr "Dimensione immagini in messaggi e commenti (larghezza e altezza)" - -#: ../../view/theme/cleanzero/config.php:85 -msgid "Set theme width" -msgstr "Imposta la larghezza del tema" - -#: ../../view/theme/vier/config.php:54 -#: ../../view/theme/vier-mobil/config.php:50 -msgid "Set style" -msgstr "Imposta stile" - -#: ../../boot.php:712 +#: ../../boot.php:719 msgid "Delete this item?" msgstr "Cancellare questo elemento?" -#: ../../boot.php:715 +#: ../../boot.php:720 ../../object/Item.php:361 ../../object/Item.php:677 +#: ../../mod/photos.php:1562 ../../mod/photos.php:1606 +#: ../../mod/photos.php:1694 ../../mod/content.php:709 +msgid "Comment" +msgstr "Commento" + +#: ../../boot.php:721 ../../include/contact_widgets.php:205 +#: ../../object/Item.php:390 ../../mod/content.php:606 +msgid "show more" +msgstr "mostra di più" + +#: ../../boot.php:722 msgid "show fewer" msgstr "mostra di meno" -#: ../../boot.php:1049 +#: ../../boot.php:1042 ../../boot.php:1073 #, php-format msgid "Update %s failed. See error logs." msgstr "aggiornamento %s fallito. Guarda i log di errore." -#: ../../boot.php:1051 -#, php-format -msgid "Update Error at %s" -msgstr "Errore aggiornamento a %s" - -#: ../../boot.php:1177 +#: ../../boot.php:1194 msgid "Create a New Account" msgstr "Crea un nuovo account" -#: ../../boot.php:1178 ../../mod/register.php:279 ../../include/nav.php:109 +#: ../../boot.php:1195 ../../include/nav.php:109 ../../mod/register.php:266 msgid "Register" msgstr "Registrati" -#: ../../boot.php:1202 ../../include/nav.php:73 +#: ../../boot.php:1219 ../../include/nav.php:73 msgid "Logout" msgstr "Esci" -#: ../../boot.php:1203 ../../include/nav.php:92 +#: ../../boot.php:1220 ../../include/nav.php:92 msgid "Login" msgstr "Accedi" -#: ../../boot.php:1205 +#: ../../boot.php:1222 msgid "Nickname or Email address: " msgstr "Nome utente o indirizzo email: " -#: ../../boot.php:1206 +#: ../../boot.php:1223 msgid "Password: " msgstr "Password: " -#: ../../boot.php:1207 +#: ../../boot.php:1224 msgid "Remember me" msgstr "Ricordati di me" -#: ../../boot.php:1210 +#: ../../boot.php:1227 msgid "Or login using OpenID: " msgstr "O entra con OpenID:" -#: ../../boot.php:1216 +#: ../../boot.php:1233 msgid "Forgot your password?" msgstr "Hai dimenticato la password?" -#: ../../boot.php:1217 ../../mod/lostpass.php:84 +#: ../../boot.php:1234 ../../mod/lostpass.php:109 msgid "Password Reset" msgstr "Reimpostazione password" -#: ../../boot.php:1219 +#: ../../boot.php:1236 msgid "Website Terms of Service" msgstr "Condizioni di servizio del sito web " -#: ../../boot.php:1220 +#: ../../boot.php:1237 msgid "terms of service" msgstr "condizioni del servizio" -#: ../../boot.php:1222 +#: ../../boot.php:1239 msgid "Website Privacy Policy" msgstr "Politiche di privacy del sito" -#: ../../boot.php:1223 +#: ../../boot.php:1240 msgid "privacy policy" msgstr "politiche di privacy" -#: ../../boot.php:1356 +#: ../../boot.php:1373 msgid "Requested account is not available." msgstr "L'account richiesto non è disponibile." -#: ../../boot.php:1395 ../../mod/profile.php:21 +#: ../../boot.php:1412 ../../mod/profile.php:21 msgid "Requested profile is not available." msgstr "Profilo richiesto non disponibile." -#: ../../boot.php:1435 ../../boot.php:1539 +#: ../../boot.php:1455 ../../boot.php:1589 +#: ../../include/profile_advanced.php:84 msgid "Edit profile" msgstr "Modifica il profilo" -#: ../../boot.php:1487 ../../mod/suggest.php:88 ../../mod/match.php:58 -#: ../../include/contact_widgets.php:9 +#: ../../boot.php:1522 ../../include/contact_widgets.php:10 +#: ../../mod/suggest.php:88 ../../mod/match.php:58 msgid "Connect" msgstr "Connetti" -#: ../../boot.php:1501 +#: ../../boot.php:1554 msgid "Message" msgstr "Messaggio" -#: ../../boot.php:1509 ../../include/nav.php:173 +#: ../../boot.php:1560 ../../include/nav.php:173 msgid "Profiles" msgstr "Profili" -#: ../../boot.php:1509 +#: ../../boot.php:1560 msgid "Manage/edit profiles" msgstr "Gestisci/modifica i profili" -#: ../../boot.php:1515 ../../boot.php:1541 ../../mod/profiles.php:738 +#: ../../boot.php:1565 ../../boot.php:1591 ../../mod/profiles.php:763 msgid "Change profile photo" msgstr "Cambia la foto del profilo" -#: ../../boot.php:1516 ../../mod/profiles.php:739 +#: ../../boot.php:1566 ../../mod/profiles.php:764 msgid "Create New Profile" msgstr "Crea un nuovo profilo" -#: ../../boot.php:1526 ../../mod/profiles.php:750 +#: ../../boot.php:1576 ../../mod/profiles.php:775 msgid "Profile Image" msgstr "Immagine del Profilo" -#: ../../boot.php:1529 ../../mod/profiles.php:752 +#: ../../boot.php:1579 ../../mod/profiles.php:777 msgid "visible to everybody" msgstr "visibile a tutti" -#: ../../boot.php:1530 ../../mod/profiles.php:753 +#: ../../boot.php:1580 ../../mod/profiles.php:778 msgid "Edit visibility" msgstr "Modifica visibilità" -#: ../../boot.php:1555 ../../mod/directory.php:134 ../../mod/events.php:471 -#: ../../include/event.php:40 ../../include/bb2diaspora.php:156 +#: ../../boot.php:1602 ../../include/event.php:40 +#: ../../include/bb2diaspora.php:156 ../../mod/events.php:471 +#: ../../mod/directory.php:136 msgid "Location:" msgstr "Posizione:" -#: ../../boot.php:1557 ../../mod/directory.php:136 -#: ../../include/profile_advanced.php:17 +#: ../../boot.php:1604 ../../include/profile_advanced.php:17 +#: ../../mod/directory.php:138 msgid "Gender:" msgstr "Genere:" -#: ../../boot.php:1560 ../../mod/directory.php:138 -#: ../../include/profile_advanced.php:37 +#: ../../boot.php:1607 ../../include/profile_advanced.php:37 +#: ../../mod/directory.php:140 msgid "Status:" msgstr "Stato:" -#: ../../boot.php:1562 ../../mod/directory.php:140 -#: ../../include/profile_advanced.php:48 +#: ../../boot.php:1609 ../../include/profile_advanced.php:48 +#: ../../mod/directory.php:142 msgid "Homepage:" msgstr "Homepage:" -#: ../../boot.php:1638 ../../boot.php:1724 +#: ../../boot.php:1657 +msgid "Network:" +msgstr "Rete:" + +#: ../../boot.php:1687 ../../boot.php:1773 msgid "g A l F d" msgstr "g A l d F" -#: ../../boot.php:1639 ../../boot.php:1725 +#: ../../boot.php:1688 ../../boot.php:1774 msgid "F d" msgstr "d F" -#: ../../boot.php:1684 ../../boot.php:1765 +#: ../../boot.php:1733 ../../boot.php:1814 msgid "[today]" msgstr "[oggi]" -#: ../../boot.php:1696 +#: ../../boot.php:1745 msgid "Birthday Reminders" msgstr "Promemoria compleanni" -#: ../../boot.php:1697 +#: ../../boot.php:1746 msgid "Birthdays this week:" msgstr "Compleanni questa settimana:" -#: ../../boot.php:1758 +#: ../../boot.php:1807 msgid "[No description]" msgstr "[Nessuna descrizione]" -#: ../../boot.php:1776 +#: ../../boot.php:1825 msgid "Event Reminders" msgstr "Promemoria" -#: ../../boot.php:1777 +#: ../../boot.php:1826 msgid "Events this week:" msgstr "Eventi di questa settimana:" -#: ../../boot.php:2014 ../../include/nav.php:76 +#: ../../boot.php:2063 ../../include/nav.php:76 msgid "Status" msgstr "Stato" -#: ../../boot.php:2017 +#: ../../boot.php:2066 msgid "Status Messages and Posts" msgstr "Messaggi di stato e post" -#: ../../boot.php:2024 +#: ../../boot.php:2073 msgid "Profile Details" msgstr "Dettagli del profilo" -#: ../../boot.php:2031 ../../mod/photos.php:52 +#: ../../boot.php:2080 ../../mod/photos.php:52 msgid "Photo Albums" msgstr "Album foto" -#: ../../boot.php:2035 ../../boot.php:2038 ../../include/nav.php:79 +#: ../../boot.php:2084 ../../boot.php:2087 ../../include/nav.php:79 msgid "Videos" msgstr "Video" -#: ../../boot.php:2048 +#: ../../boot.php:2097 msgid "Events and Calendar" msgstr "Eventi e calendario" -#: ../../boot.php:2052 ../../mod/notes.php:44 +#: ../../boot.php:2101 ../../mod/notes.php:44 msgid "Personal Notes" msgstr "Note personali" -#: ../../boot.php:2055 +#: ../../boot.php:2104 msgid "Only You Can See This" msgstr "Solo tu puoi vedere questo" -#: ../../mod/mood.php:62 ../../include/conversation.php:227 +#: ../../include/features.php:23 +msgid "General Features" +msgstr "Funzionalità generali" + +#: ../../include/features.php:25 +msgid "Multiple Profiles" +msgstr "Profili multipli" + +#: ../../include/features.php:25 +msgid "Ability to create multiple profiles" +msgstr "Possibilità di creare profili multipli" + +#: ../../include/features.php:30 +msgid "Post Composition Features" +msgstr "Funzionalità di composizione dei post" + +#: ../../include/features.php:31 +msgid "Richtext Editor" +msgstr "Editor visuale" + +#: ../../include/features.php:31 +msgid "Enable richtext editor" +msgstr "Abilita l'editor visuale" + +#: ../../include/features.php:32 +msgid "Post Preview" +msgstr "Anteprima dei post" + +#: ../../include/features.php:32 +msgid "Allow previewing posts and comments before publishing them" +msgstr "Permetti di avere un'anteprima di messaggi e commenti prima di pubblicarli" + +#: ../../include/features.php:33 +msgid "Auto-mention Forums" +msgstr "Auto-cita i Forum" + +#: ../../include/features.php:33 +msgid "" +"Add/remove mention when a fourm page is selected/deselected in ACL window." +msgstr "Aggiunge o rimuove una citazione quando un forum è selezionato o deselezionato nella finestra dei permessi." + +#: ../../include/features.php:38 +msgid "Network Sidebar Widgets" +msgstr "Widget della barra laterale nella pagina Rete" + +#: ../../include/features.php:39 +msgid "Search by Date" +msgstr "Cerca per data" + +#: ../../include/features.php:39 +msgid "Ability to select posts by date ranges" +msgstr "Permette di filtrare i post per data" + +#: ../../include/features.php:40 +msgid "Group Filter" +msgstr "Filtra gruppi" + +#: ../../include/features.php:40 +msgid "Enable widget to display Network posts only from selected group" +msgstr "Abilita il widget per filtrare i post solo per il gruppo selezionato" + +#: ../../include/features.php:41 +msgid "Network Filter" +msgstr "Filtro reti" + +#: ../../include/features.php:41 +msgid "Enable widget to display Network posts only from selected network" +msgstr "Abilita il widget per mostare i post solo per la rete selezionata" + +#: ../../include/features.php:42 ../../mod/network.php:188 +#: ../../mod/search.php:30 +msgid "Saved Searches" +msgstr "Ricerche salvate" + +#: ../../include/features.php:42 +msgid "Save search terms for re-use" +msgstr "Salva i termini cercati per riutilizzarli" + +#: ../../include/features.php:47 +msgid "Network Tabs" +msgstr "Schede pagina Rete" + +#: ../../include/features.php:48 +msgid "Network Personal Tab" +msgstr "Scheda Personali" + +#: ../../include/features.php:48 +msgid "Enable tab to display only Network posts that you've interacted on" +msgstr "Abilita la scheda per mostrare solo i post a cui hai partecipato" + +#: ../../include/features.php:49 +msgid "Network New Tab" +msgstr "Scheda Nuovi" + +#: ../../include/features.php:49 +msgid "Enable tab to display only new Network posts (from the last 12 hours)" +msgstr "Abilita la scheda per mostrare solo i post nuovi (nelle ultime 12 ore)" + +#: ../../include/features.php:50 +msgid "Network Shared Links Tab" +msgstr "Scheda Link Condivisi" + +#: ../../include/features.php:50 +msgid "Enable tab to display only Network posts with links in them" +msgstr "Abilita la scheda per mostrare solo i post che contengono link" + +#: ../../include/features.php:55 +msgid "Post/Comment Tools" +msgstr "Strumenti per mesasggi/commenti" + +#: ../../include/features.php:56 +msgid "Multiple Deletion" +msgstr "Eliminazione multipla" + +#: ../../include/features.php:56 +msgid "Select and delete multiple posts/comments at once" +msgstr "Seleziona ed elimina vari messagi e commenti in una volta sola" + +#: ../../include/features.php:57 +msgid "Edit Sent Posts" +msgstr "Modifica i post inviati" + +#: ../../include/features.php:57 +msgid "Edit and correct posts and comments after sending" +msgstr "Modifica e correggi messaggi e commenti dopo averli inviati" + +#: ../../include/features.php:58 +msgid "Tagging" +msgstr "Aggiunta tag" + +#: ../../include/features.php:58 +msgid "Ability to tag existing posts" +msgstr "Permette di aggiungere tag ai post già esistenti" + +#: ../../include/features.php:59 +msgid "Post Categories" +msgstr "Cateorie post" + +#: ../../include/features.php:59 +msgid "Add categories to your posts" +msgstr "Aggiungi categorie ai tuoi post" + +#: ../../include/features.php:60 ../../include/contact_widgets.php:104 +msgid "Saved Folders" +msgstr "Cartelle Salvate" + +#: ../../include/features.php:60 +msgid "Ability to file posts under folders" +msgstr "Permette di archiviare i post in cartelle" + +#: ../../include/features.php:61 +msgid "Dislike Posts" +msgstr "Non mi piace" + +#: ../../include/features.php:61 +msgid "Ability to dislike posts/comments" +msgstr "Permetti di inviare \"non mi piace\" ai messaggi" + +#: ../../include/features.php:62 +msgid "Star Posts" +msgstr "Post preferiti" + +#: ../../include/features.php:62 +msgid "Ability to mark special posts with a star indicator" +msgstr "Permette di segnare i post preferiti con una stella" + +#: ../../include/features.php:63 +msgid "Mute Post Notifications" +msgstr "Silenzia le notifiche di nuovi post" + +#: ../../include/features.php:63 +msgid "Ability to mute notifications for a thread" +msgstr "Permette di silenziare le notifiche di nuovi post in una discussione" + +#: ../../include/items.php:2090 ../../include/datetime.php:472 #, php-format -msgid "%1$s is currently %2$s" -msgstr "%1$s al momento è %2$s" +msgid "%s's birthday" +msgstr "Compleanno di %s" -#: ../../mod/mood.php:133 -msgid "Mood" -msgstr "Umore" +#: ../../include/items.php:2091 ../../include/datetime.php:473 +#, php-format +msgid "Happy Birthday %s" +msgstr "Buon compleanno %s" -#: ../../mod/mood.php:134 -msgid "Set your current mood and tell your friends" -msgstr "Condividi il tuo umore con i tuoi amici" +#: ../../include/items.php:3856 ../../mod/dfrn_request.php:721 +#: ../../mod/dfrn_confirm.php:752 +msgid "[Name Withheld]" +msgstr "[Nome Nascosto]" -#: ../../mod/display.php:45 ../../mod/_search.php:89 -#: ../../mod/directory.php:31 ../../mod/search.php:89 -#: ../../mod/dfrn_request.php:761 ../../mod/community.php:18 -#: ../../mod/viewcontacts.php:17 ../../mod/photos.php:920 -#: ../../mod/videos.php:115 -msgid "Public access denied." -msgstr "Accesso negato." - -#: ../../mod/display.php:104 ../../mod/display.php:323 -#: ../../mod/decrypt.php:15 ../../mod/admin.php:164 ../../mod/admin.php:967 -#: ../../mod/admin.php:1178 ../../mod/notice.php:15 ../../mod/viewsrc.php:15 -#: ../../include/items.php:4300 +#: ../../include/items.php:4354 ../../mod/admin.php:166 +#: ../../mod/admin.php:1013 ../../mod/admin.php:1226 ../../mod/viewsrc.php:15 +#: ../../mod/notice.php:15 ../../mod/display.php:70 ../../mod/display.php:240 +#: ../../mod/display.php:459 msgid "Item not found." msgstr "Elemento non trovato." -#: ../../mod/display.php:152 ../../mod/profile.php:155 -msgid "Access to this profile has been restricted." -msgstr "L'accesso a questo profilo è stato limitato." +#: ../../include/items.php:4393 +msgid "Do you really want to delete this item?" +msgstr "Vuoi veramente cancellare questo elemento?" -#: ../../mod/display.php:316 -msgid "Item has been removed." -msgstr "L'oggetto è stato rimosso." - -#: ../../mod/decrypt.php:9 ../../mod/viewsrc.php:7 -msgid "Access denied." -msgstr "Accesso negato." - -#: ../../mod/friendica.php:62 -msgid "This is Friendica, version" -msgstr "Questo è Friendica, versione" - -#: ../../mod/friendica.php:63 -msgid "running at web location" -msgstr "in esecuzione all'indirizzo web" - -#: ../../mod/friendica.php:65 -msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "Visita Friendica.com per saperne di più sul progetto Friendica." - -#: ../../mod/friendica.php:67 -msgid "Bug reports and issues: please visit" -msgstr "Segnalazioni di bug e problemi: visita" - -#: ../../mod/friendica.php:68 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com" - -#: ../../mod/friendica.php:82 -msgid "Installed plugins/addons/apps:" -msgstr "Plugin/addon/applicazioni instalate" - -#: ../../mod/friendica.php:95 -msgid "No installed plugins/addons/apps" -msgstr "Nessun plugin/addons/applicazione installata" - -#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "%s dà il benvenuto a %s" - -#: ../../mod/register.php:92 ../../mod/admin.php:749 ../../mod/regmod.php:54 -#, php-format -msgid "Registration details for %s" -msgstr "Dettagli della registrazione di %s" - -#: ../../mod/register.php:100 -msgid "" -"Registration successful. Please check your email for further instructions." -msgstr "Registrazione completata. Controlla la tua mail per ulteriori informazioni." - -#: ../../mod/register.php:104 -msgid "Failed to send email message. Here is the message that failed." -msgstr "Errore nell'invio del messaggio email. Questo è il messaggio non inviato." - -#: ../../mod/register.php:109 -msgid "Your registration can not be processed." -msgstr "La tua registrazione non puo' essere elaborata." - -#: ../../mod/register.php:149 -#, php-format -msgid "Registration request at %s" -msgstr "Richiesta di registrazione su %s" - -#: ../../mod/register.php:158 -msgid "Your registration is pending approval by the site owner." -msgstr "La tua richiesta è in attesa di approvazione da parte del prorietario del sito." - -#: ../../mod/register.php:196 ../../mod/uimport.php:50 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "Questo sito ha superato il numero di registrazioni giornaliere consentite. Prova di nuovo domani." - -#: ../../mod/register.php:224 -msgid "" -"You may (optionally) fill in this form via OpenID by supplying your OpenID " -"and clicking 'Register'." -msgstr "Se vuoi, puoi riempire questo modulo tramite OpenID, inserendo il tuo OpenID e cliccando 'Registra'." - -#: ../../mod/register.php:225 -msgid "" -"If you are not familiar with OpenID, please leave that field blank and fill " -"in the rest of the items." -msgstr "Se non hai familiarità con OpenID, lascia il campo vuoto e riempi il resto della maschera." - -#: ../../mod/register.php:226 -msgid "Your OpenID (optional): " -msgstr "Il tuo OpenID (opzionale): " - -#: ../../mod/register.php:240 -msgid "Include your profile in member directory?" -msgstr "Includi il tuo profilo nell'elenco pubblico?" - -#: ../../mod/register.php:243 ../../mod/api.php:105 ../../mod/suggest.php:29 -#: ../../mod/dfrn_request.php:836 ../../mod/contacts.php:326 -#: ../../mod/settings.php:1007 ../../mod/settings.php:1013 -#: ../../mod/settings.php:1021 ../../mod/settings.php:1025 -#: ../../mod/settings.php:1030 ../../mod/settings.php:1036 -#: ../../mod/settings.php:1042 ../../mod/settings.php:1048 -#: ../../mod/settings.php:1078 ../../mod/settings.php:1079 -#: ../../mod/settings.php:1080 ../../mod/settings.php:1081 -#: ../../mod/settings.php:1082 ../../mod/profiles.php:618 -#: ../../mod/profiles.php:621 ../../mod/message.php:209 -#: ../../include/items.php:4341 -msgid "Yes" -msgstr "Si" - -#: ../../mod/register.php:244 ../../mod/api.php:106 -#: ../../mod/dfrn_request.php:837 ../../mod/settings.php:1007 +#: ../../include/items.php:4395 ../../mod/settings.php:1007 #: ../../mod/settings.php:1013 ../../mod/settings.php:1021 #: ../../mod/settings.php:1025 ../../mod/settings.php:1030 #: ../../mod/settings.php:1036 ../../mod/settings.php:1042 #: ../../mod/settings.php:1048 ../../mod/settings.php:1078 #: ../../mod/settings.php:1079 ../../mod/settings.php:1080 #: ../../mod/settings.php:1081 ../../mod/settings.php:1082 -#: ../../mod/profiles.php:618 ../../mod/profiles.php:622 -msgid "No" -msgstr "No" +#: ../../mod/contacts.php:332 ../../mod/register.php:230 +#: ../../mod/dfrn_request.php:834 ../../mod/api.php:105 +#: ../../mod/suggest.php:29 ../../mod/message.php:209 +#: ../../mod/profiles.php:620 ../../mod/profiles.php:623 +msgid "Yes" +msgstr "Si" -#: ../../mod/register.php:261 -msgid "Membership on this site is by invitation only." -msgstr "La registrazione su questo sito è solo su invito." +#: ../../include/items.php:4398 ../../include/conversation.php:1129 +#: ../../mod/settings.php:612 ../../mod/settings.php:638 +#: ../../mod/contacts.php:335 ../../mod/editpost.php:148 +#: ../../mod/dfrn_request.php:848 ../../mod/fbrowser.php:81 +#: ../../mod/fbrowser.php:116 ../../mod/suggest.php:32 +#: ../../mod/photos.php:203 ../../mod/photos.php:292 ../../mod/tagrm.php:11 +#: ../../mod/tagrm.php:94 ../../mod/message.php:212 +msgid "Cancel" +msgstr "Annulla" -#: ../../mod/register.php:262 -msgid "Your invitation ID: " -msgstr "L'ID del tuo invito:" +#: ../../include/items.php:4616 +msgid "Archives" +msgstr "Archivi" -#: ../../mod/register.php:265 ../../mod/admin.php:585 -msgid "Registration" -msgstr "Registrazione" - -#: ../../mod/register.php:273 -msgid "Your Full Name (e.g. Joe Smith): " -msgstr "Il tuo nome completo (es. Mario Rossi): " - -#: ../../mod/register.php:274 -msgid "Your Email Address: " -msgstr "Il tuo indirizzo email: " - -#: ../../mod/register.php:275 +#: ../../include/group.php:25 msgid "" -"Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be " -"'nickname@$sitename'." -msgstr "Scegli un nome utente. Deve cominciare con una lettera. L'indirizzo del tuo profilo sarà 'soprannome@$sitename'." +"A deleted group with this name was revived. Existing item permissions " +"may apply to this group and any future members. If this is " +"not what you intended, please create another group with a different name." +msgstr "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso." -#: ../../mod/register.php:276 -msgid "Choose a nickname: " -msgstr "Scegli un nome utente: " +#: ../../include/group.php:207 +msgid "Default privacy group for new contacts" +msgstr "Gruppo predefinito per i nuovi contatti" -#: ../../mod/register.php:285 ../../mod/uimport.php:64 -msgid "Import" -msgstr "Importa" +#: ../../include/group.php:226 +msgid "Everybody" +msgstr "Tutti" -#: ../../mod/register.php:286 -msgid "Import your profile to this friendica instance" -msgstr "Importa il tuo profilo in questo server friendica" +#: ../../include/group.php:249 +msgid "edit" +msgstr "modifica" -#: ../../mod/dfrn_confirm.php:62 ../../mod/profiles.php:18 -#: ../../mod/profiles.php:133 ../../mod/profiles.php:160 -#: ../../mod/profiles.php:587 -msgid "Profile not found." -msgstr "Profilo non trovato." +#: ../../include/group.php:270 ../../mod/newmember.php:66 +msgid "Groups" +msgstr "Gruppi" -#: ../../mod/dfrn_confirm.php:118 ../../mod/crepair.php:131 -#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 -msgid "Contact not found." -msgstr "Contatto non trovato." +#: ../../include/group.php:271 +msgid "Edit group" +msgstr "Modifica gruppo" -#: ../../mod/dfrn_confirm.php:119 +#: ../../include/group.php:272 +msgid "Create a new group" +msgstr "Crea un nuovo gruppo" + +#: ../../include/group.php:273 +msgid "Contacts not in any group" +msgstr "Contatti in nessun gruppo." + +#: ../../include/group.php:275 ../../mod/network.php:189 +msgid "add" +msgstr "aggiungi" + +#: ../../include/Photo_old.php:911 ../../include/Photo_old.php:926 +#: ../../include/Photo_old.php:933 ../../include/Photo_old.php:955 +#: ../../include/Photo.php:911 ../../include/Photo.php:926 +#: ../../include/Photo.php:933 ../../include/Photo.php:955 +#: ../../include/message.php:144 ../../mod/wall_upload.php:169 +#: ../../mod/wall_upload.php:178 ../../mod/wall_upload.php:185 +#: ../../mod/item.php:463 +msgid "Wall Photos" +msgstr "Foto della bacheca" + +#: ../../include/dba.php:51 ../../include/dba_pdo.php:72 +#, php-format +msgid "Cannot locate DNS info for database server '%s'" +msgstr "Non trovo le informazioni DNS per il database server '%s'" + +#: ../../include/contact_widgets.php:6 +msgid "Add New Contact" +msgstr "Aggiungi nuovo contatto" + +#: ../../include/contact_widgets.php:7 +msgid "Enter address or web location" +msgstr "Inserisci posizione o indirizzo web" + +#: ../../include/contact_widgets.php:8 +msgid "Example: bob@example.com, http://example.com/barbara" +msgstr "Esempio: bob@example.com, http://example.com/barbara" + +#: ../../include/contact_widgets.php:24 +#, php-format +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "%d invito disponibile" +msgstr[1] "%d inviti disponibili" + +#: ../../include/contact_widgets.php:30 +msgid "Find People" +msgstr "Trova persone" + +#: ../../include/contact_widgets.php:31 +msgid "Enter name or interest" +msgstr "Inserisci un nome o un interesse" + +#: ../../include/contact_widgets.php:32 +msgid "Connect/Follow" +msgstr "Connetti/segui" + +#: ../../include/contact_widgets.php:33 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "Esempi: Mario Rossi, Pesca" + +#: ../../include/contact_widgets.php:34 ../../mod/contacts.php:700 +#: ../../mod/directory.php:63 +msgid "Find" +msgstr "Trova" + +#: ../../include/contact_widgets.php:37 +msgid "Random Profile" +msgstr "Profilo causale" + +#: ../../include/contact_widgets.php:71 +msgid "Networks" +msgstr "Reti" + +#: ../../include/contact_widgets.php:74 +msgid "All Networks" +msgstr "Tutte le Reti" + +#: ../../include/contact_widgets.php:107 ../../include/contact_widgets.php:139 +msgid "Everything" +msgstr "Tutto" + +#: ../../include/contact_widgets.php:136 +msgid "Categories" +msgstr "Categorie" + +#: ../../include/contact_widgets.php:200 ../../mod/contacts.php:427 +#, 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" + +#: ../../include/enotify.php:18 +msgid "Friendica Notification" +msgstr "Notifica Friendica" + +#: ../../include/enotify.php:21 +msgid "Thank You," +msgstr "Grazie," + +#: ../../include/enotify.php:23 +#, php-format +msgid "%s Administrator" +msgstr "Amministratore %s" + +#: ../../include/enotify.php:30 ../../include/delivery.php:467 +#: ../../include/notifier.php:784 +msgid "noreply" +msgstr "nessuna risposta" + +#: ../../include/enotify.php:55 +#, php-format +msgid "%s " +msgstr "%s " + +#: ../../include/enotify.php:59 +#, php-format +msgid "[Friendica:Notify] New mail received at %s" +msgstr "[Friendica:Notifica] Nuovo messaggio privato ricevuto su %s" + +#: ../../include/enotify.php:61 +#, php-format +msgid "%1$s sent you a new private message at %2$s." +msgstr "%1$s ti ha inviato un nuovo messaggio privato su %2$s." + +#: ../../include/enotify.php:62 +#, php-format +msgid "%1$s sent you %2$s." +msgstr "%1$s ti ha inviato %2$s" + +#: ../../include/enotify.php:62 +msgid "a private message" +msgstr "un messaggio privato" + +#: ../../include/enotify.php:63 +#, php-format +msgid "Please visit %s to view and/or reply to your private messages." +msgstr "Visita %s per vedere e/o rispodere ai tuoi messaggi privati." + +#: ../../include/enotify.php:115 +#, php-format +msgid "%1$s commented on [url=%2$s]a %3$s[/url]" +msgstr "%1$s ha commentato [url=%2$s]%3$s[/url]" + +#: ../../include/enotify.php:122 +#, php-format +msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" +msgstr "%1$s ha commentato [url=%2$s]%4$s di %3$s[/url]" + +#: ../../include/enotify.php:130 +#, php-format +msgid "%1$s commented on [url=%2$s]your %3$s[/url]" +msgstr "%1$s ha commentato un [url=%2$s]tuo %3$s[/url]" + +#: ../../include/enotify.php:140 +#, php-format +msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" +msgstr "[Friendica:Notifica] Commento di %2$s alla conversazione #%1$d" + +#: ../../include/enotify.php:141 +#, php-format +msgid "%s commented on an item/conversation you have been following." +msgstr "%s ha commentato un elemento che stavi seguendo." + +#: ../../include/enotify.php:144 ../../include/enotify.php:159 +#: ../../include/enotify.php:172 ../../include/enotify.php:185 +#: ../../include/enotify.php:203 ../../include/enotify.php:216 +#, php-format +msgid "Please visit %s to view and/or reply to the conversation." +msgstr "Visita %s per vedere e/o commentare la conversazione" + +#: ../../include/enotify.php:151 +#, php-format +msgid "[Friendica:Notify] %s posted to your profile wall" +msgstr "[Friendica:Notifica] %s ha scritto sulla tua bacheca" + +#: ../../include/enotify.php:153 +#, php-format +msgid "%1$s posted to your profile wall at %2$s" +msgstr "%1$s ha scritto sulla tua bacheca su %2$s" + +#: ../../include/enotify.php:155 +#, php-format +msgid "%1$s posted to [url=%2$s]your wall[/url]" +msgstr "%1$s ha inviato un messaggio sulla [url=%2$s]tua bacheca[/url]" + +#: ../../include/enotify.php:166 +#, php-format +msgid "[Friendica:Notify] %s tagged you" +msgstr "[Friendica:Notifica] %s ti ha taggato" + +#: ../../include/enotify.php:167 +#, php-format +msgid "%1$s tagged you at %2$s" +msgstr "%1$s ti ha taggato su %2$s" + +#: ../../include/enotify.php:168 +#, php-format +msgid "%1$s [url=%2$s]tagged you[/url]." +msgstr "%1$s [url=%2$s]ti ha taggato[/url]." + +#: ../../include/enotify.php:179 +#, php-format +msgid "[Friendica:Notify] %s shared a new post" +msgstr "[Friendica:Notifica] %s ha condiviso un nuovo messaggio" + +#: ../../include/enotify.php:180 +#, php-format +msgid "%1$s shared a new post at %2$s" +msgstr "%1$s ha condiviso un nuovo messaggio su %2$s" + +#: ../../include/enotify.php:181 +#, php-format +msgid "%1$s [url=%2$s]shared a post[/url]." +msgstr "%1$s [url=%2$s]ha condiviso un messaggio[/url]." + +#: ../../include/enotify.php:193 +#, php-format +msgid "[Friendica:Notify] %1$s poked you" +msgstr "[Friendica:Notifica] %1$s ti ha stuzzicato" + +#: ../../include/enotify.php:194 +#, php-format +msgid "%1$s poked you at %2$s" +msgstr "%1$s ti ha stuzzicato su %2$s" + +#: ../../include/enotify.php:195 +#, php-format +msgid "%1$s [url=%2$s]poked you[/url]." +msgstr "%1$s [url=%2$s]ti ha stuzzicato[/url]." + +#: ../../include/enotify.php:210 +#, php-format +msgid "[Friendica:Notify] %s tagged your post" +msgstr "[Friendica:Notifica] %s ha taggato un tuo messaggio" + +#: ../../include/enotify.php:211 +#, php-format +msgid "%1$s tagged your post at %2$s" +msgstr "%1$s ha taggato il tuo post su %2$s" + +#: ../../include/enotify.php:212 +#, php-format +msgid "%1$s tagged [url=%2$s]your post[/url]" +msgstr "%1$s ha taggato [url=%2$s]il tuo post[/url]" + +#: ../../include/enotify.php:223 +msgid "[Friendica:Notify] Introduction received" +msgstr "[Friendica:Notifica] Hai ricevuto una presentazione" + +#: ../../include/enotify.php:224 +#, php-format +msgid "You've received an introduction from '%1$s' at %2$s" +msgstr "Hai ricevuto un'introduzione da '%1$s' su %2$s" + +#: ../../include/enotify.php:225 +#, php-format +msgid "You've received [url=%1$s]an introduction[/url] from %2$s." +msgstr "Hai ricevuto [url=%1$s]un'introduzione[/url] da %2$s." + +#: ../../include/enotify.php:228 ../../include/enotify.php:270 +#, php-format +msgid "You may visit their profile at %s" +msgstr "Puoi visitare il suo profilo presso %s" + +#: ../../include/enotify.php:230 +#, php-format +msgid "Please visit %s to approve or reject the introduction." +msgstr "Visita %s per approvare o rifiutare la presentazione." + +#: ../../include/enotify.php:238 +msgid "[Friendica:Notify] A new person is sharing with you" +msgstr "[Friendica:Notifica] Una nuova persona sta condividendo con te" + +#: ../../include/enotify.php:239 ../../include/enotify.php:240 +#, php-format +msgid "%1$s is sharing with you at %2$s" +msgstr "%1$s sta condividendo con te su %2$s" + +#: ../../include/enotify.php:246 +msgid "[Friendica:Notify] You have a new follower" +msgstr "[Friendica:Notifica] Una nuova persona ti segue" + +#: ../../include/enotify.php:247 ../../include/enotify.php:248 +#, php-format +msgid "You have a new follower at %2$s : %1$s" +msgstr "Un nuovo utente ha iniziato a seguirti su %2$s : %1$s" + +#: ../../include/enotify.php:261 +msgid "[Friendica:Notify] Friend suggestion received" +msgstr "[Friendica:Notifica] Hai ricevuto un suggerimento di amicizia" + +#: ../../include/enotify.php:262 +#, php-format +msgid "You've received a friend suggestion from '%1$s' at %2$s" +msgstr "Hai ricevuto un suggerimento di amicizia da '%1$s' su %2$s" + +#: ../../include/enotify.php:263 +#, php-format msgid "" -"This may occasionally happen if contact was requested by both persons and it" -" has already been approved." -msgstr "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata." +"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" -#: ../../mod/dfrn_confirm.php:237 -msgid "Response from remote site was not understood." -msgstr "Errore di comunicazione con l'altro sito." +#: ../../include/enotify.php:268 +msgid "Name:" +msgstr "Nome:" -#: ../../mod/dfrn_confirm.php:246 -msgid "Unexpected response from remote site: " -msgstr "La risposta dell'altro sito non può essere gestita: " +#: ../../include/enotify.php:269 +msgid "Photo:" +msgstr "Foto:" -#: ../../mod/dfrn_confirm.php:254 -msgid "Confirmation completed successfully." -msgstr "Conferma completata con successo." +#: ../../include/enotify.php:272 +#, php-format +msgid "Please visit %s to approve or reject the suggestion." +msgstr "Visita %s per approvare o rifiutare il suggerimento." -#: ../../mod/dfrn_confirm.php:256 ../../mod/dfrn_confirm.php:270 -#: ../../mod/dfrn_confirm.php:277 -msgid "Remote site reported: " -msgstr "Il sito remoto riporta: " +#: ../../include/enotify.php:280 ../../include/enotify.php:293 +msgid "[Friendica:Notify] Connection accepted" +msgstr "[Friendica:Notifica] Connessione accettata" -#: ../../mod/dfrn_confirm.php:268 -msgid "Temporary failure. Please wait and try again." -msgstr "Problema temporaneo. Attendi e riprova." +#: ../../include/enotify.php:281 ../../include/enotify.php:294 +#, php-format +msgid "'%1$s' has acepted your connection request at %2$s" +msgstr "'%1$s' ha accettato la tua richiesta di connessione su %2$s" -#: ../../mod/dfrn_confirm.php:275 -msgid "Introduction failed or was revoked." -msgstr "La presentazione ha generato un errore o è stata revocata." +#: ../../include/enotify.php:282 ../../include/enotify.php:295 +#, php-format +msgid "%2$s has accepted your [url=%1$s]connection request[/url]." +msgstr "%2$s ha accettato la tua [url=%1$s]richiesta di connessione[/url]" -#: ../../mod/dfrn_confirm.php:420 -msgid "Unable to set contact photo." -msgstr "Impossibile impostare la foto del contatto." +#: ../../include/enotify.php:285 +msgid "" +"You are now mutual friends and may exchange status updates, photos, and email\n" +"\twithout restriction." +msgstr "Ora siete connessi reciprocamente e potete scambiarvi aggiornamenti di stato, foto e email\nsenza restrizioni" -#: ../../mod/dfrn_confirm.php:477 ../../include/conversation.php:172 -#: ../../include/diaspora.php:620 +#: ../../include/enotify.php:288 ../../include/enotify.php:302 +#, php-format +msgid "Please visit %s if you wish to make any changes to this relationship." +msgstr "Visita %s se desideri modificare questo collegamento." + +#: ../../include/enotify.php:298 +#, php-format +msgid "" +"'%1$s' has chosen to accept you a \"fan\", which restricts some forms of " +"communication - such as private messaging and some profile interactions. If " +"this is a celebrity or community page, these settings were applied " +"automatically." +msgstr "'%1$s' ha scelto di accettarti come \"fan\", il che limita alcune forme di comunicazione, come i messaggi privati, e alcune possibiltà di interazione col profilo. Se è una pagina di una comunità o di una celebrità, queste impostazioni sono state applicate automaticamente." + +#: ../../include/enotify.php:300 +#, php-format +msgid "" +"'%1$s' may choose to extend this into a two-way or more permissive " +"relationship in the future. " +msgstr "'%1$s' può decidere in futuro di estendere la connessione in una reciproca o più permissiva." + +#: ../../include/enotify.php:313 +msgid "[Friendica System:Notify] registration request" +msgstr "[Friendica System:Notifica] richiesta di registrazione" + +#: ../../include/enotify.php:314 +#, php-format +msgid "You've received a registration request from '%1$s' at %2$s" +msgstr "Hai ricevuto una richiesta di registrazione da '%1$s' su %2$s" + +#: ../../include/enotify.php:315 +#, php-format +msgid "You've received a [url=%1$s]registration request[/url] from %2$s." +msgstr "Hai ricevuto una [url=%1$s]richiesta di registrazione[/url] da %2$s." + +#: ../../include/enotify.php:318 +#, php-format +msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" +msgstr "Nome completo: %1$s\nIndirizzo del sito: %2$s\nNome utente: %3$s (%4$s)" + +#: ../../include/enotify.php:321 +#, php-format +msgid "Please visit %s to approve or reject the request." +msgstr "Visita %s per approvare o rifiutare la richiesta." + +#: ../../include/api.php:262 ../../include/api.php:273 +#: ../../include/api.php:374 ../../include/api.php:958 +#: ../../include/api.php:960 +msgid "User not found." +msgstr "Utente non trovato." + +#: ../../include/api.php:1167 +msgid "There is no status with this id." +msgstr "Non c'è nessuno status con questo id." + +#: ../../include/api.php:1237 +msgid "There is no conversation with this id." +msgstr "Non c'è nessuna conversazione con questo id" + +#: ../../include/network.php:892 +msgid "view full size" +msgstr "vedi a schermo intero" + +#: ../../include/Scrape.php:584 +msgid " on Last.fm" +msgstr "su Last.fm" + +#: ../../include/profile_advanced.php:15 ../../mod/settings.php:1125 +msgid "Full Name:" +msgstr "Nome completo:" + +#: ../../include/profile_advanced.php:22 +msgid "j F, Y" +msgstr "j F Y" + +#: ../../include/profile_advanced.php:23 +msgid "j F" +msgstr "j F" + +#: ../../include/profile_advanced.php:30 +msgid "Birthday:" +msgstr "Compleanno:" + +#: ../../include/profile_advanced.php:34 +msgid "Age:" +msgstr "Età:" + +#: ../../include/profile_advanced.php:43 +#, php-format +msgid "for %1$d %2$s" +msgstr "per %1$d %2$s" + +#: ../../include/profile_advanced.php:46 ../../mod/profiles.php:673 +msgid "Sexual Preference:" +msgstr "Preferenze sessuali:" + +#: ../../include/profile_advanced.php:50 ../../mod/profiles.php:675 +msgid "Hometown:" +msgstr "Paese natale:" + +#: ../../include/profile_advanced.php:52 +msgid "Tags:" +msgstr "Tag:" + +#: ../../include/profile_advanced.php:54 ../../mod/profiles.php:676 +msgid "Political Views:" +msgstr "Orientamento politico:" + +#: ../../include/profile_advanced.php:56 +msgid "Religion:" +msgstr "Religione:" + +#: ../../include/profile_advanced.php:58 ../../mod/directory.php:144 +msgid "About:" +msgstr "Informazioni:" + +#: ../../include/profile_advanced.php:60 +msgid "Hobbies/Interests:" +msgstr "Hobby/Interessi:" + +#: ../../include/profile_advanced.php:62 ../../mod/profiles.php:680 +msgid "Likes:" +msgstr "Mi piace:" + +#: ../../include/profile_advanced.php:64 ../../mod/profiles.php:681 +msgid "Dislikes:" +msgstr "Non mi piace:" + +#: ../../include/profile_advanced.php:67 +msgid "Contact information and Social Networks:" +msgstr "Informazioni su contatti e social network:" + +#: ../../include/profile_advanced.php:69 +msgid "Musical interests:" +msgstr "Interessi musicali:" + +#: ../../include/profile_advanced.php:71 +msgid "Books, literature:" +msgstr "Libri, letteratura:" + +#: ../../include/profile_advanced.php:73 +msgid "Television:" +msgstr "Televisione:" + +#: ../../include/profile_advanced.php:75 +msgid "Film/dance/culture/entertainment:" +msgstr "Film/danza/cultura/intrattenimento:" + +#: ../../include/profile_advanced.php:77 +msgid "Love/Romance:" +msgstr "Amore:" + +#: ../../include/profile_advanced.php:79 +msgid "Work/employment:" +msgstr "Lavoro:" + +#: ../../include/profile_advanced.php:81 +msgid "School/education:" +msgstr "Scuola:" + +#: ../../include/nav.php:34 ../../mod/navigation.php:20 +msgid "Nothing new here" +msgstr "Niente di nuovo qui" + +#: ../../include/nav.php:38 ../../mod/navigation.php:24 +msgid "Clear notifications" +msgstr "Pulisci le notifiche" + +#: ../../include/nav.php:73 +msgid "End this session" +msgstr "Finisci questa sessione" + +#: ../../include/nav.php:79 +msgid "Your videos" +msgstr "I tuoi video" + +#: ../../include/nav.php:81 +msgid "Your personal notes" +msgstr "Le tue note personali" + +#: ../../include/nav.php:92 +msgid "Sign in" +msgstr "Entra" + +#: ../../include/nav.php:105 +msgid "Home Page" +msgstr "Home Page" + +#: ../../include/nav.php:109 +msgid "Create an account" +msgstr "Crea un account" + +#: ../../include/nav.php:114 ../../mod/help.php:84 +msgid "Help" +msgstr "Guida" + +#: ../../include/nav.php:114 +msgid "Help and documentation" +msgstr "Guida e documentazione" + +#: ../../include/nav.php:117 +msgid "Apps" +msgstr "Applicazioni" + +#: ../../include/nav.php:117 +msgid "Addon applications, utilities, games" +msgstr "Applicazioni, utilità e giochi aggiuntivi" + +#: ../../include/nav.php:119 ../../include/text.php:952 +#: ../../include/text.php:953 ../../mod/search.php:99 +msgid "Search" +msgstr "Cerca" + +#: ../../include/nav.php:119 +msgid "Search site content" +msgstr "Cerca nel contenuto del sito" + +#: ../../include/nav.php:129 +msgid "Conversations on this site" +msgstr "Conversazioni su questo sito" + +#: ../../include/nav.php:131 +msgid "Directory" +msgstr "Elenco" + +#: ../../include/nav.php:131 +msgid "People directory" +msgstr "Elenco delle persone" + +#: ../../include/nav.php:133 +msgid "Information" +msgstr "Informazioni" + +#: ../../include/nav.php:133 +msgid "Information about this friendica instance" +msgstr "Informazioni su questo server friendica" + +#: ../../include/nav.php:143 ../../mod/notifications.php:83 +msgid "Network" +msgstr "Rete" + +#: ../../include/nav.php:143 +msgid "Conversations from your friends" +msgstr "Conversazioni dai tuoi amici" + +#: ../../include/nav.php:144 +msgid "Network Reset" +msgstr "Reset pagina Rete" + +#: ../../include/nav.php:144 +msgid "Load Network page with no filters" +msgstr "Carica la pagina Rete senza nessun filtro" + +#: ../../include/nav.php:152 ../../mod/notifications.php:98 +msgid "Introductions" +msgstr "Presentazioni" + +#: ../../include/nav.php:152 +msgid "Friend Requests" +msgstr "Richieste di amicizia" + +#: ../../include/nav.php:153 ../../mod/notifications.php:220 +msgid "Notifications" +msgstr "Notifiche" + +#: ../../include/nav.php:154 +msgid "See all notifications" +msgstr "Vedi tutte le notifiche" + +#: ../../include/nav.php:155 +msgid "Mark all system notifications seen" +msgstr "Segna tutte le notifiche come viste" + +#: ../../include/nav.php:159 ../../mod/notifications.php:103 +#: ../../mod/message.php:182 +msgid "Messages" +msgstr "Messaggi" + +#: ../../include/nav.php:159 +msgid "Private mail" +msgstr "Posta privata" + +#: ../../include/nav.php:160 +msgid "Inbox" +msgstr "In arrivo" + +#: ../../include/nav.php:161 +msgid "Outbox" +msgstr "Inviati" + +#: ../../include/nav.php:162 ../../mod/message.php:9 +msgid "New Message" +msgstr "Nuovo messaggio" + +#: ../../include/nav.php:165 +msgid "Manage" +msgstr "Gestisci" + +#: ../../include/nav.php:165 +msgid "Manage other pages" +msgstr "Gestisci altre pagine" + +#: ../../include/nav.php:168 ../../mod/settings.php:62 +msgid "Delegations" +msgstr "Delegazioni" + +#: ../../include/nav.php:168 ../../mod/delegate.php:124 +msgid "Delegate Page Management" +msgstr "Gestione delegati per la pagina" + +#: ../../include/nav.php:170 +msgid "Account settings" +msgstr "Parametri account" + +#: ../../include/nav.php:173 +msgid "Manage/Edit Profiles" +msgstr "Gestisci/Modifica i profili" + +#: ../../include/nav.php:175 +msgid "Manage/edit friends and contacts" +msgstr "Gestisci/modifica amici e contatti" + +#: ../../include/nav.php:182 ../../mod/admin.php:128 +msgid "Admin" +msgstr "Amministrazione" + +#: ../../include/nav.php:182 +msgid "Site setup and configuration" +msgstr "Configurazione del sito" + +#: ../../include/nav.php:186 +msgid "Navigation" +msgstr "Navigazione" + +#: ../../include/nav.php:186 +msgid "Site map" +msgstr "Mappa del sito" + +#: ../../include/plugin.php:455 ../../include/plugin.php:457 +msgid "Click here to upgrade." +msgstr "Clicca qui per aggiornare." + +#: ../../include/plugin.php:463 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "Questa azione eccede i limiti del tuo piano di sottoscrizione." + +#: ../../include/plugin.php:468 +msgid "This action is not available under your subscription plan." +msgstr "Questa azione non è disponibile nel tuo piano di sottoscrizione." + +#: ../../include/follow.php:27 ../../mod/dfrn_request.php:507 +msgid "Disallowed profile URL." +msgstr "Indirizzo profilo non permesso." + +#: ../../include/follow.php:32 +msgid "Connect URL missing." +msgstr "URL di connessione mancante." + +#: ../../include/follow.php:59 +msgid "" +"This site is not configured to allow communications with other networks." +msgstr "Questo sito non è configurato per permettere la comunicazione con altri network." + +#: ../../include/follow.php:60 ../../include/follow.php:80 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "Non sono stati trovati protocolli di comunicazione o feed compatibili." + +#: ../../include/follow.php:78 +msgid "The profile address specified does not provide adequate information." +msgstr "L'indirizzo del profilo specificato non fornisce adeguate informazioni." + +#: ../../include/follow.php:82 +msgid "An author or name was not found." +msgstr "Non è stato trovato un nome o un autore" + +#: ../../include/follow.php:84 +msgid "No browser URL could be matched to this address." +msgstr "Nessun URL puo' essere associato a questo indirizzo." + +#: ../../include/follow.php:86 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email." + +#: ../../include/follow.php:87 +msgid "Use mailto: in front of address to force email check." +msgstr "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email." + +#: ../../include/follow.php:93 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito." + +#: ../../include/follow.php:103 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te." + +#: ../../include/follow.php:205 +msgid "Unable to retrieve contact information." +msgstr "Impossibile recuperare informazioni sul contatto." + +#: ../../include/follow.php:259 +msgid "following" +msgstr "segue" + +#: ../../include/uimport.php:94 +msgid "Error decoding account file" +msgstr "Errore decodificando il file account" + +#: ../../include/uimport.php:100 +msgid "Error! No version data in file! This is not a Friendica account file?" +msgstr "Errore! Nessuna informazione di versione nel file! Potrebbe non essere un file account di Friendica?" + +#: ../../include/uimport.php:116 ../../include/uimport.php:127 +msgid "Error! Cannot check nickname" +msgstr "Errore! Non posso controllare il nickname" + +#: ../../include/uimport.php:120 ../../include/uimport.php:131 +#, php-format +msgid "User '%s' already exists on this server!" +msgstr "L'utente '%s' esiste già su questo server!" + +#: ../../include/uimport.php:153 +msgid "User creation error" +msgstr "Errore creando l'utente" + +#: ../../include/uimport.php:171 +msgid "User profile creation error" +msgstr "Errore creando il profile dell'utente" + +#: ../../include/uimport.php:220 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" +msgstr[0] "%d contatto non importato" +msgstr[1] "%d contatti non importati" + +#: ../../include/uimport.php:290 +msgid "Done. You can now login with your username and password" +msgstr "Fatto. Ora puoi entrare con il tuo nome utente e la tua password" + +#: ../../include/event.php:11 ../../include/bb2diaspora.php:134 +#: ../../mod/localtime.php:12 +msgid "l F d, Y \\@ g:i A" +msgstr "l d F Y \\@ G:i" + +#: ../../include/event.php:20 ../../include/bb2diaspora.php:140 +msgid "Starts:" +msgstr "Inizia:" + +#: ../../include/event.php:30 ../../include/bb2diaspora.php:148 +msgid "Finishes:" +msgstr "Finisce:" + +#: ../../include/Contact.php:115 +msgid "stopped following" +msgstr "tolto dai seguiti" + +#: ../../include/Contact.php:228 ../../include/conversation.php:882 +msgid "Poke" +msgstr "Stuzzica" + +#: ../../include/Contact.php:229 ../../include/conversation.php:876 +msgid "View Status" +msgstr "Visualizza stato" + +#: ../../include/Contact.php:230 ../../include/conversation.php:877 +msgid "View Profile" +msgstr "Visualizza profilo" + +#: ../../include/Contact.php:231 ../../include/conversation.php:878 +msgid "View Photos" +msgstr "Visualizza foto" + +#: ../../include/Contact.php:232 ../../include/Contact.php:255 +#: ../../include/conversation.php:879 +msgid "Network Posts" +msgstr "Post della Rete" + +#: ../../include/Contact.php:233 ../../include/Contact.php:255 +#: ../../include/conversation.php:880 +msgid "Edit Contact" +msgstr "Modifica contatti" + +#: ../../include/Contact.php:234 +msgid "Drop Contact" +msgstr "Rimuovi contatto" + +#: ../../include/Contact.php:235 ../../include/Contact.php:255 +#: ../../include/conversation.php:881 +msgid "Send PM" +msgstr "Invia messaggio privato" + +#: ../../include/dbstructure.php:23 +#, php-format +msgid "" +"\n" +"\t\t\tThe friendica developers released update %s recently,\n" +"\t\t\tbut when I tried to install it, something went terribly wrong.\n" +"\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n" +"\t\t\tfriendica developer if you can not help me on your own. My database might be invalid." +msgstr "\nGli sviluppatori di Friendica hanno rilasciato l'aggiornamento %s\nrecentemente, ma quando ho provato a installarlo, qualcosa è \nandato terribilmente storto.\nBisogna sistemare le cose e non posso farlo da solo.\nContatta uno sviluppatore se non puoi aiutarmi da solo. Il mio database potrebbe essere invalido." + +#: ../../include/dbstructure.php:28 +#, php-format +msgid "" +"The error message is\n" +"[pre]%s[/pre]" +msgstr "Il messaggio di errore è\n[pre]%s[/pre]" + +#: ../../include/dbstructure.php:181 +msgid "Errors encountered creating database tables." +msgstr "La creazione delle tabelle del database ha generato errori." + +#: ../../include/dbstructure.php:239 +msgid "Errors encountered performing database changes." +msgstr "Riscontrati errori applicando le modifiche al database." + +#: ../../include/datetime.php:43 ../../include/datetime.php:45 +msgid "Miscellaneous" +msgstr "Varie" + +#: ../../include/datetime.php:153 ../../include/datetime.php:285 +msgid "year" +msgstr "anno" + +#: ../../include/datetime.php:158 ../../include/datetime.php:286 +msgid "month" +msgstr "mese" + +#: ../../include/datetime.php:163 ../../include/datetime.php:288 +msgid "day" +msgstr "giorno" + +#: ../../include/datetime.php:276 +msgid "never" +msgstr "mai" + +#: ../../include/datetime.php:282 +msgid "less than a second ago" +msgstr "meno di un secondo fa" + +#: ../../include/datetime.php:285 +msgid "years" +msgstr "anni" + +#: ../../include/datetime.php:286 +msgid "months" +msgstr "mesi" + +#: ../../include/datetime.php:287 +msgid "week" +msgstr "settimana" + +#: ../../include/datetime.php:287 +msgid "weeks" +msgstr "settimane" + +#: ../../include/datetime.php:288 +msgid "days" +msgstr "giorni" + +#: ../../include/datetime.php:289 +msgid "hour" +msgstr "ora" + +#: ../../include/datetime.php:289 +msgid "hours" +msgstr "ore" + +#: ../../include/datetime.php:290 +msgid "minute" +msgstr "minuto" + +#: ../../include/datetime.php:290 +msgid "minutes" +msgstr "minuti" + +#: ../../include/datetime.php:291 +msgid "second" +msgstr "secondo" + +#: ../../include/datetime.php:291 +msgid "seconds" +msgstr "secondi" + +#: ../../include/datetime.php:300 +#, php-format +msgid "%1$d %2$s ago" +msgstr "%1$d %2$s fa" + +#: ../../include/message.php:15 ../../include/message.php:172 +msgid "[no subject]" +msgstr "[nessun oggetto]" + +#: ../../include/delivery.php:456 ../../include/notifier.php:774 +msgid "(no subject)" +msgstr "(nessun oggetto)" + +#: ../../include/contact_selectors.php:32 +msgid "Unknown | Not categorised" +msgstr "Sconosciuto | non categorizzato" + +#: ../../include/contact_selectors.php:33 +msgid "Block immediately" +msgstr "Blocca immediatamente" + +#: ../../include/contact_selectors.php:34 +msgid "Shady, spammer, self-marketer" +msgstr "Shady, spammer, self-marketer" + +#: ../../include/contact_selectors.php:35 +msgid "Known to me, but no opinion" +msgstr "Lo conosco, ma non ho un'opinione particolare" + +#: ../../include/contact_selectors.php:36 +msgid "OK, probably harmless" +msgstr "E' ok, probabilmente innocuo" + +#: ../../include/contact_selectors.php:37 +msgid "Reputable, has my trust" +msgstr "Rispettabile, ha la mia fiducia" + +#: ../../include/contact_selectors.php:56 ../../mod/admin.php:542 +msgid "Frequently" +msgstr "Frequentemente" + +#: ../../include/contact_selectors.php:57 ../../mod/admin.php:543 +msgid "Hourly" +msgstr "Ogni ora" + +#: ../../include/contact_selectors.php:58 ../../mod/admin.php:544 +msgid "Twice daily" +msgstr "Due volte al dì" + +#: ../../include/contact_selectors.php:59 ../../mod/admin.php:545 +msgid "Daily" +msgstr "Giornalmente" + +#: ../../include/contact_selectors.php:60 +msgid "Weekly" +msgstr "Settimanalmente" + +#: ../../include/contact_selectors.php:61 +msgid "Monthly" +msgstr "Mensilmente" + +#: ../../include/contact_selectors.php:76 ../../mod/dfrn_request.php:840 +msgid "Friendica" +msgstr "Friendica" + +#: ../../include/contact_selectors.php:77 +msgid "OStatus" +msgstr "Ostatus" + +#: ../../include/contact_selectors.php:78 +msgid "RSS/Atom" +msgstr "RSS / Atom" + +#: ../../include/contact_selectors.php:79 +#: ../../include/contact_selectors.php:86 ../../mod/admin.php:964 +#: ../../mod/admin.php:976 ../../mod/admin.php:977 ../../mod/admin.php:992 +msgid "Email" +msgstr "Email" + +#: ../../include/contact_selectors.php:80 ../../mod/settings.php:733 +#: ../../mod/dfrn_request.php:842 +msgid "Diaspora" +msgstr "Diaspora" + +#: ../../include/contact_selectors.php:81 ../../mod/newmember.php:49 +#: ../../mod/newmember.php:51 +msgid "Facebook" +msgstr "Facebook" + +#: ../../include/contact_selectors.php:82 +msgid "Zot!" +msgstr "Zot!" + +#: ../../include/contact_selectors.php:83 +msgid "LinkedIn" +msgstr "LinkedIn" + +#: ../../include/contact_selectors.php:84 +msgid "XMPP/IM" +msgstr "XMPP/IM" + +#: ../../include/contact_selectors.php:85 +msgid "MySpace" +msgstr "MySpace" + +#: ../../include/contact_selectors.php:87 +msgid "Google+" +msgstr "Google+" + +#: ../../include/contact_selectors.php:88 +msgid "pump.io" +msgstr "pump.io" + +#: ../../include/contact_selectors.php:89 +msgid "Twitter" +msgstr "Twitter" + +#: ../../include/contact_selectors.php:90 +msgid "Diaspora Connector" +msgstr "Connettore Diaspora" + +#: ../../include/contact_selectors.php:91 +msgid "Statusnet" +msgstr "Statusnet" + +#: ../../include/contact_selectors.php:92 +msgid "App.net" +msgstr "App.net" + +#: ../../include/diaspora.php:620 ../../include/conversation.php:172 +#: ../../mod/dfrn_confirm.php:486 #, php-format msgid "%1$s is now friends with %2$s" msgstr "%1$s e %2$s adesso sono amici" -#: ../../mod/dfrn_confirm.php:562 +#: ../../include/diaspora.php:703 +msgid "Sharing notification from Diaspora network" +msgstr "Notifica di condivisione dal network Diaspora*" + +#: ../../include/diaspora.php:2312 +msgid "Attachments:" +msgstr "Allegati:" + +#: ../../include/conversation.php:140 ../../mod/like.php:168 #, php-format -msgid "No user record found for '%s' " -msgstr "Nessun utente trovato '%s'" +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "A %1$s non piace %3$s di %2$s" -#: ../../mod/dfrn_confirm.php:572 -msgid "Our site encryption key is apparently messed up." -msgstr "La nostra chiave di criptazione del sito sembra essere corrotta." - -#: ../../mod/dfrn_confirm.php:583 -msgid "Empty site URL was provided or URL could not be decrypted by us." -msgstr "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo." - -#: ../../mod/dfrn_confirm.php:604 -msgid "Contact record was not found for you on our site." -msgstr "Il contatto non è stato trovato sul nostro sito." - -#: ../../mod/dfrn_confirm.php:618 +#: ../../include/conversation.php:207 #, php-format -msgid "Site public key not available in contact record for URL %s." -msgstr "La chiave pubblica del sito non è disponibile per l'URL %s" +msgid "%1$s poked %2$s" +msgstr "%1$s ha stuzzicato %2$s" -#: ../../mod/dfrn_confirm.php:638 +#: ../../include/conversation.php:211 ../../include/text.php:1004 +msgid "poked" +msgstr "toccato" + +#: ../../include/conversation.php:227 ../../mod/mood.php:62 +#, php-format +msgid "%1$s is currently %2$s" +msgstr "%1$s al momento è %2$s" + +#: ../../include/conversation.php:266 ../../mod/tagger.php:95 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s ha taggato %3$s di %2$s con %4$s" + +#: ../../include/conversation.php:291 +msgid "post/item" +msgstr "post/elemento" + +#: ../../include/conversation.php:292 +#, php-format +msgid "%1$s marked %2$s's %3$s as favorite" +msgstr "%1$s ha segnato il/la %3$s di %2$s come preferito" + +#: ../../include/conversation.php:613 ../../object/Item.php:129 +#: ../../mod/photos.php:1651 ../../mod/content.php:437 +#: ../../mod/content.php:740 +msgid "Select" +msgstr "Seleziona" + +#: ../../include/conversation.php:614 ../../object/Item.php:130 +#: ../../mod/group.php:171 ../../mod/settings.php:674 +#: ../../mod/contacts.php:709 ../../mod/admin.php:968 +#: ../../mod/photos.php:1652 ../../mod/content.php:438 +#: ../../mod/content.php:741 +msgid "Delete" +msgstr "Rimuovi" + +#: ../../include/conversation.php:654 ../../object/Item.php:326 +#: ../../object/Item.php:327 ../../mod/content.php:471 +#: ../../mod/content.php:852 ../../mod/content.php:853 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Vedi il profilo di %s @ %s" + +#: ../../include/conversation.php:666 ../../object/Item.php:316 +msgid "Categories:" +msgstr "Categorie:" + +#: ../../include/conversation.php:667 ../../object/Item.php:317 +msgid "Filed under:" +msgstr "Archiviato in:" + +#: ../../include/conversation.php:674 ../../object/Item.php:340 +#: ../../mod/content.php:481 ../../mod/content.php:864 +#, php-format +msgid "%s from %s" +msgstr "%s da %s" + +#: ../../include/conversation.php:690 ../../mod/content.php:497 +msgid "View in context" +msgstr "Vedi nel contesto" + +#: ../../include/conversation.php:692 ../../include/conversation.php:1109 +#: ../../object/Item.php:364 ../../mod/wallmessage.php:156 +#: ../../mod/editpost.php:124 ../../mod/photos.php:1543 +#: ../../mod/message.php:334 ../../mod/message.php:565 +#: ../../mod/content.php:499 ../../mod/content.php:883 +msgid "Please wait" +msgstr "Attendi" + +#: ../../include/conversation.php:772 +msgid "remove" +msgstr "rimuovi" + +#: ../../include/conversation.php:776 +msgid "Delete Selected Items" +msgstr "Cancella elementi selezionati" + +#: ../../include/conversation.php:875 +msgid "Follow Thread" +msgstr "Segui la discussione" + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s likes this." +msgstr "Piace a %s." + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s doesn't like this." +msgstr "Non piace a %s." + +#: ../../include/conversation.php:949 +#, php-format +msgid "%2$d people like this" +msgstr "Piace a %2$d persone." + +#: ../../include/conversation.php:952 +#, php-format +msgid "%2$d people don't like this" +msgstr "Non piace a %2$d persone." + +#: ../../include/conversation.php:966 +msgid "and" +msgstr "e" + +#: ../../include/conversation.php:972 +#, php-format +msgid ", and %d other people" +msgstr "e altre %d persone" + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s like this." +msgstr "Piace a %s." + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s don't like this." +msgstr "Non piace a %s." + +#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 +msgid "Visible to everybody" +msgstr "Visibile a tutti" + +#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 +#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 +#: ../../mod/message.php:283 ../../mod/message.php:291 +#: ../../mod/message.php:466 ../../mod/message.php:474 +msgid "Please enter a link URL:" +msgstr "Inserisci l'indirizzo del link:" + +#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 +msgid "Please enter a video link/URL:" +msgstr "Inserisci un collegamento video / URL:" + +#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 +msgid "Please enter an audio link/URL:" +msgstr "Inserisci un collegamento audio / URL:" + +#: ../../include/conversation.php:1005 ../../include/conversation.php:1023 +msgid "Tag term:" +msgstr "Tag:" + +#: ../../include/conversation.php:1006 ../../include/conversation.php:1024 +#: ../../mod/filer.php:30 +msgid "Save to Folder:" +msgstr "Salva nella Cartella:" + +#: ../../include/conversation.php:1007 ../../include/conversation.php:1025 +msgid "Where are you right now?" +msgstr "Dove sei ora?" + +#: ../../include/conversation.php:1008 +msgid "Delete item(s)?" +msgstr "Cancellare questo elemento/i?" + +#: ../../include/conversation.php:1051 +msgid "Post to Email" +msgstr "Invia a email" + +#: ../../include/conversation.php:1056 +#, php-format +msgid "Connectors disabled, since \"%s\" is enabled." +msgstr "Connettore disabilitato, dato che \"%s\" è abilitato." + +#: ../../include/conversation.php:1057 ../../mod/settings.php:1025 +msgid "Hide your profile details from unknown viewers?" +msgstr "Nascondi i dettagli del tuo profilo ai visitatori sconosciuti?" + +#: ../../include/conversation.php:1090 ../../mod/photos.php:1542 +msgid "Share" +msgstr "Condividi" + +#: ../../include/conversation.php:1091 ../../mod/wallmessage.php:154 +#: ../../mod/editpost.php:110 ../../mod/message.php:332 +#: ../../mod/message.php:562 +msgid "Upload photo" +msgstr "Carica foto" + +#: ../../include/conversation.php:1092 ../../mod/editpost.php:111 +msgid "upload photo" +msgstr "carica foto" + +#: ../../include/conversation.php:1093 ../../mod/editpost.php:112 +msgid "Attach file" +msgstr "Allega file" + +#: ../../include/conversation.php:1094 ../../mod/editpost.php:113 +msgid "attach file" +msgstr "allega file" + +#: ../../include/conversation.php:1095 ../../mod/wallmessage.php:155 +#: ../../mod/editpost.php:114 ../../mod/message.php:333 +#: ../../mod/message.php:563 +msgid "Insert web link" +msgstr "Inserisci link" + +#: ../../include/conversation.php:1096 ../../mod/editpost.php:115 +msgid "web link" +msgstr "link web" + +#: ../../include/conversation.php:1097 ../../mod/editpost.php:116 +msgid "Insert video link" +msgstr "Inserire collegamento video" + +#: ../../include/conversation.php:1098 ../../mod/editpost.php:117 +msgid "video link" +msgstr "link video" + +#: ../../include/conversation.php:1099 ../../mod/editpost.php:118 +msgid "Insert audio link" +msgstr "Inserisci collegamento audio" + +#: ../../include/conversation.php:1100 ../../mod/editpost.php:119 +msgid "audio link" +msgstr "link audio" + +#: ../../include/conversation.php:1101 ../../mod/editpost.php:120 +msgid "Set your location" +msgstr "La tua posizione" + +#: ../../include/conversation.php:1102 ../../mod/editpost.php:121 +msgid "set location" +msgstr "posizione" + +#: ../../include/conversation.php:1103 ../../mod/editpost.php:122 +msgid "Clear browser location" +msgstr "Rimuovi la localizzazione data dal browser" + +#: ../../include/conversation.php:1104 ../../mod/editpost.php:123 +msgid "clear location" +msgstr "canc. pos." + +#: ../../include/conversation.php:1106 ../../mod/editpost.php:137 +msgid "Set title" +msgstr "Scegli un titolo" + +#: ../../include/conversation.php:1108 ../../mod/editpost.php:139 +msgid "Categories (comma-separated list)" +msgstr "Categorie (lista separata da virgola)" + +#: ../../include/conversation.php:1110 ../../mod/editpost.php:125 +msgid "Permission settings" +msgstr "Impostazioni permessi" + +#: ../../include/conversation.php:1111 +msgid "permissions" +msgstr "permessi" + +#: ../../include/conversation.php:1119 ../../mod/editpost.php:133 +msgid "CC: email addresses" +msgstr "CC: indirizzi email" + +#: ../../include/conversation.php:1120 ../../mod/editpost.php:134 +msgid "Public post" +msgstr "Messaggio pubblico" + +#: ../../include/conversation.php:1122 ../../mod/editpost.php:140 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Esempio: bob@example.com, mary@example.com" + +#: ../../include/conversation.php:1126 ../../object/Item.php:687 +#: ../../mod/editpost.php:145 ../../mod/photos.php:1564 +#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 +#: ../../mod/content.php:719 +msgid "Preview" +msgstr "Anteprima" + +#: ../../include/conversation.php:1135 +msgid "Post to Groups" +msgstr "Invia ai Gruppi" + +#: ../../include/conversation.php:1136 +msgid "Post to Contacts" +msgstr "Invia ai Contatti" + +#: ../../include/conversation.php:1137 +msgid "Private post" +msgstr "Post privato" + +#: ../../include/text.php:296 +msgid "newer" +msgstr "nuovi" + +#: ../../include/text.php:298 +msgid "older" +msgstr "vecchi" + +#: ../../include/text.php:303 +msgid "prev" +msgstr "prec" + +#: ../../include/text.php:305 +msgid "first" +msgstr "primo" + +#: ../../include/text.php:337 +msgid "last" +msgstr "ultimo" + +#: ../../include/text.php:340 +msgid "next" +msgstr "succ" + +#: ../../include/text.php:854 +msgid "No contacts" +msgstr "Nessun contatto" + +#: ../../include/text.php:863 +#, php-format +msgid "%d Contact" +msgid_plural "%d Contacts" +msgstr[0] "%d contatto" +msgstr[1] "%d contatti" + +#: ../../include/text.php:875 ../../mod/viewcontacts.php:76 +msgid "View Contacts" +msgstr "Visualizza i contatti" + +#: ../../include/text.php:955 ../../mod/editpost.php:109 +#: ../../mod/notes.php:63 ../../mod/filer.php:31 +msgid "Save" +msgstr "Salva" + +#: ../../include/text.php:1004 +msgid "poke" +msgstr "stuzzica" + +#: ../../include/text.php:1005 +msgid "ping" +msgstr "invia un ping" + +#: ../../include/text.php:1005 +msgid "pinged" +msgstr "inviato un ping" + +#: ../../include/text.php:1006 +msgid "prod" +msgstr "pungola" + +#: ../../include/text.php:1006 +msgid "prodded" +msgstr "pungolato" + +#: ../../include/text.php:1007 +msgid "slap" +msgstr "schiaffeggia" + +#: ../../include/text.php:1007 +msgid "slapped" +msgstr "schiaffeggiato" + +#: ../../include/text.php:1008 +msgid "finger" +msgstr "tocca" + +#: ../../include/text.php:1008 +msgid "fingered" +msgstr "toccato" + +#: ../../include/text.php:1009 +msgid "rebuff" +msgstr "respingi" + +#: ../../include/text.php:1009 +msgid "rebuffed" +msgstr "respinto" + +#: ../../include/text.php:1023 +msgid "happy" +msgstr "felice" + +#: ../../include/text.php:1024 +msgid "sad" +msgstr "triste" + +#: ../../include/text.php:1025 +msgid "mellow" +msgstr "rilassato" + +#: ../../include/text.php:1026 +msgid "tired" +msgstr "stanco" + +#: ../../include/text.php:1027 +msgid "perky" +msgstr "vivace" + +#: ../../include/text.php:1028 +msgid "angry" +msgstr "arrabbiato" + +#: ../../include/text.php:1029 +msgid "stupified" +msgstr "stupefatto" + +#: ../../include/text.php:1030 +msgid "puzzled" +msgstr "confuso" + +#: ../../include/text.php:1031 +msgid "interested" +msgstr "interessato" + +#: ../../include/text.php:1032 +msgid "bitter" +msgstr "risentito" + +#: ../../include/text.php:1033 +msgid "cheerful" +msgstr "giocoso" + +#: ../../include/text.php:1034 +msgid "alive" +msgstr "vivo" + +#: ../../include/text.php:1035 +msgid "annoyed" +msgstr "annoiato" + +#: ../../include/text.php:1036 +msgid "anxious" +msgstr "ansioso" + +#: ../../include/text.php:1037 +msgid "cranky" +msgstr "irritabile" + +#: ../../include/text.php:1038 +msgid "disturbed" +msgstr "disturbato" + +#: ../../include/text.php:1039 +msgid "frustrated" +msgstr "frustato" + +#: ../../include/text.php:1040 +msgid "motivated" +msgstr "motivato" + +#: ../../include/text.php:1041 +msgid "relaxed" +msgstr "rilassato" + +#: ../../include/text.php:1042 +msgid "surprised" +msgstr "sorpreso" + +#: ../../include/text.php:1210 +msgid "Monday" +msgstr "Lunedì" + +#: ../../include/text.php:1210 +msgid "Tuesday" +msgstr "Martedì" + +#: ../../include/text.php:1210 +msgid "Wednesday" +msgstr "Mercoledì" + +#: ../../include/text.php:1210 +msgid "Thursday" +msgstr "Giovedì" + +#: ../../include/text.php:1210 +msgid "Friday" +msgstr "Venerdì" + +#: ../../include/text.php:1210 +msgid "Saturday" +msgstr "Sabato" + +#: ../../include/text.php:1210 +msgid "Sunday" +msgstr "Domenica" + +#: ../../include/text.php:1214 +msgid "January" +msgstr "Gennaio" + +#: ../../include/text.php:1214 +msgid "February" +msgstr "Febbraio" + +#: ../../include/text.php:1214 +msgid "March" +msgstr "Marzo" + +#: ../../include/text.php:1214 +msgid "April" +msgstr "Aprile" + +#: ../../include/text.php:1214 +msgid "May" +msgstr "Maggio" + +#: ../../include/text.php:1214 +msgid "June" +msgstr "Giugno" + +#: ../../include/text.php:1214 +msgid "July" +msgstr "Luglio" + +#: ../../include/text.php:1214 +msgid "August" +msgstr "Agosto" + +#: ../../include/text.php:1214 +msgid "September" +msgstr "Settembre" + +#: ../../include/text.php:1214 +msgid "October" +msgstr "Ottobre" + +#: ../../include/text.php:1214 +msgid "November" +msgstr "Novembre" + +#: ../../include/text.php:1214 +msgid "December" +msgstr "Dicembre" + +#: ../../include/text.php:1403 ../../mod/videos.php:301 +msgid "View Video" +msgstr "Guarda Video" + +#: ../../include/text.php:1435 +msgid "bytes" +msgstr "bytes" + +#: ../../include/text.php:1459 ../../include/text.php:1471 +msgid "Click to open/close" +msgstr "Clicca per aprire/chiudere" + +#: ../../include/text.php:1645 ../../include/text.php:1655 +#: ../../mod/events.php:335 +msgid "link to source" +msgstr "Collegamento all'originale" + +#: ../../include/text.php:1700 ../../include/user.php:247 +msgid "default" +msgstr "default" + +#: ../../include/text.php:1712 +msgid "Select an alternate language" +msgstr "Seleziona una diversa lingua" + +#: ../../include/text.php:1968 +msgid "activity" +msgstr "attività" + +#: ../../include/text.php:1970 ../../object/Item.php:389 +#: ../../object/Item.php:402 ../../mod/content.php:605 +msgid "comment" +msgid_plural "comments" +msgstr[0] "" +msgstr[1] "commento" + +#: ../../include/text.php:1971 +msgid "post" +msgstr "messaggio" + +#: ../../include/text.php:2139 +msgid "Item filed" +msgstr "Messaggio salvato" + +#: ../../include/auth.php:38 +msgid "Logged out." +msgstr "Uscita effettuata." + +#: ../../include/auth.php:112 ../../include/auth.php:175 +#: ../../mod/openid.php:93 +msgid "Login failed." +msgstr "Accesso fallito." + +#: ../../include/auth.php:128 ../../include/user.php:67 msgid "" -"The ID provided by your system is a duplicate on our system. It should work " -"if you try again." -msgstr "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare." +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto." -#: ../../mod/dfrn_confirm.php:649 -msgid "Unable to set your contact credentials on our system." -msgstr "Impossibile impostare le credenziali del tuo contatto sul nostro sistema." +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "The error message was:" +msgstr "Il messaggio riportato era:" -#: ../../mod/dfrn_confirm.php:716 -msgid "Unable to update your contact profile details on our system" -msgstr "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema" +#: ../../include/bbcode.php:449 ../../include/bbcode.php:1050 +#: ../../include/bbcode.php:1051 +msgid "Image/photo" +msgstr "Immagine/foto" -#: ../../mod/dfrn_confirm.php:751 +#: ../../include/bbcode.php:545 #, php-format -msgid "Connection accepted at %s" -msgstr "Connession accettata su %s" +msgid "%2$s %3$s" +msgstr "" -#: ../../mod/dfrn_confirm.php:800 +#: ../../include/bbcode.php:579 #, php-format -msgid "%1$s has joined %2$s" -msgstr "%1$s si è unito a %2$s" - -#: ../../mod/api.php:76 ../../mod/api.php:102 -msgid "Authorize application connection" -msgstr "Autorizza la connessione dell'applicazione" - -#: ../../mod/api.php:77 -msgid "Return to your app and insert this Securty Code:" -msgstr "Torna alla tua applicazione e inserisci questo codice di sicurezza:" - -#: ../../mod/api.php:89 -msgid "Please login to continue." -msgstr "Effettua il login per continuare." - -#: ../../mod/api.php:104 msgid "" -"Do you want to authorize this application to access your posts and contacts," -" and/or create new posts for you?" -msgstr "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?" +"%s wrote the following post" +msgstr "%s ha scritto il seguente messaggio" -#: ../../mod/lostpass.php:17 -msgid "No valid account found." -msgstr "Nessun account valido trovato." +#: ../../include/bbcode.php:1014 ../../include/bbcode.php:1034 +msgid "$1 wrote:" +msgstr "$1 ha scritto:" -#: ../../mod/lostpass.php:33 -msgid "Password reset request issued. Check your email." -msgstr "La richiesta per reimpostare la password è stata inviata. Controlla la tua email." +#: ../../include/bbcode.php:1059 ../../include/bbcode.php:1060 +msgid "Encrypted content" +msgstr "Contenuto criptato" -#: ../../mod/lostpass.php:44 +#: ../../include/security.php:22 +msgid "Welcome " +msgstr "Ciao" + +#: ../../include/security.php:23 +msgid "Please upload a profile photo." +msgstr "Carica una foto per il profilo." + +#: ../../include/security.php:26 +msgid "Welcome back " +msgstr "Ciao " + +#: ../../include/security.php:366 +msgid "" +"The form security token was not correct. This probably happened because the " +"form has been opened for too long (>3 hours) before submitting it." +msgstr "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla." + +#: ../../include/oembed.php:205 +msgid "Embedded content" +msgstr "Contenuto incorporato" + +#: ../../include/oembed.php:214 +msgid "Embedding disabled" +msgstr "Embed disabilitato" + +#: ../../include/profile_selectors.php:6 +msgid "Male" +msgstr "Maschio" + +#: ../../include/profile_selectors.php:6 +msgid "Female" +msgstr "Femmina" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Male" +msgstr "Al momento maschio" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Female" +msgstr "Al momento femmina" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Male" +msgstr "Prevalentemente maschio" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Female" +msgstr "Prevalentemente femmina" + +#: ../../include/profile_selectors.php:6 +msgid "Transgender" +msgstr "Transgender" + +#: ../../include/profile_selectors.php:6 +msgid "Intersex" +msgstr "Intersex" + +#: ../../include/profile_selectors.php:6 +msgid "Transsexual" +msgstr "Transessuale" + +#: ../../include/profile_selectors.php:6 +msgid "Hermaphrodite" +msgstr "Ermafrodito" + +#: ../../include/profile_selectors.php:6 +msgid "Neuter" +msgstr "Neutro" + +#: ../../include/profile_selectors.php:6 +msgid "Non-specific" +msgstr "Non specificato" + +#: ../../include/profile_selectors.php:6 +msgid "Other" +msgstr "Altro" + +#: ../../include/profile_selectors.php:6 +msgid "Undecided" +msgstr "Indeciso" + +#: ../../include/profile_selectors.php:23 +msgid "Males" +msgstr "Maschi" + +#: ../../include/profile_selectors.php:23 +msgid "Females" +msgstr "Femmine" + +#: ../../include/profile_selectors.php:23 +msgid "Gay" +msgstr "Gay" + +#: ../../include/profile_selectors.php:23 +msgid "Lesbian" +msgstr "Lesbica" + +#: ../../include/profile_selectors.php:23 +msgid "No Preference" +msgstr "Nessuna preferenza" + +#: ../../include/profile_selectors.php:23 +msgid "Bisexual" +msgstr "Bisessuale" + +#: ../../include/profile_selectors.php:23 +msgid "Autosexual" +msgstr "Autosessuale" + +#: ../../include/profile_selectors.php:23 +msgid "Abstinent" +msgstr "Astinente" + +#: ../../include/profile_selectors.php:23 +msgid "Virgin" +msgstr "Vergine" + +#: ../../include/profile_selectors.php:23 +msgid "Deviant" +msgstr "Deviato" + +#: ../../include/profile_selectors.php:23 +msgid "Fetish" +msgstr "Fetish" + +#: ../../include/profile_selectors.php:23 +msgid "Oodles" +msgstr "Un sacco" + +#: ../../include/profile_selectors.php:23 +msgid "Nonsexual" +msgstr "Asessuato" + +#: ../../include/profile_selectors.php:42 +msgid "Single" +msgstr "Single" + +#: ../../include/profile_selectors.php:42 +msgid "Lonely" +msgstr "Solitario" + +#: ../../include/profile_selectors.php:42 +msgid "Available" +msgstr "Disponibile" + +#: ../../include/profile_selectors.php:42 +msgid "Unavailable" +msgstr "Non disponibile" + +#: ../../include/profile_selectors.php:42 +msgid "Has crush" +msgstr "è cotto/a" + +#: ../../include/profile_selectors.php:42 +msgid "Infatuated" +msgstr "infatuato/a" + +#: ../../include/profile_selectors.php:42 +msgid "Dating" +msgstr "Disponibile a un incontro" + +#: ../../include/profile_selectors.php:42 +msgid "Unfaithful" +msgstr "Infedele" + +#: ../../include/profile_selectors.php:42 +msgid "Sex Addict" +msgstr "Sesso-dipendente" + +#: ../../include/profile_selectors.php:42 ../../include/user.php:289 +#: ../../include/user.php:293 +msgid "Friends" +msgstr "Amici" + +#: ../../include/profile_selectors.php:42 +msgid "Friends/Benefits" +msgstr "Amici con benefici" + +#: ../../include/profile_selectors.php:42 +msgid "Casual" +msgstr "Casual" + +#: ../../include/profile_selectors.php:42 +msgid "Engaged" +msgstr "Impegnato" + +#: ../../include/profile_selectors.php:42 +msgid "Married" +msgstr "Sposato" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily married" +msgstr "immaginariamente sposato/a" + +#: ../../include/profile_selectors.php:42 +msgid "Partners" +msgstr "Partners" + +#: ../../include/profile_selectors.php:42 +msgid "Cohabiting" +msgstr "Coinquilino" + +#: ../../include/profile_selectors.php:42 +msgid "Common law" +msgstr "diritto comune" + +#: ../../include/profile_selectors.php:42 +msgid "Happy" +msgstr "Felice" + +#: ../../include/profile_selectors.php:42 +msgid "Not looking" +msgstr "Non guarda" + +#: ../../include/profile_selectors.php:42 +msgid "Swinger" +msgstr "Scambista" + +#: ../../include/profile_selectors.php:42 +msgid "Betrayed" +msgstr "Tradito" + +#: ../../include/profile_selectors.php:42 +msgid "Separated" +msgstr "Separato" + +#: ../../include/profile_selectors.php:42 +msgid "Unstable" +msgstr "Instabile" + +#: ../../include/profile_selectors.php:42 +msgid "Divorced" +msgstr "Divorziato" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily divorced" +msgstr "immaginariamente divorziato/a" + +#: ../../include/profile_selectors.php:42 +msgid "Widowed" +msgstr "Vedovo" + +#: ../../include/profile_selectors.php:42 +msgid "Uncertain" +msgstr "Incerto" + +#: ../../include/profile_selectors.php:42 +msgid "It's complicated" +msgstr "E' complicato" + +#: ../../include/profile_selectors.php:42 +msgid "Don't care" +msgstr "Non interessa" + +#: ../../include/profile_selectors.php:42 +msgid "Ask me" +msgstr "Chiedimelo" + +#: ../../include/user.php:40 +msgid "An invitation is required." +msgstr "E' richiesto un invito." + +#: ../../include/user.php:45 +msgid "Invitation could not be verified." +msgstr "L'invito non puo' essere verificato." + +#: ../../include/user.php:53 +msgid "Invalid OpenID url" +msgstr "Url OpenID non valido" + +#: ../../include/user.php:74 +msgid "Please enter the required information." +msgstr "Inserisci le informazioni richieste." + +#: ../../include/user.php:88 +msgid "Please use a shorter name." +msgstr "Usa un nome più corto." + +#: ../../include/user.php:90 +msgid "Name too short." +msgstr "Il nome è troppo corto." + +#: ../../include/user.php:105 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "Questo non sembra essere il tuo nome completo (Nome Cognome)." + +#: ../../include/user.php:110 +msgid "Your email domain is not among those allowed on this site." +msgstr "Il dominio della tua email non è tra quelli autorizzati su questo sito." + +#: ../../include/user.php:113 +msgid "Not a valid email address." +msgstr "L'indirizzo email non è valido." + +#: ../../include/user.php:126 +msgid "Cannot use that email." +msgstr "Non puoi usare quell'email." + +#: ../../include/user.php:132 +msgid "" +"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " +"must also begin with a letter." +msgstr "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera." + +#: ../../include/user.php:138 ../../include/user.php:236 +msgid "Nickname is already registered. Please choose another." +msgstr "Nome utente già registrato. Scegline un altro." + +#: ../../include/user.php:148 +msgid "" +"Nickname was once registered here and may not be re-used. Please choose " +"another." +msgstr "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo." + +#: ../../include/user.php:164 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita." + +#: ../../include/user.php:222 +msgid "An error occurred during registration. Please try again." +msgstr "C'è stato un errore durante la registrazione. Prova ancora." + +#: ../../include/user.php:257 +msgid "An error occurred creating your default profile. Please try again." +msgstr "C'è stato un errore nella creazione del tuo profilo. Prova ancora." + +#: ../../include/user.php:377 #, php-format -msgid "Password reset requested at %s" -msgstr "Richiesta reimpostazione password su %s" - -#: ../../mod/lostpass.php:66 msgid "" -"Request could not be verified. (You may have previously submitted it.) " -"Password reset failed." -msgstr "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita." +"\n" +"\t\tDear %1$s,\n" +"\t\t\tThank you for registering at %2$s. Your account has been created.\n" +"\t" +msgstr "\nGentile %1$s,\nGrazie per esserti registrato su %2$s. Il tuo account è stato creato." -#: ../../mod/lostpass.php:85 -msgid "Your password has been reset as requested." -msgstr "La tua password è stata reimpostata come richiesto." - -#: ../../mod/lostpass.php:86 -msgid "Your new password is" -msgstr "La tua nuova password è" - -#: ../../mod/lostpass.php:87 -msgid "Save or copy your new password - and then" -msgstr "Salva o copia la tua nuova password, quindi" - -#: ../../mod/lostpass.php:88 -msgid "click here to login" -msgstr "clicca qui per entrare" - -#: ../../mod/lostpass.php:89 +#: ../../include/user.php:381 msgid "" -"Your password may be changed from the Settings page after " -"successful login." -msgstr "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso." +"\n" +"\t\tThe login details are as follows:\n" +"\t\t\tSite Location:\t%3$s\n" +"\t\t\tLogin Name:\t%1$s\n" +"\t\t\tPassword:\t%5$\n" +"\n" +"\t\tYou may change your password from your account \"Settings\" page after logging\n" +"\t\tin.\n" +"\n" +"\t\tPlease take a few moments to review the other account settings on that page.\n" +"\n" +"\t\tYou may also wish to add some basic information to your default profile\n" +"\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" +"\n" +"\t\tWe recommend setting your full name, adding a profile photo,\n" +"\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" +"\t\tperhaps what country you live in; if you do not wish to be more specific\n" +"\t\tthan that.\n" +"\n" +"\t\tWe fully respect your right to privacy, and none of these items are necessary.\n" +"\t\tIf you are new and do not know anybody here, they may help\n" +"\t\tyou to make some new and interesting friends.\n" +"\n" +"\n" +"\t\tThank you and welcome to %2$s." +msgstr "\nI dettagli del tuo utente sono:\n Indirizzo del sito: %3$s\n Nome utente: %1$s\n Password: %5$s\n\nPuoi cambiare la tua password dalla pagina delle impostazioni del tuo account dopo esserti autenticato.\n\nPer favore, prenditi qualche momento per esaminare tutte le impostazioni presenti.\n\nPotresti voler aggiungere qualche informazione di base al tuo profilo predefinito (nella pagina \"Profili\"), così che le altre persone possano trovarti più facilmente.\n\nTi raccomandiamo di inserire il tuo nome completo, aggiungere una foto, aggiungere qualche parola chiave del profilo (molto utili per trovare nuovi contatti), e magari in quale nazione vivi, se non vuoi essere più specifico di così.\n\nNoi rispettiamo appieno la tua privacy, e nessuna di queste informazioni è necessaria o obbligatoria.\nSe sei nuovo e non conosci nessuno qui, possono aiutarti a trovare qualche nuovo e interessante contatto.\n\nGrazie e benvenuto su %2$s" -#: ../../mod/lostpass.php:107 +#: ../../include/user.php:413 ../../mod/admin.php:799 #, php-format -msgid "Your password has been changed at %s" -msgstr "La tua password presso %s è stata cambiata" +msgid "Registration details for %s" +msgstr "Dettagli della registrazione di %s" -#: ../../mod/lostpass.php:122 -msgid "Forgot your Password?" -msgstr "Hai dimenticato la password?" +#: ../../include/acl_selectors.php:326 +msgid "Visible to everybody" +msgstr "Visibile a tutti" -#: ../../mod/lostpass.php:123 -msgid "" -"Enter your email address and submit to have your password reset. Then check " -"your email for further instructions." -msgstr "Inserisci il tuo indirizzo email per reimpostare la password." +#: ../../object/Item.php:94 +msgid "This entry was edited" +msgstr "Questa voce è stata modificata" -#: ../../mod/lostpass.php:124 -msgid "Nickname or Email: " -msgstr "Nome utente o email: " +#: ../../object/Item.php:116 ../../mod/photos.php:1357 +#: ../../mod/content.php:620 +msgid "Private Message" +msgstr "Messaggio privato" -#: ../../mod/lostpass.php:125 -msgid "Reset" -msgstr "Reimposta" +#: ../../object/Item.php:120 ../../mod/settings.php:673 +#: ../../mod/content.php:728 +msgid "Edit" +msgstr "Modifica" + +#: ../../object/Item.php:133 ../../mod/content.php:763 +msgid "save to folder" +msgstr "salva nella cartella" + +#: ../../object/Item.php:195 ../../mod/content.php:753 +msgid "add star" +msgstr "aggiungi a speciali" + +#: ../../object/Item.php:196 ../../mod/content.php:754 +msgid "remove star" +msgstr "rimuovi da speciali" + +#: ../../object/Item.php:197 ../../mod/content.php:755 +msgid "toggle star status" +msgstr "Inverti stato preferito" + +#: ../../object/Item.php:200 ../../mod/content.php:758 +msgid "starred" +msgstr "preferito" + +#: ../../object/Item.php:208 +msgid "ignore thread" +msgstr "ignora la discussione" + +#: ../../object/Item.php:209 +msgid "unignore thread" +msgstr "non ignorare la discussione" + +#: ../../object/Item.php:210 +msgid "toggle ignore status" +msgstr "inverti stato \"Ignora\"" + +#: ../../object/Item.php:213 +msgid "ignored" +msgstr "ignorato" + +#: ../../object/Item.php:220 ../../mod/content.php:759 +msgid "add tag" +msgstr "aggiungi tag" + +#: ../../object/Item.php:231 ../../mod/photos.php:1540 +#: ../../mod/content.php:684 +msgid "I like this (toggle)" +msgstr "Mi piace (clic per cambiare)" + +#: ../../object/Item.php:231 ../../mod/content.php:684 +msgid "like" +msgstr "mi piace" + +#: ../../object/Item.php:232 ../../mod/photos.php:1541 +#: ../../mod/content.php:685 +msgid "I don't like this (toggle)" +msgstr "Non mi piace (clic per cambiare)" + +#: ../../object/Item.php:232 ../../mod/content.php:685 +msgid "dislike" +msgstr "non mi piace" + +#: ../../object/Item.php:234 ../../mod/content.php:687 +msgid "Share this" +msgstr "Condividi questo" + +#: ../../object/Item.php:234 ../../mod/content.php:687 +msgid "share" +msgstr "condividi" + +#: ../../object/Item.php:328 ../../mod/content.php:854 +msgid "to" +msgstr "a" + +#: ../../object/Item.php:329 +msgid "via" +msgstr "via" + +#: ../../object/Item.php:330 ../../mod/content.php:855 +msgid "Wall-to-Wall" +msgstr "Da bacheca a bacheca" + +#: ../../object/Item.php:331 ../../mod/content.php:856 +msgid "via Wall-To-Wall:" +msgstr "da bacheca a bacheca" + +#: ../../object/Item.php:387 ../../mod/content.php:603 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d commento" +msgstr[1] "%d commenti" + +#: ../../object/Item.php:675 ../../mod/photos.php:1560 +#: ../../mod/photos.php:1604 ../../mod/photos.php:1692 +#: ../../mod/content.php:707 +msgid "This is you" +msgstr "Questo sei tu" + +#: ../../object/Item.php:679 ../../mod/content.php:711 +msgid "Bold" +msgstr "Grassetto" + +#: ../../object/Item.php:680 ../../mod/content.php:712 +msgid "Italic" +msgstr "Corsivo" + +#: ../../object/Item.php:681 ../../mod/content.php:713 +msgid "Underline" +msgstr "Sottolineato" + +#: ../../object/Item.php:682 ../../mod/content.php:714 +msgid "Quote" +msgstr "Citazione" + +#: ../../object/Item.php:683 ../../mod/content.php:715 +msgid "Code" +msgstr "Codice" + +#: ../../object/Item.php:684 ../../mod/content.php:716 +msgid "Image" +msgstr "Immagine" + +#: ../../object/Item.php:685 ../../mod/content.php:717 +msgid "Link" +msgstr "Link" + +#: ../../object/Item.php:686 ../../mod/content.php:718 +msgid "Video" +msgstr "Video" + +#: ../../mod/attach.php:8 +msgid "Item not available." +msgstr "Oggetto non disponibile." + +#: ../../mod/attach.php:20 +msgid "Item was not found." +msgstr "Oggetto non trovato." #: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 #, php-format @@ -1250,13 +3091,6 @@ msgstr "Messaggio inviato." msgid "No recipient." msgstr "Nessun destinatario." -#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 -#: ../../mod/message.php:283 ../../mod/message.php:291 -#: ../../mod/message.php:466 ../../mod/message.php:474 -#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 -msgid "Please enter a link URL:" -msgstr "Inserisci l'indirizzo del link:" - #: ../../mod/wallmessage.php:142 ../../mod/message.php:319 msgid "Send Private Message" msgstr "Invia un messaggio privato" @@ -1278,227 +3112,1639 @@ msgstr "A:" msgid "Subject:" msgstr "Oggetto:" -#: ../../mod/wallmessage.php:151 ../../mod/message.php:329 -#: ../../mod/message.php:558 ../../mod/invite.php:134 +#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 +#: ../../mod/message.php:329 ../../mod/message.php:558 msgid "Your message:" msgstr "Il tuo messaggio:" -#: ../../mod/wallmessage.php:154 ../../mod/editpost.php:110 -#: ../../mod/message.php:332 ../../mod/message.php:562 -#: ../../include/conversation.php:1090 -msgid "Upload photo" -msgstr "Carica foto" +#: ../../mod/group.php:29 +msgid "Group created." +msgstr "Gruppo creato." -#: ../../mod/wallmessage.php:155 ../../mod/editpost.php:114 -#: ../../mod/message.php:333 ../../mod/message.php:563 -#: ../../include/conversation.php:1094 -msgid "Insert web link" -msgstr "Inserisci link" +#: ../../mod/group.php:35 +msgid "Could not create group." +msgstr "Impossibile creare il gruppo." -#: ../../mod/newmember.php:6 -msgid "Welcome to Friendica" -msgstr "Benvenuto su Friendica" +#: ../../mod/group.php:47 ../../mod/group.php:140 +msgid "Group not found." +msgstr "Gruppo non trovato." -#: ../../mod/newmember.php:8 -msgid "New Member Checklist" -msgstr "Cose da fare per i Nuovi Utenti" +#: ../../mod/group.php:60 +msgid "Group name changed." +msgstr "Il nome del gruppo è cambiato." -#: ../../mod/newmember.php:12 +#: ../../mod/group.php:87 +msgid "Save Group" +msgstr "Salva gruppo" + +#: ../../mod/group.php:93 +msgid "Create a group of contacts/friends." +msgstr "Crea un gruppo di amici/contatti." + +#: ../../mod/group.php:94 ../../mod/group.php:180 +msgid "Group Name: " +msgstr "Nome del gruppo:" + +#: ../../mod/group.php:113 +msgid "Group removed." +msgstr "Gruppo rimosso." + +#: ../../mod/group.php:115 +msgid "Unable to remove group." +msgstr "Impossibile rimuovere il gruppo." + +#: ../../mod/group.php:179 +msgid "Group Editor" +msgstr "Modifica gruppo" + +#: ../../mod/group.php:192 +msgid "Members" +msgstr "Membri" + +#: ../../mod/group.php:194 ../../mod/contacts.php:562 +msgid "All Contacts" +msgstr "Tutti i contatti" + +#: ../../mod/group.php:224 ../../mod/profperm.php:105 +msgid "Click on a contact to add or remove." +msgstr "Clicca su un contatto per aggiungerlo o rimuoverlo." + +#: ../../mod/delegate.php:95 +msgid "No potential page delegates located." +msgstr "Nessun potenziale delegato per la pagina è stato trovato." + +#: ../../mod/delegate.php:126 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 "Vorremmo offrirti qualche trucco e dei link alla guida per aiutarti ad avere un'esperienza divertente. Clicca su un qualsiasi elemento per visitare la relativa pagina. Un link a questa pagina sarà visibile nella tua home per due settimane dopo la tua registrazione." +"Delegates are able to manage all aspects of this account/page except for " +"basic account settings. Please do not delegate your personal account to " +"anybody that you do not trust completely." +msgstr "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente." -#: ../../mod/newmember.php:14 -msgid "Getting Started" -msgstr "Come Iniziare" +#: ../../mod/delegate.php:127 +msgid "Existing Page Managers" +msgstr "Gestori Pagina Esistenti" -#: ../../mod/newmember.php:18 -msgid "Friendica Walk-Through" -msgstr "Friendica Passo-Passo" +#: ../../mod/delegate.php:129 +msgid "Existing Page Delegates" +msgstr "Delegati Pagina Esistenti" -#: ../../mod/newmember.php:18 +#: ../../mod/delegate.php:131 +msgid "Potential Delegates" +msgstr "Delegati Potenziali" + +#: ../../mod/delegate.php:133 ../../mod/tagrm.php:93 +msgid "Remove" +msgstr "Rimuovi" + +#: ../../mod/delegate.php:134 +msgid "Add" +msgstr "Aggiungi" + +#: ../../mod/delegate.php:135 +msgid "No entries." +msgstr "Nessun articolo." + +#: ../../mod/notifications.php:26 +msgid "Invalid request identifier." +msgstr "L'identificativo della richiesta non è valido." + +#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 +#: ../../mod/notifications.php:211 +msgid "Discard" +msgstr "Scarta" + +#: ../../mod/notifications.php:51 ../../mod/notifications.php:164 +#: ../../mod/notifications.php:210 ../../mod/contacts.php:443 +#: ../../mod/contacts.php:497 ../../mod/contacts.php:707 +msgid "Ignore" +msgstr "Ignora" + +#: ../../mod/notifications.php:78 +msgid "System" +msgstr "Sistema" + +#: ../../mod/notifications.php:88 ../../mod/network.php:365 +msgid "Personal" +msgstr "Personale" + +#: ../../mod/notifications.php:122 +msgid "Show Ignored Requests" +msgstr "Mostra richieste ignorate" + +#: ../../mod/notifications.php:122 +msgid "Hide Ignored Requests" +msgstr "Nascondi richieste ignorate" + +#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 +msgid "Notification type: " +msgstr "Tipo di notifica: " + +#: ../../mod/notifications.php:150 +msgid "Friend Suggestion" +msgstr "Amico suggerito" + +#: ../../mod/notifications.php:152 +#, php-format +msgid "suggested by %s" +msgstr "sugerito da %s" + +#: ../../mod/notifications.php:157 ../../mod/notifications.php:204 +#: ../../mod/contacts.php:503 +msgid "Hide this contact from others" +msgstr "Nascondi questo contatto agli altri" + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "Post a new friend activity" +msgstr "Invia una attività \"è ora amico con\"" + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "if applicable" +msgstr "se applicabile" + +#: ../../mod/notifications.php:161 ../../mod/notifications.php:208 +#: ../../mod/admin.php:966 +msgid "Approve" +msgstr "Approva" + +#: ../../mod/notifications.php:181 +msgid "Claims to be known to you: " +msgstr "Dice di conoscerti: " + +#: ../../mod/notifications.php:181 +msgid "yes" +msgstr "si" + +#: ../../mod/notifications.php:181 +msgid "no" +msgstr "no" + +#: ../../mod/notifications.php:188 +msgid "Approve as: " +msgstr "Approva come: " + +#: ../../mod/notifications.php:189 +msgid "Friend" +msgstr "Amico" + +#: ../../mod/notifications.php:190 +msgid "Sharer" +msgstr "Condivisore" + +#: ../../mod/notifications.php:190 +msgid "Fan/Admirer" +msgstr "Fan/Ammiratore" + +#: ../../mod/notifications.php:196 +msgid "Friend/Connect Request" +msgstr "Richiesta amicizia/connessione" + +#: ../../mod/notifications.php:196 +msgid "New Follower" +msgstr "Qualcuno inizia a seguirti" + +#: ../../mod/notifications.php:217 +msgid "No introductions." +msgstr "Nessuna presentazione." + +#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 +#: ../../mod/notifications.php:478 +#, php-format +msgid "%s liked %s's post" +msgstr "a %s è piaciuto il messaggio di %s" + +#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 +#: ../../mod/notifications.php:488 +#, php-format +msgid "%s disliked %s's post" +msgstr "a %s non è piaciuto il messaggio di %s" + +#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 +#: ../../mod/notifications.php:503 +#, php-format +msgid "%s is now friends with %s" +msgstr "%s è ora amico di %s" + +#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 +#, php-format +msgid "%s created a new post" +msgstr "%s a creato un nuovo messaggio" + +#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 +#: ../../mod/notifications.php:513 +#, php-format +msgid "%s commented on %s's post" +msgstr "%s ha commentato il messaggio di %s" + +#: ../../mod/notifications.php:306 +msgid "No more network notifications." +msgstr "Nessuna nuova." + +#: ../../mod/notifications.php:310 +msgid "Network Notifications" +msgstr "Notifiche dalla rete" + +#: ../../mod/notifications.php:336 ../../mod/notify.php:75 +msgid "No more system notifications." +msgstr "Nessuna nuova notifica di sistema." + +#: ../../mod/notifications.php:340 ../../mod/notify.php:79 +msgid "System Notifications" +msgstr "Notifiche di sistema" + +#: ../../mod/notifications.php:435 +msgid "No more personal notifications." +msgstr "Nessuna nuova." + +#: ../../mod/notifications.php:439 +msgid "Personal Notifications" +msgstr "Notifiche personali" + +#: ../../mod/notifications.php:520 +msgid "No more home notifications." +msgstr "Nessuna nuova." + +#: ../../mod/notifications.php:524 +msgid "Home Notifications" +msgstr "Notifiche bacheca" + +#: ../../mod/hcard.php:10 +msgid "No profile" +msgstr "Nessun profilo" + +#: ../../mod/settings.php:29 ../../mod/photos.php:80 +msgid "everybody" +msgstr "tutti" + +#: ../../mod/settings.php:36 ../../mod/admin.php:977 +msgid "Account" +msgstr "Account" + +#: ../../mod/settings.php:41 +msgid "Additional features" +msgstr "Funzionalità aggiuntive" + +#: ../../mod/settings.php:46 +msgid "Display" +msgstr "Visualizzazione" + +#: ../../mod/settings.php:52 ../../mod/settings.php:777 +msgid "Social Networks" +msgstr "Social Networks" + +#: ../../mod/settings.php:57 ../../mod/admin.php:106 ../../mod/admin.php:1063 +#: ../../mod/admin.php:1116 +msgid "Plugins" +msgstr "Plugin" + +#: ../../mod/settings.php:67 +msgid "Connected apps" +msgstr "Applicazioni collegate" + +#: ../../mod/settings.php:72 ../../mod/uexport.php:85 +msgid "Export personal data" +msgstr "Esporta dati personali" + +#: ../../mod/settings.php:77 +msgid "Remove account" +msgstr "Rimuovi account" + +#: ../../mod/settings.php:129 +msgid "Missing some important data!" +msgstr "Mancano alcuni dati importanti!" + +#: ../../mod/settings.php:132 ../../mod/settings.php:637 +#: ../../mod/contacts.php:705 +msgid "Update" +msgstr "Aggiorna" + +#: ../../mod/settings.php:238 +msgid "Failed to connect with email account using the settings provided." +msgstr "Impossibile collegarsi all'account email con i parametri forniti." + +#: ../../mod/settings.php:243 +msgid "Email settings updated." +msgstr "Impostazioni e-mail aggiornate." + +#: ../../mod/settings.php:258 +msgid "Features updated" +msgstr "Funzionalità aggiornate" + +#: ../../mod/settings.php:321 +msgid "Relocate message has been send to your contacts" +msgstr "Il messaggio di trasloco è stato inviato ai tuoi contatti" + +#: ../../mod/settings.php:335 +msgid "Passwords do not match. Password unchanged." +msgstr "Le password non corrispondono. Password non cambiata." + +#: ../../mod/settings.php:340 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "Le password non possono essere vuote. Password non cambiata." + +#: ../../mod/settings.php:348 +msgid "Wrong password." +msgstr "Password sbagliata." + +#: ../../mod/settings.php:359 +msgid "Password changed." +msgstr "Password cambiata." + +#: ../../mod/settings.php:361 +msgid "Password update failed. Please try again." +msgstr "Aggiornamento password fallito. Prova ancora." + +#: ../../mod/settings.php:426 +msgid " Please use a shorter name." +msgstr " Usa un nome più corto." + +#: ../../mod/settings.php:428 +msgid " Name too short." +msgstr " Nome troppo corto." + +#: ../../mod/settings.php:437 +msgid "Wrong Password" +msgstr "Password Sbagliata" + +#: ../../mod/settings.php:442 +msgid " Not valid email." +msgstr " Email non valida." + +#: ../../mod/settings.php:448 +msgid " Cannot change to that email." +msgstr "Non puoi usare quella email." + +#: ../../mod/settings.php:503 +msgid "Private forum has no privacy permissions. Using default privacy group." +msgstr "Il forum privato non ha permessi di privacy. Uso il gruppo di privacy predefinito." + +#: ../../mod/settings.php:507 +msgid "Private forum has no privacy permissions and no default privacy group." +msgstr "Il gruppo privato non ha permessi di privacy e nessun gruppo di privacy predefinito." + +#: ../../mod/settings.php:537 +msgid "Settings updated." +msgstr "Impostazioni aggiornate." + +#: ../../mod/settings.php:610 ../../mod/settings.php:636 +#: ../../mod/settings.php:672 +msgid "Add application" +msgstr "Aggiungi applicazione" + +#: ../../mod/settings.php:611 ../../mod/settings.php:721 +#: ../../mod/settings.php:795 ../../mod/settings.php:877 +#: ../../mod/settings.php:1110 ../../mod/admin.php:588 +#: ../../mod/admin.php:1117 ../../mod/admin.php:1319 ../../mod/admin.php:1406 +msgid "Save Settings" +msgstr "Salva Impostazioni" + +#: ../../mod/settings.php:613 ../../mod/settings.php:639 +#: ../../mod/admin.php:964 ../../mod/admin.php:976 ../../mod/admin.php:977 +#: ../../mod/admin.php:990 ../../mod/crepair.php:158 +msgid "Name" +msgstr "Nome" + +#: ../../mod/settings.php:614 ../../mod/settings.php:640 +msgid "Consumer Key" +msgstr "Consumer Key" + +#: ../../mod/settings.php:615 ../../mod/settings.php:641 +msgid "Consumer Secret" +msgstr "Consumer Secret" + +#: ../../mod/settings.php:616 ../../mod/settings.php:642 +msgid "Redirect" +msgstr "Redirect" + +#: ../../mod/settings.php:617 ../../mod/settings.php:643 +msgid "Icon url" +msgstr "Url icona" + +#: ../../mod/settings.php:628 +msgid "You can't edit this application." +msgstr "Non puoi modificare questa applicazione." + +#: ../../mod/settings.php:671 +msgid "Connected Apps" +msgstr "Applicazioni Collegate" + +#: ../../mod/settings.php:675 +msgid "Client key starts with" +msgstr "Chiave del client inizia con" + +#: ../../mod/settings.php:676 +msgid "No name" +msgstr "Nessun nome" + +#: ../../mod/settings.php:677 +msgid "Remove authorization" +msgstr "Rimuovi l'autorizzazione" + +#: ../../mod/settings.php:689 +msgid "No Plugin settings configured" +msgstr "Nessun plugin ha impostazioni modificabili" + +#: ../../mod/settings.php:697 +msgid "Plugin Settings" +msgstr "Impostazioni plugin" + +#: ../../mod/settings.php:711 +msgid "Off" +msgstr "Spento" + +#: ../../mod/settings.php:711 +msgid "On" +msgstr "Acceso" + +#: ../../mod/settings.php:719 +msgid "Additional Features" +msgstr "Funzionalità aggiuntive" + +#: ../../mod/settings.php:733 ../../mod/settings.php:734 +#, php-format +msgid "Built-in support for %s connectivity is %s" +msgstr "Il supporto integrato per la connettività con %s è %s" + +#: ../../mod/settings.php:733 ../../mod/settings.php:734 +msgid "enabled" +msgstr "abilitato" + +#: ../../mod/settings.php:733 ../../mod/settings.php:734 +msgid "disabled" +msgstr "disabilitato" + +#: ../../mod/settings.php:734 +msgid "StatusNet" +msgstr "StatusNet" + +#: ../../mod/settings.php:770 +msgid "Email access is disabled on this site." +msgstr "L'accesso email è disabilitato su questo sito." + +#: ../../mod/settings.php:782 +msgid "Email/Mailbox Setup" +msgstr "Impostazioni email" + +#: ../../mod/settings.php:783 msgid "" -"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 "Sulla tua pagina Quick Start - veloce introduzione alla tua pagina profilo e alla pagina Rete, fai qualche nuova amicizia, e trova qualche gruppo a cui unirti." +"If you wish to communicate with email contacts using this service " +"(optional), please specify how to connect to your mailbox." +msgstr "Se vuoi comunicare con i contatti email usando questo servizio, specifica come collegarti alla tua casella di posta. (opzionale)" -#: ../../mod/newmember.php:26 -msgid "Go to Your Settings" -msgstr "Vai alle tue Impostazioni" +#: ../../mod/settings.php:784 +msgid "Last successful email check:" +msgstr "Ultimo controllo email eseguito con successo:" -#: ../../mod/newmember.php:26 +#: ../../mod/settings.php:786 +msgid "IMAP server name:" +msgstr "Nome server IMAP:" + +#: ../../mod/settings.php:787 +msgid "IMAP port:" +msgstr "Porta IMAP:" + +#: ../../mod/settings.php:788 +msgid "Security:" +msgstr "Sicurezza:" + +#: ../../mod/settings.php:788 ../../mod/settings.php:793 +msgid "None" +msgstr "Nessuna" + +#: ../../mod/settings.php:789 +msgid "Email login name:" +msgstr "Nome utente email:" + +#: ../../mod/settings.php:790 +msgid "Email password:" +msgstr "Password email:" + +#: ../../mod/settings.php:791 +msgid "Reply-to address:" +msgstr "Indirizzo di risposta:" + +#: ../../mod/settings.php:792 +msgid "Send public posts to all email contacts:" +msgstr "Invia i messaggi pubblici ai contatti email:" + +#: ../../mod/settings.php:793 +msgid "Action after import:" +msgstr "Azione post importazione:" + +#: ../../mod/settings.php:793 +msgid "Mark as seen" +msgstr "Segna come letto" + +#: ../../mod/settings.php:793 +msgid "Move to folder" +msgstr "Sposta nella cartella" + +#: ../../mod/settings.php:794 +msgid "Move to folder:" +msgstr "Sposta nella cartella:" + +#: ../../mod/settings.php:825 ../../mod/admin.php:523 +msgid "No special theme for mobile devices" +msgstr "Nessun tema speciale per i dispositivi mobili" + +#: ../../mod/settings.php:875 +msgid "Display Settings" +msgstr "Impostazioni Grafiche" + +#: ../../mod/settings.php:881 ../../mod/settings.php:896 +msgid "Display Theme:" +msgstr "Tema:" + +#: ../../mod/settings.php:882 +msgid "Mobile Theme:" +msgstr "Tema mobile:" + +#: ../../mod/settings.php:883 +msgid "Update browser every xx seconds" +msgstr "Aggiorna il browser ogni x secondi" + +#: ../../mod/settings.php:883 +msgid "Minimum of 10 seconds, no maximum" +msgstr "Minimo 10 secondi, nessun limite massimo" + +#: ../../mod/settings.php:884 +msgid "Number of items to display per page:" +msgstr "Numero di elementi da mostrare per pagina:" + +#: ../../mod/settings.php:884 ../../mod/settings.php:885 +msgid "Maximum of 100 items" +msgstr "Massimo 100 voci" + +#: ../../mod/settings.php:885 +msgid "Number of items to display per page when viewed from mobile device:" +msgstr "Numero di voci da visualizzare per pagina quando si utilizza un dispositivo mobile:" + +#: ../../mod/settings.php:886 +msgid "Don't show emoticons" +msgstr "Non mostrare le emoticons" + +#: ../../mod/settings.php:887 +msgid "Don't show notices" +msgstr "Non mostrare gli avvisi" + +#: ../../mod/settings.php:888 +msgid "Infinite scroll" +msgstr "Scroll infinito" + +#: ../../mod/settings.php:889 +msgid "Automatic updates only at the top of the network page" +msgstr "Aggiornamenti automatici solo in cima alla pagina \"rete\"" + +#: ../../mod/settings.php:966 +msgid "User Types" +msgstr "Tipi di Utenti" + +#: ../../mod/settings.php:967 +msgid "Community Types" +msgstr "Tipi di Comunità" + +#: ../../mod/settings.php:968 +msgid "Normal Account Page" +msgstr "Pagina Account Normale" + +#: ../../mod/settings.php:969 +msgid "This account is a normal personal profile" +msgstr "Questo account è un normale profilo personale" + +#: ../../mod/settings.php:972 +msgid "Soapbox Page" +msgstr "Pagina Sandbox" + +#: ../../mod/settings.php:973 +msgid "Automatically approve all connection/friend requests as read-only fans" +msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà solamente leggere la bacheca" + +#: ../../mod/settings.php:976 +msgid "Community Forum/Celebrity Account" +msgstr "Account Celebrità/Forum comunitario" + +#: ../../mod/settings.php:977 msgid "" -"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 "Nella tua pagina Impostazioni - cambia la tua password iniziale. Prendi anche nota del tuo Indirizzo Identità. Assomiglia a un indirizzo email e sarà utile per stringere amicizie nel web sociale libero." +"Automatically approve all connection/friend requests as read-write fans" +msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà leggere e scrivere sulla bacheca" -#: ../../mod/newmember.php:28 +#: ../../mod/settings.php:980 +msgid "Automatic Friend Page" +msgstr "Pagina con amicizia automatica" + +#: ../../mod/settings.php:981 +msgid "Automatically approve all connection/friend requests as friends" +msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come amico" + +#: ../../mod/settings.php:984 +msgid "Private Forum [Experimental]" +msgstr "Forum privato [sperimentale]" + +#: ../../mod/settings.php:985 +msgid "Private forum - approved members only" +msgstr "Forum privato - solo membri approvati" + +#: ../../mod/settings.php:997 +msgid "OpenID:" +msgstr "OpenID:" + +#: ../../mod/settings.php:997 +msgid "(Optional) Allow this OpenID to login to this account." +msgstr "(Opzionale) Consente di loggarti in questo account con questo OpenID" + +#: ../../mod/settings.php:1007 +msgid "Publish your default profile in your local site directory?" +msgstr "Pubblica il tuo profilo predefinito nell'elenco locale del sito" + +#: ../../mod/settings.php:1007 ../../mod/settings.php:1013 +#: ../../mod/settings.php:1021 ../../mod/settings.php:1025 +#: ../../mod/settings.php:1030 ../../mod/settings.php:1036 +#: ../../mod/settings.php:1042 ../../mod/settings.php:1048 +#: ../../mod/settings.php:1078 ../../mod/settings.php:1079 +#: ../../mod/settings.php:1080 ../../mod/settings.php:1081 +#: ../../mod/settings.php:1082 ../../mod/register.php:231 +#: ../../mod/dfrn_request.php:834 ../../mod/api.php:106 +#: ../../mod/profiles.php:620 ../../mod/profiles.php:624 +msgid "No" +msgstr "No" + +#: ../../mod/settings.php:1013 +msgid "Publish your default profile in the global social directory?" +msgstr "Pubblica il tuo profilo predefinito nell'elenco sociale globale" + +#: ../../mod/settings.php:1021 +msgid "Hide your contact/friend list from viewers of your default profile?" +msgstr "Nascondi la lista dei tuoi contatti/amici dai visitatori del tuo profilo predefinito" + +#: ../../mod/settings.php:1030 +msgid "Allow friends to post to your profile page?" +msgstr "Permetti agli amici di scrivere sulla tua pagina profilo?" + +#: ../../mod/settings.php:1036 +msgid "Allow friends to tag your posts?" +msgstr "Permetti agli amici di taggare i tuoi messaggi?" + +#: ../../mod/settings.php:1042 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "Ci permetti di suggerirti come potenziale amico ai nuovi membri?" + +#: ../../mod/settings.php:1048 +msgid "Permit unknown people to send you private mail?" +msgstr "Permetti a utenti sconosciuti di inviarti messaggi privati?" + +#: ../../mod/settings.php:1056 +msgid "Profile is not published." +msgstr "Il profilo non è pubblicato." + +#: ../../mod/settings.php:1059 ../../mod/profile_photo.php:248 +msgid "or" +msgstr "o" + +#: ../../mod/settings.php:1064 +msgid "Your Identity Address is" +msgstr "L'indirizzo della tua identità è" + +#: ../../mod/settings.php:1075 +msgid "Automatically expire posts after this many days:" +msgstr "Fai scadere i post automaticamente dopo x giorni:" + +#: ../../mod/settings.php:1075 +msgid "If empty, posts will not expire. Expired posts will be deleted" +msgstr "Se lasciato vuoto, i messaggi non verranno cancellati." + +#: ../../mod/settings.php:1076 +msgid "Advanced expiration settings" +msgstr "Impostazioni avanzate di scandenza" + +#: ../../mod/settings.php:1077 +msgid "Advanced Expiration" +msgstr "Scadenza avanzata" + +#: ../../mod/settings.php:1078 +msgid "Expire posts:" +msgstr "Fai scadere i post:" + +#: ../../mod/settings.php:1079 +msgid "Expire personal notes:" +msgstr "Fai scadere le Note personali:" + +#: ../../mod/settings.php:1080 +msgid "Expire starred posts:" +msgstr "Fai scadere i post Speciali:" + +#: ../../mod/settings.php:1081 +msgid "Expire photos:" +msgstr "Fai scadere le foto:" + +#: ../../mod/settings.php:1082 +msgid "Only expire posts by others:" +msgstr "Fai scadere solo i post degli altri:" + +#: ../../mod/settings.php:1108 +msgid "Account Settings" +msgstr "Impostazioni account" + +#: ../../mod/settings.php:1116 +msgid "Password Settings" +msgstr "Impostazioni password" + +#: ../../mod/settings.php:1117 +msgid "New Password:" +msgstr "Nuova password:" + +#: ../../mod/settings.php:1118 +msgid "Confirm:" +msgstr "Conferma:" + +#: ../../mod/settings.php:1118 +msgid "Leave password fields blank unless changing" +msgstr "Lascia questi campi in bianco per non effettuare variazioni alla password" + +#: ../../mod/settings.php:1119 +msgid "Current Password:" +msgstr "Password Attuale:" + +#: ../../mod/settings.php:1119 ../../mod/settings.php:1120 +msgid "Your current password to confirm the changes" +msgstr "La tua password attuale per confermare le modifiche" + +#: ../../mod/settings.php:1120 +msgid "Password:" +msgstr "Password:" + +#: ../../mod/settings.php:1124 +msgid "Basic Settings" +msgstr "Impostazioni base" + +#: ../../mod/settings.php:1126 +msgid "Email Address:" +msgstr "Indirizzo Email:" + +#: ../../mod/settings.php:1127 +msgid "Your Timezone:" +msgstr "Il tuo fuso orario:" + +#: ../../mod/settings.php:1128 +msgid "Default Post Location:" +msgstr "Località predefinita:" + +#: ../../mod/settings.php:1129 +msgid "Use Browser Location:" +msgstr "Usa la località rilevata dal browser:" + +#: ../../mod/settings.php:1132 +msgid "Security and Privacy Settings" +msgstr "Impostazioni di sicurezza e privacy" + +#: ../../mod/settings.php:1134 +msgid "Maximum Friend Requests/Day:" +msgstr "Numero massimo di richieste di amicizia al giorno:" + +#: ../../mod/settings.php:1134 ../../mod/settings.php:1164 +msgid "(to prevent spam abuse)" +msgstr "(per prevenire lo spam)" + +#: ../../mod/settings.php:1135 +msgid "Default Post Permissions" +msgstr "Permessi predefiniti per i messaggi" + +#: ../../mod/settings.php:1136 +msgid "(click to open/close)" +msgstr "(clicca per aprire/chiudere)" + +#: ../../mod/settings.php:1145 ../../mod/photos.php:1146 +#: ../../mod/photos.php:1517 +msgid "Show to Groups" +msgstr "Mostra ai gruppi" + +#: ../../mod/settings.php:1146 ../../mod/photos.php:1147 +#: ../../mod/photos.php:1518 +msgid "Show to Contacts" +msgstr "Mostra ai contatti" + +#: ../../mod/settings.php:1147 +msgid "Default Private Post" +msgstr "Default Post Privato" + +#: ../../mod/settings.php:1148 +msgid "Default Public Post" +msgstr "Default Post Pubblico" + +#: ../../mod/settings.php:1152 +msgid "Default Permissions for New Posts" +msgstr "Permessi predefiniti per i nuovi post" + +#: ../../mod/settings.php:1164 +msgid "Maximum private messages per day from unknown people:" +msgstr "Numero massimo di messaggi privati da utenti sconosciuti per giorno:" + +#: ../../mod/settings.php:1167 +msgid "Notification Settings" +msgstr "Impostazioni notifiche" + +#: ../../mod/settings.php:1168 +msgid "By default post a status message when:" +msgstr "Invia un messaggio di stato quando:" + +#: ../../mod/settings.php:1169 +msgid "accepting a friend request" +msgstr "accetti una richiesta di amicizia" + +#: ../../mod/settings.php:1170 +msgid "joining a forum/community" +msgstr "ti unisci a un forum/comunità" + +#: ../../mod/settings.php:1171 +msgid "making an interesting profile change" +msgstr "fai un interessante modifica al profilo" + +#: ../../mod/settings.php:1172 +msgid "Send a notification email when:" +msgstr "Invia una mail di notifica quando:" + +#: ../../mod/settings.php:1173 +msgid "You receive an introduction" +msgstr "Ricevi una presentazione" + +#: ../../mod/settings.php:1174 +msgid "Your introductions are confirmed" +msgstr "Le tue presentazioni sono confermate" + +#: ../../mod/settings.php:1175 +msgid "Someone writes on your profile wall" +msgstr "Qualcuno scrive sulla bacheca del tuo profilo" + +#: ../../mod/settings.php:1176 +msgid "Someone writes a followup comment" +msgstr "Qualcuno scrive un commento a un tuo messaggio" + +#: ../../mod/settings.php:1177 +msgid "You receive a private message" +msgstr "Ricevi un messaggio privato" + +#: ../../mod/settings.php:1178 +msgid "You receive a friend suggestion" +msgstr "Hai ricevuto un suggerimento di amicizia" + +#: ../../mod/settings.php:1179 +msgid "You are tagged in a post" +msgstr "Sei stato taggato in un post" + +#: ../../mod/settings.php:1180 +msgid "You are poked/prodded/etc. in a post" +msgstr "Sei 'toccato'/'spronato'/ecc. in un post" + +#: ../../mod/settings.php:1183 +msgid "Advanced Account/Page Type Settings" +msgstr "Impostazioni avanzate Account/Tipo di pagina" + +#: ../../mod/settings.php:1184 +msgid "Change the behaviour of this account for special situations" +msgstr "Modifica il comportamento di questo account in situazioni speciali" + +#: ../../mod/settings.php:1187 +msgid "Relocate" +msgstr "Trasloca" + +#: ../../mod/settings.php:1188 msgid "" -"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 "Guarda le altre impostazioni, in particolare le impostazioni della privacy. Un profilo non pubblicato è come un numero di telefono non in elenco. In genere, dovresti pubblicare il tuo profilo - a meno che tutti i tuoi amici e potenziali tali sappiano esattamente come trovarti." +"If you have moved this profile from another server, and some of your " +"contacts don't receive your updates, try pushing this button." +msgstr "Se hai spostato questo profilo da un'altro server, e alcuni dei tuoi contatti non ricevono i tuoi aggiornamenti, prova a premere questo bottone." -#: ../../mod/newmember.php:36 ../../mod/profile_photo.php:244 -msgid "Upload Profile Photo" -msgstr "Carica la foto del profilo" +#: ../../mod/settings.php:1189 +msgid "Resend relocate message to contacts" +msgstr "Reinvia il messaggio di trasloco" -#: ../../mod/newmember.php:36 +#: ../../mod/common.php:42 +msgid "Common Friends" +msgstr "Amici in comune" + +#: ../../mod/common.php:78 +msgid "No contacts in common." +msgstr "Nessun contatto in comune." + +#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 +msgid "Remote privacy information not available." +msgstr "Informazioni remote sulla privacy non disponibili." + +#: ../../mod/lockview.php:48 +msgid "Visible to:" +msgstr "Visibile a:" + +#: ../../mod/contacts.php:107 +#, php-format +msgid "%d contact edited." +msgid_plural "%d contacts edited" +msgstr[0] "%d contatto modificato" +msgstr[1] "%d contatti modificati" + +#: ../../mod/contacts.php:138 ../../mod/contacts.php:267 +msgid "Could not access contact record." +msgstr "Non è possibile accedere al contatto." + +#: ../../mod/contacts.php:152 +msgid "Could not locate selected profile." +msgstr "Non riesco a trovare il profilo selezionato." + +#: ../../mod/contacts.php:181 +msgid "Contact updated." +msgstr "Contatto aggiornato." + +#: ../../mod/contacts.php:183 ../../mod/dfrn_request.php:576 +msgid "Failed to update contact record." +msgstr "Errore nell'aggiornamento del contatto." + +#: ../../mod/contacts.php:282 +msgid "Contact has been blocked" +msgstr "Il contatto è stato bloccato" + +#: ../../mod/contacts.php:282 +msgid "Contact has been unblocked" +msgstr "Il contatto è stato sbloccato" + +#: ../../mod/contacts.php:293 +msgid "Contact has been ignored" +msgstr "Il contatto è ignorato" + +#: ../../mod/contacts.php:293 +msgid "Contact has been unignored" +msgstr "Il contatto non è più ignorato" + +#: ../../mod/contacts.php:305 +msgid "Contact has been archived" +msgstr "Il contatto è stato archiviato" + +#: ../../mod/contacts.php:305 +msgid "Contact has been unarchived" +msgstr "Il contatto è stato dearchiviato" + +#: ../../mod/contacts.php:330 ../../mod/contacts.php:703 +msgid "Do you really want to delete this contact?" +msgstr "Vuoi veramente cancellare questo contatto?" + +#: ../../mod/contacts.php:347 +msgid "Contact has been removed." +msgstr "Il contatto è stato rimosso." + +#: ../../mod/contacts.php:385 +#, php-format +msgid "You are mutual friends with %s" +msgstr "Sei amico reciproco con %s" + +#: ../../mod/contacts.php:389 +#, php-format +msgid "You are sharing with %s" +msgstr "Stai condividendo con %s" + +#: ../../mod/contacts.php:394 +#, php-format +msgid "%s is sharing with you" +msgstr "%s sta condividendo con te" + +#: ../../mod/contacts.php:411 +msgid "Private communications are not available for this contact." +msgstr "Le comunicazioni private non sono disponibili per questo contatto." + +#: ../../mod/contacts.php:414 ../../mod/admin.php:540 +msgid "Never" +msgstr "Mai" + +#: ../../mod/contacts.php:418 +msgid "(Update was successful)" +msgstr "(L'aggiornamento è stato completato)" + +#: ../../mod/contacts.php:418 +msgid "(Update was not successful)" +msgstr "(L'aggiornamento non è stato completato)" + +#: ../../mod/contacts.php:420 +msgid "Suggest friends" +msgstr "Suggerisci amici" + +#: ../../mod/contacts.php:424 +#, php-format +msgid "Network type: %s" +msgstr "Tipo di rete: %s" + +#: ../../mod/contacts.php:432 +msgid "View all contacts" +msgstr "Vedi tutti i contatti" + +#: ../../mod/contacts.php:437 ../../mod/contacts.php:496 +#: ../../mod/contacts.php:706 ../../mod/admin.php:970 +msgid "Unblock" +msgstr "Sblocca" + +#: ../../mod/contacts.php:437 ../../mod/contacts.php:496 +#: ../../mod/contacts.php:706 ../../mod/admin.php:969 +msgid "Block" +msgstr "Blocca" + +#: ../../mod/contacts.php:440 +msgid "Toggle Blocked status" +msgstr "Inverti stato \"Blocca\"" + +#: ../../mod/contacts.php:443 ../../mod/contacts.php:497 +#: ../../mod/contacts.php:707 +msgid "Unignore" +msgstr "Non ignorare" + +#: ../../mod/contacts.php:446 +msgid "Toggle Ignored status" +msgstr "Inverti stato \"Ignora\"" + +#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 +msgid "Unarchive" +msgstr "Dearchivia" + +#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 +msgid "Archive" +msgstr "Archivia" + +#: ../../mod/contacts.php:453 +msgid "Toggle Archive status" +msgstr "Inverti stato \"Archiviato\"" + +#: ../../mod/contacts.php:456 +msgid "Repair" +msgstr "Ripara" + +#: ../../mod/contacts.php:459 +msgid "Advanced Contact Settings" +msgstr "Impostazioni avanzate Contatto" + +#: ../../mod/contacts.php:465 +msgid "Communications lost with this contact!" +msgstr "Comunicazione con questo contatto persa!" + +#: ../../mod/contacts.php:468 +msgid "Contact Editor" +msgstr "Editor dei Contatti" + +#: ../../mod/contacts.php:471 +msgid "Profile Visibility" +msgstr "Visibilità del profilo" + +#: ../../mod/contacts.php:472 +#, php-format 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 "Carica una foto del profilo se non l'hai ancora fatto. Studi hanno mostrato che persone che hanno vere foto di se stessi hanno dieci volte più probabilità di fare amicizie rispetto alle persone che non ce l'hanno." +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Seleziona il profilo che vuoi mostrare a %s quando visita il tuo profilo in modo sicuro." -#: ../../mod/newmember.php:38 -msgid "Edit Your Profile" -msgstr "Modifica il tuo Profilo" +#: ../../mod/contacts.php:473 +msgid "Contact Information / Notes" +msgstr "Informazioni / Note sul contatto" -#: ../../mod/newmember.php:38 +#: ../../mod/contacts.php:474 +msgid "Edit contact notes" +msgstr "Modifica note contatto" + +#: ../../mod/contacts.php:479 ../../mod/contacts.php:671 +#: ../../mod/nogroup.php:40 ../../mod/viewcontacts.php:62 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Visita il profilo di %s [%s]" + +#: ../../mod/contacts.php:480 +msgid "Block/Unblock contact" +msgstr "Blocca/Sblocca contatto" + +#: ../../mod/contacts.php:481 +msgid "Ignore contact" +msgstr "Ignora il contatto" + +#: ../../mod/contacts.php:482 +msgid "Repair URL settings" +msgstr "Impostazioni riparazione URL" + +#: ../../mod/contacts.php:483 +msgid "View conversations" +msgstr "Vedi conversazioni" + +#: ../../mod/contacts.php:485 +msgid "Delete contact" +msgstr "Rimuovi contatto" + +#: ../../mod/contacts.php:489 +msgid "Last update:" +msgstr "Ultimo aggiornamento:" + +#: ../../mod/contacts.php:491 +msgid "Update public posts" +msgstr "Aggiorna messaggi pubblici" + +#: ../../mod/contacts.php:493 ../../mod/admin.php:1464 +msgid "Update now" +msgstr "Aggiorna adesso" + +#: ../../mod/contacts.php:500 +msgid "Currently blocked" +msgstr "Bloccato" + +#: ../../mod/contacts.php:501 +msgid "Currently ignored" +msgstr "Ignorato" + +#: ../../mod/contacts.php:502 +msgid "Currently archived" +msgstr "Al momento archiviato" + +#: ../../mod/contacts.php:503 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 "Modifica il tuo profilo predefinito a piacimento. Rivedi le impostazioni per nascondere la tua lista di amici e nascondere il profilo ai visitatori sconosciuti." +"Replies/likes to your public posts may still be visible" +msgstr "Risposte ai tuoi post pubblici possono essere comunque visibili" -#: ../../mod/newmember.php:40 -msgid "Profile Keywords" -msgstr "Parole chiave del profilo" +#: ../../mod/contacts.php:504 +msgid "Notification for new posts" +msgstr "Notifica per i nuovi messaggi" -#: ../../mod/newmember.php:40 +#: ../../mod/contacts.php:504 +msgid "Send a notification of every new post of this contact" +msgstr "Invia una notifica per ogni nuovo messaggio di questo contatto" + +#: ../../mod/contacts.php:505 +msgid "Fetch further information for feeds" +msgstr "Recupera maggiori infomazioni per i feed" + +#: ../../mod/contacts.php:556 +msgid "Suggestions" +msgstr "Suggerimenti" + +#: ../../mod/contacts.php:559 +msgid "Suggest potential friends" +msgstr "Suggerisci potenziali amici" + +#: ../../mod/contacts.php:565 +msgid "Show all contacts" +msgstr "Mostra tutti i contatti" + +#: ../../mod/contacts.php:568 +msgid "Unblocked" +msgstr "Sbloccato" + +#: ../../mod/contacts.php:571 +msgid "Only show unblocked contacts" +msgstr "Mostra solo contatti non bloccati" + +#: ../../mod/contacts.php:575 +msgid "Blocked" +msgstr "Bloccato" + +#: ../../mod/contacts.php:578 +msgid "Only show blocked contacts" +msgstr "Mostra solo contatti bloccati" + +#: ../../mod/contacts.php:582 +msgid "Ignored" +msgstr "Ignorato" + +#: ../../mod/contacts.php:585 +msgid "Only show ignored contacts" +msgstr "Mostra solo contatti ignorati" + +#: ../../mod/contacts.php:589 +msgid "Archived" +msgstr "Achiviato" + +#: ../../mod/contacts.php:592 +msgid "Only show archived contacts" +msgstr "Mostra solo contatti archiviati" + +#: ../../mod/contacts.php:596 +msgid "Hidden" +msgstr "Nascosto" + +#: ../../mod/contacts.php:599 +msgid "Only show hidden contacts" +msgstr "Mostra solo contatti nascosti" + +#: ../../mod/contacts.php:647 +msgid "Mutual Friendship" +msgstr "Amicizia reciproca" + +#: ../../mod/contacts.php:651 +msgid "is a fan of yours" +msgstr "è un tuo fan" + +#: ../../mod/contacts.php:655 +msgid "you are a fan of" +msgstr "sei un fan di" + +#: ../../mod/contacts.php:672 ../../mod/nogroup.php:41 +msgid "Edit contact" +msgstr "Modifca contatto" + +#: ../../mod/contacts.php:698 +msgid "Search your contacts" +msgstr "Cerca nei tuoi contatti" + +#: ../../mod/contacts.php:699 ../../mod/directory.php:61 +msgid "Finding: " +msgstr "Ricerca: " + +#: ../../mod/wall_attach.php:75 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +msgstr "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta" + +#: ../../mod/wall_attach.php:75 +msgid "Or - did you try to upload an empty file?" +msgstr "O.. non avrai provato a caricare un file vuoto?" + +#: ../../mod/wall_attach.php:81 +#, php-format +msgid "File exceeds size limit of %d" +msgstr "Il file supera la dimensione massima di %d" + +#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 +msgid "File upload failed." +msgstr "Caricamento del file non riuscito." + +#: ../../mod/update_community.php:18 ../../mod/update_network.php:25 +#: ../../mod/update_notes.php:37 ../../mod/update_display.php:22 +#: ../../mod/update_profile.php:41 +msgid "[Embedded content - reload page to view]" +msgstr "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]" + +#: ../../mod/uexport.php:77 +msgid "Export account" +msgstr "Esporta account" + +#: ../../mod/uexport.php:77 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 "Inserisci qualche parola chiave pubblica nel tuo profilo predefinito che descriva i tuoi interessi. Potremmo essere in grado di trovare altre persone con interessi similari e suggerirti delle amicizie." +"Export your account info and contacts. Use this to make a backup of your " +"account and/or to move it to another server." +msgstr "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server." -#: ../../mod/newmember.php:44 -msgid "Connecting" -msgstr "Collegarsi" +#: ../../mod/uexport.php:78 +msgid "Export all" +msgstr "Esporta tutto" -#: ../../mod/newmember.php:49 ../../mod/newmember.php:51 -#: ../../include/contact_selectors.php:81 -msgid "Facebook" -msgstr "Facebook" - -#: ../../mod/newmember.php:49 +#: ../../mod/uexport.php:78 msgid "" -"Authorise the Facebook Connector if you currently have a Facebook account " -"and we will (optionally) import all your Facebook friends and conversations." -msgstr "Autorizza il Facebook Connector se hai un account Facebook, e noi (opzionalmente) importeremo tuti i tuoi amici e le tue conversazioni da Facebook." +"Export your accout info, contacts and all your items as json. Could be a " +"very big file, and could take a lot of time. Use this to make a full backup " +"of your account (photos are not exported)" +msgstr "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)" -#: ../../mod/newmember.php:51 +#: ../../mod/register.php:93 msgid "" -"If this is your own personal server, installing the Facebook addon " -"may ease your transition to the free social web." -msgstr "SeAdd New Contact dialog." -msgstr "La tua pagina Contatti è il mezzo per gestire le amicizie e collegarsi con amici su altre reti. Di solito, basta inserire l'indirizzo nel campo Aggiungi Nuovo Contatto" +"You may (optionally) fill in this form via OpenID by supplying your OpenID " +"and clicking 'Register'." +msgstr "Se vuoi, puoi riempire questo modulo tramite OpenID, inserendo il tuo OpenID e cliccando 'Registra'." -#: ../../mod/newmember.php:60 -msgid "Go to Your Site's Directory" -msgstr "Vai all'Elenco del tuo sito" - -#: ../../mod/newmember.php:60 +#: ../../mod/register.php:212 msgid "" -"The Directory page lets you find other people in this network or other " -"federated sites. Look for a Connect or Follow link on " -"their profile page. Provide your own Identity Address if requested." -msgstr "La pagina Elenco ti permette di trovare altre persone in questa rete o in altri siti. Cerca un link Connetti o Segui nella loro pagina del profilo. Inserisci il tuo Indirizzo Identità, se richiesto." +"If you are not familiar with OpenID, please leave that field blank and fill " +"in the rest of the items." +msgstr "Se non hai familiarità con OpenID, lascia il campo vuoto e riempi il resto della maschera." -#: ../../mod/newmember.php:62 -msgid "Finding New People" -msgstr "Trova nuove persone" +#: ../../mod/register.php:213 +msgid "Your OpenID (optional): " +msgstr "Il tuo OpenID (opzionale): " -#: ../../mod/newmember.php:62 +#: ../../mod/register.php:227 +msgid "Include your profile in member directory?" +msgstr "Includi il tuo profilo nell'elenco pubblico?" + +#: ../../mod/register.php:248 +msgid "Membership on this site is by invitation only." +msgstr "La registrazione su questo sito è solo su invito." + +#: ../../mod/register.php:249 +msgid "Your invitation ID: " +msgstr "L'ID del tuo invito:" + +#: ../../mod/register.php:252 ../../mod/admin.php:589 +msgid "Registration" +msgstr "Registrazione" + +#: ../../mod/register.php:260 +msgid "Your Full Name (e.g. Joe Smith): " +msgstr "Il tuo nome completo (es. Mario Rossi): " + +#: ../../mod/register.php:261 +msgid "Your Email Address: " +msgstr "Il tuo indirizzo email: " + +#: ../../mod/register.php:262 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 "Nel pannello laterale nella pagina \"Contatti\", ci sono diversi strumenti per trovare nuovi amici. Possiamo confrontare le persone per interessi, cercare le persone per nome e fornire suggerimenti basati sui tuoi contatti esistenti. Su un sito nuovo, i suggerimenti sono di solito presenti dopo 24 ore." +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be " +"'nickname@$sitename'." +msgstr "Scegli un nome utente. Deve cominciare con una lettera. L'indirizzo del tuo profilo sarà 'soprannome@$sitename'." -#: ../../mod/newmember.php:66 ../../include/group.php:270 -msgid "Groups" -msgstr "Gruppi" +#: ../../mod/register.php:263 +msgid "Choose a nickname: " +msgstr "Scegli un nome utente: " -#: ../../mod/newmember.php:70 -msgid "Group Your Contacts" -msgstr "Raggruppa i tuoi contatti" +#: ../../mod/register.php:272 ../../mod/uimport.php:64 +msgid "Import" +msgstr "Importa" -#: ../../mod/newmember.php:70 +#: ../../mod/register.php:273 +msgid "Import your profile to this friendica instance" +msgstr "Importa il tuo profilo in questo server friendica" + +#: ../../mod/oexchange.php:25 +msgid "Post successful." +msgstr "Inviato!" + +#: ../../mod/maintenance.php:5 +msgid "System down for maintenance" +msgstr "Sistema in manutenzione" + +#: ../../mod/profile.php:155 ../../mod/display.php:288 +msgid "Access to this profile has been restricted." +msgstr "L'accesso a questo profilo è stato limitato." + +#: ../../mod/profile.php:180 +msgid "Tips for New Members" +msgstr "Consigli per i Nuovi Utenti" + +#: ../../mod/videos.php:115 ../../mod/dfrn_request.php:766 +#: ../../mod/viewcontacts.php:17 ../../mod/photos.php:920 +#: ../../mod/search.php:89 ../../mod/community.php:18 +#: ../../mod/display.php:180 ../../mod/directory.php:33 +msgid "Public access denied." +msgstr "Accesso negato." + +#: ../../mod/videos.php:125 +msgid "No videos selected" +msgstr "Nessun video selezionato" + +#: ../../mod/videos.php:226 ../../mod/photos.php:1031 +msgid "Access to this item is restricted." +msgstr "Questo oggetto non è visibile a tutti." + +#: ../../mod/videos.php:308 ../../mod/photos.php:1806 +msgid "View Album" +msgstr "Sfoglia l'album" + +#: ../../mod/videos.php:317 +msgid "Recent Videos" +msgstr "Video Recenti" + +#: ../../mod/videos.php:319 +msgid "Upload New Videos" +msgstr "Carica Nuovo Video" + +#: ../../mod/manage.php:106 +msgid "Manage Identities and/or Pages" +msgstr "Gestisci indentità e/o pagine" + +#: ../../mod/manage.php:107 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 "Quando avrai alcuni amici, organizzali in gruppi di conversazioni private dalla barra laterale della tua pagina Contatti. Potrai interagire privatamente con ogni gruppo nella tua pagina Rete" +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione" -#: ../../mod/newmember.php:73 -msgid "Why Aren't My Posts Public?" -msgstr "Perchè i miei post non sono pubblici?" +#: ../../mod/manage.php:108 +msgid "Select an identity to manage: " +msgstr "Seleziona un'identità da gestire:" -#: ../../mod/newmember.php:73 +#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 +msgid "Item not found" +msgstr "Oggetto non trovato" + +#: ../../mod/editpost.php:39 +msgid "Edit post" +msgstr "Modifica messaggio" + +#: ../../mod/dirfind.php:26 +msgid "People Search" +msgstr "Cerca persone" + +#: ../../mod/dirfind.php:60 ../../mod/match.php:65 +msgid "No matches" +msgstr "Nessun risultato" + +#: ../../mod/regmod.php:54 +msgid "Account approved." +msgstr "Account approvato." + +#: ../../mod/regmod.php:91 +#, php-format +msgid "Registration revoked for %s" +msgstr "Registrazione revocata per %s" + +#: ../../mod/regmod.php:103 +msgid "Please login." +msgstr "Accedi." + +#: ../../mod/dfrn_request.php:95 +msgid "This introduction has already been accepted." +msgstr "Questa presentazione è già stata accettata." + +#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 +msgid "Profile location is not valid or does not contain profile information." +msgstr "L'indirizzo del profilo non è valido o non contiene un profilo." + +#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 +msgid "Warning: profile location has no identifiable owner name." +msgstr "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario." + +#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 +msgid "Warning: profile location has no profile photo." +msgstr "Attenzione: l'indirizzo del profilo non ha una foto." + +#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 +#, php-format +msgid "%d required parameter was not found at the given location" +msgid_plural "%d required parameters were not found at the given location" +msgstr[0] "%d parametro richiesto non è stato trovato all'indirizzo dato" +msgstr[1] "%d parametri richiesti non sono stati trovati all'indirizzo dato" + +#: ../../mod/dfrn_request.php:172 +msgid "Introduction complete." +msgstr "Presentazione completa." + +#: ../../mod/dfrn_request.php:214 +msgid "Unrecoverable protocol error." +msgstr "Errore di comunicazione." + +#: ../../mod/dfrn_request.php:242 +msgid "Profile unavailable." +msgstr "Profilo non disponibile." + +#: ../../mod/dfrn_request.php:267 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s ha ricevuto troppe richieste di connessione per oggi." + +#: ../../mod/dfrn_request.php:268 +msgid "Spam protection measures have been invoked." +msgstr "Sono state attivate le misure di protezione contro lo spam." + +#: ../../mod/dfrn_request.php:269 +msgid "Friends are advised to please try again in 24 hours." +msgstr "Gli amici sono pregati di riprovare tra 24 ore." + +#: ../../mod/dfrn_request.php:331 +msgid "Invalid locator" +msgstr "Invalid locator" + +#: ../../mod/dfrn_request.php:340 +msgid "Invalid email address." +msgstr "Indirizzo email non valido." + +#: ../../mod/dfrn_request.php:367 +msgid "This account has not been configured for email. Request failed." +msgstr "Questo account non è stato configurato per l'email. Richiesta fallita." + +#: ../../mod/dfrn_request.php:463 +msgid "Unable to resolve your name at the provided location." +msgstr "Impossibile risolvere il tuo nome nella posizione indicata." + +#: ../../mod/dfrn_request.php:476 +msgid "You have already introduced yourself here." +msgstr "Ti sei già presentato qui." + +#: ../../mod/dfrn_request.php:480 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "Pare che tu e %s siate già amici." + +#: ../../mod/dfrn_request.php:501 +msgid "Invalid profile URL." +msgstr "Indirizzo profilo non valido." + +#: ../../mod/dfrn_request.php:597 +msgid "Your introduction has been sent." +msgstr "La tua presentazione è stata inviata." + +#: ../../mod/dfrn_request.php:650 +msgid "Please login to confirm introduction." +msgstr "Accedi per confermare la presentazione." + +#: ../../mod/dfrn_request.php:664 msgid "" -"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 rispetta la tua provacy. Per impostazione predefinita, i tuoi post sono mostrati solo alle persone che hai aggiunto come amici. Per maggiori informazioni guarda la sezione della guida dal link qui sopra." +"Incorrect identity currently logged in. Please login to " +"this profile." +msgstr "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo." -#: ../../mod/newmember.php:78 -msgid "Getting Help" -msgstr "Ottenere Aiuto" +#: ../../mod/dfrn_request.php:675 +msgid "Hide this contact" +msgstr "Nascondi questo contatto" -#: ../../mod/newmember.php:82 -msgid "Go to the Help Section" -msgstr "Vai alla sezione Guida" +#: ../../mod/dfrn_request.php:678 +#, php-format +msgid "Welcome home %s." +msgstr "Bentornato a casa %s." -#: ../../mod/newmember.php:82 +#: ../../mod/dfrn_request.php:679 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "Conferma la tua richiesta di connessione con %s." + +#: ../../mod/dfrn_request.php:680 +msgid "Confirm" +msgstr "Conferma" + +#: ../../mod/dfrn_request.php:808 msgid "" -"Our help pages may be consulted for detail on other program" -" features and resources." -msgstr "Le nostre pagine della guida possono essere consultate per avere dettagli su altre caratteristiche del programma e altre risorse." +"Please enter your 'Identity Address' from one of the following supported " +"communications networks:" +msgstr "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:" + +#: ../../mod/dfrn_request.php:828 +msgid "" +"If you are not yet a member of the free social web, follow this link to find a public" +" Friendica site and join us today." +msgstr "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi" + +#: ../../mod/dfrn_request.php:831 +msgid "Friend/Connection Request" +msgstr "Richieste di amicizia/connessione" + +#: ../../mod/dfrn_request.php:832 +msgid "" +"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " +"testuser@identi.ca" +msgstr "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" + +#: ../../mod/dfrn_request.php:833 +msgid "Please answer the following:" +msgstr "Rispondi:" + +#: ../../mod/dfrn_request.php:834 +#, php-format +msgid "Does %s know you?" +msgstr "%s ti conosce?" + +#: ../../mod/dfrn_request.php:838 +msgid "Add a personal note:" +msgstr "Aggiungi una nota personale:" + +#: ../../mod/dfrn_request.php:841 +msgid "StatusNet/Federated Social Web" +msgstr "StatusNet/Federated Social Web" + +#: ../../mod/dfrn_request.php:843 +#, php-format +msgid "" +" - please do not use this form. Instead, enter %s into your Diaspora search" +" bar." +msgstr " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora." + +#: ../../mod/dfrn_request.php:844 +msgid "Your Identity Address:" +msgstr "L'indirizzo della tua identità:" + +#: ../../mod/dfrn_request.php:847 +msgid "Submit Request" +msgstr "Invia richiesta" + +#: ../../mod/fbrowser.php:113 +msgid "Files" +msgstr "File" + +#: ../../mod/api.php:76 ../../mod/api.php:102 +msgid "Authorize application connection" +msgstr "Autorizza la connessione dell'applicazione" + +#: ../../mod/api.php:77 +msgid "Return to your app and insert this Securty Code:" +msgstr "Torna alla tua applicazione e inserisci questo codice di sicurezza:" + +#: ../../mod/api.php:89 +msgid "Please login to continue." +msgstr "Effettua il login per continuare." + +#: ../../mod/api.php:104 +msgid "" +"Do you want to authorize this application to access your posts and contacts," +" and/or create new posts for you?" +msgstr "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?" #: ../../mod/suggest.php:27 msgid "Do you really want to delete this suggestion?" msgstr "Vuoi veramente cancellare questo suggerimento?" -#: ../../mod/suggest.php:32 ../../mod/editpost.php:148 -#: ../../mod/dfrn_request.php:848 ../../mod/contacts.php:329 -#: ../../mod/settings.php:612 ../../mod/settings.php:638 -#: ../../mod/message.php:212 ../../mod/photos.php:203 ../../mod/photos.php:292 -#: ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 ../../mod/fbrowser.php:81 -#: ../../mod/fbrowser.php:116 ../../include/conversation.php:1128 -#: ../../include/items.php:4344 -msgid "Cancel" -msgstr "Annulla" - #: ../../mod/suggest.php:72 msgid "" "No suggestions available. If this is a new site, please try again in 24 " @@ -1509,23 +4755,985 @@ msgstr "Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra msgid "Ignore/Hide" msgstr "Ignora / Nascondi" +#: ../../mod/nogroup.php:59 +msgid "Contacts who are not members of a group" +msgstr "Contatti che non sono membri di un gruppo" + +#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 +#: ../../mod/crepair.php:131 ../../mod/dfrn_confirm.php:120 +msgid "Contact not found." +msgstr "Contatto non trovato." + +#: ../../mod/fsuggest.php:63 +msgid "Friend suggestion sent." +msgstr "Suggerimento di amicizia inviato." + +#: ../../mod/fsuggest.php:97 +msgid "Suggest Friends" +msgstr "Suggerisci amici" + +#: ../../mod/fsuggest.php:99 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Suggerisci un amico a %s" + +#: ../../mod/share.php:44 +msgid "link" +msgstr "collegamento" + +#: ../../mod/viewcontacts.php:39 +msgid "No contacts." +msgstr "Nessun contatto." + +#: ../../mod/admin.php:57 +msgid "Theme settings updated." +msgstr "Impostazioni del tema aggiornate." + +#: ../../mod/admin.php:104 ../../mod/admin.php:587 +msgid "Site" +msgstr "Sito" + +#: ../../mod/admin.php:105 ../../mod/admin.php:959 ../../mod/admin.php:974 +msgid "Users" +msgstr "Utenti" + +#: ../../mod/admin.php:107 ../../mod/admin.php:1284 ../../mod/admin.php:1318 +msgid "Themes" +msgstr "Temi" + +#: ../../mod/admin.php:108 +msgid "DB updates" +msgstr "Aggiornamenti Database" + +#: ../../mod/admin.php:123 ../../mod/admin.php:130 ../../mod/admin.php:1405 +msgid "Logs" +msgstr "Log" + +#: ../../mod/admin.php:129 +msgid "Plugin Features" +msgstr "Impostazioni Plugins" + +#: ../../mod/admin.php:131 +msgid "User registrations waiting for confirmation" +msgstr "Utenti registrati in attesa di conferma" + +#: ../../mod/admin.php:190 ../../mod/admin.php:913 +msgid "Normal Account" +msgstr "Account normale" + +#: ../../mod/admin.php:191 ../../mod/admin.php:914 +msgid "Soapbox Account" +msgstr "Account per comunicati e annunci" + +#: ../../mod/admin.php:192 ../../mod/admin.php:915 +msgid "Community/Celebrity Account" +msgstr "Account per celebrità o per comunità" + +#: ../../mod/admin.php:193 ../../mod/admin.php:916 +msgid "Automatic Friend Account" +msgstr "Account per amicizia automatizzato" + +#: ../../mod/admin.php:194 +msgid "Blog Account" +msgstr "Account Blog" + +#: ../../mod/admin.php:195 +msgid "Private Forum" +msgstr "Forum Privato" + +#: ../../mod/admin.php:214 +msgid "Message queues" +msgstr "Code messaggi" + +#: ../../mod/admin.php:219 ../../mod/admin.php:586 ../../mod/admin.php:958 +#: ../../mod/admin.php:1062 ../../mod/admin.php:1115 ../../mod/admin.php:1283 +#: ../../mod/admin.php:1317 ../../mod/admin.php:1404 +msgid "Administration" +msgstr "Amministrazione" + +#: ../../mod/admin.php:220 +msgid "Summary" +msgstr "Sommario" + +#: ../../mod/admin.php:222 +msgid "Registered users" +msgstr "Utenti registrati" + +#: ../../mod/admin.php:224 +msgid "Pending registrations" +msgstr "Registrazioni in attesa" + +#: ../../mod/admin.php:225 +msgid "Version" +msgstr "Versione" + +#: ../../mod/admin.php:227 +msgid "Active plugins" +msgstr "Plugin attivi" + +#: ../../mod/admin.php:250 +msgid "Can not parse base url. Must have at least ://" +msgstr "Impossibile analizzare l'url base. Deve avere almeno [schema]://[dominio]" + +#: ../../mod/admin.php:494 +msgid "Site settings updated." +msgstr "Impostazioni del sito aggiornate." + +#: ../../mod/admin.php:541 +msgid "At post arrival" +msgstr "All'arrivo di un messaggio" + +#: ../../mod/admin.php:550 +msgid "Multi user instance" +msgstr "Istanza multi utente" + +#: ../../mod/admin.php:573 +msgid "Closed" +msgstr "Chiusa" + +#: ../../mod/admin.php:574 +msgid "Requires approval" +msgstr "Richiede l'approvazione" + +#: ../../mod/admin.php:575 +msgid "Open" +msgstr "Aperta" + +#: ../../mod/admin.php:579 +msgid "No SSL policy, links will track page SSL state" +msgstr "Nessuna gestione SSL, i link seguiranno lo stato SSL della pagina" + +#: ../../mod/admin.php:580 +msgid "Force all links to use SSL" +msgstr "Forza tutti i linki ad usare SSL" + +#: ../../mod/admin.php:581 +msgid "Self-signed certificate, use SSL for local links only (discouraged)" +msgstr "Certificato auto-firmato, usa SSL solo per i link locali (sconsigliato)" + +#: ../../mod/admin.php:590 +msgid "File upload" +msgstr "Caricamento file" + +#: ../../mod/admin.php:591 +msgid "Policies" +msgstr "Politiche" + +#: ../../mod/admin.php:592 +msgid "Advanced" +msgstr "Avanzate" + +#: ../../mod/admin.php:593 +msgid "Performance" +msgstr "Performance" + +#: ../../mod/admin.php:594 +msgid "" +"Relocate - WARNING: advanced function. Could make this server unreachable." +msgstr "Trasloca - ATTENZIONE: funzione avanzata! Puo' rendere questo server irraggiungibile." + +#: ../../mod/admin.php:597 +msgid "Site name" +msgstr "Nome del sito" + +#: ../../mod/admin.php:598 +msgid "Banner/Logo" +msgstr "Banner/Logo" + +#: ../../mod/admin.php:599 +msgid "Additional Info" +msgstr "Informazioni aggiuntive" + +#: ../../mod/admin.php:599 +msgid "" +"For public servers: you can add additional information here that will be " +"listed at dir.friendica.com/siteinfo." +msgstr "Per server pubblici: puoi aggiungere informazioni extra che verrano mostrate su dir.friendica.com/siteinfo." + +#: ../../mod/admin.php:600 +msgid "System language" +msgstr "Lingua di sistema" + +#: ../../mod/admin.php:601 +msgid "System theme" +msgstr "Tema di sistema" + +#: ../../mod/admin.php:601 +msgid "" +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "Tema di sistema - puo' essere sovrascritto dalle impostazioni utente - cambia le impostazioni del tema" + +#: ../../mod/admin.php:602 +msgid "Mobile system theme" +msgstr "Tema mobile di sistema" + +#: ../../mod/admin.php:602 +msgid "Theme for mobile devices" +msgstr "Tema per dispositivi mobili" + +#: ../../mod/admin.php:603 +msgid "SSL link policy" +msgstr "Gestione link SSL" + +#: ../../mod/admin.php:603 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "Determina se i link generati devono essere forzati a usare SSL" + +#: ../../mod/admin.php:604 +msgid "Old style 'Share'" +msgstr "Ricondivisione vecchio stile" + +#: ../../mod/admin.php:604 +msgid "Deactivates the bbcode element 'share' for repeating items." +msgstr "Disattiva l'elemento bbcode 'share' con elementi ripetuti" + +#: ../../mod/admin.php:605 +msgid "Hide help entry from navigation menu" +msgstr "Nascondi la voce 'Guida' dal menu di navigazione" + +#: ../../mod/admin.php:605 +msgid "" +"Hides the menu entry for the Help pages from the navigation menu. You can " +"still access it calling /help directly." +msgstr "Nasconde la voce per le pagine della guida dal menu di navigazione. E' comunque possibile accedervi richiamando /help direttamente." + +#: ../../mod/admin.php:606 +msgid "Single user instance" +msgstr "Instanza a singolo utente" + +#: ../../mod/admin.php:606 +msgid "Make this instance multi-user or single-user for the named user" +msgstr "Rendi questa istanza multi utente o a singolo utente per l'utente selezionato" + +#: ../../mod/admin.php:607 +msgid "Maximum image size" +msgstr "Massima dimensione immagini" + +#: ../../mod/admin.php:607 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "Massima dimensione in byte delle immagini caricate. Il default è 0, cioè nessun limite." + +#: ../../mod/admin.php:608 +msgid "Maximum image length" +msgstr "Massima lunghezza immagine" + +#: ../../mod/admin.php:608 +msgid "" +"Maximum length in pixels of the longest side of uploaded images. Default is " +"-1, which means no limits." +msgstr "Massima lunghezza in pixel del lato più lungo delle immagini caricate. Predefinito a -1, ovvero nessun limite." + +#: ../../mod/admin.php:609 +msgid "JPEG image quality" +msgstr "Qualità immagini JPEG" + +#: ../../mod/admin.php:609 +msgid "" +"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " +"100, which is full quality." +msgstr "Le immagini JPEG caricate verranno salvate con questa qualità [0-100]. Predefinito è 100, ovvero qualità piena." + +#: ../../mod/admin.php:611 +msgid "Register policy" +msgstr "Politica di registrazione" + +#: ../../mod/admin.php:612 +msgid "Maximum Daily Registrations" +msgstr "Massime registrazioni giornaliere" + +#: ../../mod/admin.php:612 +msgid "" +"If registration is permitted above, this sets the maximum number of new user" +" registrations to accept per day. If register is set to closed, this " +"setting has no effect." +msgstr "Se la registrazione è permessa, qui si definisce il massimo numero di nuovi utenti registrati da accettare giornalmente. Se la registrazione è chiusa, questa impostazione non ha effetto." + +#: ../../mod/admin.php:613 +msgid "Register text" +msgstr "Testo registrazione" + +#: ../../mod/admin.php:613 +msgid "Will be displayed prominently on the registration page." +msgstr "Sarà mostrato ben visibile nella pagina di registrazione." + +#: ../../mod/admin.php:614 +msgid "Accounts abandoned after x days" +msgstr "Account abbandonati dopo x giorni" + +#: ../../mod/admin.php:614 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "Non spreca risorse di sistema controllando siti esterni per gli account abbandonati. Immettere 0 per nessun limite di tempo." + +#: ../../mod/admin.php:615 +msgid "Allowed friend domains" +msgstr "Domini amici consentiti" + +#: ../../mod/admin.php:615 +msgid "" +"Comma separated list of domains which are allowed to establish friendships " +"with this site. Wildcards are accepted. Empty to allow any domains" +msgstr "Elenco separato da virglola dei domini che possono stabilire amicizie con questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." + +#: ../../mod/admin.php:616 +msgid "Allowed email domains" +msgstr "Domini email consentiti" + +#: ../../mod/admin.php:616 +msgid "" +"Comma separated list of domains which are allowed in email addresses for " +"registrations to this site. Wildcards are accepted. Empty to allow any " +"domains" +msgstr "Elenco separato da virgola dei domini permessi come indirizzi email in fase di registrazione a questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." + +#: ../../mod/admin.php:617 +msgid "Block public" +msgstr "Blocca pagine pubbliche" + +#: ../../mod/admin.php:617 +msgid "" +"Check to block public access to all otherwise public personal pages on this " +"site unless you are currently logged in." +msgstr "Seleziona per bloccare l'accesso pubblico a tutte le pagine personali di questo sito, a meno di essere loggato." + +#: ../../mod/admin.php:618 +msgid "Force publish" +msgstr "Forza publicazione" + +#: ../../mod/admin.php:618 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "Seleziona per forzare tutti i profili di questo sito ad essere compresi nell'elenco di questo sito." + +#: ../../mod/admin.php:619 +msgid "Global directory update URL" +msgstr "URL aggiornamento Elenco Globale" + +#: ../../mod/admin.php:619 +msgid "" +"URL to update the global directory. If this is not set, the global directory" +" is completely unavailable to the application." +msgstr "URL dell'elenco globale. Se vuoto, l'elenco globale sarà completamente disabilitato." + +#: ../../mod/admin.php:620 +msgid "Allow threaded items" +msgstr "Permetti commenti nidificati" + +#: ../../mod/admin.php:620 +msgid "Allow infinite level threading for items on this site." +msgstr "Permette un infinito livello di nidificazione dei commenti su questo sito." + +#: ../../mod/admin.php:621 +msgid "Private posts by default for new users" +msgstr "Post privati di default per i nuovi utenti" + +#: ../../mod/admin.php:621 +msgid "" +"Set default post permissions for all new members to the default privacy " +"group rather than public." +msgstr "Imposta i permessi predefiniti dei post per tutti i nuovi utenti come privati per il gruppo predefinito, invece che pubblici." + +#: ../../mod/admin.php:622 +msgid "Don't include post content in email notifications" +msgstr "Non includere il contenuto dei post nelle notifiche via email" + +#: ../../mod/admin.php:622 +msgid "" +"Don't include the content of a post/comment/private message/etc. in the " +"email notifications that are sent out from this site, as a privacy measure." +msgstr "Non include il contenuti del post/commento/messaggio privato/etc. nelle notifiche email che sono inviate da questo sito, per privacy" + +#: ../../mod/admin.php:623 +msgid "Disallow public access to addons listed in the apps menu." +msgstr "Disabilita l'accesso pubblico ai plugin raccolti nel menu apps." + +#: ../../mod/admin.php:623 +msgid "" +"Checking this box will restrict addons listed in the apps menu to members " +"only." +msgstr "Selezionando questo box si limiterà ai soli membri l'accesso agli addon nel menu applicazioni" + +#: ../../mod/admin.php:624 +msgid "Don't embed private images in posts" +msgstr "Non inglobare immagini private nei post" + +#: ../../mod/admin.php:624 +msgid "" +"Don't replace locally-hosted private photos in posts with an embedded copy " +"of the image. This means that contacts who receive posts containing private " +"photos will have to authenticate and load each image, which may take a " +"while." +msgstr "Non sostituire le foto locali nei post con una copia incorporata dell'immagine. Questo significa che i contatti che riceveranno i post contenenti foto private dovranno autenticarsi e caricare ogni immagine, cosa che puo' richiedere un po' di tempo." + +#: ../../mod/admin.php:625 +msgid "Allow Users to set remote_self" +msgstr "Permetti agli utenti di impostare 'io remoto'" + +#: ../../mod/admin.php:625 +msgid "" +"With checking this, every user is allowed to mark every contact as a " +"remote_self in the repair contact dialog. Setting this flag on a contact " +"causes mirroring every posting of that contact in the users stream." +msgstr "Selezionando questo, a tutti gli utenti sarà permesso di impostare qualsiasi contatto come 'io remoto' nella pagina di modifica del contatto. Impostare questa opzione fa si che tutti i messaggi di quel contatto vengano ripetuti nello stream del'utente." + +#: ../../mod/admin.php:626 +msgid "Block multiple registrations" +msgstr "Blocca registrazioni multiple" + +#: ../../mod/admin.php:626 +msgid "Disallow users to register additional accounts for use as pages." +msgstr "Non permette all'utente di registrare account extra da usare come pagine." + +#: ../../mod/admin.php:627 +msgid "OpenID support" +msgstr "Supporto OpenID" + +#: ../../mod/admin.php:627 +msgid "OpenID support for registration and logins." +msgstr "Supporta OpenID per la registrazione e il login" + +#: ../../mod/admin.php:628 +msgid "Fullname check" +msgstr "Controllo nome completo" + +#: ../../mod/admin.php:628 +msgid "" +"Force users to register with a space between firstname and lastname in Full " +"name, as an antispam measure" +msgstr "Forza gli utenti a registrarsi con uno spazio tra il nome e il cognome in \"Nome completo\", come misura antispam" + +#: ../../mod/admin.php:629 +msgid "UTF-8 Regular expressions" +msgstr "Espressioni regolari UTF-8" + +#: ../../mod/admin.php:629 +msgid "Use PHP UTF8 regular expressions" +msgstr "Usa le espressioni regolari PHP in UTF8" + +#: ../../mod/admin.php:630 +msgid "Show Community Page" +msgstr "Mostra pagina Comunità" + +#: ../../mod/admin.php:630 +msgid "" +"Display a Community page showing all recent public postings on this site." +msgstr "Mostra una pagina Comunità con tutti i recenti messaggi pubblici su questo sito." + +#: ../../mod/admin.php:631 +msgid "Enable OStatus support" +msgstr "Abilita supporto OStatus" + +#: ../../mod/admin.php:631 +msgid "" +"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " +"communications in OStatus are public, so privacy warnings will be " +"occasionally displayed." +msgstr "Fornisce la compatibilità integrata a OStatus (StatusNet, Gnu Social, etc.). Tutte le comunicazioni su OStatus sono pubbliche, quindi un avviso di privacy verrà mostrato occasionalmente." + +#: ../../mod/admin.php:632 +msgid "OStatus conversation completion interval" +msgstr "Intervallo completamento conversazioni OStatus" + +#: ../../mod/admin.php:632 +msgid "" +"How often shall the poller check for new entries in OStatus conversations? " +"This can be a very ressource task." +msgstr "quanto spesso il poller deve controllare se esistono nuovi commenti in una conversazione OStatus? Questo è un lavoro che puo' richiedere molte risorse." + +#: ../../mod/admin.php:633 +msgid "Enable Diaspora support" +msgstr "Abilita il supporto a Diaspora" + +#: ../../mod/admin.php:633 +msgid "Provide built-in Diaspora network compatibility." +msgstr "Fornisce compatibilità con il network Diaspora." + +#: ../../mod/admin.php:634 +msgid "Only allow Friendica contacts" +msgstr "Permetti solo contatti Friendica" + +#: ../../mod/admin.php:634 +msgid "" +"All contacts must use Friendica protocols. All other built-in communication " +"protocols disabled." +msgstr "Tutti i contatti devono usare il protocollo di Friendica. Tutti gli altri protocolli sono disabilitati." + +#: ../../mod/admin.php:635 +msgid "Verify SSL" +msgstr "Verifica SSL" + +#: ../../mod/admin.php:635 +msgid "" +"If you wish, you can turn on strict certificate checking. This will mean you" +" cannot connect (at all) to self-signed SSL sites." +msgstr "Se vuoi, puoi abilitare il controllo rigoroso dei certificati.Questo significa che non potrai collegarti (del tutto) con siti con certificati SSL auto-firmati." + +#: ../../mod/admin.php:636 +msgid "Proxy user" +msgstr "Utente Proxy" + +#: ../../mod/admin.php:637 +msgid "Proxy URL" +msgstr "URL Proxy" + +#: ../../mod/admin.php:638 +msgid "Network timeout" +msgstr "Timeout rete" + +#: ../../mod/admin.php:638 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "Valore in secondi. Imposta a 0 per illimitato (non raccomandato)." + +#: ../../mod/admin.php:639 +msgid "Delivery interval" +msgstr "Intervallo di invio" + +#: ../../mod/admin.php:639 +msgid "" +"Delay background delivery processes by this many seconds to reduce system " +"load. Recommend: 4-5 for shared hosts, 2-3 for virtual private servers. 0-1 " +"for large dedicated servers." +msgstr "Ritarda il processo di invio in background di n secondi per ridurre il carico di sistema. Raccomandato: 4-5 per host condivisit, 2-3 per VPS. 0-1 per grandi server dedicati." + +#: ../../mod/admin.php:640 +msgid "Poll interval" +msgstr "Intervallo di poll" + +#: ../../mod/admin.php:640 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "Ritarda il processo di poll in background di n secondi per ridurre il carico di sistema. Se 0, usa l'intervallo di invio." + +#: ../../mod/admin.php:641 +msgid "Maximum Load Average" +msgstr "Massimo carico medio" + +#: ../../mod/admin.php:641 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "Massimo carico di sistema prima che i processi di invio e di poll siano ritardati. Predefinito a 50." + +#: ../../mod/admin.php:643 +msgid "Use MySQL full text engine" +msgstr "Usa il motore MySQL full text" + +#: ../../mod/admin.php:643 +msgid "" +"Activates the full text engine. Speeds up search - but can only search for " +"four and more characters." +msgstr "Attiva il motore full text. Velocizza la ricerca, ma puo' cercare solo per quattro o più caratteri." + +#: ../../mod/admin.php:644 +msgid "Suppress Language" +msgstr "Disattiva lingua" + +#: ../../mod/admin.php:644 +msgid "Suppress language information in meta information about a posting." +msgstr "Disattiva le informazioni sulla lingua nei meta di un post." + +#: ../../mod/admin.php:645 +msgid "Path to item cache" +msgstr "Percorso cache elementi" + +#: ../../mod/admin.php:646 +msgid "Cache duration in seconds" +msgstr "Durata della cache in secondi" + +#: ../../mod/admin.php:646 +msgid "" +"How long should the cache files be hold? Default value is 86400 seconds (One" +" day). To disable the item cache, set the value to -1." +msgstr "Quanto a lungo devono essere mantenuti i file di cache? Il valore predefinito è 86400 secondi (un giorno). Per disabilitare la cache, imposta il valore a -1." + +#: ../../mod/admin.php:647 +msgid "Maximum numbers of comments per post" +msgstr "Numero massimo di commenti per post" + +#: ../../mod/admin.php:647 +msgid "How much comments should be shown for each post? Default value is 100." +msgstr "Quanti commenti devono essere mostrati per ogni post? Default : 100." + +#: ../../mod/admin.php:648 +msgid "Path for lock file" +msgstr "Percorso al file di lock" + +#: ../../mod/admin.php:649 +msgid "Temp path" +msgstr "Percorso file temporanei" + +#: ../../mod/admin.php:650 +msgid "Base path to installation" +msgstr "Percorso base all'installazione" + +#: ../../mod/admin.php:651 +msgid "Disable picture proxy" +msgstr "Disabilita il proxy immagini" + +#: ../../mod/admin.php:651 +msgid "" +"The picture proxy increases performance and privacy. It shouldn't be used on" +" systems with very low bandwith." +msgstr "Il proxy immagini aumenta le performace e la privacy. Non dovrebbe essere usato su server con poca banda disponibile." + +#: ../../mod/admin.php:653 +msgid "New base url" +msgstr "Nuovo url base" + +#: ../../mod/admin.php:655 +msgid "Enable noscrape" +msgstr "Abilita noscrape" + +#: ../../mod/admin.php:655 +msgid "" +"The noscrape feature speeds up directory submissions by using JSON data " +"instead of HTML scraping." +msgstr "La funzione noscrape velocizza l'iscrizione alla directory usando dati JSON al posto di esaminare l'HTML" + +#: ../../mod/admin.php:672 +msgid "Update has been marked successful" +msgstr "L'aggiornamento è stato segnato come di successo" + +#: ../../mod/admin.php:680 +#, php-format +msgid "Database structure update %s was successfully applied." +msgstr "Aggiornamento struttura database %s applicata con successo." + +#: ../../mod/admin.php:683 +#, php-format +msgid "Executing of database structure update %s failed with error: %s" +msgstr "Aggiornamento struttura database %s fallita con errore: %s" + +#: ../../mod/admin.php:695 +#, php-format +msgid "Executing %s failed with error: %s" +msgstr "Esecuzione di %s fallita con errore: %s" + +#: ../../mod/admin.php:698 +#, php-format +msgid "Update %s was successfully applied." +msgstr "L'aggiornamento %s è stato applicato con successo" + +#: ../../mod/admin.php:702 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "L'aggiornamento %s non ha riportato uno stato. Non so se è andato a buon fine." + +#: ../../mod/admin.php:704 +#, php-format +msgid "There was no additional update function %s that needed to be called." +msgstr "Non ci sono altre funzioni di aggiornamento %s da richiamare." + +#: ../../mod/admin.php:723 +msgid "No failed updates." +msgstr "Nessun aggiornamento fallito." + +#: ../../mod/admin.php:724 +msgid "Check database structure" +msgstr "Controlla struttura database" + +#: ../../mod/admin.php:729 +msgid "Failed Updates" +msgstr "Aggiornamenti falliti" + +#: ../../mod/admin.php:730 +msgid "" +"This does not include updates prior to 1139, which did not return a status." +msgstr "Questo non include gli aggiornamenti prima del 1139, che non ritornano lo stato." + +#: ../../mod/admin.php:731 +msgid "Mark success (if update was manually applied)" +msgstr "Segna completato (se l'update è stato applicato manualmente)" + +#: ../../mod/admin.php:732 +msgid "Attempt to execute this update step automatically" +msgstr "Cerco di eseguire questo aggiornamento in automatico" + +#: ../../mod/admin.php:764 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tthe administrator of %2$s has set up an account for you." +msgstr "\nGentile %1$s,\n l'amministratore di %2$s ha impostato un account per te." + +#: ../../mod/admin.php:767 +#, php-format +msgid "" +"\n" +"\t\t\tThe login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%1$s\n" +"\t\t\tLogin Name:\t\t%2$s\n" +"\t\t\tPassword:\t\t%3$s\n" +"\n" +"\t\t\tYou may change your password from your account \"Settings\" page after logging\n" +"\t\t\tin.\n" +"\n" +"\t\t\tPlease take a few moments to review the other account settings on that page.\n" +"\n" +"\t\t\tYou may also wish to add some basic information to your default profile\n" +"\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" +"\n" +"\t\t\tWe recommend setting your full name, adding a profile photo,\n" +"\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" +"\t\t\tperhaps what country you live in; if you do not wish to be more specific\n" +"\t\t\tthan that.\n" +"\n" +"\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n" +"\t\t\tIf you are new and do not know anybody here, they may help\n" +"\t\t\tyou to make some new and interesting friends.\n" +"\n" +"\t\t\tThank you and welcome to %4$s." +msgstr "\nI dettagli del tuo utente sono:\n Indirizzo del sito: %1$s\n Nome utente: %2$s\n Password: %3$s\n\nPuoi cambiare la tua password dalla pagina delle impostazioni del tuo account dopo esserti autenticato.\n\nPer favore, prenditi qualche momento per esaminare tutte le impostazioni presenti.\n\nPotresti voler aggiungere qualche informazione di base al tuo profilo predefinito (nella pagina \"Profili\"), così che le altre persone possano trovarti più facilmente.\n\nTi raccomandiamo di inserire il tuo nome completo, aggiungere una foto, aggiungere qualche parola chiave del profilo (molto utili per trovare nuovi contatti), e magari in quale nazione vivi, se non vuoi essere più specifico di così.\n\nNoi rispettiamo appieno la tua privacy, e nessuna di queste informazioni è necessaria o obbligatoria.\nSe sei nuovo e non conosci nessuno qui, possono aiutarti a trovare qualche nuovo e interessante contatto.\n\nGrazie e benvenuto su %4$s" + +#: ../../mod/admin.php:811 +#, php-format +msgid "%s user blocked/unblocked" +msgid_plural "%s users blocked/unblocked" +msgstr[0] "%s utente bloccato/sbloccato" +msgstr[1] "%s utenti bloccati/sbloccati" + +#: ../../mod/admin.php:818 +#, php-format +msgid "%s user deleted" +msgid_plural "%s users deleted" +msgstr[0] "%s utente cancellato" +msgstr[1] "%s utenti cancellati" + +#: ../../mod/admin.php:857 +#, php-format +msgid "User '%s' deleted" +msgstr "Utente '%s' cancellato" + +#: ../../mod/admin.php:865 +#, php-format +msgid "User '%s' unblocked" +msgstr "Utente '%s' sbloccato" + +#: ../../mod/admin.php:865 +#, php-format +msgid "User '%s' blocked" +msgstr "Utente '%s' bloccato" + +#: ../../mod/admin.php:960 +msgid "Add User" +msgstr "Aggiungi utente" + +#: ../../mod/admin.php:961 +msgid "select all" +msgstr "seleziona tutti" + +#: ../../mod/admin.php:962 +msgid "User registrations waiting for confirm" +msgstr "Richieste di registrazione in attesa di conferma" + +#: ../../mod/admin.php:963 +msgid "User waiting for permanent deletion" +msgstr "Utente in attesa di cancellazione definitiva" + +#: ../../mod/admin.php:964 +msgid "Request date" +msgstr "Data richiesta" + +#: ../../mod/admin.php:965 +msgid "No registrations." +msgstr "Nessuna registrazione." + +#: ../../mod/admin.php:967 +msgid "Deny" +msgstr "Nega" + +#: ../../mod/admin.php:971 +msgid "Site admin" +msgstr "Amministrazione sito" + +#: ../../mod/admin.php:972 +msgid "Account expired" +msgstr "Account scaduto" + +#: ../../mod/admin.php:975 +msgid "New User" +msgstr "Nuovo Utente" + +#: ../../mod/admin.php:976 ../../mod/admin.php:977 +msgid "Register date" +msgstr "Data registrazione" + +#: ../../mod/admin.php:976 ../../mod/admin.php:977 +msgid "Last login" +msgstr "Ultimo accesso" + +#: ../../mod/admin.php:976 ../../mod/admin.php:977 +msgid "Last item" +msgstr "Ultimo elemento" + +#: ../../mod/admin.php:976 +msgid "Deleted since" +msgstr "Rimosso da" + +#: ../../mod/admin.php:979 +msgid "" +"Selected users will be deleted!\\n\\nEverything these users had posted on " +"this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Gli utenti selezionati saranno cancellati!\\n\\nTutto quello che gli utenti hanno inviato su questo sito sarà permanentemente canellato!\\n\\nSei sicuro?" + +#: ../../mod/admin.php:980 +msgid "" +"The user {0} will be deleted!\\n\\nEverything this user has posted on this " +"site will be permanently deleted!\\n\\nAre you sure?" +msgstr "L'utente {0} sarà cancellato!\\n\\nTutto quello che ha inviato su questo sito sarà permanentemente cancellato!\\n\\nSei sicuro?" + +#: ../../mod/admin.php:990 +msgid "Name of the new user." +msgstr "Nome del nuovo utente." + +#: ../../mod/admin.php:991 +msgid "Nickname" +msgstr "Nome utente" + +#: ../../mod/admin.php:991 +msgid "Nickname of the new user." +msgstr "Nome utente del nuovo utente." + +#: ../../mod/admin.php:992 +msgid "Email address of the new user." +msgstr "Indirizzo Email del nuovo utente." + +#: ../../mod/admin.php:1025 +#, php-format +msgid "Plugin %s disabled." +msgstr "Plugin %s disabilitato." + +#: ../../mod/admin.php:1029 +#, php-format +msgid "Plugin %s enabled." +msgstr "Plugin %s abilitato." + +#: ../../mod/admin.php:1039 ../../mod/admin.php:1255 +msgid "Disable" +msgstr "Disabilita" + +#: ../../mod/admin.php:1041 ../../mod/admin.php:1257 +msgid "Enable" +msgstr "Abilita" + +#: ../../mod/admin.php:1064 ../../mod/admin.php:1285 +msgid "Toggle" +msgstr "Inverti" + +#: ../../mod/admin.php:1072 ../../mod/admin.php:1295 +msgid "Author: " +msgstr "Autore: " + +#: ../../mod/admin.php:1073 ../../mod/admin.php:1296 +msgid "Maintainer: " +msgstr "Manutentore: " + +#: ../../mod/admin.php:1215 +msgid "No themes found." +msgstr "Nessun tema trovato." + +#: ../../mod/admin.php:1277 +msgid "Screenshot" +msgstr "Anteprima" + +#: ../../mod/admin.php:1323 +msgid "[Experimental]" +msgstr "[Sperimentale]" + +#: ../../mod/admin.php:1324 +msgid "[Unsupported]" +msgstr "[Non supportato]" + +#: ../../mod/admin.php:1351 +msgid "Log settings updated." +msgstr "Impostazioni Log aggiornate." + +#: ../../mod/admin.php:1407 +msgid "Clear" +msgstr "Pulisci" + +#: ../../mod/admin.php:1413 +msgid "Enable Debugging" +msgstr "Abilita Debugging" + +#: ../../mod/admin.php:1414 +msgid "Log file" +msgstr "File di Log" + +#: ../../mod/admin.php:1414 +msgid "" +"Must be writable by web server. Relative to your Friendica top-level " +"directory." +msgstr "Deve essere scrivibile dal server web. Relativo alla tua directory Friendica." + +#: ../../mod/admin.php:1415 +msgid "Log level" +msgstr "Livello di Log" + +#: ../../mod/admin.php:1465 +msgid "Close" +msgstr "Chiudi" + +#: ../../mod/admin.php:1471 +msgid "FTP Host" +msgstr "Indirizzo FTP" + +#: ../../mod/admin.php:1472 +msgid "FTP Path" +msgstr "Percorso FTP" + +#: ../../mod/admin.php:1473 +msgid "FTP User" +msgstr "Utente FTP" + +#: ../../mod/admin.php:1474 +msgid "FTP Password" +msgstr "Pasword FTP" + +#: ../../mod/wall_upload.php:122 ../../mod/profile_photo.php:144 +#, php-format +msgid "Image exceeds size limit of %d" +msgstr "La dimensione dell'immagine supera il limite di %d" + +#: ../../mod/wall_upload.php:144 ../../mod/photos.php:807 +#: ../../mod/profile_photo.php:153 +msgid "Unable to process image." +msgstr "Impossibile caricare l'immagine." + +#: ../../mod/wall_upload.php:172 ../../mod/photos.php:834 +#: ../../mod/profile_photo.php:301 +msgid "Image upload failed." +msgstr "Caricamento immagine fallito." + +#: ../../mod/home.php:35 +#, php-format +msgid "Welcome to %s" +msgstr "Benvenuto su %s" + +#: ../../mod/openid.php:24 +msgid "OpenID protocol error. No ID returned." +msgstr "Errore protocollo OpenID. Nessun ID ricevuto." + +#: ../../mod/openid.php:53 +msgid "" +"Account not found and OpenID registration is not permitted on this site." +msgstr "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito." + #: ../../mod/network.php:136 msgid "Search Results For:" msgstr "Cerca risultati per:" -#: ../../mod/network.php:179 ../../mod/_search.php:21 ../../mod/search.php:21 +#: ../../mod/network.php:179 ../../mod/search.php:21 msgid "Remove term" msgstr "Rimuovi termine" -#: ../../mod/network.php:188 ../../mod/_search.php:30 ../../mod/search.php:30 -#: ../../include/features.php:42 -msgid "Saved Searches" -msgstr "Ricerche salvate" - -#: ../../mod/network.php:189 ../../include/group.php:275 -msgid "add" -msgstr "aggiungi" - #: ../../mod/network.php:350 msgid "Commented Order" msgstr "Ordina per commento" @@ -1542,10 +5750,6 @@ msgstr "Ordina per invio" msgid "Sort by Post Date" msgstr "Ordina per data messaggio" -#: ../../mod/network.php:365 ../../mod/notifications.php:88 -msgid "Personal" -msgstr "Personale" - #: ../../mod/network.php:368 msgid "Posts that mention or involve you" msgstr "Messaggi che ti citano o coinvolgono" @@ -1610,6 +5814,1072 @@ msgstr "I messaggi privati a questa persona potrebbero risultare visibili anche msgid "Invalid contact." msgstr "Contatto non valido." +#: ../../mod/filer.php:30 +msgid "- select -" +msgstr "- seleziona -" + +#: ../../mod/friendica.php:62 +msgid "This is Friendica, version" +msgstr "Questo è Friendica, versione" + +#: ../../mod/friendica.php:63 +msgid "running at web location" +msgstr "in esecuzione all'indirizzo web" + +#: ../../mod/friendica.php:65 +msgid "" +"Please visit Friendica.com to learn " +"more about the Friendica project." +msgstr "Visita Friendica.com per saperne di più sul progetto Friendica." + +#: ../../mod/friendica.php:67 +msgid "Bug reports and issues: please visit" +msgstr "Segnalazioni di bug e problemi: visita" + +#: ../../mod/friendica.php:68 +msgid "" +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com" + +#: ../../mod/friendica.php:82 +msgid "Installed plugins/addons/apps:" +msgstr "Plugin/addon/applicazioni instalate" + +#: ../../mod/friendica.php:95 +msgid "No installed plugins/addons/apps" +msgstr "Nessun plugin/addons/applicazione installata" + +#: ../../mod/apps.php:11 +msgid "Applications" +msgstr "Applicazioni" + +#: ../../mod/apps.php:14 +msgid "No installed applications." +msgstr "Nessuna applicazione installata." + +#: ../../mod/photos.php:67 ../../mod/photos.php:1228 ../../mod/photos.php:1817 +msgid "Upload New Photos" +msgstr "Carica nuove foto" + +#: ../../mod/photos.php:144 +msgid "Contact information unavailable" +msgstr "I dati di questo contatto non sono disponibili" + +#: ../../mod/photos.php:165 +msgid "Album not found." +msgstr "Album non trovato." + +#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1206 +msgid "Delete Album" +msgstr "Rimuovi album" + +#: ../../mod/photos.php:198 +msgid "Do you really want to delete this photo album and all its photos?" +msgstr "Vuoi davvero cancellare questo album e tutte le sue foto?" + +#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1513 +msgid "Delete Photo" +msgstr "Rimuovi foto" + +#: ../../mod/photos.php:287 +msgid "Do you really want to delete this photo?" +msgstr "Vuoi veramente cancellare questa foto?" + +#: ../../mod/photos.php:662 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "%1$s è stato taggato in %2$s da %3$s" + +#: ../../mod/photos.php:662 +msgid "a photo" +msgstr "una foto" + +#: ../../mod/photos.php:767 +msgid "Image exceeds size limit of " +msgstr "L'immagine supera il limite di" + +#: ../../mod/photos.php:775 +msgid "Image file is empty." +msgstr "Il file dell'immagine è vuoto." + +#: ../../mod/photos.php:930 +msgid "No photos selected" +msgstr "Nessuna foto selezionata" + +#: ../../mod/photos.php:1094 +#, php-format +msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." +msgstr "Hai usato %1$.2f MBytes su %2$.2f disponibili." + +#: ../../mod/photos.php:1129 +msgid "Upload Photos" +msgstr "Carica foto" + +#: ../../mod/photos.php:1133 ../../mod/photos.php:1201 +msgid "New album name: " +msgstr "Nome nuovo album: " + +#: ../../mod/photos.php:1134 +msgid "or existing album name: " +msgstr "o nome di un album esistente: " + +#: ../../mod/photos.php:1135 +msgid "Do not show a status post for this upload" +msgstr "Non creare un post per questo upload" + +#: ../../mod/photos.php:1137 ../../mod/photos.php:1508 +msgid "Permissions" +msgstr "Permessi" + +#: ../../mod/photos.php:1148 +msgid "Private Photo" +msgstr "Foto privata" + +#: ../../mod/photos.php:1149 +msgid "Public Photo" +msgstr "Foto pubblica" + +#: ../../mod/photos.php:1216 +msgid "Edit Album" +msgstr "Modifica album" + +#: ../../mod/photos.php:1222 +msgid "Show Newest First" +msgstr "Mostra nuove foto per prime" + +#: ../../mod/photos.php:1224 +msgid "Show Oldest First" +msgstr "Mostra vecchie foto per prime" + +#: ../../mod/photos.php:1257 ../../mod/photos.php:1800 +msgid "View Photo" +msgstr "Vedi foto" + +#: ../../mod/photos.php:1292 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Permesso negato. L'accesso a questo elemento può essere limitato." + +#: ../../mod/photos.php:1294 +msgid "Photo not available" +msgstr "Foto non disponibile" + +#: ../../mod/photos.php:1350 +msgid "View photo" +msgstr "Vedi foto" + +#: ../../mod/photos.php:1350 +msgid "Edit photo" +msgstr "Modifica foto" + +#: ../../mod/photos.php:1351 +msgid "Use as profile photo" +msgstr "Usa come foto del profilo" + +#: ../../mod/photos.php:1376 +msgid "View Full Size" +msgstr "Vedi dimensione intera" + +#: ../../mod/photos.php:1455 +msgid "Tags: " +msgstr "Tag: " + +#: ../../mod/photos.php:1458 +msgid "[Remove any tag]" +msgstr "[Rimuovi tutti i tag]" + +#: ../../mod/photos.php:1498 +msgid "Rotate CW (right)" +msgstr "Ruota a destra" + +#: ../../mod/photos.php:1499 +msgid "Rotate CCW (left)" +msgstr "Ruota a sinistra" + +#: ../../mod/photos.php:1501 +msgid "New album name" +msgstr "Nuovo nome dell'album" + +#: ../../mod/photos.php:1504 +msgid "Caption" +msgstr "Titolo" + +#: ../../mod/photos.php:1506 +msgid "Add a Tag" +msgstr "Aggiungi tag" + +#: ../../mod/photos.php:1510 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" + +#: ../../mod/photos.php:1519 +msgid "Private photo" +msgstr "Foto privata" + +#: ../../mod/photos.php:1520 +msgid "Public photo" +msgstr "Foto pubblica" + +#: ../../mod/photos.php:1815 +msgid "Recent Photos" +msgstr "Foto recenti" + +#: ../../mod/follow.php:27 +msgid "Contact added" +msgstr "Contatto aggiunto" + +#: ../../mod/uimport.php:66 +msgid "Move account" +msgstr "Muovi account" + +#: ../../mod/uimport.php:67 +msgid "You can import an account from another Friendica server." +msgstr "Puoi importare un account da un altro server Friendica." + +#: ../../mod/uimport.php:68 +msgid "" +"You need to export your account from the old server and upload it here. We " +"will recreate your old account here with all your contacts. We will try also" +" to inform your friends that you moved here." +msgstr "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui." + +#: ../../mod/uimport.php:69 +msgid "" +"This feature is experimental. We can't import contacts from the OStatus " +"network (statusnet/identi.ca) or from Diaspora" +msgstr "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora" + +#: ../../mod/uimport.php:70 +msgid "Account file" +msgstr "File account" + +#: ../../mod/uimport.php:70 +msgid "" +"To export your account, go to \"Settings->Export your personal data\" and " +"select \"Export account\"" +msgstr "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\"" + +#: ../../mod/invite.php:27 +msgid "Total invitation limit exceeded." +msgstr "Limite totale degli inviti superato." + +#: ../../mod/invite.php:49 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s: non è un indirizzo email valido." + +#: ../../mod/invite.php:73 +msgid "Please join us on Friendica" +msgstr "Unisiciti a noi su Friendica" + +#: ../../mod/invite.php:84 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "Limite degli inviti superato. Contatta l'amministratore del tuo sito." + +#: ../../mod/invite.php:89 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s: la consegna del messaggio fallita." + +#: ../../mod/invite.php:93 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d messaggio inviato." +msgstr[1] "%d messaggi inviati." + +#: ../../mod/invite.php:112 +msgid "You have no more invitations available" +msgstr "Non hai altri inviti disponibili" + +#: ../../mod/invite.php:120 +#, php-format +msgid "" +"Visit %s for a list of public sites that you can join. Friendica members on " +"other sites can all connect with each other, as well as with members of many" +" other social networks." +msgstr "Visita %s per una lista di siti pubblici a cui puoi iscriverti. I membri Friendica su altri siti possono collegarsi uno con l'altro, come con membri di molti altri social network." + +#: ../../mod/invite.php:122 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "Per accettare questo invito, visita e resitrati su %s o su un'altro sito web Friendica aperto al pubblico." + +#: ../../mod/invite.php:123 +#, php-format +msgid "" +"Friendica sites all inter-connect to create a huge privacy-enhanced social " +"web that is owned and controlled by its members. They can also connect with " +"many traditional social networks. See %s for a list of alternate Friendica " +"sites you can join." +msgstr "I siti Friendica son tutti collegati tra loro per creare una grossa rete sociale rispettosa della privacy, posseduta e controllata dai suoi membri. I siti Friendica possono anche collegarsi a molti altri social network tradizionali. Vai su %s per una lista di siti Friendica alternativi a cui puoi iscriverti." + +#: ../../mod/invite.php:126 +msgid "" +"Our apologies. This system is not currently configured to connect with other" +" public sites or invite members." +msgstr "Ci scusiamo, questo sistema non è configurato per collegarsi con altri siti pubblici o per invitare membri." + +#: ../../mod/invite.php:132 +msgid "Send invitations" +msgstr "Invia inviti" + +#: ../../mod/invite.php:133 +msgid "Enter email addresses, one per line:" +msgstr "Inserisci gli indirizzi email, uno per riga:" + +#: ../../mod/invite.php:135 +msgid "" +"You are cordially invited to join me and other close friends on Friendica - " +"and help us to create a better social web." +msgstr "Sei cordialmente invitato a unirti a me ed ad altri amici su Friendica, e ad aiutarci a creare una rete sociale migliore." + +#: ../../mod/invite.php:137 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "Sarà necessario fornire questo codice invito: $invite_code" + +#: ../../mod/invite.php:137 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "Una volta registrato, connettiti con me dal mio profilo:" + +#: ../../mod/invite.php:139 +msgid "" +"For more information about the Friendica project and why we feel it is " +"important, please visit http://friendica.com" +msgstr "Per maggiori informazioni sul progetto Friendica e perchè pensiamo sia importante, visita http://friendica.com" + +#: ../../mod/viewsrc.php:7 +msgid "Access denied." +msgstr "Accesso negato." + +#: ../../mod/lostpass.php:19 +msgid "No valid account found." +msgstr "Nessun account valido trovato." + +#: ../../mod/lostpass.php:35 +msgid "Password reset request issued. Check your email." +msgstr "La richiesta per reimpostare la password è stata inviata. Controlla la tua email." + +#: ../../mod/lostpass.php:42 +#, php-format +msgid "" +"\n" +"\t\tDear %1$s,\n" +"\t\t\tA request was recently received at \"%2$s\" to reset your account\n" +"\t\tpassword. In order to confirm this request, please select the verification link\n" +"\t\tbelow or paste it into your web browser address bar.\n" +"\n" +"\t\tIf you did NOT request this change, please DO NOT follow the link\n" +"\t\tprovided and ignore and/or delete this email.\n" +"\n" +"\t\tYour password will not be changed unless we can verify that you\n" +"\t\tissued this request." +msgstr "\nGentile %1$s,\n abbiamo ricevuto su \"%2$s\" una richiesta di resettare la password del tuo account. Per confermare questa richiesta, selezionate il link di conferma qui sotto o incollatelo nella barra indirizzo del vostro browser.\n\nSe NON hai richiesto questa modifica, NON selezionare il link e ignora o cancella questa email.\n\nLa tua password non verrà modificata a meno che non possiamo verificare che tu abbia effettivamente richiesto la modifica." + +#: ../../mod/lostpass.php:53 +#, php-format +msgid "" +"\n" +"\t\tFollow this link to verify your identity:\n" +"\n" +"\t\t%1$s\n" +"\n" +"\t\tYou will then receive a follow-up message containing the new password.\n" +"\t\tYou may change that password from your account settings page after logging in.\n" +"\n" +"\t\tThe login details are as follows:\n" +"\n" +"\t\tSite Location:\t%2$s\n" +"\t\tLogin Name:\t%3$s" +msgstr "\nSegui questo link per verificare la tua identità:\n\n%1$s\n\nRiceverai in un successivo messaggio la nuova password.\nPotrai cambiarla dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato.\n\nI dettagli del tuo account sono:\n Indirizzo del sito: %2$s\n Nome utente: %3$s" + +#: ../../mod/lostpass.php:72 +#, php-format +msgid "Password reset requested at %s" +msgstr "Richiesta reimpostazione password su %s" + +#: ../../mod/lostpass.php:92 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita." + +#: ../../mod/lostpass.php:110 +msgid "Your password has been reset as requested." +msgstr "La tua password è stata reimpostata come richiesto." + +#: ../../mod/lostpass.php:111 +msgid "Your new password is" +msgstr "La tua nuova password è" + +#: ../../mod/lostpass.php:112 +msgid "Save or copy your new password - and then" +msgstr "Salva o copia la tua nuova password, quindi" + +#: ../../mod/lostpass.php:113 +msgid "click here to login" +msgstr "clicca qui per entrare" + +#: ../../mod/lostpass.php:114 +msgid "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso." + +#: ../../mod/lostpass.php:125 +#, php-format +msgid "" +"\n" +"\t\t\t\tDear %1$s,\n" +"\t\t\t\t\tYour password has been changed as requested. Please retain this\n" +"\t\t\t\tinformation for your records (or change your password immediately to\n" +"\t\t\t\tsomething that you will remember).\n" +"\t\t\t" +msgstr "\nGentile %1$s,\n La tua password è stata modificata come richiesto.\nSalva questa password, o sostituiscila immediatamente con qualcosa che puoi ricordare." + +#: ../../mod/lostpass.php:131 +#, php-format +msgid "" +"\n" +"\t\t\t\tYour login details are as follows:\n" +"\n" +"\t\t\t\tSite Location:\t%1$s\n" +"\t\t\t\tLogin Name:\t%2$s\n" +"\t\t\t\tPassword:\t%3$s\n" +"\n" +"\t\t\t\tYou may change that password from your account settings page after logging in.\n" +"\t\t\t" +msgstr "\nI dettagli del tuo account sono:\n\n Indirizzo del sito: %1$s\n Nome utente: %2$s\n Password: %3$s\n\nPuoi cambiare questa password dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato." + +#: ../../mod/lostpass.php:147 +#, php-format +msgid "Your password has been changed at %s" +msgstr "La tua password presso %s è stata cambiata" + +#: ../../mod/lostpass.php:159 +msgid "Forgot your Password?" +msgstr "Hai dimenticato la password?" + +#: ../../mod/lostpass.php:160 +msgid "" +"Enter your email address and submit to have your password reset. Then check " +"your email for further instructions." +msgstr "Inserisci il tuo indirizzo email per reimpostare la password." + +#: ../../mod/lostpass.php:161 +msgid "Nickname or Email: " +msgstr "Nome utente o email: " + +#: ../../mod/lostpass.php:162 +msgid "Reset" +msgstr "Reimposta" + +#: ../../mod/babel.php:17 +msgid "Source (bbcode) text:" +msgstr "Testo sorgente (bbcode):" + +#: ../../mod/babel.php:23 +msgid "Source (Diaspora) text to convert to BBcode:" +msgstr "Testo sorgente (da Diaspora) da convertire in BBcode:" + +#: ../../mod/babel.php:31 +msgid "Source input: " +msgstr "Sorgente:" + +#: ../../mod/babel.php:35 +msgid "bb2html (raw HTML): " +msgstr "bb2html (HTML grezzo):" + +#: ../../mod/babel.php:39 +msgid "bb2html: " +msgstr "bb2html:" + +#: ../../mod/babel.php:43 +msgid "bb2html2bb: " +msgstr "bb2html2bb: " + +#: ../../mod/babel.php:47 +msgid "bb2md: " +msgstr "bb2md: " + +#: ../../mod/babel.php:51 +msgid "bb2md2html: " +msgstr "bb2md2html: " + +#: ../../mod/babel.php:55 +msgid "bb2dia2bb: " +msgstr "bb2dia2bb: " + +#: ../../mod/babel.php:59 +msgid "bb2md2html2bb: " +msgstr "bb2md2html2bb: " + +#: ../../mod/babel.php:69 +msgid "Source input (Diaspora format): " +msgstr "Sorgente (formato Diaspora):" + +#: ../../mod/babel.php:74 +msgid "diaspora2bb: " +msgstr "diaspora2bb: " + +#: ../../mod/tagrm.php:41 +msgid "Tag removed" +msgstr "Tag rimosso" + +#: ../../mod/tagrm.php:79 +msgid "Remove Item Tag" +msgstr "Rimuovi il tag" + +#: ../../mod/tagrm.php:81 +msgid "Select a tag to remove: " +msgstr "Seleziona un tag da rimuovere: " + +#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 +msgid "Remove My Account" +msgstr "Rimuovi il mio account" + +#: ../../mod/removeme.php:47 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo." + +#: ../../mod/removeme.php:48 +msgid "Please enter your password for verification:" +msgstr "Inserisci la tua password per verifica:" + +#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 +msgid "Invalid profile identifier." +msgstr "Indentificativo del profilo non valido." + +#: ../../mod/profperm.php:101 +msgid "Profile Visibility Editor" +msgstr "Modifica visibilità del profilo" + +#: ../../mod/profperm.php:114 +msgid "Visible To" +msgstr "Visibile a" + +#: ../../mod/profperm.php:130 +msgid "All Contacts (with secure profile access)" +msgstr "Tutti i contatti (con profilo ad accesso sicuro)" + +#: ../../mod/match.php:12 +msgid "Profile Match" +msgstr "Profili corrispondenti" + +#: ../../mod/match.php:20 +msgid "No keywords to match. Please add keywords to your default profile." +msgstr "Nessuna parola chiave per l'abbinamento. Aggiungi parole chiave al tuo profilo predefinito." + +#: ../../mod/match.php:57 +msgid "is interested in:" +msgstr "è interessato a:" + +#: ../../mod/events.php:66 +msgid "Event title and start time are required." +msgstr "Titolo e ora di inizio dell'evento sono richiesti." + +#: ../../mod/events.php:291 +msgid "l, F j" +msgstr "l j F" + +#: ../../mod/events.php:313 +msgid "Edit event" +msgstr "Modifca l'evento" + +#: ../../mod/events.php:371 +msgid "Create New Event" +msgstr "Crea un nuovo evento" + +#: ../../mod/events.php:372 +msgid "Previous" +msgstr "Precendente" + +#: ../../mod/events.php:373 ../../mod/install.php:207 +msgid "Next" +msgstr "Successivo" + +#: ../../mod/events.php:446 +msgid "hour:minute" +msgstr "ora:minuti" + +#: ../../mod/events.php:456 +msgid "Event details" +msgstr "Dettagli dell'evento" + +#: ../../mod/events.php:457 +#, php-format +msgid "Format is %s %s. Starting date and Title are required." +msgstr "Il formato è %s %s. Data di inizio e Titolo sono richiesti." + +#: ../../mod/events.php:459 +msgid "Event Starts:" +msgstr "L'evento inizia:" + +#: ../../mod/events.php:459 ../../mod/events.php:473 +msgid "Required" +msgstr "Richiesto" + +#: ../../mod/events.php:462 +msgid "Finish date/time is not known or not relevant" +msgstr "La data/ora di fine non è definita" + +#: ../../mod/events.php:464 +msgid "Event Finishes:" +msgstr "L'evento finisce:" + +#: ../../mod/events.php:467 +msgid "Adjust for viewer timezone" +msgstr "Visualizza con il fuso orario di chi legge" + +#: ../../mod/events.php:469 +msgid "Description:" +msgstr "Descrizione:" + +#: ../../mod/events.php:473 +msgid "Title:" +msgstr "Titolo:" + +#: ../../mod/events.php:475 +msgid "Share this event" +msgstr "Condividi questo evento" + +#: ../../mod/ping.php:240 +msgid "{0} wants to be your friend" +msgstr "{0} vuole essere tuo amico" + +#: ../../mod/ping.php:245 +msgid "{0} sent you a message" +msgstr "{0} ti ha inviato un messaggio" + +#: ../../mod/ping.php:250 +msgid "{0} requested registration" +msgstr "{0} chiede la registrazione" + +#: ../../mod/ping.php:256 +#, php-format +msgid "{0} commented %s's post" +msgstr "{0} ha commentato il post di %s" + +#: ../../mod/ping.php:261 +#, php-format +msgid "{0} liked %s's post" +msgstr "a {0} piace il post di %s" + +#: ../../mod/ping.php:266 +#, php-format +msgid "{0} disliked %s's post" +msgstr "a {0} non piace il post di %s" + +#: ../../mod/ping.php:271 +#, php-format +msgid "{0} is now friends with %s" +msgstr "{0} ora è amico di %s" + +#: ../../mod/ping.php:276 +msgid "{0} posted" +msgstr "{0} ha inviato un nuovo messaggio" + +#: ../../mod/ping.php:281 +#, php-format +msgid "{0} tagged %s's post with #%s" +msgstr "{0} ha taggato il post di %s con #%s" + +#: ../../mod/ping.php:287 +msgid "{0} mentioned you in a post" +msgstr "{0} ti ha citato in un post" + +#: ../../mod/mood.php:133 +msgid "Mood" +msgstr "Umore" + +#: ../../mod/mood.php:134 +msgid "Set your current mood and tell your friends" +msgstr "Condividi il tuo umore con i tuoi amici" + +#: ../../mod/search.php:170 ../../mod/search.php:196 +#: ../../mod/community.php:62 ../../mod/community.php:71 +msgid "No results." +msgstr "Nessun risultato." + +#: ../../mod/message.php:67 +msgid "Unable to locate contact information." +msgstr "Impossibile trovare le informazioni del contatto." + +#: ../../mod/message.php:207 +msgid "Do you really want to delete this message?" +msgstr "Vuoi veramente cancellare questo messaggio?" + +#: ../../mod/message.php:227 +msgid "Message deleted." +msgstr "Messaggio eliminato." + +#: ../../mod/message.php:258 +msgid "Conversation removed." +msgstr "Conversazione rimossa." + +#: ../../mod/message.php:371 +msgid "No messages." +msgstr "Nessun messaggio." + +#: ../../mod/message.php:378 +#, php-format +msgid "Unknown sender - %s" +msgstr "Mittente sconosciuto - %s" + +#: ../../mod/message.php:381 +#, php-format +msgid "You and %s" +msgstr "Tu e %s" + +#: ../../mod/message.php:384 +#, php-format +msgid "%s and You" +msgstr "%s e Tu" + +#: ../../mod/message.php:405 ../../mod/message.php:546 +msgid "Delete conversation" +msgstr "Elimina la conversazione" + +#: ../../mod/message.php:408 +msgid "D, d M Y - g:i A" +msgstr "D d M Y - G:i" + +#: ../../mod/message.php:411 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "%d messaggio" +msgstr[1] "%d messaggi" + +#: ../../mod/message.php:450 +msgid "Message not available." +msgstr "Messaggio non disponibile." + +#: ../../mod/message.php:520 +msgid "Delete message" +msgstr "Elimina il messaggio" + +#: ../../mod/message.php:548 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente." + +#: ../../mod/message.php:552 +msgid "Send Reply" +msgstr "Invia la risposta" + +#: ../../mod/community.php:23 +msgid "Not available." +msgstr "Non disponibile." + +#: ../../mod/profiles.php:18 ../../mod/profiles.php:133 +#: ../../mod/profiles.php:162 ../../mod/profiles.php:589 +#: ../../mod/dfrn_confirm.php:64 +msgid "Profile not found." +msgstr "Profilo non trovato." + +#: ../../mod/profiles.php:37 +msgid "Profile deleted." +msgstr "Profilo elminato." + +#: ../../mod/profiles.php:55 ../../mod/profiles.php:89 +msgid "Profile-" +msgstr "Profilo-" + +#: ../../mod/profiles.php:74 ../../mod/profiles.php:117 +msgid "New profile created." +msgstr "Il nuovo profilo è stato creato." + +#: ../../mod/profiles.php:95 +msgid "Profile unavailable to clone." +msgstr "Impossibile duplicare il profilo." + +#: ../../mod/profiles.php:172 +msgid "Profile Name is required." +msgstr "Il nome profilo è obbligatorio ." + +#: ../../mod/profiles.php:323 +msgid "Marital Status" +msgstr "Stato civile" + +#: ../../mod/profiles.php:327 +msgid "Romantic Partner" +msgstr "Partner romantico" + +#: ../../mod/profiles.php:331 +msgid "Likes" +msgstr "Mi piace" + +#: ../../mod/profiles.php:335 +msgid "Dislikes" +msgstr "Non mi piace" + +#: ../../mod/profiles.php:339 +msgid "Work/Employment" +msgstr "Lavoro/Impiego" + +#: ../../mod/profiles.php:342 +msgid "Religion" +msgstr "Religione" + +#: ../../mod/profiles.php:346 +msgid "Political Views" +msgstr "Orientamento Politico" + +#: ../../mod/profiles.php:350 +msgid "Gender" +msgstr "Sesso" + +#: ../../mod/profiles.php:354 +msgid "Sexual Preference" +msgstr "Preferenza sessuale" + +#: ../../mod/profiles.php:358 +msgid "Homepage" +msgstr "Homepage" + +#: ../../mod/profiles.php:362 ../../mod/profiles.php:657 +msgid "Interests" +msgstr "Interessi" + +#: ../../mod/profiles.php:366 +msgid "Address" +msgstr "Indirizzo" + +#: ../../mod/profiles.php:373 ../../mod/profiles.php:653 +msgid "Location" +msgstr "Posizione" + +#: ../../mod/profiles.php:456 +msgid "Profile updated." +msgstr "Profilo aggiornato." + +#: ../../mod/profiles.php:527 +msgid " and " +msgstr "e " + +#: ../../mod/profiles.php:535 +msgid "public profile" +msgstr "profilo pubblico" + +#: ../../mod/profiles.php:538 +#, php-format +msgid "%1$s changed %2$s to “%3$s”" +msgstr "%1$s ha cambiato %2$s in “%3$s”" + +#: ../../mod/profiles.php:539 +#, php-format +msgid " - Visit %1$s's %2$s" +msgstr "- Visita %2$s di %1$s" + +#: ../../mod/profiles.php:542 +#, php-format +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "%1$s ha un %2$s aggiornato. Ha cambiato %3$s" + +#: ../../mod/profiles.php:617 +msgid "Hide contacts and friends:" +msgstr "Nascondi contatti:" + +#: ../../mod/profiles.php:622 +msgid "Hide your contact/friend list from viewers of this profile?" +msgstr "Nascondi la tua lista di contatti/amici ai visitatori di questo profilo?" + +#: ../../mod/profiles.php:644 +msgid "Edit Profile Details" +msgstr "Modifica i dettagli del profilo" + +#: ../../mod/profiles.php:646 +msgid "Change Profile Photo" +msgstr "Cambia la foto del profilo" + +#: ../../mod/profiles.php:647 +msgid "View this profile" +msgstr "Visualizza questo profilo" + +#: ../../mod/profiles.php:648 +msgid "Create a new profile using these settings" +msgstr "Crea un nuovo profilo usando queste impostazioni" + +#: ../../mod/profiles.php:649 +msgid "Clone this profile" +msgstr "Clona questo profilo" + +#: ../../mod/profiles.php:650 +msgid "Delete this profile" +msgstr "Elimina questo profilo" + +#: ../../mod/profiles.php:651 +msgid "Basic information" +msgstr "Informazioni di base" + +#: ../../mod/profiles.php:652 +msgid "Profile picture" +msgstr "Immagine del profilo" + +#: ../../mod/profiles.php:654 +msgid "Preferences" +msgstr "Preferenze" + +#: ../../mod/profiles.php:655 +msgid "Status information" +msgstr "Informazioni stato" + +#: ../../mod/profiles.php:656 +msgid "Additional information" +msgstr "Informazioni aggiuntive" + +#: ../../mod/profiles.php:658 ../../mod/newmember.php:36 +#: ../../mod/profile_photo.php:244 +msgid "Upload Profile Photo" +msgstr "Carica la foto del profilo" + +#: ../../mod/profiles.php:659 +msgid "Profile Name:" +msgstr "Nome del profilo:" + +#: ../../mod/profiles.php:660 +msgid "Your Full Name:" +msgstr "Il tuo nome completo:" + +#: ../../mod/profiles.php:661 +msgid "Title/Description:" +msgstr "Breve descrizione (es. titolo, posizione, altro):" + +#: ../../mod/profiles.php:662 +msgid "Your Gender:" +msgstr "Il tuo sesso:" + +#: ../../mod/profiles.php:663 +#, php-format +msgid "Birthday (%s):" +msgstr "Compleanno (%s)" + +#: ../../mod/profiles.php:664 +msgid "Street Address:" +msgstr "Indirizzo (via/piazza):" + +#: ../../mod/profiles.php:665 +msgid "Locality/City:" +msgstr "Località:" + +#: ../../mod/profiles.php:666 +msgid "Postal/Zip Code:" +msgstr "CAP:" + +#: ../../mod/profiles.php:667 +msgid "Country:" +msgstr "Nazione:" + +#: ../../mod/profiles.php:668 +msgid "Region/State:" +msgstr "Regione/Stato:" + +#: ../../mod/profiles.php:669 +msgid " Marital Status:" +msgstr " Stato sentimentale:" + +#: ../../mod/profiles.php:670 +msgid "Who: (if applicable)" +msgstr "Con chi: (se possibile)" + +#: ../../mod/profiles.php:671 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "Esempio: cathy123, Cathy Williams, cathy@example.com" + +#: ../../mod/profiles.php:672 +msgid "Since [date]:" +msgstr "Dal [data]:" + +#: ../../mod/profiles.php:674 +msgid "Homepage URL:" +msgstr "Homepage:" + +#: ../../mod/profiles.php:677 +msgid "Religious Views:" +msgstr "Orientamento religioso:" + +#: ../../mod/profiles.php:678 +msgid "Public Keywords:" +msgstr "Parole chiave visibili a tutti:" + +#: ../../mod/profiles.php:679 +msgid "Private Keywords:" +msgstr "Parole chiave private:" + +#: ../../mod/profiles.php:682 +msgid "Example: fishing photography software" +msgstr "Esempio: pesca fotografia programmazione" + +#: ../../mod/profiles.php:683 +msgid "(Used for suggesting potential friends, can be seen by others)" +msgstr "(E' utilizzato per suggerire potenziali amici, può essere visto da altri)" + +#: ../../mod/profiles.php:684 +msgid "(Used for searching profiles, never shown to others)" +msgstr "(Usato per cercare tra i profili, non è mai visibile agli altri)" + +#: ../../mod/profiles.php:685 +msgid "Tell us about yourself..." +msgstr "Raccontaci di te..." + +#: ../../mod/profiles.php:686 +msgid "Hobbies/Interests" +msgstr "Hobby/interessi" + +#: ../../mod/profiles.php:687 +msgid "Contact information and Social Networks" +msgstr "Informazioni su contatti e social network" + +#: ../../mod/profiles.php:688 +msgid "Musical interests" +msgstr "Interessi musicali" + +#: ../../mod/profiles.php:689 +msgid "Books, literature" +msgstr "Libri, letteratura" + +#: ../../mod/profiles.php:690 +msgid "Television" +msgstr "Televisione" + +#: ../../mod/profiles.php:691 +msgid "Film/dance/culture/entertainment" +msgstr "Film/danza/cultura/intrattenimento" + +#: ../../mod/profiles.php:692 +msgid "Love/romance" +msgstr "Amore" + +#: ../../mod/profiles.php:693 +msgid "Work/employment" +msgstr "Lavoro/impiego" + +#: ../../mod/profiles.php:694 +msgid "School/education" +msgstr "Scuola/educazione" + +#: ../../mod/profiles.php:699 +msgid "" +"This is your public profile.
It may " +"be visible to anybody using the internet." +msgstr "Questo è il tuo profilo publico.
Potrebbe essere visto da chiunque attraverso internet." + +#: ../../mod/profiles.php:709 ../../mod/directory.php:113 +msgid "Age: " +msgstr "Età : " + +#: ../../mod/profiles.php:762 +msgid "Edit/Manage Profiles" +msgstr "Modifica / Gestisci profili" + #: ../../mod/install.php:117 msgid "Friendica Communications Server - Setup" msgstr "Friendica Comunicazione Server - Impostazioni" @@ -1641,10 +6911,6 @@ msgstr "Leggi il file \"INSTALL.txt\"." msgid "System check" msgstr "Controllo sistema" -#: ../../mod/install.php:207 ../../mod/events.php:373 -msgid "Next" -msgstr "Successivo" - #: ../../mod/install.php:208 msgid "Check again" msgstr "Controlla ancora" @@ -1905,1092 +7171,9 @@ msgid "" "poller." msgstr "IMPORTANTE: Devi impostare [manualmente] la pianificazione del poller." -#: ../../mod/admin.php:55 -msgid "Theme settings updated." -msgstr "Impostazioni del tema aggiornate." - -#: ../../mod/admin.php:102 ../../mod/admin.php:583 -msgid "Site" -msgstr "Sito" - -#: ../../mod/admin.php:103 ../../mod/admin.php:913 ../../mod/admin.php:928 -msgid "Users" -msgstr "Utenti" - -#: ../../mod/admin.php:104 ../../mod/admin.php:1017 ../../mod/admin.php:1070 -#: ../../mod/settings.php:57 -msgid "Plugins" -msgstr "Plugin" - -#: ../../mod/admin.php:105 ../../mod/admin.php:1236 ../../mod/admin.php:1270 -msgid "Themes" -msgstr "Temi" - -#: ../../mod/admin.php:106 -msgid "DB updates" -msgstr "Aggiornamenti Database" - -#: ../../mod/admin.php:121 ../../mod/admin.php:128 ../../mod/admin.php:1357 -msgid "Logs" -msgstr "Log" - -#: ../../mod/admin.php:126 ../../include/nav.php:182 -msgid "Admin" -msgstr "Amministrazione" - -#: ../../mod/admin.php:127 -msgid "Plugin Features" -msgstr "Impostazioni Plugins" - -#: ../../mod/admin.php:129 -msgid "User registrations waiting for confirmation" -msgstr "Utenti registrati in attesa di conferma" - -#: ../../mod/admin.php:188 ../../mod/admin.php:867 -msgid "Normal Account" -msgstr "Account normale" - -#: ../../mod/admin.php:189 ../../mod/admin.php:868 -msgid "Soapbox Account" -msgstr "Account per comunicati e annunci" - -#: ../../mod/admin.php:190 ../../mod/admin.php:869 -msgid "Community/Celebrity Account" -msgstr "Account per celebrità o per comunità" - -#: ../../mod/admin.php:191 ../../mod/admin.php:870 -msgid "Automatic Friend Account" -msgstr "Account per amicizia automatizzato" - -#: ../../mod/admin.php:192 -msgid "Blog Account" -msgstr "Account Blog" - -#: ../../mod/admin.php:193 -msgid "Private Forum" -msgstr "Forum Privato" - -#: ../../mod/admin.php:212 -msgid "Message queues" -msgstr "Code messaggi" - -#: ../../mod/admin.php:217 ../../mod/admin.php:582 ../../mod/admin.php:912 -#: ../../mod/admin.php:1016 ../../mod/admin.php:1069 ../../mod/admin.php:1235 -#: ../../mod/admin.php:1269 ../../mod/admin.php:1356 -msgid "Administration" -msgstr "Amministrazione" - -#: ../../mod/admin.php:218 -msgid "Summary" -msgstr "Sommario" - -#: ../../mod/admin.php:220 -msgid "Registered users" -msgstr "Utenti registrati" - -#: ../../mod/admin.php:222 -msgid "Pending registrations" -msgstr "Registrazioni in attesa" - -#: ../../mod/admin.php:223 -msgid "Version" -msgstr "Versione" - -#: ../../mod/admin.php:225 -msgid "Active plugins" -msgstr "Plugin attivi" - -#: ../../mod/admin.php:248 -msgid "Can not parse base url. Must have at least ://" -msgstr "Impossibile analizzare l'url base. Deve avere almeno [schema]://[dominio]" - -#: ../../mod/admin.php:490 -msgid "Site settings updated." -msgstr "Impostazioni del sito aggiornate." - -#: ../../mod/admin.php:519 ../../mod/settings.php:825 -msgid "No special theme for mobile devices" -msgstr "Nessun tema speciale per i dispositivi mobili" - -#: ../../mod/admin.php:536 ../../mod/contacts.php:408 -msgid "Never" -msgstr "Mai" - -#: ../../mod/admin.php:537 -msgid "At post arrival" -msgstr "All'arrivo di un messaggio" - -#: ../../mod/admin.php:538 ../../include/contact_selectors.php:56 -msgid "Frequently" -msgstr "Frequentemente" - -#: ../../mod/admin.php:539 ../../include/contact_selectors.php:57 -msgid "Hourly" -msgstr "Ogni ora" - -#: ../../mod/admin.php:540 ../../include/contact_selectors.php:58 -msgid "Twice daily" -msgstr "Due volte al dì" - -#: ../../mod/admin.php:541 ../../include/contact_selectors.php:59 -msgid "Daily" -msgstr "Giornalmente" - -#: ../../mod/admin.php:546 -msgid "Multi user instance" -msgstr "Istanza multi utente" - -#: ../../mod/admin.php:569 -msgid "Closed" -msgstr "Chiusa" - -#: ../../mod/admin.php:570 -msgid "Requires approval" -msgstr "Richiede l'approvazione" - -#: ../../mod/admin.php:571 -msgid "Open" -msgstr "Aperta" - -#: ../../mod/admin.php:575 -msgid "No SSL policy, links will track page SSL state" -msgstr "Nessuna gestione SSL, i link seguiranno lo stato SSL della pagina" - -#: ../../mod/admin.php:576 -msgid "Force all links to use SSL" -msgstr "Forza tutti i linki ad usare SSL" - -#: ../../mod/admin.php:577 -msgid "Self-signed certificate, use SSL for local links only (discouraged)" -msgstr "Certificato auto-firmato, usa SSL solo per i link locali (sconsigliato)" - -#: ../../mod/admin.php:584 ../../mod/admin.php:1071 ../../mod/admin.php:1271 -#: ../../mod/admin.php:1358 ../../mod/settings.php:611 -#: ../../mod/settings.php:721 ../../mod/settings.php:795 -#: ../../mod/settings.php:877 ../../mod/settings.php:1110 -msgid "Save Settings" -msgstr "Salva Impostazioni" - -#: ../../mod/admin.php:586 -msgid "File upload" -msgstr "Caricamento file" - -#: ../../mod/admin.php:587 -msgid "Policies" -msgstr "Politiche" - -#: ../../mod/admin.php:588 -msgid "Advanced" -msgstr "Avanzate" - -#: ../../mod/admin.php:589 -msgid "Performance" -msgstr "Performance" - -#: ../../mod/admin.php:590 -msgid "" -"Relocate - WARNING: advanced function. Could make this server unreachable." -msgstr "Trasloca - ATTENZIONE: funzione avanzata! Puo' rendere questo server irraggiungibile." - -#: ../../mod/admin.php:593 -msgid "Site name" -msgstr "Nome del sito" - -#: ../../mod/admin.php:594 -msgid "Banner/Logo" -msgstr "Banner/Logo" - -#: ../../mod/admin.php:595 -msgid "Additional Info" -msgstr "Informazioni aggiuntive" - -#: ../../mod/admin.php:595 -msgid "" -"For public servers: you can add additional information here that will be " -"listed at dir.friendica.com/siteinfo." -msgstr "Per server pubblici: puoi aggiungere informazioni extra che verrano mostrate su dir.friendica.com/siteinfo." - -#: ../../mod/admin.php:596 -msgid "System language" -msgstr "Lingua di sistema" - -#: ../../mod/admin.php:597 -msgid "System theme" -msgstr "Tema di sistema" - -#: ../../mod/admin.php:597 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "Tema di sistema - puo' essere sovrascritto dalle impostazioni utente - cambia le impostazioni del tema" - -#: ../../mod/admin.php:598 -msgid "Mobile system theme" -msgstr "Tema mobile di sistema" - -#: ../../mod/admin.php:598 -msgid "Theme for mobile devices" -msgstr "Tema per dispositivi mobili" - -#: ../../mod/admin.php:599 -msgid "SSL link policy" -msgstr "Gestione link SSL" - -#: ../../mod/admin.php:599 -msgid "Determines whether generated links should be forced to use SSL" -msgstr "Determina se i link generati devono essere forzati a usare SSL" - -#: ../../mod/admin.php:600 -msgid "Old style 'Share'" -msgstr "Ricondivisione vecchio stile" - -#: ../../mod/admin.php:600 -msgid "Deactivates the bbcode element 'share' for repeating items." -msgstr "Disattiva l'elemento bbcode 'share' con elementi ripetuti" - -#: ../../mod/admin.php:601 -msgid "Hide help entry from navigation menu" -msgstr "Nascondi la voce 'Guida' dal menu di navigazione" - -#: ../../mod/admin.php:601 -msgid "" -"Hides the menu entry for the Help pages from the navigation menu. You can " -"still access it calling /help directly." -msgstr "Nasconde la voce per le pagine della guida dal menu di navigazione. E' comunque possibile accedervi richiamando /help direttamente." - -#: ../../mod/admin.php:602 -msgid "Single user instance" -msgstr "Instanza a singolo utente" - -#: ../../mod/admin.php:602 -msgid "Make this instance multi-user or single-user for the named user" -msgstr "Rendi questa istanza multi utente o a singolo utente per l'utente selezionato" - -#: ../../mod/admin.php:603 -msgid "Maximum image size" -msgstr "Massima dimensione immagini" - -#: ../../mod/admin.php:603 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "Massima dimensione in byte delle immagini caricate. Il default è 0, cioè nessun limite." - -#: ../../mod/admin.php:604 -msgid "Maximum image length" -msgstr "Massima lunghezza immagine" - -#: ../../mod/admin.php:604 -msgid "" -"Maximum length in pixels of the longest side of uploaded images. Default is " -"-1, which means no limits." -msgstr "Massima lunghezza in pixel del lato più lungo delle immagini caricate. Predefinito a -1, ovvero nessun limite." - -#: ../../mod/admin.php:605 -msgid "JPEG image quality" -msgstr "Qualità immagini JPEG" - -#: ../../mod/admin.php:605 -msgid "" -"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " -"100, which is full quality." -msgstr "Le immagini JPEG caricate verranno salvate con questa qualità [0-100]. Predefinito è 100, ovvero qualità piena." - -#: ../../mod/admin.php:607 -msgid "Register policy" -msgstr "Politica di registrazione" - -#: ../../mod/admin.php:608 -msgid "Maximum Daily Registrations" -msgstr "Massime registrazioni giornaliere" - -#: ../../mod/admin.php:608 -msgid "" -"If registration is permitted above, this sets the maximum number of new user" -" registrations to accept per day. If register is set to closed, this " -"setting has no effect." -msgstr "Se la registrazione è permessa, qui si definisce il massimo numero di nuovi utenti registrati da accettare giornalmente. Se la registrazione è chiusa, questa impostazione non ha effetto." - -#: ../../mod/admin.php:609 -msgid "Register text" -msgstr "Testo registrazione" - -#: ../../mod/admin.php:609 -msgid "Will be displayed prominently on the registration page." -msgstr "Sarà mostrato ben visibile nella pagina di registrazione." - -#: ../../mod/admin.php:610 -msgid "Accounts abandoned after x days" -msgstr "Account abbandonati dopo x giorni" - -#: ../../mod/admin.php:610 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "Non spreca risorse di sistema controllando siti esterni per gli account abbandonati. Immettere 0 per nessun limite di tempo." - -#: ../../mod/admin.php:611 -msgid "Allowed friend domains" -msgstr "Domini amici consentiti" - -#: ../../mod/admin.php:611 -msgid "" -"Comma separated list of domains which are allowed to establish friendships " -"with this site. Wildcards are accepted. Empty to allow any domains" -msgstr "Elenco separato da virglola dei domini che possono stabilire amicizie con questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." - -#: ../../mod/admin.php:612 -msgid "Allowed email domains" -msgstr "Domini email consentiti" - -#: ../../mod/admin.php:612 -msgid "" -"Comma separated list of domains which are allowed in email addresses for " -"registrations to this site. Wildcards are accepted. Empty to allow any " -"domains" -msgstr "Elenco separato da virgola dei domini permessi come indirizzi email in fase di registrazione a questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." - -#: ../../mod/admin.php:613 -msgid "Block public" -msgstr "Blocca pagine pubbliche" - -#: ../../mod/admin.php:613 -msgid "" -"Check to block public access to all otherwise public personal pages on this " -"site unless you are currently logged in." -msgstr "Seleziona per bloccare l'accesso pubblico a tutte le pagine personali di questo sito, a meno di essere loggato." - -#: ../../mod/admin.php:614 -msgid "Force publish" -msgstr "Forza publicazione" - -#: ../../mod/admin.php:614 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "Seleziona per forzare tutti i profili di questo sito ad essere compresi nell'elenco di questo sito." - -#: ../../mod/admin.php:615 -msgid "Global directory update URL" -msgstr "URL aggiornamento Elenco Globale" - -#: ../../mod/admin.php:615 -msgid "" -"URL to update the global directory. If this is not set, the global directory" -" is completely unavailable to the application." -msgstr "URL dell'elenco globale. Se vuoto, l'elenco globale sarà completamente disabilitato." - -#: ../../mod/admin.php:616 -msgid "Allow threaded items" -msgstr "Permetti commenti nidificati" - -#: ../../mod/admin.php:616 -msgid "Allow infinite level threading for items on this site." -msgstr "Permette un infinito livello di nidificazione dei commenti su questo sito." - -#: ../../mod/admin.php:617 -msgid "Private posts by default for new users" -msgstr "Post privati di default per i nuovi utenti" - -#: ../../mod/admin.php:617 -msgid "" -"Set default post permissions for all new members to the default privacy " -"group rather than public." -msgstr "Imposta i permessi predefiniti dei post per tutti i nuovi utenti come privati per il gruppo predefinito, invece che pubblici." - -#: ../../mod/admin.php:618 -msgid "Don't include post content in email notifications" -msgstr "Non includere il contenuto dei post nelle notifiche via email" - -#: ../../mod/admin.php:618 -msgid "" -"Don't include the content of a post/comment/private message/etc. in the " -"email notifications that are sent out from this site, as a privacy measure." -msgstr "Non include il contenuti del post/commento/messaggio privato/etc. nelle notifiche email che sono inviate da questo sito, per privacy" - -#: ../../mod/admin.php:619 -msgid "Disallow public access to addons listed in the apps menu." -msgstr "Disabilita l'accesso pubblico ai plugin raccolti nel menu apps." - -#: ../../mod/admin.php:619 -msgid "" -"Checking this box will restrict addons listed in the apps menu to members " -"only." -msgstr "Selezionando questo box si limiterà ai soli membri l'accesso agli addon nel menu applicazioni" - -#: ../../mod/admin.php:620 -msgid "Don't embed private images in posts" -msgstr "Non inglobare immagini private nei post" - -#: ../../mod/admin.php:620 -msgid "" -"Don't replace locally-hosted private photos in posts with an embedded copy " -"of the image. This means that contacts who receive posts containing private " -"photos will have to authenticate and load each image, which may take a " -"while." -msgstr "Non sostituire le foto locali nei post con una copia incorporata dell'immagine. Questo significa che i contatti che riceveranno i post contenenti foto private dovranno autenticarsi e caricare ogni immagine, cosa che puo' richiedere un po' di tempo." - -#: ../../mod/admin.php:621 -msgid "Allow Users to set remote_self" -msgstr "Permetti agli utenti di impostare 'io remoto'" - -#: ../../mod/admin.php:621 -msgid "" -"With checking this, every user is allowed to mark every contact as a " -"remote_self in the repair contact dialog. Setting this flag on a contact " -"causes mirroring every posting of that contact in the users stream." -msgstr "Selezionando questo, a tutti gli utenti sarà permesso di impostare qualsiasi contatto come 'io remoto' nella pagina di modifica del contatto. Impostare questa opzione fa si che tutti i messaggi di quel contatto vengano ripetuti nello stream del'utente." - -#: ../../mod/admin.php:622 -msgid "Block multiple registrations" -msgstr "Blocca registrazioni multiple" - -#: ../../mod/admin.php:622 -msgid "Disallow users to register additional accounts for use as pages." -msgstr "Non permette all'utente di registrare account extra da usare come pagine." - -#: ../../mod/admin.php:623 -msgid "OpenID support" -msgstr "Supporto OpenID" - -#: ../../mod/admin.php:623 -msgid "OpenID support for registration and logins." -msgstr "Supporta OpenID per la registrazione e il login" - -#: ../../mod/admin.php:624 -msgid "Fullname check" -msgstr "Controllo nome completo" - -#: ../../mod/admin.php:624 -msgid "" -"Force users to register with a space between firstname and lastname in Full " -"name, as an antispam measure" -msgstr "Forza gli utenti a registrarsi con uno spazio tra il nome e il cognome in \"Nome completo\", come misura antispam" - -#: ../../mod/admin.php:625 -msgid "UTF-8 Regular expressions" -msgstr "Espressioni regolari UTF-8" - -#: ../../mod/admin.php:625 -msgid "Use PHP UTF8 regular expressions" -msgstr "Usa le espressioni regolari PHP in UTF8" - -#: ../../mod/admin.php:626 -msgid "Show Community Page" -msgstr "Mostra pagina Comunità" - -#: ../../mod/admin.php:626 -msgid "" -"Display a Community page showing all recent public postings on this site." -msgstr "Mostra una pagina Comunità con tutti i recenti messaggi pubblici su questo sito." - -#: ../../mod/admin.php:627 -msgid "Enable OStatus support" -msgstr "Abilita supporto OStatus" - -#: ../../mod/admin.php:627 -msgid "" -"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " -"communications in OStatus are public, so privacy warnings will be " -"occasionally displayed." -msgstr "Fornisce la compatibilità integrata a OStatus (StatusNet, Gnu Social, etc.). Tutte le comunicazioni su OStatus sono pubbliche, quindi un avviso di privacy verrà mostrato occasionalmente." - -#: ../../mod/admin.php:628 -msgid "OStatus conversation completion interval" -msgstr "Intervallo completamento conversazioni OStatus" - -#: ../../mod/admin.php:628 -msgid "" -"How often shall the poller check for new entries in OStatus conversations? " -"This can be a very ressource task." -msgstr "quanto spesso il poller deve controllare se esistono nuovi commenti in una conversazione OStatus? Questo è un lavoro che puo' richiedere molte risorse." - -#: ../../mod/admin.php:629 -msgid "Enable Diaspora support" -msgstr "Abilita il supporto a Diaspora" - -#: ../../mod/admin.php:629 -msgid "Provide built-in Diaspora network compatibility." -msgstr "Fornisce compatibilità con il network Diaspora." - -#: ../../mod/admin.php:630 -msgid "Only allow Friendica contacts" -msgstr "Permetti solo contatti Friendica" - -#: ../../mod/admin.php:630 -msgid "" -"All contacts must use Friendica protocols. All other built-in communication " -"protocols disabled." -msgstr "Tutti i contatti devono usare il protocollo di Friendica. Tutti gli altri protocolli sono disabilitati." - -#: ../../mod/admin.php:631 -msgid "Verify SSL" -msgstr "Verifica SSL" - -#: ../../mod/admin.php:631 -msgid "" -"If you wish, you can turn on strict certificate checking. This will mean you" -" cannot connect (at all) to self-signed SSL sites." -msgstr "Se vuoi, puoi abilitare il controllo rigoroso dei certificati.Questo significa che non potrai collegarti (del tutto) con siti con certificati SSL auto-firmati." - -#: ../../mod/admin.php:632 -msgid "Proxy user" -msgstr "Utente Proxy" - -#: ../../mod/admin.php:633 -msgid "Proxy URL" -msgstr "URL Proxy" - -#: ../../mod/admin.php:634 -msgid "Network timeout" -msgstr "Timeout rete" - -#: ../../mod/admin.php:634 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "Valore in secondi. Imposta a 0 per illimitato (non raccomandato)." - -#: ../../mod/admin.php:635 -msgid "Delivery interval" -msgstr "Intervallo di invio" - -#: ../../mod/admin.php:635 -msgid "" -"Delay background delivery processes by this many seconds to reduce system " -"load. Recommend: 4-5 for shared hosts, 2-3 for virtual private servers. 0-1 " -"for large dedicated servers." -msgstr "Ritarda il processo di invio in background di n secondi per ridurre il carico di sistema. Raccomandato: 4-5 per host condivisit, 2-3 per VPS. 0-1 per grandi server dedicati." - -#: ../../mod/admin.php:636 -msgid "Poll interval" -msgstr "Intervallo di poll" - -#: ../../mod/admin.php:636 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "Ritarda il processo di poll in background di n secondi per ridurre il carico di sistema. Se 0, usa l'intervallo di invio." - -#: ../../mod/admin.php:637 -msgid "Maximum Load Average" -msgstr "Massimo carico medio" - -#: ../../mod/admin.php:637 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "Massimo carico di sistema prima che i processi di invio e di poll siano ritardati. Predefinito a 50." - -#: ../../mod/admin.php:639 -msgid "Use MySQL full text engine" -msgstr "Usa il motore MySQL full text" - -#: ../../mod/admin.php:639 -msgid "" -"Activates the full text engine. Speeds up search - but can only search for " -"four and more characters." -msgstr "Attiva il motore full text. Velocizza la ricerca, ma puo' cercare solo per quattro o più caratteri." - -#: ../../mod/admin.php:640 -msgid "Suppress Language" -msgstr "Disattiva lingua" - -#: ../../mod/admin.php:640 -msgid "Suppress language information in meta information about a posting." -msgstr "Disattiva le informazioni sulla lingua nei meta di un post." - -#: ../../mod/admin.php:641 -msgid "Path to item cache" -msgstr "Percorso cache elementi" - -#: ../../mod/admin.php:642 -msgid "Cache duration in seconds" -msgstr "Durata della cache in secondi" - -#: ../../mod/admin.php:642 -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:643 -msgid "Maximum numbers of comments per post" -msgstr "" - -#: ../../mod/admin.php:643 -msgid "How much comments should be shown for each post? Default value is 100." -msgstr "" - -#: ../../mod/admin.php:644 -msgid "Path for lock file" -msgstr "Percorso al file di lock" - -#: ../../mod/admin.php:645 -msgid "Temp path" -msgstr "Percorso file temporanei" - -#: ../../mod/admin.php:646 -msgid "Base path to installation" -msgstr "Percorso base all'installazione" - -#: ../../mod/admin.php:648 -msgid "New base url" -msgstr "Nuovo url base" - -#: ../../mod/admin.php:650 -msgid "Enable noscrape" -msgstr "" - -#: ../../mod/admin.php:650 -msgid "" -"The noscrape feature speeds up directory submissions by using JSON data " -"instead of HTML scraping." -msgstr "" - -#: ../../mod/admin.php:667 -msgid "Update has been marked successful" -msgstr "L'aggiornamento è stato segnato come di successo" - -#: ../../mod/admin.php:677 -#, php-format -msgid "Executing %s failed. Check system logs." -msgstr "Fallita l'esecuzione di %s. Controlla i log di sistema." - -#: ../../mod/admin.php:680 -#, php-format -msgid "Update %s was successfully applied." -msgstr "L'aggiornamento %s è stato applicato con successo" - -#: ../../mod/admin.php:684 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "L'aggiornamento %s non ha riportato uno stato. Non so se è andato a buon fine." - -#: ../../mod/admin.php:687 -#, php-format -msgid "Update function %s could not be found." -msgstr "La funzione di aggiornamento %s non puo' essere trovata." - -#: ../../mod/admin.php:702 -msgid "No failed updates." -msgstr "Nessun aggiornamento fallito." - -#: ../../mod/admin.php:706 -msgid "Failed Updates" -msgstr "Aggiornamenti falliti" - -#: ../../mod/admin.php:707 -msgid "" -"This does not include updates prior to 1139, which did not return a status." -msgstr "Questo non include gli aggiornamenti prima del 1139, che non ritornano lo stato." - -#: ../../mod/admin.php:708 -msgid "Mark success (if update was manually applied)" -msgstr "Segna completato (se l'update è stato applicato manualmente)" - -#: ../../mod/admin.php:709 -msgid "Attempt to execute this update step automatically" -msgstr "Cerco di eseguire questo aggiornamento in automatico" - -#: ../../mod/admin.php:755 -msgid "Registration successful. Email send to user" -msgstr "Registrazione completata. Email inviata all'utente" - -#: ../../mod/admin.php:765 -#, php-format -msgid "%s user blocked/unblocked" -msgid_plural "%s users blocked/unblocked" -msgstr[0] "%s utente bloccato/sbloccato" -msgstr[1] "%s utenti bloccati/sbloccati" - -#: ../../mod/admin.php:772 -#, php-format -msgid "%s user deleted" -msgid_plural "%s users deleted" -msgstr[0] "%s utente cancellato" -msgstr[1] "%s utenti cancellati" - -#: ../../mod/admin.php:811 -#, php-format -msgid "User '%s' deleted" -msgstr "Utente '%s' cancellato" - -#: ../../mod/admin.php:819 -#, php-format -msgid "User '%s' unblocked" -msgstr "Utente '%s' sbloccato" - -#: ../../mod/admin.php:819 -#, php-format -msgid "User '%s' blocked" -msgstr "Utente '%s' bloccato" - -#: ../../mod/admin.php:914 -msgid "Add User" -msgstr "Aggiungi utente" - -#: ../../mod/admin.php:915 -msgid "select all" -msgstr "seleziona tutti" - -#: ../../mod/admin.php:916 -msgid "User registrations waiting for confirm" -msgstr "Richieste di registrazione in attesa di conferma" - -#: ../../mod/admin.php:917 -msgid "User waiting for permanent deletion" -msgstr "Utente in attesa di cancellazione definitiva" - -#: ../../mod/admin.php:918 -msgid "Request date" -msgstr "Data richiesta" - -#: ../../mod/admin.php:918 ../../mod/admin.php:930 ../../mod/admin.php:931 -#: ../../mod/admin.php:944 ../../mod/crepair.php:150 -#: ../../mod/settings.php:613 ../../mod/settings.php:639 -msgid "Name" -msgstr "Nome" - -#: ../../mod/admin.php:918 ../../mod/admin.php:930 ../../mod/admin.php:931 -#: ../../mod/admin.php:946 ../../include/contact_selectors.php:79 -#: ../../include/contact_selectors.php:86 -msgid "Email" -msgstr "Email" - -#: ../../mod/admin.php:919 -msgid "No registrations." -msgstr "Nessuna registrazione." - -#: ../../mod/admin.php:920 ../../mod/notifications.php:161 -#: ../../mod/notifications.php:208 -msgid "Approve" -msgstr "Approva" - -#: ../../mod/admin.php:921 -msgid "Deny" -msgstr "Nega" - -#: ../../mod/admin.php:923 ../../mod/contacts.php:431 -#: ../../mod/contacts.php:490 ../../mod/contacts.php:700 -msgid "Block" -msgstr "Blocca" - -#: ../../mod/admin.php:924 ../../mod/contacts.php:431 -#: ../../mod/contacts.php:490 ../../mod/contacts.php:700 -msgid "Unblock" -msgstr "Sblocca" - -#: ../../mod/admin.php:925 -msgid "Site admin" -msgstr "Amministrazione sito" - -#: ../../mod/admin.php:926 -msgid "Account expired" -msgstr "Account scaduto" - -#: ../../mod/admin.php:929 -msgid "New User" -msgstr "Nuovo Utente" - -#: ../../mod/admin.php:930 ../../mod/admin.php:931 -msgid "Register date" -msgstr "Data registrazione" - -#: ../../mod/admin.php:930 ../../mod/admin.php:931 -msgid "Last login" -msgstr "Ultimo accesso" - -#: ../../mod/admin.php:930 ../../mod/admin.php:931 -msgid "Last item" -msgstr "Ultimo elemento" - -#: ../../mod/admin.php:930 -msgid "Deleted since" -msgstr "Rimosso da" - -#: ../../mod/admin.php:931 ../../mod/settings.php:36 -msgid "Account" -msgstr "Account" - -#: ../../mod/admin.php:933 -msgid "" -"Selected users will be deleted!\\n\\nEverything these users had posted on " -"this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Gli utenti selezionati saranno cancellati!\\n\\nTutto quello che gli utenti hanno inviato su questo sito sarà permanentemente canellato!\\n\\nSei sicuro?" - -#: ../../mod/admin.php:934 -msgid "" -"The user {0} will be deleted!\\n\\nEverything this user has posted on this " -"site will be permanently deleted!\\n\\nAre you sure?" -msgstr "L'utente {0} sarà cancellato!\\n\\nTutto quello che ha inviato su questo sito sarà permanentemente cancellato!\\n\\nSei sicuro?" - -#: ../../mod/admin.php:944 -msgid "Name of the new user." -msgstr "Nome del nuovo utente." - -#: ../../mod/admin.php:945 -msgid "Nickname" -msgstr "Nome utente" - -#: ../../mod/admin.php:945 -msgid "Nickname of the new user." -msgstr "Nome utente del nuovo utente." - -#: ../../mod/admin.php:946 -msgid "Email address of the new user." -msgstr "Indirizzo Email del nuovo utente." - -#: ../../mod/admin.php:979 -#, php-format -msgid "Plugin %s disabled." -msgstr "Plugin %s disabilitato." - -#: ../../mod/admin.php:983 -#, php-format -msgid "Plugin %s enabled." -msgstr "Plugin %s abilitato." - -#: ../../mod/admin.php:993 ../../mod/admin.php:1207 -msgid "Disable" -msgstr "Disabilita" - -#: ../../mod/admin.php:995 ../../mod/admin.php:1209 -msgid "Enable" -msgstr "Abilita" - -#: ../../mod/admin.php:1018 ../../mod/admin.php:1237 -msgid "Toggle" -msgstr "Inverti" - -#: ../../mod/admin.php:1026 ../../mod/admin.php:1247 -msgid "Author: " -msgstr "Autore: " - -#: ../../mod/admin.php:1027 ../../mod/admin.php:1248 -msgid "Maintainer: " -msgstr "Manutentore: " - -#: ../../mod/admin.php:1167 -msgid "No themes found." -msgstr "Nessun tema trovato." - -#: ../../mod/admin.php:1229 -msgid "Screenshot" -msgstr "Anteprima" - -#: ../../mod/admin.php:1275 -msgid "[Experimental]" -msgstr "[Sperimentale]" - -#: ../../mod/admin.php:1276 -msgid "[Unsupported]" -msgstr "[Non supportato]" - -#: ../../mod/admin.php:1303 -msgid "Log settings updated." -msgstr "Impostazioni Log aggiornate." - -#: ../../mod/admin.php:1359 -msgid "Clear" -msgstr "Pulisci" - -#: ../../mod/admin.php:1365 -msgid "Enable Debugging" -msgstr "Abilita Debugging" - -#: ../../mod/admin.php:1366 -msgid "Log file" -msgstr "File di Log" - -#: ../../mod/admin.php:1366 -msgid "" -"Must be writable by web server. Relative to your Friendica top-level " -"directory." -msgstr "Deve essere scrivibile dal server web. Relativo alla tua directory Friendica." - -#: ../../mod/admin.php:1367 -msgid "Log level" -msgstr "Livello di Log" - -#: ../../mod/admin.php:1416 ../../mod/contacts.php:487 -msgid "Update now" -msgstr "Aggiorna adesso" - -#: ../../mod/admin.php:1417 -msgid "Close" -msgstr "Chiudi" - -#: ../../mod/admin.php:1423 -msgid "FTP Host" -msgstr "Indirizzo FTP" - -#: ../../mod/admin.php:1424 -msgid "FTP Path" -msgstr "Percorso FTP" - -#: ../../mod/admin.php:1425 -msgid "FTP User" -msgstr "Utente FTP" - -#: ../../mod/admin.php:1426 -msgid "FTP Password" -msgstr "Pasword FTP" - -#: ../../mod/_search.php:99 ../../mod/search.php:99 ../../include/text.php:952 -#: ../../include/text.php:953 ../../include/nav.php:119 -msgid "Search" -msgstr "Cerca" - -#: ../../mod/_search.php:180 ../../mod/_search.php:206 -#: ../../mod/search.php:170 ../../mod/search.php:196 -#: ../../mod/community.php:62 ../../mod/community.php:71 -msgid "No results." -msgstr "Nessun risultato." - -#: ../../mod/profile.php:180 -msgid "Tips for New Members" -msgstr "Consigli per i Nuovi Utenti" - -#: ../../mod/share.php:44 -msgid "link" -msgstr "collegamento" - -#: ../../mod/tagger.php:95 ../../include/conversation.php:266 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s ha taggato %3$s di %2$s con %4$s" - -#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 -msgid "Item not found" -msgstr "Oggetto non trovato" - -#: ../../mod/editpost.php:39 -msgid "Edit post" -msgstr "Modifica messaggio" - -#: ../../mod/editpost.php:111 ../../include/conversation.php:1091 -msgid "upload photo" -msgstr "carica foto" - -#: ../../mod/editpost.php:112 ../../include/conversation.php:1092 -msgid "Attach file" -msgstr "Allega file" - -#: ../../mod/editpost.php:113 ../../include/conversation.php:1093 -msgid "attach file" -msgstr "allega file" - -#: ../../mod/editpost.php:115 ../../include/conversation.php:1095 -msgid "web link" -msgstr "link web" - -#: ../../mod/editpost.php:116 ../../include/conversation.php:1096 -msgid "Insert video link" -msgstr "Inserire collegamento video" - -#: ../../mod/editpost.php:117 ../../include/conversation.php:1097 -msgid "video link" -msgstr "link video" - -#: ../../mod/editpost.php:118 ../../include/conversation.php:1098 -msgid "Insert audio link" -msgstr "Inserisci collegamento audio" - -#: ../../mod/editpost.php:119 ../../include/conversation.php:1099 -msgid "audio link" -msgstr "link audio" - -#: ../../mod/editpost.php:120 ../../include/conversation.php:1100 -msgid "Set your location" -msgstr "La tua posizione" - -#: ../../mod/editpost.php:121 ../../include/conversation.php:1101 -msgid "set location" -msgstr "posizione" - -#: ../../mod/editpost.php:122 ../../include/conversation.php:1102 -msgid "Clear browser location" -msgstr "Rimuovi la localizzazione data dal browser" - -#: ../../mod/editpost.php:123 ../../include/conversation.php:1103 -msgid "clear location" -msgstr "canc. pos." - -#: ../../mod/editpost.php:125 ../../include/conversation.php:1109 -msgid "Permission settings" -msgstr "Impostazioni permessi" - -#: ../../mod/editpost.php:133 ../../include/conversation.php:1118 -msgid "CC: email addresses" -msgstr "CC: indirizzi email" - -#: ../../mod/editpost.php:134 ../../include/conversation.php:1119 -msgid "Public post" -msgstr "Messaggio pubblico" - -#: ../../mod/editpost.php:137 ../../include/conversation.php:1105 -msgid "Set title" -msgstr "Scegli un titolo" - -#: ../../mod/editpost.php:139 ../../include/conversation.php:1107 -msgid "Categories (comma-separated list)" -msgstr "Categorie (lista separata da virgola)" - -#: ../../mod/editpost.php:140 ../../include/conversation.php:1121 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Esempio: bob@example.com, mary@example.com" - -#: ../../mod/attach.php:8 -msgid "Item not available." -msgstr "Oggetto non disponibile." - -#: ../../mod/attach.php:20 -msgid "Item was not found." -msgstr "Oggetto non trovato." - -#: ../../mod/regmod.php:63 -msgid "Account approved." -msgstr "Account approvato." - -#: ../../mod/regmod.php:100 -#, php-format -msgid "Registration revoked for %s" -msgstr "Registrazione revocata per %s" - -#: ../../mod/regmod.php:112 -msgid "Please login." -msgstr "Accedi." - -#: ../../mod/directory.php:57 -msgid "Find on this site" -msgstr "Cerca nel sito" - -#: ../../mod/directory.php:59 ../../mod/contacts.php:693 -msgid "Finding: " -msgstr "Ricerca: " - -#: ../../mod/directory.php:60 -msgid "Site Directory" -msgstr "Elenco del sito" - -#: ../../mod/directory.php:61 ../../mod/contacts.php:694 -#: ../../include/contact_widgets.php:33 -msgid "Find" -msgstr "Trova" - -#: ../../mod/directory.php:111 ../../mod/profiles.php:698 -msgid "Age: " -msgstr "Età : " - -#: ../../mod/directory.php:114 -msgid "Gender: " -msgstr "Genere:" - -#: ../../mod/directory.php:142 ../../include/profile_advanced.php:58 -msgid "About:" -msgstr "Informazioni:" - -#: ../../mod/directory.php:187 -msgid "No entries (some entries may be hidden)." -msgstr "Nessuna voce (qualche voce potrebbe essere nascosta)." +#: ../../mod/help.php:79 +msgid "Help:" +msgstr "Guida:" #: ../../mod/crepair.php:104 msgid "Contact settings applied." @@ -3020,2012 +7203,240 @@ msgstr "Usa ora il tasto 'Indietro' del tuo browser se non sei msgid "Return to contact editor" msgstr "Ritorna alla modifica contatto" -#: ../../mod/crepair.php:151 +#: ../../mod/crepair.php:159 msgid "Account Nickname" msgstr "Nome utente" -#: ../../mod/crepair.php:152 +#: ../../mod/crepair.php:160 msgid "@Tagname - overrides Name/Nickname" msgstr "@TagName - al posto del nome utente" -#: ../../mod/crepair.php:153 +#: ../../mod/crepair.php:161 msgid "Account URL" msgstr "URL dell'utente" -#: ../../mod/crepair.php:154 +#: ../../mod/crepair.php:162 msgid "Friend Request URL" msgstr "URL Richiesta Amicizia" -#: ../../mod/crepair.php:155 +#: ../../mod/crepair.php:163 msgid "Friend Confirm URL" msgstr "URL Conferma Amicizia" -#: ../../mod/crepair.php:156 +#: ../../mod/crepair.php:164 msgid "Notification Endpoint URL" msgstr "URL Notifiche" -#: ../../mod/crepair.php:157 +#: ../../mod/crepair.php:165 msgid "Poll/Feed URL" msgstr "URL Feed" -#: ../../mod/crepair.php:158 +#: ../../mod/crepair.php:166 msgid "New photo from this URL" msgstr "Nuova foto da questo URL" -#: ../../mod/crepair.php:159 +#: ../../mod/crepair.php:167 msgid "Remote Self" msgstr "Io remoto" -#: ../../mod/crepair.php:161 +#: ../../mod/crepair.php:169 msgid "Mirror postings from this contact" msgstr "Ripeti i messaggi di questo contatto" -#: ../../mod/crepair.php:161 +#: ../../mod/crepair.php:169 msgid "" "Mark this contact as remote_self, this will cause friendica to repost new " "entries from this contact." msgstr "Imposta questo contatto come 'io remoto', questo farà si che friendica reinvii i nuovi messaggi da questo contatto." -#: ../../mod/uimport.php:66 -msgid "Move account" -msgstr "Muovi account" +#: ../../mod/crepair.php:169 +msgid "No mirroring" +msgstr "Non duplicare" -#: ../../mod/uimport.php:67 -msgid "You can import an account from another Friendica server." -msgstr "Puoi importare un account da un altro server Friendica." +#: ../../mod/crepair.php:169 +msgid "Mirror as forwarded posting" +msgstr "Duplica come messaggi ricondivisi" -#: ../../mod/uimport.php:68 +#: ../../mod/crepair.php:169 +msgid "Mirror as my own posting" +msgstr "Duplica come miei messaggi" + +#: ../../mod/newmember.php:6 +msgid "Welcome to Friendica" +msgstr "Benvenuto su Friendica" + +#: ../../mod/newmember.php:8 +msgid "New Member Checklist" +msgstr "Cose da fare per i Nuovi Utenti" + +#: ../../mod/newmember.php:12 msgid "" -"You need to export your account from the old server and upload it here. We " -"will recreate your old account here with all your contacts. We will try also" -" to inform your friends that you moved here." -msgstr "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui." +"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 "Vorremmo offrirti qualche trucco e dei link alla guida per aiutarti ad avere un'esperienza divertente. Clicca su un qualsiasi elemento per visitare la relativa pagina. Un link a questa pagina sarà visibile nella tua home per due settimane dopo la tua registrazione." -#: ../../mod/uimport.php:69 +#: ../../mod/newmember.php:14 +msgid "Getting Started" +msgstr "Come Iniziare" + +#: ../../mod/newmember.php:18 +msgid "Friendica Walk-Through" +msgstr "Friendica Passo-Passo" + +#: ../../mod/newmember.php:18 msgid "" -"This feature is experimental. We can't import contacts from the OStatus " -"network (statusnet/identi.ca) or from Diaspora" -msgstr "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora" +"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 "Sulla tua pagina Quick Start - veloce introduzione alla tua pagina profilo e alla pagina Rete, fai qualche nuova amicizia, e trova qualche gruppo a cui unirti." -#: ../../mod/uimport.php:70 -msgid "Account file" -msgstr "File account" +#: ../../mod/newmember.php:26 +msgid "Go to Your Settings" +msgstr "Vai alle tue Impostazioni" -#: ../../mod/uimport.php:70 +#: ../../mod/newmember.php:26 msgid "" -"To export your account, go to \"Settings->Export your personal data\" and " -"select \"Export account\"" -msgstr "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\"" +"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 "Nella tua pagina Impostazioni - cambia la tua password iniziale. Prendi anche nota del tuo Indirizzo Identità. Assomiglia a un indirizzo email e sarà utile per stringere amicizie nel web sociale libero." -#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 -msgid "Remote privacy information not available." -msgstr "Informazioni remote sulla privacy non disponibili." - -#: ../../mod/lockview.php:48 -msgid "Visible to:" -msgstr "Visibile a:" - -#: ../../mod/notes.php:63 ../../mod/filer.php:31 ../../include/text.php:955 -msgid "Save" -msgstr "Salva" - -#: ../../mod/help.php:79 -msgid "Help:" -msgstr "Guida:" - -#: ../../mod/help.php:84 ../../include/nav.php:114 -msgid "Help" -msgstr "Guida" - -#: ../../mod/hcard.php:10 -msgid "No profile" -msgstr "Nessun profilo" - -#: ../../mod/dfrn_request.php:93 -msgid "This introduction has already been accepted." -msgstr "Questa presentazione è già stata accettata." - -#: ../../mod/dfrn_request.php:118 ../../mod/dfrn_request.php:513 -msgid "Profile location is not valid or does not contain profile information." -msgstr "L'indirizzo del profilo non è valido o non contiene un profilo." - -#: ../../mod/dfrn_request.php:123 ../../mod/dfrn_request.php:518 -msgid "Warning: profile location has no identifiable owner name." -msgstr "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario." - -#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:520 -msgid "Warning: profile location has no profile photo." -msgstr "Attenzione: l'indirizzo del profilo non ha una foto." - -#: ../../mod/dfrn_request.php:128 ../../mod/dfrn_request.php:523 -#, php-format -msgid "%d required parameter was not found at the given location" -msgid_plural "%d required parameters were not found at the given location" -msgstr[0] "%d parametro richiesto non è stato trovato all'indirizzo dato" -msgstr[1] "%d parametri richiesti non sono stati trovati all'indirizzo dato" - -#: ../../mod/dfrn_request.php:170 -msgid "Introduction complete." -msgstr "Presentazione completa." - -#: ../../mod/dfrn_request.php:209 -msgid "Unrecoverable protocol error." -msgstr "Errore di comunicazione." - -#: ../../mod/dfrn_request.php:237 -msgid "Profile unavailable." -msgstr "Profilo non disponibile." - -#: ../../mod/dfrn_request.php:262 -#, php-format -msgid "%s has received too many connection requests today." -msgstr "%s ha ricevuto troppe richieste di connessione per oggi." - -#: ../../mod/dfrn_request.php:263 -msgid "Spam protection measures have been invoked." -msgstr "Sono state attivate le misure di protezione contro lo spam." - -#: ../../mod/dfrn_request.php:264 -msgid "Friends are advised to please try again in 24 hours." -msgstr "Gli amici sono pregati di riprovare tra 24 ore." - -#: ../../mod/dfrn_request.php:326 -msgid "Invalid locator" -msgstr "Invalid locator" - -#: ../../mod/dfrn_request.php:335 -msgid "Invalid email address." -msgstr "Indirizzo email non valido." - -#: ../../mod/dfrn_request.php:362 -msgid "This account has not been configured for email. Request failed." -msgstr "Questo account non è stato configurato per l'email. Richiesta fallita." - -#: ../../mod/dfrn_request.php:458 -msgid "Unable to resolve your name at the provided location." -msgstr "Impossibile risolvere il tuo nome nella posizione indicata." - -#: ../../mod/dfrn_request.php:471 -msgid "You have already introduced yourself here." -msgstr "Ti sei già presentato qui." - -#: ../../mod/dfrn_request.php:475 -#, php-format -msgid "Apparently you are already friends with %s." -msgstr "Pare che tu e %s siate già amici." - -#: ../../mod/dfrn_request.php:496 -msgid "Invalid profile URL." -msgstr "Indirizzo profilo non valido." - -#: ../../mod/dfrn_request.php:502 ../../include/follow.php:27 -msgid "Disallowed profile URL." -msgstr "Indirizzo profilo non permesso." - -#: ../../mod/dfrn_request.php:571 ../../mod/contacts.php:180 -msgid "Failed to update contact record." -msgstr "Errore nell'aggiornamento del contatto." - -#: ../../mod/dfrn_request.php:592 -msgid "Your introduction has been sent." -msgstr "La tua presentazione è stata inviata." - -#: ../../mod/dfrn_request.php:645 -msgid "Please login to confirm introduction." -msgstr "Accedi per confermare la presentazione." - -#: ../../mod/dfrn_request.php:659 +#: ../../mod/newmember.php:28 msgid "" -"Incorrect identity currently logged in. Please login to " -"this profile." -msgstr "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo." +"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 "Guarda le altre impostazioni, in particolare le impostazioni della privacy. Un profilo non pubblicato è come un numero di telefono non in elenco. In genere, dovresti pubblicare il tuo profilo - a meno che tutti i tuoi amici e potenziali tali sappiano esattamente come trovarti." -#: ../../mod/dfrn_request.php:670 -msgid "Hide this contact" -msgstr "Nascondi questo contatto" - -#: ../../mod/dfrn_request.php:673 -#, php-format -msgid "Welcome home %s." -msgstr "Bentornato a casa %s." - -#: ../../mod/dfrn_request.php:674 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "Conferma la tua richiesta di connessione con %s." - -#: ../../mod/dfrn_request.php:675 -msgid "Confirm" -msgstr "Conferma" - -#: ../../mod/dfrn_request.php:716 ../../include/items.php:3797 -msgid "[Name Withheld]" -msgstr "[Nome Nascosto]" - -#: ../../mod/dfrn_request.php:811 +#: ../../mod/newmember.php:36 msgid "" -"Please enter your 'Identity Address' from one of the following supported " -"communications networks:" -msgstr "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:" +"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 "Carica una foto del profilo se non l'hai ancora fatto. Studi hanno mostrato che persone che hanno vere foto di se stessi hanno dieci volte più probabilità di fare amicizie rispetto alle persone che non ce l'hanno." -#: ../../mod/dfrn_request.php:827 -msgid "Connect as an email follower (Coming soon)" -msgstr "Connetti un email come follower (in arrivo)" +#: ../../mod/newmember.php:38 +msgid "Edit Your Profile" +msgstr "Modifica il tuo Profilo" -#: ../../mod/dfrn_request.php:829 +#: ../../mod/newmember.php:38 msgid "" -"If you are not yet a member of the free social web, follow this link to find a public" -" Friendica site and join us today." -msgstr "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi" +"Edit your default profile to your liking. Review the " +"settings for hiding your list of friends and hiding the profile from unknown" +" visitors." +msgstr "Modifica il tuo profilo predefinito a piacimento. Rivedi le impostazioni per nascondere la tua lista di amici e nascondere il profilo ai visitatori sconosciuti." -#: ../../mod/dfrn_request.php:832 -msgid "Friend/Connection Request" -msgstr "Richieste di amicizia/connessione" +#: ../../mod/newmember.php:40 +msgid "Profile Keywords" +msgstr "Parole chiave del profilo" -#: ../../mod/dfrn_request.php:833 +#: ../../mod/newmember.php:40 msgid "" -"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " -"testuser@identi.ca" -msgstr "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" +"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 "Inserisci qualche parola chiave pubblica nel tuo profilo predefinito che descriva i tuoi interessi. Potremmo essere in grado di trovare altre persone con interessi similari e suggerirti delle amicizie." -#: ../../mod/dfrn_request.php:834 -msgid "Please answer the following:" -msgstr "Rispondi:" +#: ../../mod/newmember.php:44 +msgid "Connecting" +msgstr "Collegarsi" -#: ../../mod/dfrn_request.php:835 -#, php-format -msgid "Does %s know you?" -msgstr "%s ti conosce?" - -#: ../../mod/dfrn_request.php:838 -msgid "Add a personal note:" -msgstr "Aggiungi una nota personale:" - -#: ../../mod/dfrn_request.php:840 ../../include/contact_selectors.php:76 -msgid "Friendica" -msgstr "Friendica" - -#: ../../mod/dfrn_request.php:841 -msgid "StatusNet/Federated Social Web" -msgstr "StatusNet/Federated Social Web" - -#: ../../mod/dfrn_request.php:842 ../../mod/settings.php:733 -#: ../../include/contact_selectors.php:80 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../mod/dfrn_request.php:843 -#, php-format +#: ../../mod/newmember.php:49 msgid "" -" - please do not use this form. Instead, enter %s into your Diaspora search" -" bar." -msgstr " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora." +"Authorise the Facebook Connector if you currently have a Facebook account " +"and we will (optionally) import all your Facebook friends and conversations." +msgstr "Autorizza il Facebook Connector se hai un account Facebook, e noi (opzionalmente) importeremo tuti i tuoi amici e le tue conversazioni da Facebook." -#: ../../mod/dfrn_request.php:844 -msgid "Your Identity Address:" -msgstr "L'indirizzo della tua identità:" - -#: ../../mod/dfrn_request.php:847 -msgid "Submit Request" -msgstr "Invia richiesta" - -#: ../../mod/update_profile.php:41 ../../mod/update_network.php:25 -#: ../../mod/update_display.php:22 ../../mod/update_community.php:18 -#: ../../mod/update_notes.php:41 -msgid "[Embedded content - reload page to view]" -msgstr "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]" - -#: ../../mod/content.php:497 ../../include/conversation.php:689 -msgid "View in context" -msgstr "Vedi nel contesto" - -#: ../../mod/contacts.php:104 -#, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited" -msgstr[0] "%d contatto modificato" -msgstr[1] "%d contatti modificati" - -#: ../../mod/contacts.php:135 ../../mod/contacts.php:264 -msgid "Could not access contact record." -msgstr "Non è possibile accedere al contatto." - -#: ../../mod/contacts.php:149 -msgid "Could not locate selected profile." -msgstr "Non riesco a trovare il profilo selezionato." - -#: ../../mod/contacts.php:178 -msgid "Contact updated." -msgstr "Contatto aggiornato." - -#: ../../mod/contacts.php:278 -msgid "Contact has been blocked" -msgstr "Il contatto è stato bloccato" - -#: ../../mod/contacts.php:278 -msgid "Contact has been unblocked" -msgstr "Il contatto è stato sbloccato" - -#: ../../mod/contacts.php:288 -msgid "Contact has been ignored" -msgstr "Il contatto è ignorato" - -#: ../../mod/contacts.php:288 -msgid "Contact has been unignored" -msgstr "Il contatto non è più ignorato" - -#: ../../mod/contacts.php:299 -msgid "Contact has been archived" -msgstr "Il contatto è stato archiviato" - -#: ../../mod/contacts.php:299 -msgid "Contact has been unarchived" -msgstr "Il contatto è stato dearchiviato" - -#: ../../mod/contacts.php:324 ../../mod/contacts.php:697 -msgid "Do you really want to delete this contact?" -msgstr "Vuoi veramente cancellare questo contatto?" - -#: ../../mod/contacts.php:341 -msgid "Contact has been removed." -msgstr "Il contatto è stato rimosso." - -#: ../../mod/contacts.php:379 -#, php-format -msgid "You are mutual friends with %s" -msgstr "Sei amico reciproco con %s" - -#: ../../mod/contacts.php:383 -#, php-format -msgid "You are sharing with %s" -msgstr "Stai condividendo con %s" - -#: ../../mod/contacts.php:388 -#, php-format -msgid "%s is sharing with you" -msgstr "%s sta condividendo con te" - -#: ../../mod/contacts.php:405 -msgid "Private communications are not available for this contact." -msgstr "Le comunicazioni private non sono disponibili per questo contatto." - -#: ../../mod/contacts.php:412 -msgid "(Update was successful)" -msgstr "(L'aggiornamento è stato completato)" - -#: ../../mod/contacts.php:412 -msgid "(Update was not successful)" -msgstr "(L'aggiornamento non è stato completato)" - -#: ../../mod/contacts.php:414 -msgid "Suggest friends" -msgstr "Suggerisci amici" - -#: ../../mod/contacts.php:418 -#, php-format -msgid "Network type: %s" -msgstr "Tipo di rete: %s" - -#: ../../mod/contacts.php:421 ../../include/contact_widgets.php:199 -#, php-format -msgid "%d contact in common" -msgid_plural "%d contacts in common" -msgstr[0] "%d contatto in comune" -msgstr[1] "%d contatti in comune" - -#: ../../mod/contacts.php:426 -msgid "View all contacts" -msgstr "Vedi tutti i contatti" - -#: ../../mod/contacts.php:434 -msgid "Toggle Blocked status" -msgstr "Inverti stato \"Blocca\"" - -#: ../../mod/contacts.php:437 ../../mod/contacts.php:491 -#: ../../mod/contacts.php:701 -msgid "Unignore" -msgstr "Non ignorare" - -#: ../../mod/contacts.php:437 ../../mod/contacts.php:491 -#: ../../mod/contacts.php:701 ../../mod/notifications.php:51 -#: ../../mod/notifications.php:164 ../../mod/notifications.php:210 -msgid "Ignore" -msgstr "Ignora" - -#: ../../mod/contacts.php:440 -msgid "Toggle Ignored status" -msgstr "Inverti stato \"Ignora\"" - -#: ../../mod/contacts.php:444 ../../mod/contacts.php:702 -msgid "Unarchive" -msgstr "Dearchivia" - -#: ../../mod/contacts.php:444 ../../mod/contacts.php:702 -msgid "Archive" -msgstr "Archivia" - -#: ../../mod/contacts.php:447 -msgid "Toggle Archive status" -msgstr "Inverti stato \"Archiviato\"" - -#: ../../mod/contacts.php:450 -msgid "Repair" -msgstr "Ripara" - -#: ../../mod/contacts.php:453 -msgid "Advanced Contact Settings" -msgstr "Impostazioni avanzate Contatto" - -#: ../../mod/contacts.php:459 -msgid "Communications lost with this contact!" -msgstr "Comunicazione con questo contatto persa!" - -#: ../../mod/contacts.php:462 -msgid "Contact Editor" -msgstr "Editor dei Contatti" - -#: ../../mod/contacts.php:465 -msgid "Profile Visibility" -msgstr "Visibilità del profilo" - -#: ../../mod/contacts.php:466 -#, php-format +#: ../../mod/newmember.php:51 msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Seleziona il profilo che vuoi mostrare a %s quando visita il tuo profilo in modo sicuro." +"If this is your own personal server, installing the Facebook addon " +"may ease your transition to the free social web." +msgstr "Semay still be visible" -msgstr "Risposte ai tuoi post pubblici possono essere comunque visibili" +"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 "Inserisci i tuoi dati di accesso all'email nella tua pagina Impostazioni Connettori se vuoi importare e interagire con amici o mailing list dalla tua casella di posta in arrivo" -#: ../../mod/contacts.php:498 -msgid "Notification for new posts" -msgstr "Notifica per i nuovi messaggi" +#: ../../mod/newmember.php:58 +msgid "Go to Your Contacts Page" +msgstr "Vai alla tua pagina Contatti" -#: ../../mod/contacts.php:498 -msgid "Send a notification of every new post of this contact" -msgstr "Invia una notifica per ogni nuovo messaggio di questo contatto" - -#: ../../mod/contacts.php:499 -msgid "Fetch further information for feeds" -msgstr "Recupera maggiori infomazioni per i feed" - -#: ../../mod/contacts.php:550 -msgid "Suggestions" -msgstr "Suggerimenti" - -#: ../../mod/contacts.php:553 -msgid "Suggest potential friends" -msgstr "Suggerisci potenziali amici" - -#: ../../mod/contacts.php:556 ../../mod/group.php:194 -msgid "All Contacts" -msgstr "Tutti i contatti" - -#: ../../mod/contacts.php:559 -msgid "Show all contacts" -msgstr "Mostra tutti i contatti" - -#: ../../mod/contacts.php:562 -msgid "Unblocked" -msgstr "Sbloccato" - -#: ../../mod/contacts.php:565 -msgid "Only show unblocked contacts" -msgstr "Mostra solo contatti non bloccati" - -#: ../../mod/contacts.php:569 -msgid "Blocked" -msgstr "Bloccato" - -#: ../../mod/contacts.php:572 -msgid "Only show blocked contacts" -msgstr "Mostra solo contatti bloccati" - -#: ../../mod/contacts.php:576 -msgid "Ignored" -msgstr "Ignorato" - -#: ../../mod/contacts.php:579 -msgid "Only show ignored contacts" -msgstr "Mostra solo contatti ignorati" - -#: ../../mod/contacts.php:583 -msgid "Archived" -msgstr "Achiviato" - -#: ../../mod/contacts.php:586 -msgid "Only show archived contacts" -msgstr "Mostra solo contatti archiviati" - -#: ../../mod/contacts.php:590 -msgid "Hidden" -msgstr "Nascosto" - -#: ../../mod/contacts.php:593 -msgid "Only show hidden contacts" -msgstr "Mostra solo contatti nascosti" - -#: ../../mod/contacts.php:641 -msgid "Mutual Friendship" -msgstr "Amicizia reciproca" - -#: ../../mod/contacts.php:645 -msgid "is a fan of yours" -msgstr "è un tuo fan" - -#: ../../mod/contacts.php:649 -msgid "you are a fan of" -msgstr "sei un fan di" - -#: ../../mod/contacts.php:666 ../../mod/nogroup.php:41 -msgid "Edit contact" -msgstr "Modifca contatto" - -#: ../../mod/contacts.php:692 -msgid "Search your contacts" -msgstr "Cerca nei tuoi contatti" - -#: ../../mod/contacts.php:699 ../../mod/settings.php:132 -#: ../../mod/settings.php:637 -msgid "Update" -msgstr "Aggiorna" - -#: ../../mod/settings.php:29 ../../mod/photos.php:80 -msgid "everybody" -msgstr "tutti" - -#: ../../mod/settings.php:41 -msgid "Additional features" -msgstr "Funzionalità aggiuntive" - -#: ../../mod/settings.php:46 -msgid "Display" -msgstr "Visualizzazione" - -#: ../../mod/settings.php:52 ../../mod/settings.php:777 -msgid "Social Networks" -msgstr "Social Networks" - -#: ../../mod/settings.php:62 ../../include/nav.php:168 -msgid "Delegations" -msgstr "Delegazioni" - -#: ../../mod/settings.php:67 -msgid "Connected apps" -msgstr "Applicazioni collegate" - -#: ../../mod/settings.php:72 ../../mod/uexport.php:85 -msgid "Export personal data" -msgstr "Esporta dati personali" - -#: ../../mod/settings.php:77 -msgid "Remove account" -msgstr "Rimuovi account" - -#: ../../mod/settings.php:129 -msgid "Missing some important data!" -msgstr "Mancano alcuni dati importanti!" - -#: ../../mod/settings.php:238 -msgid "Failed to connect with email account using the settings provided." -msgstr "Impossibile collegarsi all'account email con i parametri forniti." - -#: ../../mod/settings.php:243 -msgid "Email settings updated." -msgstr "Impostazioni e-mail aggiornate." - -#: ../../mod/settings.php:258 -msgid "Features updated" -msgstr "Funzionalità aggiornate" - -#: ../../mod/settings.php:321 -msgid "Relocate message has been send to your contacts" -msgstr "Il messaggio di trasloco è stato inviato ai tuoi contatti" - -#: ../../mod/settings.php:335 -msgid "Passwords do not match. Password unchanged." -msgstr "Le password non corrispondono. Password non cambiata." - -#: ../../mod/settings.php:340 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "Le password non possono essere vuote. Password non cambiata." - -#: ../../mod/settings.php:348 -msgid "Wrong password." -msgstr "Password sbagliata." - -#: ../../mod/settings.php:359 -msgid "Password changed." -msgstr "Password cambiata." - -#: ../../mod/settings.php:361 -msgid "Password update failed. Please try again." -msgstr "Aggiornamento password fallito. Prova ancora." - -#: ../../mod/settings.php:426 -msgid " Please use a shorter name." -msgstr " Usa un nome più corto." - -#: ../../mod/settings.php:428 -msgid " Name too short." -msgstr " Nome troppo corto." - -#: ../../mod/settings.php:437 -msgid "Wrong Password" -msgstr "Password Sbagliata" - -#: ../../mod/settings.php:442 -msgid " Not valid email." -msgstr " Email non valida." - -#: ../../mod/settings.php:448 -msgid " Cannot change to that email." -msgstr "Non puoi usare quella email." - -#: ../../mod/settings.php:503 -msgid "Private forum has no privacy permissions. Using default privacy group." -msgstr "Il forum privato non ha permessi di privacy. Uso il gruppo di privacy predefinito." - -#: ../../mod/settings.php:507 -msgid "Private forum has no privacy permissions and no default privacy group." -msgstr "Il gruppo privato non ha permessi di privacy e nessun gruppo di privacy predefinito." - -#: ../../mod/settings.php:537 -msgid "Settings updated." -msgstr "Impostazioni aggiornate." - -#: ../../mod/settings.php:610 ../../mod/settings.php:636 -#: ../../mod/settings.php:672 -msgid "Add application" -msgstr "Aggiungi applicazione" - -#: ../../mod/settings.php:614 ../../mod/settings.php:640 -msgid "Consumer Key" -msgstr "Consumer Key" - -#: ../../mod/settings.php:615 ../../mod/settings.php:641 -msgid "Consumer Secret" -msgstr "Consumer Secret" - -#: ../../mod/settings.php:616 ../../mod/settings.php:642 -msgid "Redirect" -msgstr "Redirect" - -#: ../../mod/settings.php:617 ../../mod/settings.php:643 -msgid "Icon url" -msgstr "Url icona" - -#: ../../mod/settings.php:628 -msgid "You can't edit this application." -msgstr "Non puoi modificare questa applicazione." - -#: ../../mod/settings.php:671 -msgid "Connected Apps" -msgstr "Applicazioni Collegate" - -#: ../../mod/settings.php:675 -msgid "Client key starts with" -msgstr "Chiave del client inizia con" - -#: ../../mod/settings.php:676 -msgid "No name" -msgstr "Nessun nome" - -#: ../../mod/settings.php:677 -msgid "Remove authorization" -msgstr "Rimuovi l'autorizzazione" - -#: ../../mod/settings.php:689 -msgid "No Plugin settings configured" -msgstr "Nessun plugin ha impostazioni modificabili" - -#: ../../mod/settings.php:697 -msgid "Plugin Settings" -msgstr "Impostazioni plugin" - -#: ../../mod/settings.php:711 -msgid "Off" -msgstr "Spento" - -#: ../../mod/settings.php:711 -msgid "On" -msgstr "Acceso" - -#: ../../mod/settings.php:719 -msgid "Additional Features" -msgstr "Funzionalità aggiuntive" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -#, php-format -msgid "Built-in support for %s connectivity is %s" -msgstr "Il supporto integrato per la connettività con %s è %s" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -msgid "enabled" -msgstr "abilitato" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -msgid "disabled" -msgstr "disabilitato" - -#: ../../mod/settings.php:734 -msgid "StatusNet" -msgstr "StatusNet" - -#: ../../mod/settings.php:770 -msgid "Email access is disabled on this site." -msgstr "L'accesso email è disabilitato su questo sito." - -#: ../../mod/settings.php:782 -msgid "Email/Mailbox Setup" -msgstr "Impostazioni email" - -#: ../../mod/settings.php:783 +#: ../../mod/newmember.php:58 msgid "" -"If you wish to communicate with email contacts using this service " -"(optional), please specify how to connect to your mailbox." -msgstr "Se vuoi comunicare con i contatti email usando questo servizio, specifica come collegarti alla tua casella di posta. (opzionale)" +"Your Contacts page is your gateway to managing friendships and connecting " +"with friends on other networks. Typically you enter their address or site " +"URL in the Add New Contact dialog." +msgstr "La tua pagina Contatti è il mezzo per gestire le amicizie e collegarsi con amici su altre reti. Di solito, basta inserire l'indirizzo nel campo Aggiungi Nuovo Contatto" -#: ../../mod/settings.php:784 -msgid "Last successful email check:" -msgstr "Ultimo controllo email eseguito con successo:" +#: ../../mod/newmember.php:60 +msgid "Go to Your Site's Directory" +msgstr "Vai all'Elenco del tuo sito" -#: ../../mod/settings.php:786 -msgid "IMAP server name:" -msgstr "Nome server IMAP:" - -#: ../../mod/settings.php:787 -msgid "IMAP port:" -msgstr "Porta IMAP:" - -#: ../../mod/settings.php:788 -msgid "Security:" -msgstr "Sicurezza:" - -#: ../../mod/settings.php:788 ../../mod/settings.php:793 -msgid "None" -msgstr "Nessuna" - -#: ../../mod/settings.php:789 -msgid "Email login name:" -msgstr "Nome utente email:" - -#: ../../mod/settings.php:790 -msgid "Email password:" -msgstr "Password email:" - -#: ../../mod/settings.php:791 -msgid "Reply-to address:" -msgstr "Indirizzo di risposta:" - -#: ../../mod/settings.php:792 -msgid "Send public posts to all email contacts:" -msgstr "Invia i messaggi pubblici ai contatti email:" - -#: ../../mod/settings.php:793 -msgid "Action after import:" -msgstr "Azione post importazione:" - -#: ../../mod/settings.php:793 -msgid "Mark as seen" -msgstr "Segna come letto" - -#: ../../mod/settings.php:793 -msgid "Move to folder" -msgstr "Sposta nella cartella" - -#: ../../mod/settings.php:794 -msgid "Move to folder:" -msgstr "Sposta nella cartella:" - -#: ../../mod/settings.php:875 -msgid "Display Settings" -msgstr "Impostazioni Grafiche" - -#: ../../mod/settings.php:881 ../../mod/settings.php:896 -msgid "Display Theme:" -msgstr "Tema:" - -#: ../../mod/settings.php:882 -msgid "Mobile Theme:" -msgstr "Tema mobile:" - -#: ../../mod/settings.php:883 -msgid "Update browser every xx seconds" -msgstr "Aggiorna il browser ogni x secondi" - -#: ../../mod/settings.php:883 -msgid "Minimum of 10 seconds, no maximum" -msgstr "Minimo 10 secondi, nessun limite massimo" - -#: ../../mod/settings.php:884 -msgid "Number of items to display per page:" -msgstr "Numero di elementi da mostrare per pagina:" - -#: ../../mod/settings.php:884 ../../mod/settings.php:885 -msgid "Maximum of 100 items" -msgstr "Massimo 100 voci" - -#: ../../mod/settings.php:885 -msgid "Number of items to display per page when viewed from mobile device:" -msgstr "Numero di voci da visualizzare per pagina quando si utilizza un dispositivo mobile:" - -#: ../../mod/settings.php:886 -msgid "Don't show emoticons" -msgstr "Non mostrare le emoticons" - -#: ../../mod/settings.php:887 -msgid "Don't show notices" -msgstr "Non mostrare gli avvisi" - -#: ../../mod/settings.php:888 -msgid "Infinite scroll" -msgstr "Scroll infinito" - -#: ../../mod/settings.php:889 -msgid "Automatic updates only at the top of the network page" -msgstr "" - -#: ../../mod/settings.php:966 -msgid "User Types" -msgstr "Tipi di Utenti" - -#: ../../mod/settings.php:967 -msgid "Community Types" -msgstr "Tipi di Comunità" - -#: ../../mod/settings.php:968 -msgid "Normal Account Page" -msgstr "Pagina Account Normale" - -#: ../../mod/settings.php:969 -msgid "This account is a normal personal profile" -msgstr "Questo account è un normale profilo personale" - -#: ../../mod/settings.php:972 -msgid "Soapbox Page" -msgstr "Pagina Sandbox" - -#: ../../mod/settings.php:973 -msgid "Automatically approve all connection/friend requests as read-only fans" -msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà solamente leggere la bacheca" - -#: ../../mod/settings.php:976 -msgid "Community Forum/Celebrity Account" -msgstr "Account Celebrità/Forum comunitario" - -#: ../../mod/settings.php:977 +#: ../../mod/newmember.php:60 msgid "" -"Automatically approve all connection/friend requests as read-write fans" -msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà leggere e scrivere sulla bacheca" +"The Directory page lets you find other people in this network or other " +"federated sites. Look for a Connect or Follow link on " +"their profile page. Provide your own Identity Address if requested." +msgstr "La pagina Elenco ti permette di trovare altre persone in questa rete o in altri siti. Cerca un link Connetti o Segui nella loro pagina del profilo. Inserisci il tuo Indirizzo Identità, se richiesto." -#: ../../mod/settings.php:980 -msgid "Automatic Friend Page" -msgstr "Pagina con amicizia automatica" +#: ../../mod/newmember.php:62 +msgid "Finding New People" +msgstr "Trova nuove persone" -#: ../../mod/settings.php:981 -msgid "Automatically approve all connection/friend requests as friends" -msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come amico" - -#: ../../mod/settings.php:984 -msgid "Private Forum [Experimental]" -msgstr "Forum privato [sperimentale]" - -#: ../../mod/settings.php:985 -msgid "Private forum - approved members only" -msgstr "Forum privato - solo membri approvati" - -#: ../../mod/settings.php:997 -msgid "OpenID:" -msgstr "OpenID:" - -#: ../../mod/settings.php:997 -msgid "(Optional) Allow this OpenID to login to this account." -msgstr "(Opzionale) Consente di loggarti in questo account con questo OpenID" - -#: ../../mod/settings.php:1007 -msgid "Publish your default profile in your local site directory?" -msgstr "Pubblica il tuo profilo predefinito nell'elenco locale del sito" - -#: ../../mod/settings.php:1013 -msgid "Publish your default profile in the global social directory?" -msgstr "Pubblica il tuo profilo predefinito nell'elenco sociale globale" - -#: ../../mod/settings.php:1021 -msgid "Hide your contact/friend list from viewers of your default profile?" -msgstr "Nascondi la lista dei tuoi contatti/amici dai visitatori del tuo profilo predefinito" - -#: ../../mod/settings.php:1025 ../../include/conversation.php:1056 -msgid "Hide your profile details from unknown viewers?" -msgstr "Nascondi i dettagli del tuo profilo ai visitatori sconosciuti?" - -#: ../../mod/settings.php:1030 -msgid "Allow friends to post to your profile page?" -msgstr "Permetti agli amici di scrivere sulla tua pagina profilo?" - -#: ../../mod/settings.php:1036 -msgid "Allow friends to tag your posts?" -msgstr "Permetti agli amici di taggare i tuoi messaggi?" - -#: ../../mod/settings.php:1042 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "Ci permetti di suggerirti come potenziale amico ai nuovi membri?" - -#: ../../mod/settings.php:1048 -msgid "Permit unknown people to send you private mail?" -msgstr "Permetti a utenti sconosciuti di inviarti messaggi privati?" - -#: ../../mod/settings.php:1056 -msgid "Profile is not published." -msgstr "Il profilo non è pubblicato." - -#: ../../mod/settings.php:1059 ../../mod/profile_photo.php:248 -msgid "or" -msgstr "o" - -#: ../../mod/settings.php:1064 -msgid "Your Identity Address is" -msgstr "L'indirizzo della tua identità è" - -#: ../../mod/settings.php:1075 -msgid "Automatically expire posts after this many days:" -msgstr "Fai scadere i post automaticamente dopo x giorni:" - -#: ../../mod/settings.php:1075 -msgid "If empty, posts will not expire. Expired posts will be deleted" -msgstr "Se lasciato vuoto, i messaggi non verranno cancellati." - -#: ../../mod/settings.php:1076 -msgid "Advanced expiration settings" -msgstr "Impostazioni avanzate di scandenza" - -#: ../../mod/settings.php:1077 -msgid "Advanced Expiration" -msgstr "Scadenza avanzata" - -#: ../../mod/settings.php:1078 -msgid "Expire posts:" -msgstr "Fai scadere i post:" - -#: ../../mod/settings.php:1079 -msgid "Expire personal notes:" -msgstr "Fai scadere le Note personali:" - -#: ../../mod/settings.php:1080 -msgid "Expire starred posts:" -msgstr "Fai scadere i post Speciali:" - -#: ../../mod/settings.php:1081 -msgid "Expire photos:" -msgstr "Fai scadere le foto:" - -#: ../../mod/settings.php:1082 -msgid "Only expire posts by others:" -msgstr "Fai scadere solo i post degli altri:" - -#: ../../mod/settings.php:1108 -msgid "Account Settings" -msgstr "Impostazioni account" - -#: ../../mod/settings.php:1116 -msgid "Password Settings" -msgstr "Impostazioni password" - -#: ../../mod/settings.php:1117 -msgid "New Password:" -msgstr "Nuova password:" - -#: ../../mod/settings.php:1118 -msgid "Confirm:" -msgstr "Conferma:" - -#: ../../mod/settings.php:1118 -msgid "Leave password fields blank unless changing" -msgstr "Lascia questi campi in bianco per non effettuare variazioni alla password" - -#: ../../mod/settings.php:1119 -msgid "Current Password:" -msgstr "Password Attuale:" - -#: ../../mod/settings.php:1119 ../../mod/settings.php:1120 -msgid "Your current password to confirm the changes" -msgstr "La tua password attuale per confermare le modifiche" - -#: ../../mod/settings.php:1120 -msgid "Password:" -msgstr "Password:" - -#: ../../mod/settings.php:1124 -msgid "Basic Settings" -msgstr "Impostazioni base" - -#: ../../mod/settings.php:1125 ../../include/profile_advanced.php:15 -msgid "Full Name:" -msgstr "Nome completo:" - -#: ../../mod/settings.php:1126 -msgid "Email Address:" -msgstr "Indirizzo Email:" - -#: ../../mod/settings.php:1127 -msgid "Your Timezone:" -msgstr "Il tuo fuso orario:" - -#: ../../mod/settings.php:1128 -msgid "Default Post Location:" -msgstr "Località predefinita:" - -#: ../../mod/settings.php:1129 -msgid "Use Browser Location:" -msgstr "Usa la località rilevata dal browser:" - -#: ../../mod/settings.php:1132 -msgid "Security and Privacy Settings" -msgstr "Impostazioni di sicurezza e privacy" - -#: ../../mod/settings.php:1134 -msgid "Maximum Friend Requests/Day:" -msgstr "Numero massimo di richieste di amicizia al giorno:" - -#: ../../mod/settings.php:1134 ../../mod/settings.php:1164 -msgid "(to prevent spam abuse)" -msgstr "(per prevenire lo spam)" - -#: ../../mod/settings.php:1135 -msgid "Default Post Permissions" -msgstr "Permessi predefiniti per i messaggi" - -#: ../../mod/settings.php:1136 -msgid "(click to open/close)" -msgstr "(clicca per aprire/chiudere)" - -#: ../../mod/settings.php:1145 ../../mod/photos.php:1146 -#: ../../mod/photos.php:1517 -msgid "Show to Groups" -msgstr "Mostra ai gruppi" - -#: ../../mod/settings.php:1146 ../../mod/photos.php:1147 -#: ../../mod/photos.php:1518 -msgid "Show to Contacts" -msgstr "Mostra ai contatti" - -#: ../../mod/settings.php:1147 -msgid "Default Private Post" -msgstr "Default Post Privato" - -#: ../../mod/settings.php:1148 -msgid "Default Public Post" -msgstr "Default Post Pubblico" - -#: ../../mod/settings.php:1152 -msgid "Default Permissions for New Posts" -msgstr "Permessi predefiniti per i nuovi post" - -#: ../../mod/settings.php:1164 -msgid "Maximum private messages per day from unknown people:" -msgstr "Numero massimo di messaggi privati da utenti sconosciuti per giorno:" - -#: ../../mod/settings.php:1167 -msgid "Notification Settings" -msgstr "Impostazioni notifiche" - -#: ../../mod/settings.php:1168 -msgid "By default post a status message when:" -msgstr "Invia un messaggio di stato quando:" - -#: ../../mod/settings.php:1169 -msgid "accepting a friend request" -msgstr "accetti una richiesta di amicizia" - -#: ../../mod/settings.php:1170 -msgid "joining a forum/community" -msgstr "ti unisci a un forum/comunità" - -#: ../../mod/settings.php:1171 -msgid "making an interesting profile change" -msgstr "fai un interessante modifica al profilo" - -#: ../../mod/settings.php:1172 -msgid "Send a notification email when:" -msgstr "Invia una mail di notifica quando:" - -#: ../../mod/settings.php:1173 -msgid "You receive an introduction" -msgstr "Ricevi una presentazione" - -#: ../../mod/settings.php:1174 -msgid "Your introductions are confirmed" -msgstr "Le tue presentazioni sono confermate" - -#: ../../mod/settings.php:1175 -msgid "Someone writes on your profile wall" -msgstr "Qualcuno scrive sulla bacheca del tuo profilo" - -#: ../../mod/settings.php:1176 -msgid "Someone writes a followup comment" -msgstr "Qualcuno scrive un commento a un tuo messaggio" - -#: ../../mod/settings.php:1177 -msgid "You receive a private message" -msgstr "Ricevi un messaggio privato" - -#: ../../mod/settings.php:1178 -msgid "You receive a friend suggestion" -msgstr "Hai ricevuto un suggerimento di amicizia" - -#: ../../mod/settings.php:1179 -msgid "You are tagged in a post" -msgstr "Sei stato taggato in un post" - -#: ../../mod/settings.php:1180 -msgid "You are poked/prodded/etc. in a post" -msgstr "Sei 'toccato'/'spronato'/ecc. in un post" - -#: ../../mod/settings.php:1183 -msgid "Advanced Account/Page Type Settings" -msgstr "Impostazioni avanzate Account/Tipo di pagina" - -#: ../../mod/settings.php:1184 -msgid "Change the behaviour of this account for special situations" -msgstr "Modifica il comportamento di questo account in situazioni speciali" - -#: ../../mod/settings.php:1187 -msgid "Relocate" -msgstr "Trasloca" - -#: ../../mod/settings.php:1188 +#: ../../mod/newmember.php:62 msgid "" -"If you have moved this profile from another server, and some of your " -"contacts don't receive your updates, try pushing this button." -msgstr "Se hai spostato questo profilo da un'altro server, e alcuni dei tuoi contatti non ricevono i tuoi aggiornamenti, prova a premere questo bottone." - -#: ../../mod/settings.php:1189 -msgid "Resend relocate message to contacts" -msgstr "Reinvia il messaggio di trasloco" - -#: ../../mod/profiles.php:37 -msgid "Profile deleted." -msgstr "Profilo elminato." - -#: ../../mod/profiles.php:55 ../../mod/profiles.php:89 -msgid "Profile-" -msgstr "Profilo-" - -#: ../../mod/profiles.php:74 ../../mod/profiles.php:117 -msgid "New profile created." -msgstr "Il nuovo profilo è stato creato." - -#: ../../mod/profiles.php:95 -msgid "Profile unavailable to clone." -msgstr "Impossibile duplicare il profilo." - -#: ../../mod/profiles.php:170 -msgid "Profile Name is required." -msgstr "Il nome profilo è obbligatorio ." - -#: ../../mod/profiles.php:321 -msgid "Marital Status" -msgstr "Stato civile" - -#: ../../mod/profiles.php:325 -msgid "Romantic Partner" -msgstr "Partner romantico" - -#: ../../mod/profiles.php:329 -msgid "Likes" -msgstr "Mi piace" - -#: ../../mod/profiles.php:333 -msgid "Dislikes" -msgstr "Non mi piace" - -#: ../../mod/profiles.php:337 -msgid "Work/Employment" -msgstr "Lavoro/Impiego" - -#: ../../mod/profiles.php:340 -msgid "Religion" -msgstr "Religione" - -#: ../../mod/profiles.php:344 -msgid "Political Views" -msgstr "Orientamento Politico" - -#: ../../mod/profiles.php:348 -msgid "Gender" -msgstr "Sesso" - -#: ../../mod/profiles.php:352 -msgid "Sexual Preference" -msgstr "Preferenza sessuale" - -#: ../../mod/profiles.php:356 -msgid "Homepage" -msgstr "Homepage" - -#: ../../mod/profiles.php:360 -msgid "Interests" -msgstr "Interessi" - -#: ../../mod/profiles.php:364 -msgid "Address" -msgstr "Indirizzo" - -#: ../../mod/profiles.php:371 -msgid "Location" -msgstr "Posizione" - -#: ../../mod/profiles.php:454 -msgid "Profile updated." -msgstr "Profilo aggiornato." - -#: ../../mod/profiles.php:525 -msgid " and " -msgstr "e " - -#: ../../mod/profiles.php:533 -msgid "public profile" -msgstr "profilo pubblico" - -#: ../../mod/profiles.php:536 -#, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "%1$s ha cambiato %2$s in “%3$s”" - -#: ../../mod/profiles.php:537 -#, php-format -msgid " - Visit %1$s's %2$s" -msgstr "- Visita %2$s di %1$s" - -#: ../../mod/profiles.php:540 -#, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "%1$s ha un %2$s aggiornato. Ha cambiato %3$s" - -#: ../../mod/profiles.php:615 -msgid "Hide contacts and friends:" -msgstr "" - -#: ../../mod/profiles.php:620 -msgid "Hide your contact/friend list from viewers of this profile?" -msgstr "Nascondi la tua lista di contatti/amici ai visitatori di questo profilo?" - -#: ../../mod/profiles.php:641 -msgid "Edit Profile Details" -msgstr "Modifica i dettagli del profilo" - -#: ../../mod/profiles.php:643 -msgid "Change Profile Photo" -msgstr "Cambia la foto del profilo" - -#: ../../mod/profiles.php:644 -msgid "View this profile" -msgstr "Visualizza questo profilo" - -#: ../../mod/profiles.php:645 -msgid "Create a new profile using these settings" -msgstr "Crea un nuovo profilo usando queste impostazioni" - -#: ../../mod/profiles.php:646 -msgid "Clone this profile" -msgstr "Clona questo profilo" - -#: ../../mod/profiles.php:647 -msgid "Delete this profile" -msgstr "Elimina questo profilo" - -#: ../../mod/profiles.php:648 -msgid "Profile Name:" -msgstr "Nome del profilo:" - -#: ../../mod/profiles.php:649 -msgid "Your Full Name:" -msgstr "Il tuo nome completo:" - -#: ../../mod/profiles.php:650 -msgid "Title/Description:" -msgstr "Breve descrizione (es. titolo, posizione, altro):" - -#: ../../mod/profiles.php:651 -msgid "Your Gender:" -msgstr "Il tuo sesso:" - -#: ../../mod/profiles.php:652 -#, php-format -msgid "Birthday (%s):" -msgstr "Compleanno (%s)" - -#: ../../mod/profiles.php:653 -msgid "Street Address:" -msgstr "Indirizzo (via/piazza):" - -#: ../../mod/profiles.php:654 -msgid "Locality/City:" -msgstr "Località:" - -#: ../../mod/profiles.php:655 -msgid "Postal/Zip Code:" -msgstr "CAP:" - -#: ../../mod/profiles.php:656 -msgid "Country:" -msgstr "Nazione:" - -#: ../../mod/profiles.php:657 -msgid "Region/State:" -msgstr "Regione/Stato:" - -#: ../../mod/profiles.php:658 -msgid " Marital Status:" -msgstr " Stato sentimentale:" - -#: ../../mod/profiles.php:659 -msgid "Who: (if applicable)" -msgstr "Con chi: (se possibile)" - -#: ../../mod/profiles.php:660 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "Esempio: cathy123, Cathy Williams, cathy@example.com" - -#: ../../mod/profiles.php:661 -msgid "Since [date]:" -msgstr "Dal [data]:" - -#: ../../mod/profiles.php:662 ../../include/profile_advanced.php:46 -msgid "Sexual Preference:" -msgstr "Preferenze sessuali:" - -#: ../../mod/profiles.php:663 -msgid "Homepage URL:" -msgstr "Homepage:" - -#: ../../mod/profiles.php:664 ../../include/profile_advanced.php:50 -msgid "Hometown:" -msgstr "Paese natale:" - -#: ../../mod/profiles.php:665 ../../include/profile_advanced.php:54 -msgid "Political Views:" -msgstr "Orientamento politico:" - -#: ../../mod/profiles.php:666 -msgid "Religious Views:" -msgstr "Orientamento religioso:" - -#: ../../mod/profiles.php:667 -msgid "Public Keywords:" -msgstr "Parole chiave visibili a tutti:" - -#: ../../mod/profiles.php:668 -msgid "Private Keywords:" -msgstr "Parole chiave private:" - -#: ../../mod/profiles.php:669 ../../include/profile_advanced.php:62 -msgid "Likes:" -msgstr "Mi piace:" - -#: ../../mod/profiles.php:670 ../../include/profile_advanced.php:64 -msgid "Dislikes:" -msgstr "Non mi piace:" - -#: ../../mod/profiles.php:671 -msgid "Example: fishing photography software" -msgstr "Esempio: pesca fotografia programmazione" - -#: ../../mod/profiles.php:672 -msgid "(Used for suggesting potential friends, can be seen by others)" -msgstr "(E' utilizzato per suggerire potenziali amici, può essere visto da altri)" - -#: ../../mod/profiles.php:673 -msgid "(Used for searching profiles, never shown to others)" -msgstr "(Usato per cercare tra i profili, non è mai visibile agli altri)" - -#: ../../mod/profiles.php:674 -msgid "Tell us about yourself..." -msgstr "Raccontaci di te..." - -#: ../../mod/profiles.php:675 -msgid "Hobbies/Interests" -msgstr "Hobby/interessi" - -#: ../../mod/profiles.php:676 -msgid "Contact information and Social Networks" -msgstr "Informazioni su contatti e social network" - -#: ../../mod/profiles.php:677 -msgid "Musical interests" -msgstr "Interessi musicali" - -#: ../../mod/profiles.php:678 -msgid "Books, literature" -msgstr "Libri, letteratura" - -#: ../../mod/profiles.php:679 -msgid "Television" -msgstr "Televisione" - -#: ../../mod/profiles.php:680 -msgid "Film/dance/culture/entertainment" -msgstr "Film/danza/cultura/intrattenimento" - -#: ../../mod/profiles.php:681 -msgid "Love/romance" -msgstr "Amore" - -#: ../../mod/profiles.php:682 -msgid "Work/employment" -msgstr "Lavoro/impiego" - -#: ../../mod/profiles.php:683 -msgid "School/education" -msgstr "Scuola/educazione" - -#: ../../mod/profiles.php:688 +"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 "Nel pannello laterale nella pagina \"Contatti\", ci sono diversi strumenti per trovare nuovi amici. Possiamo confrontare le persone per interessi, cercare le persone per nome e fornire suggerimenti basati sui tuoi contatti esistenti. Su un sito nuovo, i suggerimenti sono di solito presenti dopo 24 ore." + +#: ../../mod/newmember.php:70 +msgid "Group Your Contacts" +msgstr "Raggruppa i tuoi contatti" + +#: ../../mod/newmember.php:70 msgid "" -"This is your public profile.
It may " -"be visible to anybody using the internet." -msgstr "Questo è il tuo profilo publico.
Potrebbe essere visto da chiunque attraverso internet." +"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 "Quando avrai alcuni amici, organizzali in gruppi di conversazioni private dalla barra laterale della tua pagina Contatti. Potrai interagire privatamente con ogni gruppo nella tua pagina Rete" -#: ../../mod/profiles.php:737 -msgid "Edit/Manage Profiles" -msgstr "Modifica / Gestisci profili" +#: ../../mod/newmember.php:73 +msgid "Why Aren't My Posts Public?" +msgstr "Perchè i miei post non sono pubblici?" -#: ../../mod/group.php:29 -msgid "Group created." -msgstr "Gruppo creato." - -#: ../../mod/group.php:35 -msgid "Could not create group." -msgstr "Impossibile creare il gruppo." - -#: ../../mod/group.php:47 ../../mod/group.php:140 -msgid "Group not found." -msgstr "Gruppo non trovato." - -#: ../../mod/group.php:60 -msgid "Group name changed." -msgstr "Il nome del gruppo è cambiato." - -#: ../../mod/group.php:87 -msgid "Save Group" -msgstr "Salva gruppo" - -#: ../../mod/group.php:93 -msgid "Create a group of contacts/friends." -msgstr "Crea un gruppo di amici/contatti." - -#: ../../mod/group.php:94 ../../mod/group.php:180 -msgid "Group Name: " -msgstr "Nome del gruppo:" - -#: ../../mod/group.php:113 -msgid "Group removed." -msgstr "Gruppo rimosso." - -#: ../../mod/group.php:115 -msgid "Unable to remove group." -msgstr "Impossibile rimuovere il gruppo." - -#: ../../mod/group.php:179 -msgid "Group Editor" -msgstr "Modifica gruppo" - -#: ../../mod/group.php:192 -msgid "Members" -msgstr "Membri" - -#: ../../mod/group.php:224 ../../mod/profperm.php:105 -msgid "Click on a contact to add or remove." -msgstr "Clicca su un contatto per aggiungerlo o rimuoverlo." - -#: ../../mod/babel.php:17 -msgid "Source (bbcode) text:" -msgstr "Testo sorgente (bbcode):" - -#: ../../mod/babel.php:23 -msgid "Source (Diaspora) text to convert to BBcode:" -msgstr "Testo sorgente (da Diaspora) da convertire in BBcode:" - -#: ../../mod/babel.php:31 -msgid "Source input: " -msgstr "Sorgente:" - -#: ../../mod/babel.php:35 -msgid "bb2html (raw HTML): " -msgstr "bb2html (HTML grezzo):" - -#: ../../mod/babel.php:39 -msgid "bb2html: " -msgstr "bb2html:" - -#: ../../mod/babel.php:43 -msgid "bb2html2bb: " -msgstr "bb2html2bb: " - -#: ../../mod/babel.php:47 -msgid "bb2md: " -msgstr "bb2md: " - -#: ../../mod/babel.php:51 -msgid "bb2md2html: " -msgstr "bb2md2html: " - -#: ../../mod/babel.php:55 -msgid "bb2dia2bb: " -msgstr "bb2dia2bb: " - -#: ../../mod/babel.php:59 -msgid "bb2md2html2bb: " -msgstr "bb2md2html2bb: " - -#: ../../mod/babel.php:69 -msgid "Source input (Diaspora format): " -msgstr "Sorgente (formato Diaspora):" - -#: ../../mod/babel.php:74 -msgid "diaspora2bb: " -msgstr "diaspora2bb: " - -#: ../../mod/community.php:23 -msgid "Not available." -msgstr "Non disponibile." - -#: ../../mod/follow.php:27 -msgid "Contact added" -msgstr "Contatto aggiunto" - -#: ../../mod/notify.php:75 ../../mod/notifications.php:336 -msgid "No more system notifications." -msgstr "Nessuna nuova notifica di sistema." - -#: ../../mod/notify.php:79 ../../mod/notifications.php:340 -msgid "System Notifications" -msgstr "Notifiche di sistema" - -#: ../../mod/message.php:9 ../../include/nav.php:162 -msgid "New Message" -msgstr "Nuovo messaggio" - -#: ../../mod/message.php:67 -msgid "Unable to locate contact information." -msgstr "Impossibile trovare le informazioni del contatto." - -#: ../../mod/message.php:182 ../../mod/notifications.php:103 -#: ../../include/nav.php:159 -msgid "Messages" -msgstr "Messaggi" - -#: ../../mod/message.php:207 -msgid "Do you really want to delete this message?" -msgstr "Vuoi veramente cancellare questo messaggio?" - -#: ../../mod/message.php:227 -msgid "Message deleted." -msgstr "Messaggio eliminato." - -#: ../../mod/message.php:258 -msgid "Conversation removed." -msgstr "Conversazione rimossa." - -#: ../../mod/message.php:371 -msgid "No messages." -msgstr "Nessun messaggio." - -#: ../../mod/message.php:378 -#, php-format -msgid "Unknown sender - %s" -msgstr "Mittente sconosciuto - %s" - -#: ../../mod/message.php:381 -#, php-format -msgid "You and %s" -msgstr "Tu e %s" - -#: ../../mod/message.php:384 -#, php-format -msgid "%s and You" -msgstr "%s e Tu" - -#: ../../mod/message.php:405 ../../mod/message.php:546 -msgid "Delete conversation" -msgstr "Elimina la conversazione" - -#: ../../mod/message.php:408 -msgid "D, d M Y - g:i A" -msgstr "D d M Y - G:i" - -#: ../../mod/message.php:411 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "%d messaggio" -msgstr[1] "%d messaggi" - -#: ../../mod/message.php:450 -msgid "Message not available." -msgstr "Messaggio non disponibile." - -#: ../../mod/message.php:520 -msgid "Delete message" -msgstr "Elimina il messaggio" - -#: ../../mod/message.php:548 +#: ../../mod/newmember.php:73 msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente." +"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 rispetta la tua provacy. Per impostazione predefinita, i tuoi post sono mostrati solo alle persone che hai aggiunto come amici. Per maggiori informazioni guarda la sezione della guida dal link qui sopra." -#: ../../mod/message.php:552 -msgid "Send Reply" -msgstr "Invia la risposta" +#: ../../mod/newmember.php:78 +msgid "Getting Help" +msgstr "Ottenere Aiuto" -#: ../../mod/like.php:168 ../../include/conversation.php:140 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "A %1$s non piace %3$s di %2$s" +#: ../../mod/newmember.php:82 +msgid "Go to the Help Section" +msgstr "Vai alla sezione Guida" -#: ../../mod/oexchange.php:25 -msgid "Post successful." -msgstr "Inviato!" - -#: ../../mod/localtime.php:12 ../../include/event.php:11 -#: ../../include/bb2diaspora.php:134 -msgid "l F d, Y \\@ g:i A" -msgstr "l d F Y \\@ G:i" - -#: ../../mod/localtime.php:24 -msgid "Time Conversion" -msgstr "Conversione Ora" - -#: ../../mod/localtime.php:26 +#: ../../mod/newmember.php:82 msgid "" -"Friendica provides this service for sharing events with other networks and " -"friends in unknown timezones." -msgstr "Friendica fornisce questo servizio per la condivisione di eventi con altre reti e amici in fusi orari sconosciuti." - -#: ../../mod/localtime.php:30 -#, php-format -msgid "UTC time: %s" -msgstr "Ora UTC: %s" - -#: ../../mod/localtime.php:33 -#, php-format -msgid "Current timezone: %s" -msgstr "Fuso orario corrente: %s" - -#: ../../mod/localtime.php:36 -#, php-format -msgid "Converted localtime: %s" -msgstr "Ora locale convertita: %s" - -#: ../../mod/localtime.php:41 -msgid "Please select your timezone:" -msgstr "Selezionare il tuo fuso orario:" - -#: ../../mod/filer.php:30 ../../include/conversation.php:1005 -#: ../../include/conversation.php:1023 -msgid "Save to Folder:" -msgstr "Salva nella Cartella:" - -#: ../../mod/filer.php:30 -msgid "- select -" -msgstr "- seleziona -" - -#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 -msgid "Invalid profile identifier." -msgstr "Indentificativo del profilo non valido." - -#: ../../mod/profperm.php:101 -msgid "Profile Visibility Editor" -msgstr "Modifica visibilità del profilo" - -#: ../../mod/profperm.php:114 -msgid "Visible To" -msgstr "Visibile a" - -#: ../../mod/profperm.php:130 -msgid "All Contacts (with secure profile access)" -msgstr "Tutti i contatti (con profilo ad accesso sicuro)" - -#: ../../mod/viewcontacts.php:39 -msgid "No contacts." -msgstr "Nessun contatto." - -#: ../../mod/viewcontacts.php:76 ../../include/text.php:875 -msgid "View Contacts" -msgstr "Visualizza i contatti" - -#: ../../mod/dirfind.php:26 -msgid "People Search" -msgstr "Cerca persone" - -#: ../../mod/dirfind.php:60 ../../mod/match.php:65 -msgid "No matches" -msgstr "Nessun risultato" - -#: ../../mod/photos.php:67 ../../mod/photos.php:1228 ../../mod/photos.php:1817 -msgid "Upload New Photos" -msgstr "Carica nuove foto" - -#: ../../mod/photos.php:144 -msgid "Contact information unavailable" -msgstr "I dati di questo contatto non sono disponibili" - -#: ../../mod/photos.php:165 -msgid "Album not found." -msgstr "Album non trovato." - -#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1206 -msgid "Delete Album" -msgstr "Rimuovi album" - -#: ../../mod/photos.php:198 -msgid "Do you really want to delete this photo album and all its photos?" -msgstr "Vuoi davvero cancellare questo album e tutte le sue foto?" - -#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1513 -msgid "Delete Photo" -msgstr "Rimuovi foto" - -#: ../../mod/photos.php:287 -msgid "Do you really want to delete this photo?" -msgstr "Vuoi veramente cancellare questa foto?" - -#: ../../mod/photos.php:662 -#, php-format -msgid "%1$s was tagged in %2$s by %3$s" -msgstr "%1$s è stato taggato in %2$s da %3$s" - -#: ../../mod/photos.php:662 -msgid "a photo" -msgstr "una foto" - -#: ../../mod/photos.php:767 -msgid "Image exceeds size limit of " -msgstr "L'immagine supera il limite di" - -#: ../../mod/photos.php:775 -msgid "Image file is empty." -msgstr "Il file dell'immagine è vuoto." - -#: ../../mod/photos.php:807 ../../mod/wall_upload.php:112 -#: ../../mod/profile_photo.php:153 -msgid "Unable to process image." -msgstr "Impossibile caricare l'immagine." - -#: ../../mod/photos.php:834 ../../mod/wall_upload.php:138 -#: ../../mod/profile_photo.php:301 -msgid "Image upload failed." -msgstr "Caricamento immagine fallito." - -#: ../../mod/photos.php:930 -msgid "No photos selected" -msgstr "Nessuna foto selezionata" - -#: ../../mod/photos.php:1031 ../../mod/videos.php:226 -msgid "Access to this item is restricted." -msgstr "Questo oggetto non è visibile a tutti." - -#: ../../mod/photos.php:1094 -#, php-format -msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." -msgstr "Hai usato %1$.2f MBytes su %2$.2f disponibili." - -#: ../../mod/photos.php:1129 -msgid "Upload Photos" -msgstr "Carica foto" - -#: ../../mod/photos.php:1133 ../../mod/photos.php:1201 -msgid "New album name: " -msgstr "Nome nuovo album: " - -#: ../../mod/photos.php:1134 -msgid "or existing album name: " -msgstr "o nome di un album esistente: " - -#: ../../mod/photos.php:1135 -msgid "Do not show a status post for this upload" -msgstr "Non creare un post per questo upload" - -#: ../../mod/photos.php:1137 ../../mod/photos.php:1508 -msgid "Permissions" -msgstr "Permessi" - -#: ../../mod/photos.php:1148 -msgid "Private Photo" -msgstr "Foto privata" - -#: ../../mod/photos.php:1149 -msgid "Public Photo" -msgstr "Foto pubblica" - -#: ../../mod/photos.php:1216 -msgid "Edit Album" -msgstr "Modifica album" - -#: ../../mod/photos.php:1222 -msgid "Show Newest First" -msgstr "Mostra nuove foto per prime" - -#: ../../mod/photos.php:1224 -msgid "Show Oldest First" -msgstr "Mostra vecchie foto per prime" - -#: ../../mod/photos.php:1257 ../../mod/photos.php:1800 -msgid "View Photo" -msgstr "Vedi foto" - -#: ../../mod/photos.php:1292 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Permesso negato. L'accesso a questo elemento può essere limitato." - -#: ../../mod/photos.php:1294 -msgid "Photo not available" -msgstr "Foto non disponibile" - -#: ../../mod/photos.php:1350 -msgid "View photo" -msgstr "Vedi foto" - -#: ../../mod/photos.php:1350 -msgid "Edit photo" -msgstr "Modifica foto" - -#: ../../mod/photos.php:1351 -msgid "Use as profile photo" -msgstr "Usa come foto del profilo" - -#: ../../mod/photos.php:1376 -msgid "View Full Size" -msgstr "Vedi dimensione intera" - -#: ../../mod/photos.php:1455 -msgid "Tags: " -msgstr "Tag: " - -#: ../../mod/photos.php:1458 -msgid "[Remove any tag]" -msgstr "[Rimuovi tutti i tag]" - -#: ../../mod/photos.php:1498 -msgid "Rotate CW (right)" -msgstr "Ruota a destra" - -#: ../../mod/photos.php:1499 -msgid "Rotate CCW (left)" -msgstr "Ruota a sinistra" - -#: ../../mod/photos.php:1501 -msgid "New album name" -msgstr "Nuovo nome dell'album" - -#: ../../mod/photos.php:1504 -msgid "Caption" -msgstr "Titolo" - -#: ../../mod/photos.php:1506 -msgid "Add a Tag" -msgstr "Aggiungi tag" - -#: ../../mod/photos.php:1510 -msgid "" -"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -msgstr "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" - -#: ../../mod/photos.php:1519 -msgid "Private photo" -msgstr "Foto privata" - -#: ../../mod/photos.php:1520 -msgid "Public photo" -msgstr "Foto pubblica" - -#: ../../mod/photos.php:1542 ../../include/conversation.php:1089 -msgid "Share" -msgstr "Condividi" - -#: ../../mod/photos.php:1806 ../../mod/videos.php:308 -msgid "View Album" -msgstr "Sfoglia l'album" - -#: ../../mod/photos.php:1815 -msgid "Recent Photos" -msgstr "Foto recenti" - -#: ../../mod/wall_attach.php:75 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" -msgstr "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta" - -#: ../../mod/wall_attach.php:75 -msgid "Or - did you try to upload an empty file?" -msgstr "O.. non avrai provato a caricare un file vuoto?" - -#: ../../mod/wall_attach.php:81 -#, php-format -msgid "File exceeds size limit of %d" -msgstr "Il file supera la dimensione massima di %d" - -#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 -msgid "File upload failed." -msgstr "Caricamento del file non riuscito." - -#: ../../mod/videos.php:125 -msgid "No videos selected" -msgstr "Nessun video selezionato" - -#: ../../mod/videos.php:301 ../../include/text.php:1401 -msgid "View Video" -msgstr "Guarda Video" - -#: ../../mod/videos.php:317 -msgid "Recent Videos" -msgstr "Video Recenti" - -#: ../../mod/videos.php:319 -msgid "Upload New Videos" -msgstr "Carica Nuovo Video" +"Our help pages may be consulted for detail on other program" +" features and resources." +msgstr "Le nostre pagine della guida possono essere consultate per avere dettagli su altre caratteristiche del programma e altre risorse." #: ../../mod/poke.php:192 msgid "Poke/Prod" @@ -5047,52 +7458,140 @@ msgstr "Scegli cosa vuoi fare al destinatario" msgid "Make this post private" msgstr "Rendi questo post privato" +#: ../../mod/prove.php:93 +msgid "" +"\n" +"\t\tDear $[username],\n" +"\t\t\tYour password has been changed as requested. Please retain this\n" +"\t\tinformation for your records (or change your password immediately to\n" +"\t\tsomething that you will remember).\n" +"\t" +msgstr "" + +#: ../../mod/display.php:452 +msgid "Item has been removed." +msgstr "L'oggetto è stato rimosso." + #: ../../mod/subthread.php:103 #, php-format msgid "%1$s is following %2$s's %3$s" msgstr "%1$s sta seguendo %3$s di %2$s" -#: ../../mod/uexport.php:77 -msgid "Export account" -msgstr "Esporta account" - -#: ../../mod/uexport.php:77 -msgid "" -"Export your account info and contacts. Use this to make a backup of your " -"account and/or to move it to another server." -msgstr "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server." - -#: ../../mod/uexport.php:78 -msgid "Export all" -msgstr "Esporta tutto" - -#: ../../mod/uexport.php:78 -msgid "" -"Export your accout info, contacts and all your items as json. Could be a " -"very big file, and could take a lot of time. Use this to make a full backup " -"of your account (photos are not exported)" -msgstr "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)" - -#: ../../mod/common.php:42 -msgid "Common Friends" -msgstr "Amici in comune" - -#: ../../mod/common.php:78 -msgid "No contacts in common." -msgstr "Nessun contatto in comune." - -#: ../../mod/wall_upload.php:90 ../../mod/profile_photo.php:144 +#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 #, php-format -msgid "Image exceeds size limit of %d" -msgstr "La dimensione dell'immagine supera il limite di %d" +msgid "%1$s welcomes %2$s" +msgstr "%s dà il benvenuto a %s" -#: ../../mod/wall_upload.php:135 ../../mod/wall_upload.php:144 -#: ../../mod/wall_upload.php:151 ../../mod/item.php:463 -#: ../../include/Photo.php:911 ../../include/Photo.php:926 -#: ../../include/Photo.php:933 ../../include/Photo.php:955 -#: ../../include/message.php:144 -msgid "Wall Photos" -msgstr "Foto della bacheca" +#: ../../mod/dfrn_confirm.php:121 +msgid "" +"This may occasionally happen if contact was requested by both persons and it" +" has already been approved." +msgstr "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata." + +#: ../../mod/dfrn_confirm.php:240 +msgid "Response from remote site was not understood." +msgstr "Errore di comunicazione con l'altro sito." + +#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 +msgid "Unexpected response from remote site: " +msgstr "La risposta dell'altro sito non può essere gestita: " + +#: ../../mod/dfrn_confirm.php:263 +msgid "Confirmation completed successfully." +msgstr "Conferma completata con successo." + +#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 +#: ../../mod/dfrn_confirm.php:286 +msgid "Remote site reported: " +msgstr "Il sito remoto riporta: " + +#: ../../mod/dfrn_confirm.php:277 +msgid "Temporary failure. Please wait and try again." +msgstr "Problema temporaneo. Attendi e riprova." + +#: ../../mod/dfrn_confirm.php:284 +msgid "Introduction failed or was revoked." +msgstr "La presentazione ha generato un errore o è stata revocata." + +#: ../../mod/dfrn_confirm.php:429 +msgid "Unable to set contact photo." +msgstr "Impossibile impostare la foto del contatto." + +#: ../../mod/dfrn_confirm.php:571 +#, php-format +msgid "No user record found for '%s' " +msgstr "Nessun utente trovato '%s'" + +#: ../../mod/dfrn_confirm.php:581 +msgid "Our site encryption key is apparently messed up." +msgstr "La nostra chiave di criptazione del sito sembra essere corrotta." + +#: ../../mod/dfrn_confirm.php:592 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo." + +#: ../../mod/dfrn_confirm.php:613 +msgid "Contact record was not found for you on our site." +msgstr "Il contatto non è stato trovato sul nostro sito." + +#: ../../mod/dfrn_confirm.php:627 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "La chiave pubblica del sito non è disponibile per l'URL %s" + +#: ../../mod/dfrn_confirm.php:647 +msgid "" +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare." + +#: ../../mod/dfrn_confirm.php:658 +msgid "Unable to set your contact credentials on our system." +msgstr "Impossibile impostare le credenziali del tuo contatto sul nostro sistema." + +#: ../../mod/dfrn_confirm.php:725 +msgid "Unable to update your contact profile details on our system" +msgstr "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema" + +#: ../../mod/dfrn_confirm.php:797 +#, php-format +msgid "%1$s has joined %2$s" +msgstr "%1$s si è unito a %2$s" + +#: ../../mod/item.php:113 +msgid "Unable to locate original post." +msgstr "Impossibile trovare il messaggio originale." + +#: ../../mod/item.php:324 +msgid "Empty post discarded." +msgstr "Messaggio vuoto scartato." + +#: ../../mod/item.php:915 +msgid "System error. Post not saved." +msgstr "Errore di sistema. Messaggio non salvato." + +#: ../../mod/item.php:941 +#, php-format +msgid "" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica." + +#: ../../mod/item.php:943 +#, php-format +msgid "You may visit them online at %s" +msgstr "Puoi visitarli online su %s" + +#: ../../mod/item.php:944 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi." + +#: ../../mod/item.php:948 +#, php-format +msgid "%s posted an update." +msgstr "%s ha inviato un aggiornamento." #: ../../mod/profile_photo.php:44 msgid "Image uploaded but image cropping failed." @@ -5150,546 +7649,6 @@ msgstr "Finito" msgid "Image uploaded successfully." msgstr "Immagine caricata con successo." -#: ../../mod/apps.php:11 -msgid "Applications" -msgstr "Applicazioni" - -#: ../../mod/apps.php:14 -msgid "No installed applications." -msgstr "Nessuna applicazione installata." - -#: ../../mod/navigation.php:20 ../../include/nav.php:34 -msgid "Nothing new here" -msgstr "Niente di nuovo qui" - -#: ../../mod/navigation.php:24 ../../include/nav.php:38 -msgid "Clear notifications" -msgstr "Pulisci le notifiche" - -#: ../../mod/match.php:12 -msgid "Profile Match" -msgstr "Profili corrispondenti" - -#: ../../mod/match.php:20 -msgid "No keywords to match. Please add keywords to your default profile." -msgstr "Nessuna parola chiave per l'abbinamento. Aggiungi parole chiave al tuo profilo predefinito." - -#: ../../mod/match.php:57 -msgid "is interested in:" -msgstr "è interessato a:" - -#: ../../mod/tagrm.php:41 -msgid "Tag removed" -msgstr "Tag rimosso" - -#: ../../mod/tagrm.php:79 -msgid "Remove Item Tag" -msgstr "Rimuovi il tag" - -#: ../../mod/tagrm.php:81 -msgid "Select a tag to remove: " -msgstr "Seleziona un tag da rimuovere: " - -#: ../../mod/tagrm.php:93 ../../mod/delegate.php:133 -msgid "Remove" -msgstr "Rimuovi" - -#: ../../mod/events.php:66 -msgid "Event title and start time are required." -msgstr "Titolo e ora di inizio dell'evento sono richiesti." - -#: ../../mod/events.php:291 -msgid "l, F j" -msgstr "l j F" - -#: ../../mod/events.php:313 -msgid "Edit event" -msgstr "Modifca l'evento" - -#: ../../mod/events.php:335 ../../include/text.php:1643 -#: ../../include/text.php:1653 -msgid "link to source" -msgstr "Collegamento all'originale" - -#: ../../mod/events.php:371 -msgid "Create New Event" -msgstr "Crea un nuovo evento" - -#: ../../mod/events.php:372 -msgid "Previous" -msgstr "Precendente" - -#: ../../mod/events.php:446 -msgid "hour:minute" -msgstr "ora:minuti" - -#: ../../mod/events.php:456 -msgid "Event details" -msgstr "Dettagli dell'evento" - -#: ../../mod/events.php:457 -#, php-format -msgid "Format is %s %s. Starting date and Title are required." -msgstr "Il formato è %s %s. Data di inizio e Titolo sono richiesti." - -#: ../../mod/events.php:459 -msgid "Event Starts:" -msgstr "L'evento inizia:" - -#: ../../mod/events.php:459 ../../mod/events.php:473 -msgid "Required" -msgstr "Richiesto" - -#: ../../mod/events.php:462 -msgid "Finish date/time is not known or not relevant" -msgstr "La data/ora di fine non è definita" - -#: ../../mod/events.php:464 -msgid "Event Finishes:" -msgstr "L'evento finisce:" - -#: ../../mod/events.php:467 -msgid "Adjust for viewer timezone" -msgstr "Visualizza con il fuso orario di chi legge" - -#: ../../mod/events.php:469 -msgid "Description:" -msgstr "Descrizione:" - -#: ../../mod/events.php:473 -msgid "Title:" -msgstr "Titolo:" - -#: ../../mod/events.php:475 -msgid "Share this event" -msgstr "Condividi questo evento" - -#: ../../mod/delegate.php:95 -msgid "No potential page delegates located." -msgstr "Nessun potenziale delegato per la pagina è stato trovato." - -#: ../../mod/delegate.php:124 ../../include/nav.php:168 -msgid "Delegate Page Management" -msgstr "Gestione delegati per la pagina" - -#: ../../mod/delegate.php:126 -msgid "" -"Delegates are able to manage all aspects of this account/page except for " -"basic account settings. Please do not delegate your personal account to " -"anybody that you do not trust completely." -msgstr "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente." - -#: ../../mod/delegate.php:127 -msgid "Existing Page Managers" -msgstr "Gestori Pagina Esistenti" - -#: ../../mod/delegate.php:129 -msgid "Existing Page Delegates" -msgstr "Delegati Pagina Esistenti" - -#: ../../mod/delegate.php:131 -msgid "Potential Delegates" -msgstr "Delegati Potenziali" - -#: ../../mod/delegate.php:134 -msgid "Add" -msgstr "Aggiungi" - -#: ../../mod/delegate.php:135 -msgid "No entries." -msgstr "Nessun articolo." - -#: ../../mod/nogroup.php:59 -msgid "Contacts who are not members of a group" -msgstr "Contatti che non sono membri di un gruppo" - -#: ../../mod/fbrowser.php:113 -msgid "Files" -msgstr "File" - -#: ../../mod/maintenance.php:5 -msgid "System down for maintenance" -msgstr "Sistema in manutenzione" - -#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 -msgid "Remove My Account" -msgstr "Rimuovi il mio account" - -#: ../../mod/removeme.php:47 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo." - -#: ../../mod/removeme.php:48 -msgid "Please enter your password for verification:" -msgstr "Inserisci la tua password per verifica:" - -#: ../../mod/fsuggest.php:63 -msgid "Friend suggestion sent." -msgstr "Suggerimento di amicizia inviato." - -#: ../../mod/fsuggest.php:97 -msgid "Suggest Friends" -msgstr "Suggerisci amici" - -#: ../../mod/fsuggest.php:99 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Suggerisci un amico a %s" - -#: ../../mod/item.php:113 -msgid "Unable to locate original post." -msgstr "Impossibile trovare il messaggio originale." - -#: ../../mod/item.php:324 -msgid "Empty post discarded." -msgstr "Messaggio vuoto scartato." - -#: ../../mod/item.php:918 -msgid "System error. Post not saved." -msgstr "Errore di sistema. Messaggio non salvato." - -#: ../../mod/item.php:945 -#, php-format -msgid "" -"This message was sent to you by %s, a member of the Friendica social " -"network." -msgstr "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica." - -#: ../../mod/item.php:947 -#, php-format -msgid "You may visit them online at %s" -msgstr "Puoi visitarli online su %s" - -#: ../../mod/item.php:948 -msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi." - -#: ../../mod/item.php:952 -#, php-format -msgid "%s posted an update." -msgstr "%s ha inviato un aggiornamento." - -#: ../../mod/ping.php:238 -msgid "{0} wants to be your friend" -msgstr "{0} vuole essere tuo amico" - -#: ../../mod/ping.php:243 -msgid "{0} sent you a message" -msgstr "{0} ti ha inviato un messaggio" - -#: ../../mod/ping.php:248 -msgid "{0} requested registration" -msgstr "{0} chiede la registrazione" - -#: ../../mod/ping.php:254 -#, php-format -msgid "{0} commented %s's post" -msgstr "{0} ha commentato il post di %s" - -#: ../../mod/ping.php:259 -#, php-format -msgid "{0} liked %s's post" -msgstr "a {0} piace il post di %s" - -#: ../../mod/ping.php:264 -#, php-format -msgid "{0} disliked %s's post" -msgstr "a {0} non piace il post di %s" - -#: ../../mod/ping.php:269 -#, php-format -msgid "{0} is now friends with %s" -msgstr "{0} ora è amico di %s" - -#: ../../mod/ping.php:274 -msgid "{0} posted" -msgstr "{0} ha inviato un nuovo messaggio" - -#: ../../mod/ping.php:279 -#, php-format -msgid "{0} tagged %s's post with #%s" -msgstr "{0} ha taggato il post di %s con #%s" - -#: ../../mod/ping.php:285 -msgid "{0} mentioned you in a post" -msgstr "{0} ti ha citato in un post" - -#: ../../mod/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "Errore protocollo OpenID. Nessun ID ricevuto." - -#: ../../mod/openid.php:53 -msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito." - -#: ../../mod/openid.php:93 ../../include/auth.php:112 -#: ../../include/auth.php:175 -msgid "Login failed." -msgstr "Accesso fallito." - -#: ../../mod/notifications.php:26 -msgid "Invalid request identifier." -msgstr "L'identificativo della richiesta non è valido." - -#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 -#: ../../mod/notifications.php:211 -msgid "Discard" -msgstr "Scarta" - -#: ../../mod/notifications.php:78 -msgid "System" -msgstr "Sistema" - -#: ../../mod/notifications.php:83 ../../include/nav.php:143 -msgid "Network" -msgstr "Rete" - -#: ../../mod/notifications.php:98 ../../include/nav.php:152 -msgid "Introductions" -msgstr "Presentazioni" - -#: ../../mod/notifications.php:122 -msgid "Show Ignored Requests" -msgstr "Mostra richieste ignorate" - -#: ../../mod/notifications.php:122 -msgid "Hide Ignored Requests" -msgstr "Nascondi richieste ignorate" - -#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 -msgid "Notification type: " -msgstr "Tipo di notifica: " - -#: ../../mod/notifications.php:150 -msgid "Friend Suggestion" -msgstr "Amico suggerito" - -#: ../../mod/notifications.php:152 -#, php-format -msgid "suggested by %s" -msgstr "sugerito da %s" - -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "Post a new friend activity" -msgstr "Invia una attività \"è ora amico con\"" - -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "if applicable" -msgstr "se applicabile" - -#: ../../mod/notifications.php:181 -msgid "Claims to be known to you: " -msgstr "Dice di conoscerti: " - -#: ../../mod/notifications.php:181 -msgid "yes" -msgstr "si" - -#: ../../mod/notifications.php:181 -msgid "no" -msgstr "no" - -#: ../../mod/notifications.php:188 -msgid "Approve as: " -msgstr "Approva come: " - -#: ../../mod/notifications.php:189 -msgid "Friend" -msgstr "Amico" - -#: ../../mod/notifications.php:190 -msgid "Sharer" -msgstr "Condivisore" - -#: ../../mod/notifications.php:190 -msgid "Fan/Admirer" -msgstr "Fan/Ammiratore" - -#: ../../mod/notifications.php:196 -msgid "Friend/Connect Request" -msgstr "Richiesta amicizia/connessione" - -#: ../../mod/notifications.php:196 -msgid "New Follower" -msgstr "Qualcuno inizia a seguirti" - -#: ../../mod/notifications.php:217 -msgid "No introductions." -msgstr "Nessuna presentazione." - -#: ../../mod/notifications.php:220 ../../include/nav.php:153 -msgid "Notifications" -msgstr "Notifiche" - -#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 -#: ../../mod/notifications.php:478 -#, php-format -msgid "%s liked %s's post" -msgstr "a %s è piaciuto il messaggio di %s" - -#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 -#: ../../mod/notifications.php:488 -#, php-format -msgid "%s disliked %s's post" -msgstr "a %s non è piaciuto il messaggio di %s" - -#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 -#: ../../mod/notifications.php:503 -#, php-format -msgid "%s is now friends with %s" -msgstr "%s è ora amico di %s" - -#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 -#, php-format -msgid "%s created a new post" -msgstr "%s a creato un nuovo messaggio" - -#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 -#: ../../mod/notifications.php:513 -#, php-format -msgid "%s commented on %s's post" -msgstr "%s ha commentato il messaggio di %s" - -#: ../../mod/notifications.php:306 -msgid "No more network notifications." -msgstr "Nessuna nuova." - -#: ../../mod/notifications.php:310 -msgid "Network Notifications" -msgstr "Notifiche dalla rete" - -#: ../../mod/notifications.php:435 -msgid "No more personal notifications." -msgstr "Nessuna nuova." - -#: ../../mod/notifications.php:439 -msgid "Personal Notifications" -msgstr "Notifiche personali" - -#: ../../mod/notifications.php:520 -msgid "No more home notifications." -msgstr "Nessuna nuova." - -#: ../../mod/notifications.php:524 -msgid "Home Notifications" -msgstr "Notifiche bacheca" - -#: ../../mod/invite.php:27 -msgid "Total invitation limit exceeded." -msgstr "Limite totale degli inviti superato." - -#: ../../mod/invite.php:49 -#, php-format -msgid "%s : Not a valid email address." -msgstr "%s: non è un indirizzo email valido." - -#: ../../mod/invite.php:73 -msgid "Please join us on Friendica" -msgstr "Unisiciti a noi su Friendica" - -#: ../../mod/invite.php:84 -msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "Limite degli inviti superato. Contatta l'amministratore del tuo sito." - -#: ../../mod/invite.php:89 -#, php-format -msgid "%s : Message delivery failed." -msgstr "%s: la consegna del messaggio fallita." - -#: ../../mod/invite.php:93 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d messaggio inviato." -msgstr[1] "%d messaggi inviati." - -#: ../../mod/invite.php:112 -msgid "You have no more invitations available" -msgstr "Non hai altri inviti disponibili" - -#: ../../mod/invite.php:120 -#, php-format -msgid "" -"Visit %s for a list of public sites that you can join. Friendica members on " -"other sites can all connect with each other, as well as with members of many" -" other social networks." -msgstr "Visita %s per una lista di siti pubblici a cui puoi iscriverti. I membri Friendica su altri siti possono collegarsi uno con l'altro, come con membri di molti altri social network." - -#: ../../mod/invite.php:122 -#, php-format -msgid "" -"To accept this invitation, please visit and register at %s or any other " -"public Friendica website." -msgstr "Per accettare questo invito, visita e resitrati su %s o su un'altro sito web Friendica aperto al pubblico." - -#: ../../mod/invite.php:123 -#, php-format -msgid "" -"Friendica sites all inter-connect to create a huge privacy-enhanced social " -"web that is owned and controlled by its members. They can also connect with " -"many traditional social networks. See %s for a list of alternate Friendica " -"sites you can join." -msgstr "I siti Friendica son tutti collegati tra loro per creare una grossa rete sociale rispettosa della privacy, posseduta e controllata dai suoi membri. I siti Friendica possono anche collegarsi a molti altri social network tradizionali. Vai su %s per una lista di siti Friendica alternativi a cui puoi iscriverti." - -#: ../../mod/invite.php:126 -msgid "" -"Our apologies. This system is not currently configured to connect with other" -" public sites or invite members." -msgstr "Ci scusiamo, questo sistema non è configurato per collegarsi con altri siti pubblici o per invitare membri." - -#: ../../mod/invite.php:132 -msgid "Send invitations" -msgstr "Invia inviti" - -#: ../../mod/invite.php:133 -msgid "Enter email addresses, one per line:" -msgstr "Inserisci gli indirizzi email, uno per riga:" - -#: ../../mod/invite.php:135 -msgid "" -"You are cordially invited to join me and other close friends on Friendica - " -"and help us to create a better social web." -msgstr "Sei cordialmente invitato a unirti a me ed ad altri amici su Friendica, e ad aiutarci a creare una rete sociale migliore." - -#: ../../mod/invite.php:137 -msgid "You will need to supply this invitation code: $invite_code" -msgstr "Sarà necessario fornire questo codice invito: $invite_code" - -#: ../../mod/invite.php:137 -msgid "" -"Once you have registered, please connect with me via my profile page at:" -msgstr "Una volta registrato, connettiti con me dal mio profilo:" - -#: ../../mod/invite.php:139 -msgid "" -"For more information about the Friendica project and why we feel it is " -"important, please visit http://friendica.com" -msgstr "Per maggiori informazioni sul progetto Friendica e perchè pensiamo sia importante, visita http://friendica.com" - -#: ../../mod/manage.php:106 -msgid "Manage Identities and/or Pages" -msgstr "Gestisci indentità e/o pagine" - -#: ../../mod/manage.php:107 -msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione" - -#: ../../mod/manage.php:108 -msgid "Select an identity to manage: " -msgstr "Seleziona un'identità da gestire:" - -#: ../../mod/home.php:34 -#, php-format -msgid "Welcome to %s" -msgstr "Benvenuto su %s" - #: ../../mod/allfriends.php:34 #, php-format msgid "Friends of %s" @@ -5699,1774 +7658,47 @@ msgstr "Amici di %s" msgid "No friends to display." msgstr "Nessun amico da visualizzare." -#: ../../include/contact_widgets.php:6 -msgid "Add New Contact" -msgstr "Aggiungi nuovo contatto" +#: ../../mod/directory.php:59 +msgid "Find on this site" +msgstr "Cerca nel sito" -#: ../../include/contact_widgets.php:7 -msgid "Enter address or web location" -msgstr "Inserisci posizione o indirizzo web" +#: ../../mod/directory.php:62 +msgid "Site Directory" +msgstr "Elenco del sito" -#: ../../include/contact_widgets.php:8 -msgid "Example: bob@example.com, http://example.com/barbara" -msgstr "Esempio: bob@example.com, http://example.com/barbara" +#: ../../mod/directory.php:116 +msgid "Gender: " +msgstr "Genere:" -#: ../../include/contact_widgets.php:23 -#, php-format -msgid "%d invitation available" -msgid_plural "%d invitations available" -msgstr[0] "%d invito disponibile" -msgstr[1] "%d inviti disponibili" +#: ../../mod/directory.php:189 +msgid "No entries (some entries may be hidden)." +msgstr "Nessuna voce (qualche voce potrebbe essere nascosta)." -#: ../../include/contact_widgets.php:29 -msgid "Find People" -msgstr "Trova persone" +#: ../../mod/localtime.php:24 +msgid "Time Conversion" +msgstr "Conversione Ora" -#: ../../include/contact_widgets.php:30 -msgid "Enter name or interest" -msgstr "Inserisci un nome o un interesse" - -#: ../../include/contact_widgets.php:31 -msgid "Connect/Follow" -msgstr "Connetti/segui" - -#: ../../include/contact_widgets.php:32 -msgid "Examples: Robert Morgenstein, Fishing" -msgstr "Esempi: Mario Rossi, Pesca" - -#: ../../include/contact_widgets.php:36 -msgid "Random Profile" -msgstr "Profilo causale" - -#: ../../include/contact_widgets.php:70 -msgid "Networks" -msgstr "Reti" - -#: ../../include/contact_widgets.php:73 -msgid "All Networks" -msgstr "Tutte le Reti" - -#: ../../include/contact_widgets.php:103 ../../include/features.php:60 -msgid "Saved Folders" -msgstr "Cartelle Salvate" - -#: ../../include/contact_widgets.php:106 ../../include/contact_widgets.php:138 -msgid "Everything" -msgstr "Tutto" - -#: ../../include/contact_widgets.php:135 -msgid "Categories" -msgstr "Categorie" - -#: ../../include/plugin.php:455 ../../include/plugin.php:457 -msgid "Click here to upgrade." -msgstr "Clicca qui per aggiornare." - -#: ../../include/plugin.php:463 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "Questa azione eccede i limiti del tuo piano di sottoscrizione." - -#: ../../include/plugin.php:468 -msgid "This action is not available under your subscription plan." -msgstr "Questa azione non è disponibile nel tuo piano di sottoscrizione." - -#: ../../include/api.php:263 ../../include/api.php:274 -#: ../../include/api.php:375 -msgid "User not found." -msgstr "Utente non trovato." - -#: ../../include/api.php:1139 -msgid "There is no status with this id." -msgstr "Non c'è nessuno status con questo id." - -#: ../../include/api.php:1209 -msgid "There is no conversation with this id." -msgstr "Non c'è nessuna conversazione con questo id" - -#: ../../include/network.php:892 -msgid "view full size" -msgstr "vedi a schermo intero" - -#: ../../include/event.php:20 ../../include/bb2diaspora.php:140 -msgid "Starts:" -msgstr "Inizia:" - -#: ../../include/event.php:30 ../../include/bb2diaspora.php:148 -msgid "Finishes:" -msgstr "Finisce:" - -#: ../../include/dba_pdo.php:72 ../../include/dba.php:51 -#, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "Non trovo le informazioni DNS per il database server '%s'" - -#: ../../include/notifier.php:774 ../../include/delivery.php:456 -msgid "(no subject)" -msgstr "(nessun oggetto)" - -#: ../../include/notifier.php:784 ../../include/enotify.php:28 -#: ../../include/delivery.php:467 -msgid "noreply" -msgstr "nessuna risposta" - -#: ../../include/user.php:39 -msgid "An invitation is required." -msgstr "E' richiesto un invito." - -#: ../../include/user.php:44 -msgid "Invitation could not be verified." -msgstr "L'invito non puo' essere verificato." - -#: ../../include/user.php:52 -msgid "Invalid OpenID url" -msgstr "Url OpenID non valido" - -#: ../../include/user.php:66 ../../include/auth.php:128 +#: ../../mod/localtime.php:26 msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto." +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "Friendica fornisce questo servizio per la condivisione di eventi con altre reti e amici in fusi orari sconosciuti." -#: ../../include/user.php:66 ../../include/auth.php:128 -msgid "The error message was:" -msgstr "Il messaggio riportato era:" - -#: ../../include/user.php:73 -msgid "Please enter the required information." -msgstr "Inserisci le informazioni richieste." - -#: ../../include/user.php:87 -msgid "Please use a shorter name." -msgstr "Usa un nome più corto." - -#: ../../include/user.php:89 -msgid "Name too short." -msgstr "Il nome è troppo corto." - -#: ../../include/user.php:104 -msgid "That doesn't appear to be your full (First Last) name." -msgstr "Questo non sembra essere il tuo nome completo (Nome Cognome)." - -#: ../../include/user.php:109 -msgid "Your email domain is not among those allowed on this site." -msgstr "Il dominio della tua email non è tra quelli autorizzati su questo sito." - -#: ../../include/user.php:112 -msgid "Not a valid email address." -msgstr "L'indirizzo email non è valido." - -#: ../../include/user.php:125 -msgid "Cannot use that email." -msgstr "Non puoi usare quell'email." - -#: ../../include/user.php:131 -msgid "" -"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " -"must also begin with a letter." -msgstr "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera." - -#: ../../include/user.php:137 ../../include/user.php:235 -msgid "Nickname is already registered. Please choose another." -msgstr "Nome utente già registrato. Scegline un altro." - -#: ../../include/user.php:147 -msgid "" -"Nickname was once registered here and may not be re-used. Please choose " -"another." -msgstr "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo." - -#: ../../include/user.php:163 -msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita." - -#: ../../include/user.php:221 -msgid "An error occurred during registration. Please try again." -msgstr "C'è stato un errore durante la registrazione. Prova ancora." - -#: ../../include/user.php:256 -msgid "An error occurred creating your default profile. Please try again." -msgstr "C'è stato un errore nella creazione del tuo profilo. Prova ancora." - -#: ../../include/user.php:288 ../../include/user.php:292 -#: ../../include/profile_selectors.php:42 -msgid "Friends" -msgstr "Amici" - -#: ../../include/conversation.php:207 +#: ../../mod/localtime.php:30 #, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s ha stuzzicato %2$s" +msgid "UTC time: %s" +msgstr "Ora UTC: %s" -#: ../../include/conversation.php:211 ../../include/text.php:1004 -msgid "poked" -msgstr "toccato" - -#: ../../include/conversation.php:291 -msgid "post/item" -msgstr "post/elemento" - -#: ../../include/conversation.php:292 +#: ../../mod/localtime.php:33 #, php-format -msgid "%1$s marked %2$s's %3$s as favorite" -msgstr "%1$s ha segnato il/la %3$s di %2$s come preferito" +msgid "Current timezone: %s" +msgstr "Fuso orario corrente: %s" -#: ../../include/conversation.php:771 -msgid "remove" -msgstr "rimuovi" - -#: ../../include/conversation.php:775 -msgid "Delete Selected Items" -msgstr "Cancella elementi selezionati" - -#: ../../include/conversation.php:874 -msgid "Follow Thread" -msgstr "Segui la discussione" - -#: ../../include/conversation.php:875 ../../include/Contact.php:229 -msgid "View Status" -msgstr "Visualizza stato" - -#: ../../include/conversation.php:876 ../../include/Contact.php:230 -msgid "View Profile" -msgstr "Visualizza profilo" - -#: ../../include/conversation.php:877 ../../include/Contact.php:231 -msgid "View Photos" -msgstr "Visualizza foto" - -#: ../../include/conversation.php:878 ../../include/Contact.php:232 -#: ../../include/Contact.php:255 -msgid "Network Posts" -msgstr "Post della Rete" - -#: ../../include/conversation.php:879 ../../include/Contact.php:233 -#: ../../include/Contact.php:255 -msgid "Edit Contact" -msgstr "Modifica contatti" - -#: ../../include/conversation.php:880 ../../include/Contact.php:235 -#: ../../include/Contact.php:255 -msgid "Send PM" -msgstr "Invia messaggio privato" - -#: ../../include/conversation.php:881 ../../include/Contact.php:228 -msgid "Poke" -msgstr "Stuzzica" - -#: ../../include/conversation.php:943 +#: ../../mod/localtime.php:36 #, php-format -msgid "%s likes this." -msgstr "Piace a %s." +msgid "Converted localtime: %s" +msgstr "Ora locale convertita: %s" -#: ../../include/conversation.php:943 -#, php-format -msgid "%s doesn't like this." -msgstr "Non piace a %s." - -#: ../../include/conversation.php:948 -#, php-format -msgid "%2$d people like this" -msgstr "Piace a %2$d persone." - -#: ../../include/conversation.php:951 -#, php-format -msgid "%2$d people don't like this" -msgstr "Non piace a %2$d persone." - -#: ../../include/conversation.php:965 -msgid "and" -msgstr "e" - -#: ../../include/conversation.php:971 -#, php-format -msgid ", and %d other people" -msgstr "e altre %d persone" - -#: ../../include/conversation.php:973 -#, php-format -msgid "%s like this." -msgstr "Piace a %s." - -#: ../../include/conversation.php:973 -#, php-format -msgid "%s don't like this." -msgstr "Non piace a %s." - -#: ../../include/conversation.php:1000 ../../include/conversation.php:1018 -msgid "Visible to everybody" -msgstr "Visibile a tutti" - -#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 -msgid "Please enter a video link/URL:" -msgstr "Inserisci un collegamento video / URL:" - -#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 -msgid "Please enter an audio link/URL:" -msgstr "Inserisci un collegamento audio / URL:" - -#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 -msgid "Tag term:" -msgstr "Tag:" - -#: ../../include/conversation.php:1006 ../../include/conversation.php:1024 -msgid "Where are you right now?" -msgstr "Dove sei ora?" - -#: ../../include/conversation.php:1007 -msgid "Delete item(s)?" -msgstr "Cancellare questo elemento/i?" - -#: ../../include/conversation.php:1050 -msgid "Post to Email" -msgstr "Invia a email" - -#: ../../include/conversation.php:1055 -#, php-format -msgid "Connectors disabled, since \"%s\" is enabled." -msgstr "Connettore disabilitato, dato che \"%s\" è abilitato." - -#: ../../include/conversation.php:1110 -msgid "permissions" -msgstr "permessi" - -#: ../../include/conversation.php:1134 -msgid "Post to Groups" -msgstr "Invia ai Gruppi" - -#: ../../include/conversation.php:1135 -msgid "Post to Contacts" -msgstr "Invia ai Contatti" - -#: ../../include/conversation.php:1136 -msgid "Private post" -msgstr "Post privato" - -#: ../../include/auth.php:38 -msgid "Logged out." -msgstr "Uscita effettuata." - -#: ../../include/uimport.php:94 -msgid "Error decoding account file" -msgstr "Errore decodificando il file account" - -#: ../../include/uimport.php:100 -msgid "Error! No version data in file! This is not a Friendica account file?" -msgstr "Errore! Nessuna informazione di versione nel file! Potrebbe non essere un file account di Friendica?" - -#: ../../include/uimport.php:116 ../../include/uimport.php:127 -msgid "Error! Cannot check nickname" -msgstr "Errore! Non posso controllare il nickname" - -#: ../../include/uimport.php:120 ../../include/uimport.php:131 -#, php-format -msgid "User '%s' already exists on this server!" -msgstr "L'utente '%s' esiste già su questo server!" - -#: ../../include/uimport.php:153 -msgid "User creation error" -msgstr "Errore creando l'utente" - -#: ../../include/uimport.php:171 -msgid "User profile creation error" -msgstr "Errore creando il profile dell'utente" - -#: ../../include/uimport.php:220 -#, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" -msgstr[0] "%d contatto non importato" -msgstr[1] "%d contatti non importati" - -#: ../../include/uimport.php:290 -msgid "Done. You can now login with your username and password" -msgstr "Fatto. Ora puoi entrare con il tuo nome utente e la tua password" - -#: ../../include/text.php:296 -msgid "newer" -msgstr "nuovi" - -#: ../../include/text.php:298 -msgid "older" -msgstr "vecchi" - -#: ../../include/text.php:303 -msgid "prev" -msgstr "prec" - -#: ../../include/text.php:305 -msgid "first" -msgstr "primo" - -#: ../../include/text.php:337 -msgid "last" -msgstr "ultimo" - -#: ../../include/text.php:340 -msgid "next" -msgstr "succ" - -#: ../../include/text.php:854 -msgid "No contacts" -msgstr "Nessun contatto" - -#: ../../include/text.php:863 -#, php-format -msgid "%d Contact" -msgid_plural "%d Contacts" -msgstr[0] "%d contatto" -msgstr[1] "%d contatti" - -#: ../../include/text.php:1004 -msgid "poke" -msgstr "stuzzica" - -#: ../../include/text.php:1005 -msgid "ping" -msgstr "invia un ping" - -#: ../../include/text.php:1005 -msgid "pinged" -msgstr "inviato un ping" - -#: ../../include/text.php:1006 -msgid "prod" -msgstr "pungola" - -#: ../../include/text.php:1006 -msgid "prodded" -msgstr "pungolato" - -#: ../../include/text.php:1007 -msgid "slap" -msgstr "schiaffeggia" - -#: ../../include/text.php:1007 -msgid "slapped" -msgstr "schiaffeggiato" - -#: ../../include/text.php:1008 -msgid "finger" -msgstr "tocca" - -#: ../../include/text.php:1008 -msgid "fingered" -msgstr "toccato" - -#: ../../include/text.php:1009 -msgid "rebuff" -msgstr "respingi" - -#: ../../include/text.php:1009 -msgid "rebuffed" -msgstr "respinto" - -#: ../../include/text.php:1023 -msgid "happy" -msgstr "felice" - -#: ../../include/text.php:1024 -msgid "sad" -msgstr "triste" - -#: ../../include/text.php:1025 -msgid "mellow" -msgstr "rilassato" - -#: ../../include/text.php:1026 -msgid "tired" -msgstr "stanco" - -#: ../../include/text.php:1027 -msgid "perky" -msgstr "vivace" - -#: ../../include/text.php:1028 -msgid "angry" -msgstr "arrabbiato" - -#: ../../include/text.php:1029 -msgid "stupified" -msgstr "stupefatto" - -#: ../../include/text.php:1030 -msgid "puzzled" -msgstr "confuso" - -#: ../../include/text.php:1031 -msgid "interested" -msgstr "interessato" - -#: ../../include/text.php:1032 -msgid "bitter" -msgstr "risentito" - -#: ../../include/text.php:1033 -msgid "cheerful" -msgstr "giocoso" - -#: ../../include/text.php:1034 -msgid "alive" -msgstr "vivo" - -#: ../../include/text.php:1035 -msgid "annoyed" -msgstr "annoiato" - -#: ../../include/text.php:1036 -msgid "anxious" -msgstr "ansioso" - -#: ../../include/text.php:1037 -msgid "cranky" -msgstr "irritabile" - -#: ../../include/text.php:1038 -msgid "disturbed" -msgstr "disturbato" - -#: ../../include/text.php:1039 -msgid "frustrated" -msgstr "frustato" - -#: ../../include/text.php:1040 -msgid "motivated" -msgstr "motivato" - -#: ../../include/text.php:1041 -msgid "relaxed" -msgstr "rilassato" - -#: ../../include/text.php:1042 -msgid "surprised" -msgstr "sorpreso" - -#: ../../include/text.php:1210 -msgid "Monday" -msgstr "Lunedì" - -#: ../../include/text.php:1210 -msgid "Tuesday" -msgstr "Martedì" - -#: ../../include/text.php:1210 -msgid "Wednesday" -msgstr "Mercoledì" - -#: ../../include/text.php:1210 -msgid "Thursday" -msgstr "Giovedì" - -#: ../../include/text.php:1210 -msgid "Friday" -msgstr "Venerdì" - -#: ../../include/text.php:1210 -msgid "Saturday" -msgstr "Sabato" - -#: ../../include/text.php:1210 -msgid "Sunday" -msgstr "Domenica" - -#: ../../include/text.php:1214 -msgid "January" -msgstr "Gennaio" - -#: ../../include/text.php:1214 -msgid "February" -msgstr "Febbraio" - -#: ../../include/text.php:1214 -msgid "March" -msgstr "Marzo" - -#: ../../include/text.php:1214 -msgid "April" -msgstr "Aprile" - -#: ../../include/text.php:1214 -msgid "May" -msgstr "Maggio" - -#: ../../include/text.php:1214 -msgid "June" -msgstr "Giugno" - -#: ../../include/text.php:1214 -msgid "July" -msgstr "Luglio" - -#: ../../include/text.php:1214 -msgid "August" -msgstr "Agosto" - -#: ../../include/text.php:1214 -msgid "September" -msgstr "Settembre" - -#: ../../include/text.php:1214 -msgid "October" -msgstr "Ottobre" - -#: ../../include/text.php:1214 -msgid "November" -msgstr "Novembre" - -#: ../../include/text.php:1214 -msgid "December" -msgstr "Dicembre" - -#: ../../include/text.php:1433 -msgid "bytes" -msgstr "bytes" - -#: ../../include/text.php:1457 ../../include/text.php:1469 -msgid "Click to open/close" -msgstr "Clicca per aprire/chiudere" - -#: ../../include/text.php:1710 -msgid "Select an alternate language" -msgstr "Seleziona una diversa lingua" - -#: ../../include/text.php:1966 -msgid "activity" -msgstr "attività" - -#: ../../include/text.php:1969 -msgid "post" -msgstr "messaggio" - -#: ../../include/text.php:2137 -msgid "Item filed" -msgstr "Messaggio salvato" - -#: ../../include/enotify.php:16 -msgid "Friendica Notification" -msgstr "Notifica Friendica" - -#: ../../include/enotify.php:19 -msgid "Thank You," -msgstr "Grazie," - -#: ../../include/enotify.php:21 -#, php-format -msgid "%s Administrator" -msgstr "Amministratore %s" - -#: ../../include/enotify.php:40 -#, php-format -msgid "%s " -msgstr "%s " - -#: ../../include/enotify.php:44 -#, php-format -msgid "[Friendica:Notify] New mail received at %s" -msgstr "[Friendica:Notifica] Nuovo messaggio privato ricevuto su %s" - -#: ../../include/enotify.php:46 -#, 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:47 -#, php-format -msgid "%1$s sent you %2$s." -msgstr "%1$s ti ha inviato %2$s" - -#: ../../include/enotify.php:47 -msgid "a private message" -msgstr "un messaggio privato" - -#: ../../include/enotify.php:48 -#, php-format -msgid "Please visit %s to view and/or reply to your private messages." -msgstr "Visita %s per vedere e/o rispodere ai tuoi messaggi privati." - -#: ../../include/enotify.php:91 -#, php-format -msgid "%1$s commented on [url=%2$s]a %3$s[/url]" -msgstr "%1$s ha commentato [url=%2$s]%3$s[/url]" - -#: ../../include/enotify.php:98 -#, php-format -msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" -msgstr "%1$s ha commentato [url=%2$s]%4$s di %3$s[/url]" - -#: ../../include/enotify.php:106 -#, php-format -msgid "%1$s commented on [url=%2$s]your %3$s[/url]" -msgstr "%1$s ha commentato un [url=%2$s]tuo %3$s[/url]" - -#: ../../include/enotify.php:116 -#, php-format -msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" -msgstr "[Friendica:Notifica] Commento di %2$s alla conversazione #%1$d" - -#: ../../include/enotify.php:117 -#, 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:120 ../../include/enotify.php:135 -#: ../../include/enotify.php:148 ../../include/enotify.php:161 -#: ../../include/enotify.php:179 ../../include/enotify.php:192 -#, 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:127 -#, php-format -msgid "[Friendica:Notify] %s posted to your profile wall" -msgstr "[Friendica:Notifica] %s ha scritto sulla tua bacheca" - -#: ../../include/enotify.php:129 -#, 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:131 -#, 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:142 -#, php-format -msgid "[Friendica:Notify] %s tagged you" -msgstr "[Friendica:Notifica] %s ti ha taggato" - -#: ../../include/enotify.php:143 -#, php-format -msgid "%1$s tagged you at %2$s" -msgstr "%1$s ti ha taggato su %2$s" - -#: ../../include/enotify.php:144 -#, php-format -msgid "%1$s [url=%2$s]tagged you[/url]." -msgstr "%1$s [url=%2$s]ti ha taggato[/url]." - -#: ../../include/enotify.php:155 -#, php-format -msgid "[Friendica:Notify] %s shared a new post" -msgstr "[Friendica:Notifica] %s ha condiviso un nuovo messaggio" - -#: ../../include/enotify.php:156 -#, 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:157 -#, 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:169 -#, php-format -msgid "[Friendica:Notify] %1$s poked you" -msgstr "[Friendica:Notifica] %1$s ti ha stuzzicato" - -#: ../../include/enotify.php:170 -#, php-format -msgid "%1$s poked you at %2$s" -msgstr "%1$s ti ha stuzzicato su %2$s" - -#: ../../include/enotify.php:171 -#, php-format -msgid "%1$s [url=%2$s]poked you[/url]." -msgstr "%1$s [url=%2$s]ti ha stuzzicato[/url]." - -#: ../../include/enotify.php:186 -#, php-format -msgid "[Friendica:Notify] %s tagged your post" -msgstr "[Friendica:Notifica] %s ha taggato un tuo messaggio" - -#: ../../include/enotify.php:187 -#, php-format -msgid "%1$s tagged your post at %2$s" -msgstr "%1$s ha taggato il tuo post su %2$s" - -#: ../../include/enotify.php:188 -#, php-format -msgid "%1$s tagged [url=%2$s]your post[/url]" -msgstr "%1$s ha taggato [url=%2$s]il tuo post[/url]" - -#: ../../include/enotify.php:199 -msgid "[Friendica:Notify] Introduction received" -msgstr "[Friendica:Notifica] Hai ricevuto una presentazione" - -#: ../../include/enotify.php:200 -#, 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:201 -#, 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:204 ../../include/enotify.php:222 -#, php-format -msgid "You may visit their profile at %s" -msgstr "Puoi visitare il suo profilo presso %s" - -#: ../../include/enotify.php:206 -#, php-format -msgid "Please visit %s to approve or reject the introduction." -msgstr "Visita %s per approvare o rifiutare la presentazione." - -#: ../../include/enotify.php:213 -msgid "[Friendica:Notify] Friend suggestion received" -msgstr "[Friendica:Notifica] Hai ricevuto un suggerimento di amicizia" - -#: ../../include/enotify.php:214 -#, 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:215 -#, 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:220 -msgid "Name:" -msgstr "Nome:" - -#: ../../include/enotify.php:221 -msgid "Photo:" -msgstr "Foto:" - -#: ../../include/enotify.php:224 -#, php-format -msgid "Please visit %s to approve or reject the suggestion." -msgstr "Visita %s per approvare o rifiutare il suggerimento." - -#: ../../include/Scrape.php:584 -msgid " on Last.fm" -msgstr "su Last.fm" - -#: ../../include/group.php:25 -msgid "" -"A deleted group with this name was revived. Existing item permissions " -"may apply to this group and any future members. If this is " -"not what you intended, please create another group with a different name." -msgstr "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso." - -#: ../../include/group.php:207 -msgid "Default privacy group for new contacts" -msgstr "Gruppo predefinito per i nuovi contatti" - -#: ../../include/group.php:226 -msgid "Everybody" -msgstr "Tutti" - -#: ../../include/group.php:249 -msgid "edit" -msgstr "modifica" - -#: ../../include/group.php:271 -msgid "Edit group" -msgstr "Modifica gruppo" - -#: ../../include/group.php:272 -msgid "Create a new group" -msgstr "Crea un nuovo gruppo" - -#: ../../include/group.php:273 -msgid "Contacts not in any group" -msgstr "Contatti in nessun gruppo." - -#: ../../include/follow.php:32 -msgid "Connect URL missing." -msgstr "URL di connessione mancante." - -#: ../../include/follow.php:59 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "Questo sito non è configurato per permettere la comunicazione con altri network." - -#: ../../include/follow.php:60 ../../include/follow.php:80 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "Non sono stati trovati protocolli di comunicazione o feed compatibili." - -#: ../../include/follow.php:78 -msgid "The profile address specified does not provide adequate information." -msgstr "L'indirizzo del profilo specificato non fornisce adeguate informazioni." - -#: ../../include/follow.php:82 -msgid "An author or name was not found." -msgstr "Non è stato trovato un nome o un autore" - -#: ../../include/follow.php:84 -msgid "No browser URL could be matched to this address." -msgstr "Nessun URL puo' essere associato a questo indirizzo." - -#: ../../include/follow.php:86 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email." - -#: ../../include/follow.php:87 -msgid "Use mailto: in front of address to force email check." -msgstr "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email." - -#: ../../include/follow.php:93 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito." - -#: ../../include/follow.php:103 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te." - -#: ../../include/follow.php:205 -msgid "Unable to retrieve contact information." -msgstr "Impossibile recuperare informazioni sul contatto." - -#: ../../include/follow.php:259 -msgid "following" -msgstr "segue" - -#: ../../include/message.php:15 ../../include/message.php:172 -msgid "[no subject]" -msgstr "[nessun oggetto]" - -#: ../../include/nav.php:73 -msgid "End this session" -msgstr "Finisci questa sessione" - -#: ../../include/nav.php:79 -msgid "Your videos" -msgstr "" - -#: ../../include/nav.php:81 -msgid "Your personal notes" -msgstr "" - -#: ../../include/nav.php:92 -msgid "Sign in" -msgstr "Entra" - -#: ../../include/nav.php:105 -msgid "Home Page" -msgstr "Home Page" - -#: ../../include/nav.php:109 -msgid "Create an account" -msgstr "Crea un account" - -#: ../../include/nav.php:114 -msgid "Help and documentation" -msgstr "Guida e documentazione" - -#: ../../include/nav.php:117 -msgid "Apps" -msgstr "Applicazioni" - -#: ../../include/nav.php:117 -msgid "Addon applications, utilities, games" -msgstr "Applicazioni, utilità e giochi aggiuntivi" - -#: ../../include/nav.php:119 -msgid "Search site content" -msgstr "Cerca nel contenuto del sito" - -#: ../../include/nav.php:129 -msgid "Conversations on this site" -msgstr "Conversazioni su questo sito" - -#: ../../include/nav.php:131 -msgid "Directory" -msgstr "Elenco" - -#: ../../include/nav.php:131 -msgid "People directory" -msgstr "Elenco delle persone" - -#: ../../include/nav.php:133 -msgid "Information" -msgstr "Informazioni" - -#: ../../include/nav.php:133 -msgid "Information about this friendica instance" -msgstr "Informazioni su questo server friendica" - -#: ../../include/nav.php:143 -msgid "Conversations from your friends" -msgstr "Conversazioni dai tuoi amici" - -#: ../../include/nav.php:144 -msgid "Network Reset" -msgstr "Reset pagina Rete" - -#: ../../include/nav.php:144 -msgid "Load Network page with no filters" -msgstr "Carica la pagina Rete senza nessun filtro" - -#: ../../include/nav.php:152 -msgid "Friend Requests" -msgstr "Richieste di amicizia" - -#: ../../include/nav.php:154 -msgid "See all notifications" -msgstr "Vedi tutte le notifiche" - -#: ../../include/nav.php:155 -msgid "Mark all system notifications seen" -msgstr "Segna tutte le notifiche come viste" - -#: ../../include/nav.php:159 -msgid "Private mail" -msgstr "Posta privata" - -#: ../../include/nav.php:160 -msgid "Inbox" -msgstr "In arrivo" - -#: ../../include/nav.php:161 -msgid "Outbox" -msgstr "Inviati" - -#: ../../include/nav.php:165 -msgid "Manage" -msgstr "Gestisci" - -#: ../../include/nav.php:165 -msgid "Manage other pages" -msgstr "Gestisci altre pagine" - -#: ../../include/nav.php:170 -msgid "Account settings" -msgstr "Parametri account" - -#: ../../include/nav.php:173 -msgid "Manage/Edit Profiles" -msgstr "Gestisci/Modifica i profili" - -#: ../../include/nav.php:175 -msgid "Manage/edit friends and contacts" -msgstr "Gestisci/modifica amici e contatti" - -#: ../../include/nav.php:182 -msgid "Site setup and configuration" -msgstr "Configurazione del sito" - -#: ../../include/nav.php:186 -msgid "Navigation" -msgstr "Navigazione" - -#: ../../include/nav.php:186 -msgid "Site map" -msgstr "Mappa del sito" - -#: ../../include/profile_advanced.php:22 -msgid "j F, Y" -msgstr "j F Y" - -#: ../../include/profile_advanced.php:23 -msgid "j F" -msgstr "j F" - -#: ../../include/profile_advanced.php:30 -msgid "Birthday:" -msgstr "Compleanno:" - -#: ../../include/profile_advanced.php:34 -msgid "Age:" -msgstr "Età:" - -#: ../../include/profile_advanced.php:43 -#, php-format -msgid "for %1$d %2$s" -msgstr "per %1$d %2$s" - -#: ../../include/profile_advanced.php:52 -msgid "Tags:" -msgstr "Tag:" - -#: ../../include/profile_advanced.php:56 -msgid "Religion:" -msgstr "Religione:" - -#: ../../include/profile_advanced.php:60 -msgid "Hobbies/Interests:" -msgstr "Hobby/Interessi:" - -#: ../../include/profile_advanced.php:67 -msgid "Contact information and Social Networks:" -msgstr "Informazioni su contatti e social network:" - -#: ../../include/profile_advanced.php:69 -msgid "Musical interests:" -msgstr "Interessi musicali:" - -#: ../../include/profile_advanced.php:71 -msgid "Books, literature:" -msgstr "Libri, letteratura:" - -#: ../../include/profile_advanced.php:73 -msgid "Television:" -msgstr "Televisione:" - -#: ../../include/profile_advanced.php:75 -msgid "Film/dance/culture/entertainment:" -msgstr "Film/danza/cultura/intrattenimento:" - -#: ../../include/profile_advanced.php:77 -msgid "Love/Romance:" -msgstr "Amore:" - -#: ../../include/profile_advanced.php:79 -msgid "Work/employment:" -msgstr "Lavoro:" - -#: ../../include/profile_advanced.php:81 -msgid "School/education:" -msgstr "Scuola:" - -#: ../../include/bbcode.php:381 ../../include/bbcode.php:961 -#: ../../include/bbcode.php:962 -msgid "Image/photo" -msgstr "Immagine/foto" - -#: ../../include/bbcode.php:477 -#, php-format -msgid "%2$s %3$s" -msgstr "" - -#: ../../include/bbcode.php:511 -#, php-format -msgid "" -"%s wrote the following post" -msgstr "%s ha scritto il seguente messaggio" - -#: ../../include/bbcode.php:925 ../../include/bbcode.php:945 -msgid "$1 wrote:" -msgstr "$1 ha scritto:" - -#: ../../include/bbcode.php:970 ../../include/bbcode.php:971 -msgid "Encrypted content" -msgstr "Contenuto criptato" - -#: ../../include/contact_selectors.php:32 -msgid "Unknown | Not categorised" -msgstr "Sconosciuto | non categorizzato" - -#: ../../include/contact_selectors.php:33 -msgid "Block immediately" -msgstr "Blocca immediatamente" - -#: ../../include/contact_selectors.php:34 -msgid "Shady, spammer, self-marketer" -msgstr "Shady, spammer, self-marketer" - -#: ../../include/contact_selectors.php:35 -msgid "Known to me, but no opinion" -msgstr "Lo conosco, ma non ho un'opinione particolare" - -#: ../../include/contact_selectors.php:36 -msgid "OK, probably harmless" -msgstr "E' ok, probabilmente innocuo" - -#: ../../include/contact_selectors.php:37 -msgid "Reputable, has my trust" -msgstr "Rispettabile, ha la mia fiducia" - -#: ../../include/contact_selectors.php:60 -msgid "Weekly" -msgstr "Settimanalmente" - -#: ../../include/contact_selectors.php:61 -msgid "Monthly" -msgstr "Mensilmente" - -#: ../../include/contact_selectors.php:77 -msgid "OStatus" -msgstr "Ostatus" - -#: ../../include/contact_selectors.php:78 -msgid "RSS/Atom" -msgstr "RSS / Atom" - -#: ../../include/contact_selectors.php:82 -msgid "Zot!" -msgstr "Zot!" - -#: ../../include/contact_selectors.php:83 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: ../../include/contact_selectors.php:84 -msgid "XMPP/IM" -msgstr "XMPP/IM" - -#: ../../include/contact_selectors.php:85 -msgid "MySpace" -msgstr "MySpace" - -#: ../../include/contact_selectors.php:87 -msgid "Google+" -msgstr "Google+" - -#: ../../include/contact_selectors.php:88 -msgid "pump.io" -msgstr "pump.io" - -#: ../../include/contact_selectors.php:89 -msgid "Twitter" -msgstr "Twitter" - -#: ../../include/contact_selectors.php:90 -msgid "Diaspora Connector" -msgstr "Connettore Diaspora" - -#: ../../include/contact_selectors.php:91 -msgid "Statusnet" -msgstr "Statusnet" - -#: ../../include/contact_selectors.php:92 -msgid "App.net" -msgstr "" - -#: ../../include/datetime.php:43 ../../include/datetime.php:45 -msgid "Miscellaneous" -msgstr "Varie" - -#: ../../include/datetime.php:153 ../../include/datetime.php:285 -msgid "year" -msgstr "anno" - -#: ../../include/datetime.php:158 ../../include/datetime.php:286 -msgid "month" -msgstr "mese" - -#: ../../include/datetime.php:163 ../../include/datetime.php:288 -msgid "day" -msgstr "giorno" - -#: ../../include/datetime.php:276 -msgid "never" -msgstr "mai" - -#: ../../include/datetime.php:282 -msgid "less than a second ago" -msgstr "meno di un secondo fa" - -#: ../../include/datetime.php:285 -msgid "years" -msgstr "anni" - -#: ../../include/datetime.php:286 -msgid "months" -msgstr "mesi" - -#: ../../include/datetime.php:287 -msgid "week" -msgstr "settimana" - -#: ../../include/datetime.php:287 -msgid "weeks" -msgstr "settimane" - -#: ../../include/datetime.php:288 -msgid "days" -msgstr "giorni" - -#: ../../include/datetime.php:289 -msgid "hour" -msgstr "ora" - -#: ../../include/datetime.php:289 -msgid "hours" -msgstr "ore" - -#: ../../include/datetime.php:290 -msgid "minute" -msgstr "minuto" - -#: ../../include/datetime.php:290 -msgid "minutes" -msgstr "minuti" - -#: ../../include/datetime.php:291 -msgid "second" -msgstr "secondo" - -#: ../../include/datetime.php:291 -msgid "seconds" -msgstr "secondi" - -#: ../../include/datetime.php:300 -#, php-format -msgid "%1$d %2$s ago" -msgstr "%1$d %2$s fa" - -#: ../../include/datetime.php:472 ../../include/items.php:2071 -#, php-format -msgid "%s's birthday" -msgstr "Compleanno di %s" - -#: ../../include/datetime.php:473 ../../include/items.php:2072 -#, php-format -msgid "Happy Birthday %s" -msgstr "Buon compleanno %s" - -#: ../../include/features.php:23 -msgid "General Features" -msgstr "Funzionalità generali" - -#: ../../include/features.php:25 -msgid "Multiple Profiles" -msgstr "Profili multipli" - -#: ../../include/features.php:25 -msgid "Ability to create multiple profiles" -msgstr "Possibilità di creare profili multipli" - -#: ../../include/features.php:30 -msgid "Post Composition Features" -msgstr "Funzionalità di composizione dei post" - -#: ../../include/features.php:31 -msgid "Richtext Editor" -msgstr "Editor visuale" - -#: ../../include/features.php:31 -msgid "Enable richtext editor" -msgstr "Abilita l'editor visuale" - -#: ../../include/features.php:32 -msgid "Post Preview" -msgstr "Anteprima dei post" - -#: ../../include/features.php:32 -msgid "Allow previewing posts and comments before publishing them" -msgstr "Permetti di avere un'anteprima di messaggi e commenti prima di pubblicarli" - -#: ../../include/features.php:33 -msgid "Auto-mention Forums" -msgstr "Auto-cita i Forum" - -#: ../../include/features.php:33 -msgid "" -"Add/remove mention when a fourm page is selected/deselected in ACL window." -msgstr "Aggiunge o rimuove una citazione quando un forum è selezionato o deselezionato nella finestra dei permessi." - -#: ../../include/features.php:38 -msgid "Network Sidebar Widgets" -msgstr "Widget della barra laterale nella pagina Rete" - -#: ../../include/features.php:39 -msgid "Search by Date" -msgstr "Cerca per data" - -#: ../../include/features.php:39 -msgid "Ability to select posts by date ranges" -msgstr "Permette di filtrare i post per data" - -#: ../../include/features.php:40 -msgid "Group Filter" -msgstr "Filtra gruppi" - -#: ../../include/features.php:40 -msgid "Enable widget to display Network posts only from selected group" -msgstr "Abilita il widget per filtrare i post solo per il gruppo selezionato" - -#: ../../include/features.php:41 -msgid "Network Filter" -msgstr "Filtro reti" - -#: ../../include/features.php:41 -msgid "Enable widget to display Network posts only from selected network" -msgstr "Abilita il widget per mostare i post solo per la rete selezionata" - -#: ../../include/features.php:42 -msgid "Save search terms for re-use" -msgstr "Salva i termini cercati per riutilizzarli" - -#: ../../include/features.php:47 -msgid "Network Tabs" -msgstr "Schede pagina Rete" - -#: ../../include/features.php:48 -msgid "Network Personal Tab" -msgstr "Scheda Personali" - -#: ../../include/features.php:48 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "Abilita la scheda per mostrare solo i post a cui hai partecipato" - -#: ../../include/features.php:49 -msgid "Network New Tab" -msgstr "Scheda Nuovi" - -#: ../../include/features.php:49 -msgid "Enable tab to display only new Network posts (from the last 12 hours)" -msgstr "Abilita la scheda per mostrare solo i post nuovi (nelle ultime 12 ore)" - -#: ../../include/features.php:50 -msgid "Network Shared Links Tab" -msgstr "Scheda Link Condivisi" - -#: ../../include/features.php:50 -msgid "Enable tab to display only Network posts with links in them" -msgstr "Abilita la scheda per mostrare solo i post che contengono link" - -#: ../../include/features.php:55 -msgid "Post/Comment Tools" -msgstr "Strumenti per mesasggi/commenti" - -#: ../../include/features.php:56 -msgid "Multiple Deletion" -msgstr "Eliminazione multipla" - -#: ../../include/features.php:56 -msgid "Select and delete multiple posts/comments at once" -msgstr "Seleziona ed elimina vari messagi e commenti in una volta sola" - -#: ../../include/features.php:57 -msgid "Edit Sent Posts" -msgstr "Modifica i post inviati" - -#: ../../include/features.php:57 -msgid "Edit and correct posts and comments after sending" -msgstr "Modifica e correggi messaggi e commenti dopo averli inviati" - -#: ../../include/features.php:58 -msgid "Tagging" -msgstr "Aggiunta tag" - -#: ../../include/features.php:58 -msgid "Ability to tag existing posts" -msgstr "Permette di aggiungere tag ai post già esistenti" - -#: ../../include/features.php:59 -msgid "Post Categories" -msgstr "Cateorie post" - -#: ../../include/features.php:59 -msgid "Add categories to your posts" -msgstr "Aggiungi categorie ai tuoi post" - -#: ../../include/features.php:60 -msgid "Ability to file posts under folders" -msgstr "Permette di archiviare i post in cartelle" - -#: ../../include/features.php:61 -msgid "Dislike Posts" -msgstr "Non mi piace" - -#: ../../include/features.php:61 -msgid "Ability to dislike posts/comments" -msgstr "Permetti di inviare \"non mi piace\" ai messaggi" - -#: ../../include/features.php:62 -msgid "Star Posts" -msgstr "Post preferiti" - -#: ../../include/features.php:62 -msgid "Ability to mark special posts with a star indicator" -msgstr "Permette di segnare i post preferiti con una stella" - -#: ../../include/diaspora.php:703 -msgid "Sharing notification from Diaspora network" -msgstr "Notifica di condivisione dal network Diaspora*" - -#: ../../include/diaspora.php:2313 -msgid "Attachments:" -msgstr "Allegati:" - -#: ../../include/dbstructure.php:118 -msgid "Errors encountered creating database tables." -msgstr "La creazione delle tabelle del database ha generato errori." - -#: ../../include/dbstructure.php:176 -msgid "Errors encountered performing database changes." -msgstr "" - -#: ../../include/acl_selectors.php:326 -msgid "Visible to everybody" -msgstr "Visibile a tutti" - -#: ../../include/items.php:3804 -msgid "A new person is sharing with you at " -msgstr "Una nuova persona sta condividendo con te da " - -#: ../../include/items.php:3804 -msgid "You have a new follower at " -msgstr "Una nuova persona ti segue su " - -#: ../../include/items.php:4339 -msgid "Do you really want to delete this item?" -msgstr "Vuoi veramente cancellare questo elemento?" - -#: ../../include/items.php:4566 -msgid "Archives" -msgstr "Archivi" - -#: ../../include/oembed.php:200 -msgid "Embedded content" -msgstr "Contenuto incorporato" - -#: ../../include/oembed.php:209 -msgid "Embedding disabled" -msgstr "Embed disabilitato" - -#: ../../include/security.php:22 -msgid "Welcome " -msgstr "Ciao" - -#: ../../include/security.php:23 -msgid "Please upload a profile photo." -msgstr "Carica una foto per il profilo." - -#: ../../include/security.php:26 -msgid "Welcome back " -msgstr "Ciao " - -#: ../../include/security.php:366 -msgid "" -"The form security token was not correct. This probably happened because the " -"form has been opened for too long (>3 hours) before submitting it." -msgstr "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla." - -#: ../../include/profile_selectors.php:6 -msgid "Male" -msgstr "Maschio" - -#: ../../include/profile_selectors.php:6 -msgid "Female" -msgstr "Femmina" - -#: ../../include/profile_selectors.php:6 -msgid "Currently Male" -msgstr "Al momento maschio" - -#: ../../include/profile_selectors.php:6 -msgid "Currently Female" -msgstr "Al momento femmina" - -#: ../../include/profile_selectors.php:6 -msgid "Mostly Male" -msgstr "Prevalentemente maschio" - -#: ../../include/profile_selectors.php:6 -msgid "Mostly Female" -msgstr "Prevalentemente femmina" - -#: ../../include/profile_selectors.php:6 -msgid "Transgender" -msgstr "Transgender" - -#: ../../include/profile_selectors.php:6 -msgid "Intersex" -msgstr "Intersex" - -#: ../../include/profile_selectors.php:6 -msgid "Transsexual" -msgstr "Transessuale" - -#: ../../include/profile_selectors.php:6 -msgid "Hermaphrodite" -msgstr "Ermafrodito" - -#: ../../include/profile_selectors.php:6 -msgid "Neuter" -msgstr "Neutro" - -#: ../../include/profile_selectors.php:6 -msgid "Non-specific" -msgstr "Non specificato" - -#: ../../include/profile_selectors.php:6 -msgid "Other" -msgstr "Altro" - -#: ../../include/profile_selectors.php:6 -msgid "Undecided" -msgstr "Indeciso" - -#: ../../include/profile_selectors.php:23 -msgid "Males" -msgstr "Maschi" - -#: ../../include/profile_selectors.php:23 -msgid "Females" -msgstr "Femmine" - -#: ../../include/profile_selectors.php:23 -msgid "Gay" -msgstr "Gay" - -#: ../../include/profile_selectors.php:23 -msgid "Lesbian" -msgstr "Lesbica" - -#: ../../include/profile_selectors.php:23 -msgid "No Preference" -msgstr "Nessuna preferenza" - -#: ../../include/profile_selectors.php:23 -msgid "Bisexual" -msgstr "Bisessuale" - -#: ../../include/profile_selectors.php:23 -msgid "Autosexual" -msgstr "Autosessuale" - -#: ../../include/profile_selectors.php:23 -msgid "Abstinent" -msgstr "Astinente" - -#: ../../include/profile_selectors.php:23 -msgid "Virgin" -msgstr "Vergine" - -#: ../../include/profile_selectors.php:23 -msgid "Deviant" -msgstr "Deviato" - -#: ../../include/profile_selectors.php:23 -msgid "Fetish" -msgstr "Fetish" - -#: ../../include/profile_selectors.php:23 -msgid "Oodles" -msgstr "Un sacco" - -#: ../../include/profile_selectors.php:23 -msgid "Nonsexual" -msgstr "Asessuato" - -#: ../../include/profile_selectors.php:42 -msgid "Single" -msgstr "Single" - -#: ../../include/profile_selectors.php:42 -msgid "Lonely" -msgstr "Solitario" - -#: ../../include/profile_selectors.php:42 -msgid "Available" -msgstr "Disponibile" - -#: ../../include/profile_selectors.php:42 -msgid "Unavailable" -msgstr "Non disponibile" - -#: ../../include/profile_selectors.php:42 -msgid "Has crush" -msgstr "è cotto/a" - -#: ../../include/profile_selectors.php:42 -msgid "Infatuated" -msgstr "infatuato/a" - -#: ../../include/profile_selectors.php:42 -msgid "Dating" -msgstr "Disponibile a un incontro" - -#: ../../include/profile_selectors.php:42 -msgid "Unfaithful" -msgstr "Infedele" - -#: ../../include/profile_selectors.php:42 -msgid "Sex Addict" -msgstr "Sesso-dipendente" - -#: ../../include/profile_selectors.php:42 -msgid "Friends/Benefits" -msgstr "Amici con benefici" - -#: ../../include/profile_selectors.php:42 -msgid "Casual" -msgstr "Casual" - -#: ../../include/profile_selectors.php:42 -msgid "Engaged" -msgstr "Impegnato" - -#: ../../include/profile_selectors.php:42 -msgid "Married" -msgstr "Sposato" - -#: ../../include/profile_selectors.php:42 -msgid "Imaginarily married" -msgstr "immaginariamente sposato/a" - -#: ../../include/profile_selectors.php:42 -msgid "Partners" -msgstr "Partners" - -#: ../../include/profile_selectors.php:42 -msgid "Cohabiting" -msgstr "Coinquilino" - -#: ../../include/profile_selectors.php:42 -msgid "Common law" -msgstr "diritto comune" - -#: ../../include/profile_selectors.php:42 -msgid "Happy" -msgstr "Felice" - -#: ../../include/profile_selectors.php:42 -msgid "Not looking" -msgstr "Non guarda" - -#: ../../include/profile_selectors.php:42 -msgid "Swinger" -msgstr "Scambista" - -#: ../../include/profile_selectors.php:42 -msgid "Betrayed" -msgstr "Tradito" - -#: ../../include/profile_selectors.php:42 -msgid "Separated" -msgstr "Separato" - -#: ../../include/profile_selectors.php:42 -msgid "Unstable" -msgstr "Instabile" - -#: ../../include/profile_selectors.php:42 -msgid "Divorced" -msgstr "Divorziato" - -#: ../../include/profile_selectors.php:42 -msgid "Imaginarily divorced" -msgstr "immaginariamente divorziato/a" - -#: ../../include/profile_selectors.php:42 -msgid "Widowed" -msgstr "Vedovo" - -#: ../../include/profile_selectors.php:42 -msgid "Uncertain" -msgstr "Incerto" - -#: ../../include/profile_selectors.php:42 -msgid "It's complicated" -msgstr "E' complicato" - -#: ../../include/profile_selectors.php:42 -msgid "Don't care" -msgstr "Non interessa" - -#: ../../include/profile_selectors.php:42 -msgid "Ask me" -msgstr "Chiedimelo" - -#: ../../include/Contact.php:115 -msgid "stopped following" -msgstr "tolto dai seguiti" - -#: ../../include/Contact.php:234 -msgid "Drop Contact" -msgstr "Rimuovi contatto" +#: ../../mod/localtime.php:41 +msgid "Please select your timezone:" +msgstr "Selezionare il tuo fuso orario:" diff --git a/view/it/strings.php b/view/it/strings.php index 8e70f96fe..9880caf9b 100644 --- a/view/it/strings.php +++ b/view/it/strings.php @@ -5,63 +5,36 @@ function string_plural_select_it($n){ return ($n != 1);; }} ; -$a->strings["This entry was edited"] = "Questa voce è stata modificata"; -$a->strings["Private Message"] = "Messaggio privato"; -$a->strings["Edit"] = "Modifica"; -$a->strings["Select"] = "Seleziona"; -$a->strings["Delete"] = "Rimuovi"; -$a->strings["save to folder"] = "salva nella cartella"; -$a->strings["add star"] = "aggiungi a speciali"; -$a->strings["remove star"] = "rimuovi da speciali"; -$a->strings["toggle star status"] = "Inverti stato preferito"; -$a->strings["starred"] = "preferito"; -$a->strings["add tag"] = "aggiungi tag"; -$a->strings["I like this (toggle)"] = "Mi piace (clic per cambiare)"; -$a->strings["like"] = "mi piace"; -$a->strings["I don't like this (toggle)"] = "Non mi piace (clic per cambiare)"; -$a->strings["dislike"] = "non mi piace"; -$a->strings["Share this"] = "Condividi questo"; -$a->strings["share"] = "condividi"; -$a->strings["Categories:"] = "Categorie:"; -$a->strings["Filed under:"] = "Archiviato in:"; -$a->strings["View %s's profile @ %s"] = "Vedi il profilo di %s @ %s"; -$a->strings["to"] = "a"; -$a->strings["via"] = "via"; -$a->strings["Wall-to-Wall"] = "Da bacheca a bacheca"; -$a->strings["via Wall-To-Wall:"] = "da bacheca a bacheca"; -$a->strings["%s from %s"] = "%s da %s"; -$a->strings["Comment"] = "Commento"; -$a->strings["Please wait"] = "Attendi"; -$a->strings["%d comment"] = array( - 0 => "%d commento", - 1 => "%d commenti", -); -$a->strings["comment"] = array( - 0 => "", - 1 => "commento", -); -$a->strings["show more"] = "mostra di più"; -$a->strings["This is you"] = "Questo sei tu"; $a->strings["Submit"] = "Invia"; -$a->strings["Bold"] = "Grassetto"; -$a->strings["Italic"] = "Corsivo"; -$a->strings["Underline"] = "Sottolineato"; -$a->strings["Quote"] = "Citazione"; -$a->strings["Code"] = "Codice"; -$a->strings["Image"] = "Immagine"; -$a->strings["Link"] = "Link"; -$a->strings["Video"] = "Video"; -$a->strings["Preview"] = "Anteprima"; -$a->strings["You must be logged in to use addons. "] = "Devi aver effettuato il login per usare gli addons."; -$a->strings["Not Found"] = "Non trovato"; -$a->strings["Page not found."] = "Pagina non trovata."; -$a->strings["Permission denied"] = "Permesso negato"; -$a->strings["Permission denied."] = "Permesso negato."; -$a->strings["toggle mobile"] = "commuta tema mobile"; +$a->strings["Theme settings"] = "Impostazioni tema"; +$a->strings["Set resize level for images in posts and comments (width and height)"] = "Dimensione immagini in messaggi e commenti (larghezza e altezza)"; +$a->strings["Set font-size for posts and comments"] = "Dimensione del carattere di messaggi e commenti"; +$a->strings["Set theme width"] = "Imposta la larghezza del tema"; +$a->strings["Color scheme"] = "Schema colori"; +$a->strings["Set style"] = "Imposta stile"; +$a->strings["don't show"] = "non mostrare"; +$a->strings["show"] = "mostra"; +$a->strings["Set line-height for posts and comments"] = "Altezza della linea di testo di messaggi e commenti"; +$a->strings["Set resolution for middle column"] = "Imposta la dimensione della colonna centrale"; +$a->strings["Set color scheme"] = "Imposta lo schema dei colori"; +$a->strings["Set zoomfactor for Earth Layer"] = "Livello di zoom per Earth Layer"; +$a->strings["Set longitude (X) for Earth Layers"] = "Longitudine (X) per Earth Layers"; +$a->strings["Set latitude (Y) for Earth Layers"] = "Latitudine (Y) per Earth Layers"; +$a->strings["Community Pages"] = "Pagine Comunitarie"; +$a->strings["Earth Layers"] = "Earth Layers"; +$a->strings["Community Profiles"] = "Profili Comunità"; +$a->strings["Help or @NewHere ?"] = "Serve aiuto? Sei nuovo?"; +$a->strings["Connect Services"] = "Servizi di conessione"; +$a->strings["Find Friends"] = "Trova Amici"; +$a->strings["Last users"] = "Ultimi utenti"; +$a->strings["Last photos"] = "Ultime foto"; +$a->strings["Last likes"] = "Ultimi \"mi piace\""; $a->strings["Home"] = "Home"; $a->strings["Your posts and conversations"] = "I tuoi messaggi e le tue conversazioni"; $a->strings["Profile"] = "Profilo"; $a->strings["Your profile page"] = "Pagina del tuo profilo"; +$a->strings["Contacts"] = "Contatti"; +$a->strings["Your contacts"] = "I tuoi contatti"; $a->strings["Photos"] = "Foto"; $a->strings["Your photos"] = "Le tue foto"; $a->strings["Events"] = "Eventi"; @@ -69,64 +42,37 @@ $a->strings["Your events"] = "I tuoi eventi"; $a->strings["Personal notes"] = "Note personali"; $a->strings["Your personal photos"] = "Le tue foto personali"; $a->strings["Community"] = "Comunità"; -$a->strings["don't show"] = "non mostrare"; -$a->strings["show"] = "mostra"; -$a->strings["Theme settings"] = "Impostazioni tema"; -$a->strings["Set font-size for posts and comments"] = "Dimensione del carattere di messaggi e commenti"; -$a->strings["Set line-height for posts and comments"] = "Altezza della linea di testo di messaggi e commenti"; -$a->strings["Set resolution for middle column"] = "Imposta la dimensione della colonna centrale"; -$a->strings["Contacts"] = "Contatti"; -$a->strings["Your contacts"] = "I tuoi contatti"; -$a->strings["Community Pages"] = "Pagine Comunitarie"; -$a->strings["Community Profiles"] = "Profili Comunità"; -$a->strings["Last users"] = "Ultimi utenti"; -$a->strings["Last likes"] = "Ultimi \"mi piace\""; $a->strings["event"] = "l'evento"; $a->strings["status"] = "stato"; $a->strings["photo"] = "foto"; $a->strings["%1\$s likes %2\$s's %3\$s"] = "A %1\$s piace %3\$s di %2\$s"; -$a->strings["Last photos"] = "Ultime foto"; $a->strings["Contact Photos"] = "Foto dei contatti"; $a->strings["Profile Photos"] = "Foto del profilo"; -$a->strings["Find Friends"] = "Trova Amici"; $a->strings["Local Directory"] = "Elenco Locale"; $a->strings["Global Directory"] = "Elenco globale"; $a->strings["Similar Interests"] = "Interessi simili"; $a->strings["Friend Suggestions"] = "Contatti suggeriti"; $a->strings["Invite Friends"] = "Invita amici"; $a->strings["Settings"] = "Impostazioni"; -$a->strings["Earth Layers"] = "Earth Layers"; $a->strings["Set zoomfactor for Earth Layers"] = "Livello di zoom per Earth Layers"; -$a->strings["Set longitude (X) for Earth Layers"] = "Longitudine (X) per Earth Layers"; -$a->strings["Set latitude (Y) for Earth Layers"] = "Latitudine (Y) per Earth Layers"; -$a->strings["Help or @NewHere ?"] = "Serve aiuto? Sei nuovo?"; -$a->strings["Connect Services"] = "Servizi di conessione"; $a->strings["Show/hide boxes at right-hand column:"] = "Mostra/Nascondi riquadri nella colonna destra"; -$a->strings["Set color scheme"] = "Imposta lo schema dei colori"; -$a->strings["Set zoomfactor for Earth Layer"] = "Livello di zoom per Earth Layer"; $a->strings["Alignment"] = "Allineamento"; $a->strings["Left"] = "Sinistra"; $a->strings["Center"] = "Centrato"; -$a->strings["Color scheme"] = "Schema colori"; $a->strings["Posts font size"] = "Dimensione caratteri post"; $a->strings["Textareas font size"] = "Dimensione caratteri nelle aree di testo"; $a->strings["Set colour scheme"] = "Imposta schema colori"; -$a->strings["default"] = "default"; -$a->strings["dark"] = ""; -$a->strings["black"] = ""; -$a->strings["Background Image"] = ""; -$a->strings["The URL to a picture (e.g. from your photo album) that should be used as background image."] = ""; -$a->strings["Background Color"] = ""; -$a->strings["HEX value for the background color. Don't include the #"] = ""; -$a->strings["font size"] = ""; -$a->strings["base font size for your interface"] = ""; -$a->strings["Set resize level for images in posts and comments (width and height)"] = "Dimensione immagini in messaggi e commenti (larghezza e altezza)"; -$a->strings["Set theme width"] = "Imposta la larghezza del tema"; -$a->strings["Set style"] = "Imposta stile"; +$a->strings["You must be logged in to use addons. "] = "Devi aver effettuato il login per usare gli addons."; +$a->strings["Not Found"] = "Non trovato"; +$a->strings["Page not found."] = "Pagina non trovata."; +$a->strings["Permission denied"] = "Permesso negato"; +$a->strings["Permission denied."] = "Permesso negato."; +$a->strings["toggle mobile"] = "commuta tema mobile"; $a->strings["Delete this item?"] = "Cancellare questo elemento?"; +$a->strings["Comment"] = "Commento"; +$a->strings["show more"] = "mostra di più"; $a->strings["show fewer"] = "mostra di meno"; $a->strings["Update %s failed. See error logs."] = "aggiornamento %s fallito. Guarda i log di errore."; -$a->strings["Update Error at %s"] = "Errore aggiornamento a %s"; $a->strings["Create a New Account"] = "Crea un nuovo account"; $a->strings["Register"] = "Registrati"; $a->strings["Logout"] = "Esci"; @@ -157,6 +103,7 @@ $a->strings["Location:"] = "Posizione:"; $a->strings["Gender:"] = "Genere:"; $a->strings["Status:"] = "Stato:"; $a->strings["Homepage:"] = "Homepage:"; +$a->strings["Network:"] = "Rete:"; $a->strings["g A l F d"] = "g A l d F"; $a->strings["F d"] = "d F"; $a->strings["[today]"] = "[oggi]"; @@ -173,35 +120,908 @@ $a->strings["Videos"] = "Video"; $a->strings["Events and Calendar"] = "Eventi e calendario"; $a->strings["Personal Notes"] = "Note personali"; $a->strings["Only You Can See This"] = "Solo tu puoi vedere questo"; -$a->strings["%1\$s is currently %2\$s"] = "%1\$s al momento è %2\$s"; -$a->strings["Mood"] = "Umore"; -$a->strings["Set your current mood and tell your friends"] = "Condividi il tuo umore con i tuoi amici"; -$a->strings["Public access denied."] = "Accesso negato."; +$a->strings["General Features"] = "Funzionalità generali"; +$a->strings["Multiple Profiles"] = "Profili multipli"; +$a->strings["Ability to create multiple profiles"] = "Possibilità di creare profili multipli"; +$a->strings["Post Composition Features"] = "Funzionalità di composizione dei post"; +$a->strings["Richtext Editor"] = "Editor visuale"; +$a->strings["Enable richtext editor"] = "Abilita l'editor visuale"; +$a->strings["Post Preview"] = "Anteprima dei post"; +$a->strings["Allow previewing posts and comments before publishing them"] = "Permetti di avere un'anteprima di messaggi e commenti prima di pubblicarli"; +$a->strings["Auto-mention Forums"] = "Auto-cita i Forum"; +$a->strings["Add/remove mention when a fourm page is selected/deselected in ACL window."] = "Aggiunge o rimuove una citazione quando un forum è selezionato o deselezionato nella finestra dei permessi."; +$a->strings["Network Sidebar Widgets"] = "Widget della barra laterale nella pagina Rete"; +$a->strings["Search by Date"] = "Cerca per data"; +$a->strings["Ability to select posts by date ranges"] = "Permette di filtrare i post per data"; +$a->strings["Group Filter"] = "Filtra gruppi"; +$a->strings["Enable widget to display Network posts only from selected group"] = "Abilita il widget per filtrare i post solo per il gruppo selezionato"; +$a->strings["Network Filter"] = "Filtro reti"; +$a->strings["Enable widget to display Network posts only from selected network"] = "Abilita il widget per mostare i post solo per la rete selezionata"; +$a->strings["Saved Searches"] = "Ricerche salvate"; +$a->strings["Save search terms for re-use"] = "Salva i termini cercati per riutilizzarli"; +$a->strings["Network Tabs"] = "Schede pagina Rete"; +$a->strings["Network Personal Tab"] = "Scheda Personali"; +$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Abilita la scheda per mostrare solo i post a cui hai partecipato"; +$a->strings["Network New Tab"] = "Scheda Nuovi"; +$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Abilita la scheda per mostrare solo i post nuovi (nelle ultime 12 ore)"; +$a->strings["Network Shared Links Tab"] = "Scheda Link Condivisi"; +$a->strings["Enable tab to display only Network posts with links in them"] = "Abilita la scheda per mostrare solo i post che contengono link"; +$a->strings["Post/Comment Tools"] = "Strumenti per mesasggi/commenti"; +$a->strings["Multiple Deletion"] = "Eliminazione multipla"; +$a->strings["Select and delete multiple posts/comments at once"] = "Seleziona ed elimina vari messagi e commenti in una volta sola"; +$a->strings["Edit Sent Posts"] = "Modifica i post inviati"; +$a->strings["Edit and correct posts and comments after sending"] = "Modifica e correggi messaggi e commenti dopo averli inviati"; +$a->strings["Tagging"] = "Aggiunta tag"; +$a->strings["Ability to tag existing posts"] = "Permette di aggiungere tag ai post già esistenti"; +$a->strings["Post Categories"] = "Cateorie post"; +$a->strings["Add categories to your posts"] = "Aggiungi categorie ai tuoi post"; +$a->strings["Saved Folders"] = "Cartelle Salvate"; +$a->strings["Ability to file posts under folders"] = "Permette di archiviare i post in cartelle"; +$a->strings["Dislike Posts"] = "Non mi piace"; +$a->strings["Ability to dislike posts/comments"] = "Permetti di inviare \"non mi piace\" ai messaggi"; +$a->strings["Star Posts"] = "Post preferiti"; +$a->strings["Ability to mark special posts with a star indicator"] = "Permette di segnare i post preferiti con una stella"; +$a->strings["Mute Post Notifications"] = "Silenzia le notifiche di nuovi post"; +$a->strings["Ability to mute notifications for a thread"] = "Permette di silenziare le notifiche di nuovi post in una discussione"; +$a->strings["%s's birthday"] = "Compleanno di %s"; +$a->strings["Happy Birthday %s"] = "Buon compleanno %s"; +$a->strings["[Name Withheld]"] = "[Nome Nascosto]"; $a->strings["Item not found."] = "Elemento non trovato."; -$a->strings["Access to this profile has been restricted."] = "L'accesso a questo profilo è stato limitato."; -$a->strings["Item has been removed."] = "L'oggetto è stato rimosso."; -$a->strings["Access denied."] = "Accesso negato."; -$a->strings["This is Friendica, version"] = "Questo è Friendica, versione"; -$a->strings["running at web location"] = "in esecuzione all'indirizzo web"; -$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Visita Friendica.com per saperne di più sul progetto Friendica."; -$a->strings["Bug reports and issues: please visit"] = "Segnalazioni di bug e problemi: visita"; -$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com"; -$a->strings["Installed plugins/addons/apps:"] = "Plugin/addon/applicazioni instalate"; -$a->strings["No installed plugins/addons/apps"] = "Nessun plugin/addons/applicazione installata"; -$a->strings["%1\$s welcomes %2\$s"] = "%s dà il benvenuto a %s"; +$a->strings["Do you really want to delete this item?"] = "Vuoi veramente cancellare questo elemento?"; +$a->strings["Yes"] = "Si"; +$a->strings["Cancel"] = "Annulla"; +$a->strings["Archives"] = "Archivi"; +$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso."; +$a->strings["Default privacy group for new contacts"] = "Gruppo predefinito per i nuovi contatti"; +$a->strings["Everybody"] = "Tutti"; +$a->strings["edit"] = "modifica"; +$a->strings["Groups"] = "Gruppi"; +$a->strings["Edit group"] = "Modifica gruppo"; +$a->strings["Create a new group"] = "Crea un nuovo gruppo"; +$a->strings["Contacts not in any group"] = "Contatti in nessun gruppo."; +$a->strings["add"] = "aggiungi"; +$a->strings["Wall Photos"] = "Foto della bacheca"; +$a->strings["Cannot locate DNS info for database server '%s'"] = "Non trovo le informazioni DNS per il database server '%s'"; +$a->strings["Add New Contact"] = "Aggiungi nuovo contatto"; +$a->strings["Enter address or web location"] = "Inserisci posizione o indirizzo web"; +$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Esempio: bob@example.com, http://example.com/barbara"; +$a->strings["%d invitation available"] = array( + 0 => "%d invito disponibile", + 1 => "%d inviti disponibili", +); +$a->strings["Find People"] = "Trova persone"; +$a->strings["Enter name or interest"] = "Inserisci un nome o un interesse"; +$a->strings["Connect/Follow"] = "Connetti/segui"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "Esempi: Mario Rossi, Pesca"; +$a->strings["Find"] = "Trova"; +$a->strings["Random Profile"] = "Profilo causale"; +$a->strings["Networks"] = "Reti"; +$a->strings["All Networks"] = "Tutte le Reti"; +$a->strings["Everything"] = "Tutto"; +$a->strings["Categories"] = "Categorie"; +$a->strings["%d contact in common"] = array( + 0 => "%d contatto in comune", + 1 => "%d contatti in comune", +); +$a->strings["Friendica Notification"] = "Notifica Friendica"; +$a->strings["Thank You,"] = "Grazie,"; +$a->strings["%s Administrator"] = "Amministratore %s"; +$a->strings["noreply"] = "nessuna risposta"; +$a->strings["%s "] = "%s "; +$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notifica] Nuovo messaggio privato ricevuto su %s"; +$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s ti ha inviato un nuovo messaggio privato su %2\$s."; +$a->strings["%1\$s sent you %2\$s."] = "%1\$s ti ha inviato %2\$s"; +$a->strings["a private message"] = "un messaggio privato"; +$a->strings["Please visit %s to view and/or reply to your private messages."] = "Visita %s per vedere e/o rispodere ai tuoi messaggi privati."; +$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s ha commentato [url=%2\$s]%3\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s ha commentato [url=%2\$s]%4\$s di %3\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s ha commentato un [url=%2\$s]tuo %3\$s[/url]"; +$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Notifica] Commento di %2\$s alla conversazione #%1\$d"; +$a->strings["%s commented on an item/conversation you have been following."] = "%s ha commentato un elemento che stavi seguendo."; +$a->strings["Please visit %s to view and/or reply to the conversation."] = "Visita %s per vedere e/o commentare la conversazione"; +$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Notifica] %s ha scritto sulla tua bacheca"; +$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s ha scritto sulla tua bacheca su %2\$s"; +$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s ha inviato un messaggio sulla [url=%2\$s]tua bacheca[/url]"; +$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notifica] %s ti ha taggato"; +$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s ti ha taggato su %2\$s"; +$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]ti ha taggato[/url]."; +$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notifica] %s ha condiviso un nuovo messaggio"; +$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s ha condiviso un nuovo messaggio su %2\$s"; +$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]ha condiviso un messaggio[/url]."; +$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Notifica] %1\$s ti ha stuzzicato"; +$a->strings["%1\$s poked you at %2\$s"] = "%1\$s ti ha stuzzicato su %2\$s"; +$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]ti ha stuzzicato[/url]."; +$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notifica] %s ha taggato un tuo messaggio"; +$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s ha taggato il tuo post su %2\$s"; +$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s ha taggato [url=%2\$s]il tuo post[/url]"; +$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Notifica] Hai ricevuto una presentazione"; +$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Hai ricevuto un'introduzione da '%1\$s' su %2\$s"; +$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Hai ricevuto [url=%1\$s]un'introduzione[/url] da %2\$s."; +$a->strings["You may visit their profile at %s"] = "Puoi visitare il suo profilo presso %s"; +$a->strings["Please visit %s to approve or reject the introduction."] = "Visita %s per approvare o rifiutare la presentazione."; +$a->strings["[Friendica:Notify] A new person is sharing with you"] = "[Friendica:Notifica] Una nuova persona sta condividendo con te"; +$a->strings["%1\$s is sharing with you at %2\$s"] = "%1\$s sta condividendo con te su %2\$s"; +$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica:Notifica] Una nuova persona ti segue"; +$a->strings["You have a new follower at %2\$s : %1\$s"] = "Un nuovo utente ha iniziato a seguirti su %2\$s : %1\$s"; +$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Notifica] Hai ricevuto un suggerimento di amicizia"; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Hai ricevuto un suggerimento di amicizia da '%1\$s' su %2\$s"; +$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Hai ricevuto [url=%1\$s]un suggerimento di amicizia[/url] per %2\$s su %3\$s"; +$a->strings["Name:"] = "Nome:"; +$a->strings["Photo:"] = "Foto:"; +$a->strings["Please visit %s to approve or reject the suggestion."] = "Visita %s per approvare o rifiutare il suggerimento."; +$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica:Notifica] Connessione accettata"; +$a->strings["'%1\$s' has acepted your connection request at %2\$s"] = "'%1\$s' ha accettato la tua richiesta di connessione su %2\$s"; +$a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = "%2\$s ha accettato la tua [url=%1\$s]richiesta di connessione[/url]"; +$a->strings["You are now mutual friends and may exchange status updates, photos, and email\n\twithout restriction."] = "Ora siete connessi reciprocamente e potete scambiarvi aggiornamenti di stato, foto e email\nsenza restrizioni"; +$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Visita %s se desideri modificare questo collegamento."; +$a->strings["'%1\$s' has chosen to accept you a \"fan\", which restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically."] = "'%1\$s' ha scelto di accettarti come \"fan\", il che limita alcune forme di comunicazione, come i messaggi privati, e alcune possibiltà di interazione col profilo. Se è una pagina di una comunità o di una celebrità, queste impostazioni sono state applicate automaticamente."; +$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future. "] = "'%1\$s' può decidere in futuro di estendere la connessione in una reciproca o più permissiva."; +$a->strings["[Friendica System:Notify] registration request"] = "[Friendica System:Notifica] richiesta di registrazione"; +$a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "Hai ricevuto una richiesta di registrazione da '%1\$s' su %2\$s"; +$a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Hai ricevuto una [url=%1\$s]richiesta di registrazione[/url] da %2\$s."; +$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Nome completo: %1\$s\nIndirizzo del sito: %2\$s\nNome utente: %3\$s (%4\$s)"; +$a->strings["Please visit %s to approve or reject the request."] = "Visita %s per approvare o rifiutare la richiesta."; +$a->strings["User not found."] = "Utente non trovato."; +$a->strings["There is no status with this id."] = "Non c'è nessuno status con questo id."; +$a->strings["There is no conversation with this id."] = "Non c'è nessuna conversazione con questo id"; +$a->strings["view full size"] = "vedi a schermo intero"; +$a->strings[" on Last.fm"] = "su Last.fm"; +$a->strings["Full Name:"] = "Nome completo:"; +$a->strings["j F, Y"] = "j F Y"; +$a->strings["j F"] = "j F"; +$a->strings["Birthday:"] = "Compleanno:"; +$a->strings["Age:"] = "Età:"; +$a->strings["for %1\$d %2\$s"] = "per %1\$d %2\$s"; +$a->strings["Sexual Preference:"] = "Preferenze sessuali:"; +$a->strings["Hometown:"] = "Paese natale:"; +$a->strings["Tags:"] = "Tag:"; +$a->strings["Political Views:"] = "Orientamento politico:"; +$a->strings["Religion:"] = "Religione:"; +$a->strings["About:"] = "Informazioni:"; +$a->strings["Hobbies/Interests:"] = "Hobby/Interessi:"; +$a->strings["Likes:"] = "Mi piace:"; +$a->strings["Dislikes:"] = "Non mi piace:"; +$a->strings["Contact information and Social Networks:"] = "Informazioni su contatti e social network:"; +$a->strings["Musical interests:"] = "Interessi musicali:"; +$a->strings["Books, literature:"] = "Libri, letteratura:"; +$a->strings["Television:"] = "Televisione:"; +$a->strings["Film/dance/culture/entertainment:"] = "Film/danza/cultura/intrattenimento:"; +$a->strings["Love/Romance:"] = "Amore:"; +$a->strings["Work/employment:"] = "Lavoro:"; +$a->strings["School/education:"] = "Scuola:"; +$a->strings["Nothing new here"] = "Niente di nuovo qui"; +$a->strings["Clear notifications"] = "Pulisci le notifiche"; +$a->strings["End this session"] = "Finisci questa sessione"; +$a->strings["Your videos"] = "I tuoi video"; +$a->strings["Your personal notes"] = "Le tue note personali"; +$a->strings["Sign in"] = "Entra"; +$a->strings["Home Page"] = "Home Page"; +$a->strings["Create an account"] = "Crea un account"; +$a->strings["Help"] = "Guida"; +$a->strings["Help and documentation"] = "Guida e documentazione"; +$a->strings["Apps"] = "Applicazioni"; +$a->strings["Addon applications, utilities, games"] = "Applicazioni, utilità e giochi aggiuntivi"; +$a->strings["Search"] = "Cerca"; +$a->strings["Search site content"] = "Cerca nel contenuto del sito"; +$a->strings["Conversations on this site"] = "Conversazioni su questo sito"; +$a->strings["Directory"] = "Elenco"; +$a->strings["People directory"] = "Elenco delle persone"; +$a->strings["Information"] = "Informazioni"; +$a->strings["Information about this friendica instance"] = "Informazioni su questo server friendica"; +$a->strings["Network"] = "Rete"; +$a->strings["Conversations from your friends"] = "Conversazioni dai tuoi amici"; +$a->strings["Network Reset"] = "Reset pagina Rete"; +$a->strings["Load Network page with no filters"] = "Carica la pagina Rete senza nessun filtro"; +$a->strings["Introductions"] = "Presentazioni"; +$a->strings["Friend Requests"] = "Richieste di amicizia"; +$a->strings["Notifications"] = "Notifiche"; +$a->strings["See all notifications"] = "Vedi tutte le notifiche"; +$a->strings["Mark all system notifications seen"] = "Segna tutte le notifiche come viste"; +$a->strings["Messages"] = "Messaggi"; +$a->strings["Private mail"] = "Posta privata"; +$a->strings["Inbox"] = "In arrivo"; +$a->strings["Outbox"] = "Inviati"; +$a->strings["New Message"] = "Nuovo messaggio"; +$a->strings["Manage"] = "Gestisci"; +$a->strings["Manage other pages"] = "Gestisci altre pagine"; +$a->strings["Delegations"] = "Delegazioni"; +$a->strings["Delegate Page Management"] = "Gestione delegati per la pagina"; +$a->strings["Account settings"] = "Parametri account"; +$a->strings["Manage/Edit Profiles"] = "Gestisci/Modifica i profili"; +$a->strings["Manage/edit friends and contacts"] = "Gestisci/modifica amici e contatti"; +$a->strings["Admin"] = "Amministrazione"; +$a->strings["Site setup and configuration"] = "Configurazione del sito"; +$a->strings["Navigation"] = "Navigazione"; +$a->strings["Site map"] = "Mappa del sito"; +$a->strings["Click here to upgrade."] = "Clicca qui per aggiornare."; +$a->strings["This action exceeds the limits set by your subscription plan."] = "Questa azione eccede i limiti del tuo piano di sottoscrizione."; +$a->strings["This action is not available under your subscription plan."] = "Questa azione non è disponibile nel tuo piano di sottoscrizione."; +$a->strings["Disallowed profile URL."] = "Indirizzo profilo non permesso."; +$a->strings["Connect URL missing."] = "URL di connessione mancante."; +$a->strings["This site is not configured to allow communications with other networks."] = "Questo sito non è configurato per permettere la comunicazione con altri network."; +$a->strings["No compatible communication protocols or feeds were discovered."] = "Non sono stati trovati protocolli di comunicazione o feed compatibili."; +$a->strings["The profile address specified does not provide adequate information."] = "L'indirizzo del profilo specificato non fornisce adeguate informazioni."; +$a->strings["An author or name was not found."] = "Non è stato trovato un nome o un autore"; +$a->strings["No browser URL could be matched to this address."] = "Nessun URL puo' essere associato a questo indirizzo."; +$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email."; +$a->strings["Use mailto: in front of address to force email check."] = "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email."; +$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito."; +$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te."; +$a->strings["Unable to retrieve contact information."] = "Impossibile recuperare informazioni sul contatto."; +$a->strings["following"] = "segue"; +$a->strings["Error decoding account file"] = "Errore decodificando il file account"; +$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Errore! Nessuna informazione di versione nel file! Potrebbe non essere un file account di Friendica?"; +$a->strings["Error! Cannot check nickname"] = "Errore! Non posso controllare il nickname"; +$a->strings["User '%s' already exists on this server!"] = "L'utente '%s' esiste già su questo server!"; +$a->strings["User creation error"] = "Errore creando l'utente"; +$a->strings["User profile creation error"] = "Errore creando il profile dell'utente"; +$a->strings["%d contact not imported"] = array( + 0 => "%d contatto non importato", + 1 => "%d contatti non importati", +); +$a->strings["Done. You can now login with your username and password"] = "Fatto. Ora puoi entrare con il tuo nome utente e la tua password"; +$a->strings["l F d, Y \\@ g:i A"] = "l d F Y \\@ G:i"; +$a->strings["Starts:"] = "Inizia:"; +$a->strings["Finishes:"] = "Finisce:"; +$a->strings["stopped following"] = "tolto dai seguiti"; +$a->strings["Poke"] = "Stuzzica"; +$a->strings["View Status"] = "Visualizza stato"; +$a->strings["View Profile"] = "Visualizza profilo"; +$a->strings["View Photos"] = "Visualizza foto"; +$a->strings["Network Posts"] = "Post della Rete"; +$a->strings["Edit Contact"] = "Modifica contatti"; +$a->strings["Drop Contact"] = "Rimuovi contatto"; +$a->strings["Send PM"] = "Invia messaggio privato"; +$a->strings["\n\t\t\tThe friendica developers released update %s recently,\n\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = "\nGli sviluppatori di Friendica hanno rilasciato l'aggiornamento %s\nrecentemente, ma quando ho provato a installarlo, qualcosa è \nandato terribilmente storto.\nBisogna sistemare le cose e non posso farlo da solo.\nContatta uno sviluppatore se non puoi aiutarmi da solo. Il mio database potrebbe essere invalido."; +$a->strings["The error message is\n[pre]%s[/pre]"] = "Il messaggio di errore è\n[pre]%s[/pre]"; +$a->strings["Errors encountered creating database tables."] = "La creazione delle tabelle del database ha generato errori."; +$a->strings["Errors encountered performing database changes."] = "Riscontrati errori applicando le modifiche al database."; +$a->strings["Miscellaneous"] = "Varie"; +$a->strings["year"] = "anno"; +$a->strings["month"] = "mese"; +$a->strings["day"] = "giorno"; +$a->strings["never"] = "mai"; +$a->strings["less than a second ago"] = "meno di un secondo fa"; +$a->strings["years"] = "anni"; +$a->strings["months"] = "mesi"; +$a->strings["week"] = "settimana"; +$a->strings["weeks"] = "settimane"; +$a->strings["days"] = "giorni"; +$a->strings["hour"] = "ora"; +$a->strings["hours"] = "ore"; +$a->strings["minute"] = "minuto"; +$a->strings["minutes"] = "minuti"; +$a->strings["second"] = "secondo"; +$a->strings["seconds"] = "secondi"; +$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s fa"; +$a->strings["[no subject]"] = "[nessun oggetto]"; +$a->strings["(no subject)"] = "(nessun oggetto)"; +$a->strings["Unknown | Not categorised"] = "Sconosciuto | non categorizzato"; +$a->strings["Block immediately"] = "Blocca immediatamente"; +$a->strings["Shady, spammer, self-marketer"] = "Shady, spammer, self-marketer"; +$a->strings["Known to me, but no opinion"] = "Lo conosco, ma non ho un'opinione particolare"; +$a->strings["OK, probably harmless"] = "E' ok, probabilmente innocuo"; +$a->strings["Reputable, has my trust"] = "Rispettabile, ha la mia fiducia"; +$a->strings["Frequently"] = "Frequentemente"; +$a->strings["Hourly"] = "Ogni ora"; +$a->strings["Twice daily"] = "Due volte al dì"; +$a->strings["Daily"] = "Giornalmente"; +$a->strings["Weekly"] = "Settimanalmente"; +$a->strings["Monthly"] = "Mensilmente"; +$a->strings["Friendica"] = "Friendica"; +$a->strings["OStatus"] = "Ostatus"; +$a->strings["RSS/Atom"] = "RSS / Atom"; +$a->strings["Email"] = "Email"; +$a->strings["Diaspora"] = "Diaspora"; +$a->strings["Facebook"] = "Facebook"; +$a->strings["Zot!"] = "Zot!"; +$a->strings["LinkedIn"] = "LinkedIn"; +$a->strings["XMPP/IM"] = "XMPP/IM"; +$a->strings["MySpace"] = "MySpace"; +$a->strings["Google+"] = "Google+"; +$a->strings["pump.io"] = "pump.io"; +$a->strings["Twitter"] = "Twitter"; +$a->strings["Diaspora Connector"] = "Connettore Diaspora"; +$a->strings["Statusnet"] = "Statusnet"; +$a->strings["App.net"] = "App.net"; +$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s e %2\$s adesso sono amici"; +$a->strings["Sharing notification from Diaspora network"] = "Notifica di condivisione dal network Diaspora*"; +$a->strings["Attachments:"] = "Allegati:"; +$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "A %1\$s non piace %3\$s di %2\$s"; +$a->strings["%1\$s poked %2\$s"] = "%1\$s ha stuzzicato %2\$s"; +$a->strings["poked"] = "toccato"; +$a->strings["%1\$s is currently %2\$s"] = "%1\$s al momento è %2\$s"; +$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s ha taggato %3\$s di %2\$s con %4\$s"; +$a->strings["post/item"] = "post/elemento"; +$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s ha segnato il/la %3\$s di %2\$s come preferito"; +$a->strings["Select"] = "Seleziona"; +$a->strings["Delete"] = "Rimuovi"; +$a->strings["View %s's profile @ %s"] = "Vedi il profilo di %s @ %s"; +$a->strings["Categories:"] = "Categorie:"; +$a->strings["Filed under:"] = "Archiviato in:"; +$a->strings["%s from %s"] = "%s da %s"; +$a->strings["View in context"] = "Vedi nel contesto"; +$a->strings["Please wait"] = "Attendi"; +$a->strings["remove"] = "rimuovi"; +$a->strings["Delete Selected Items"] = "Cancella elementi selezionati"; +$a->strings["Follow Thread"] = "Segui la discussione"; +$a->strings["%s likes this."] = "Piace a %s."; +$a->strings["%s doesn't like this."] = "Non piace a %s."; +$a->strings["%2\$d people like this"] = "Piace a %2\$d persone."; +$a->strings["%2\$d people don't like this"] = "Non piace a %2\$d persone."; +$a->strings["and"] = "e"; +$a->strings[", and %d other people"] = "e altre %d persone"; +$a->strings["%s like this."] = "Piace a %s."; +$a->strings["%s don't like this."] = "Non piace a %s."; +$a->strings["Visible to everybody"] = "Visibile a tutti"; +$a->strings["Please enter a link URL:"] = "Inserisci l'indirizzo del link:"; +$a->strings["Please enter a video link/URL:"] = "Inserisci un collegamento video / URL:"; +$a->strings["Please enter an audio link/URL:"] = "Inserisci un collegamento audio / URL:"; +$a->strings["Tag term:"] = "Tag:"; +$a->strings["Save to Folder:"] = "Salva nella Cartella:"; +$a->strings["Where are you right now?"] = "Dove sei ora?"; +$a->strings["Delete item(s)?"] = "Cancellare questo elemento/i?"; +$a->strings["Post to Email"] = "Invia a email"; +$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Connettore disabilitato, dato che \"%s\" è abilitato."; +$a->strings["Hide your profile details from unknown viewers?"] = "Nascondi i dettagli del tuo profilo ai visitatori sconosciuti?"; +$a->strings["Share"] = "Condividi"; +$a->strings["Upload photo"] = "Carica foto"; +$a->strings["upload photo"] = "carica foto"; +$a->strings["Attach file"] = "Allega file"; +$a->strings["attach file"] = "allega file"; +$a->strings["Insert web link"] = "Inserisci link"; +$a->strings["web link"] = "link web"; +$a->strings["Insert video link"] = "Inserire collegamento video"; +$a->strings["video link"] = "link video"; +$a->strings["Insert audio link"] = "Inserisci collegamento audio"; +$a->strings["audio link"] = "link audio"; +$a->strings["Set your location"] = "La tua posizione"; +$a->strings["set location"] = "posizione"; +$a->strings["Clear browser location"] = "Rimuovi la localizzazione data dal browser"; +$a->strings["clear location"] = "canc. pos."; +$a->strings["Set title"] = "Scegli un titolo"; +$a->strings["Categories (comma-separated list)"] = "Categorie (lista separata da virgola)"; +$a->strings["Permission settings"] = "Impostazioni permessi"; +$a->strings["permissions"] = "permessi"; +$a->strings["CC: email addresses"] = "CC: indirizzi email"; +$a->strings["Public post"] = "Messaggio pubblico"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Esempio: bob@example.com, mary@example.com"; +$a->strings["Preview"] = "Anteprima"; +$a->strings["Post to Groups"] = "Invia ai Gruppi"; +$a->strings["Post to Contacts"] = "Invia ai Contatti"; +$a->strings["Private post"] = "Post privato"; +$a->strings["newer"] = "nuovi"; +$a->strings["older"] = "vecchi"; +$a->strings["prev"] = "prec"; +$a->strings["first"] = "primo"; +$a->strings["last"] = "ultimo"; +$a->strings["next"] = "succ"; +$a->strings["No contacts"] = "Nessun contatto"; +$a->strings["%d Contact"] = array( + 0 => "%d contatto", + 1 => "%d contatti", +); +$a->strings["View Contacts"] = "Visualizza i contatti"; +$a->strings["Save"] = "Salva"; +$a->strings["poke"] = "stuzzica"; +$a->strings["ping"] = "invia un ping"; +$a->strings["pinged"] = "inviato un ping"; +$a->strings["prod"] = "pungola"; +$a->strings["prodded"] = "pungolato"; +$a->strings["slap"] = "schiaffeggia"; +$a->strings["slapped"] = "schiaffeggiato"; +$a->strings["finger"] = "tocca"; +$a->strings["fingered"] = "toccato"; +$a->strings["rebuff"] = "respingi"; +$a->strings["rebuffed"] = "respinto"; +$a->strings["happy"] = "felice"; +$a->strings["sad"] = "triste"; +$a->strings["mellow"] = "rilassato"; +$a->strings["tired"] = "stanco"; +$a->strings["perky"] = "vivace"; +$a->strings["angry"] = "arrabbiato"; +$a->strings["stupified"] = "stupefatto"; +$a->strings["puzzled"] = "confuso"; +$a->strings["interested"] = "interessato"; +$a->strings["bitter"] = "risentito"; +$a->strings["cheerful"] = "giocoso"; +$a->strings["alive"] = "vivo"; +$a->strings["annoyed"] = "annoiato"; +$a->strings["anxious"] = "ansioso"; +$a->strings["cranky"] = "irritabile"; +$a->strings["disturbed"] = "disturbato"; +$a->strings["frustrated"] = "frustato"; +$a->strings["motivated"] = "motivato"; +$a->strings["relaxed"] = "rilassato"; +$a->strings["surprised"] = "sorpreso"; +$a->strings["Monday"] = "Lunedì"; +$a->strings["Tuesday"] = "Martedì"; +$a->strings["Wednesday"] = "Mercoledì"; +$a->strings["Thursday"] = "Giovedì"; +$a->strings["Friday"] = "Venerdì"; +$a->strings["Saturday"] = "Sabato"; +$a->strings["Sunday"] = "Domenica"; +$a->strings["January"] = "Gennaio"; +$a->strings["February"] = "Febbraio"; +$a->strings["March"] = "Marzo"; +$a->strings["April"] = "Aprile"; +$a->strings["May"] = "Maggio"; +$a->strings["June"] = "Giugno"; +$a->strings["July"] = "Luglio"; +$a->strings["August"] = "Agosto"; +$a->strings["September"] = "Settembre"; +$a->strings["October"] = "Ottobre"; +$a->strings["November"] = "Novembre"; +$a->strings["December"] = "Dicembre"; +$a->strings["View Video"] = "Guarda Video"; +$a->strings["bytes"] = "bytes"; +$a->strings["Click to open/close"] = "Clicca per aprire/chiudere"; +$a->strings["link to source"] = "Collegamento all'originale"; +$a->strings["default"] = "default"; +$a->strings["Select an alternate language"] = "Seleziona una diversa lingua"; +$a->strings["activity"] = "attività"; +$a->strings["comment"] = array( + 0 => "", + 1 => "commento", +); +$a->strings["post"] = "messaggio"; +$a->strings["Item filed"] = "Messaggio salvato"; +$a->strings["Logged out."] = "Uscita effettuata."; +$a->strings["Login failed."] = "Accesso fallito."; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto."; +$a->strings["The error message was:"] = "Il messaggio riportato era:"; +$a->strings["Image/photo"] = "Immagine/foto"; +$a->strings["%2\$s %3\$s"] = ""; +$a->strings["%s wrote the following post"] = "%s ha scritto il seguente messaggio"; +$a->strings["$1 wrote:"] = "$1 ha scritto:"; +$a->strings["Encrypted content"] = "Contenuto criptato"; +$a->strings["Welcome "] = "Ciao"; +$a->strings["Please upload a profile photo."] = "Carica una foto per il profilo."; +$a->strings["Welcome back "] = "Ciao "; +$a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla."; +$a->strings["Embedded content"] = "Contenuto incorporato"; +$a->strings["Embedding disabled"] = "Embed disabilitato"; +$a->strings["Male"] = "Maschio"; +$a->strings["Female"] = "Femmina"; +$a->strings["Currently Male"] = "Al momento maschio"; +$a->strings["Currently Female"] = "Al momento femmina"; +$a->strings["Mostly Male"] = "Prevalentemente maschio"; +$a->strings["Mostly Female"] = "Prevalentemente femmina"; +$a->strings["Transgender"] = "Transgender"; +$a->strings["Intersex"] = "Intersex"; +$a->strings["Transsexual"] = "Transessuale"; +$a->strings["Hermaphrodite"] = "Ermafrodito"; +$a->strings["Neuter"] = "Neutro"; +$a->strings["Non-specific"] = "Non specificato"; +$a->strings["Other"] = "Altro"; +$a->strings["Undecided"] = "Indeciso"; +$a->strings["Males"] = "Maschi"; +$a->strings["Females"] = "Femmine"; +$a->strings["Gay"] = "Gay"; +$a->strings["Lesbian"] = "Lesbica"; +$a->strings["No Preference"] = "Nessuna preferenza"; +$a->strings["Bisexual"] = "Bisessuale"; +$a->strings["Autosexual"] = "Autosessuale"; +$a->strings["Abstinent"] = "Astinente"; +$a->strings["Virgin"] = "Vergine"; +$a->strings["Deviant"] = "Deviato"; +$a->strings["Fetish"] = "Fetish"; +$a->strings["Oodles"] = "Un sacco"; +$a->strings["Nonsexual"] = "Asessuato"; +$a->strings["Single"] = "Single"; +$a->strings["Lonely"] = "Solitario"; +$a->strings["Available"] = "Disponibile"; +$a->strings["Unavailable"] = "Non disponibile"; +$a->strings["Has crush"] = "è cotto/a"; +$a->strings["Infatuated"] = "infatuato/a"; +$a->strings["Dating"] = "Disponibile a un incontro"; +$a->strings["Unfaithful"] = "Infedele"; +$a->strings["Sex Addict"] = "Sesso-dipendente"; +$a->strings["Friends"] = "Amici"; +$a->strings["Friends/Benefits"] = "Amici con benefici"; +$a->strings["Casual"] = "Casual"; +$a->strings["Engaged"] = "Impegnato"; +$a->strings["Married"] = "Sposato"; +$a->strings["Imaginarily married"] = "immaginariamente sposato/a"; +$a->strings["Partners"] = "Partners"; +$a->strings["Cohabiting"] = "Coinquilino"; +$a->strings["Common law"] = "diritto comune"; +$a->strings["Happy"] = "Felice"; +$a->strings["Not looking"] = "Non guarda"; +$a->strings["Swinger"] = "Scambista"; +$a->strings["Betrayed"] = "Tradito"; +$a->strings["Separated"] = "Separato"; +$a->strings["Unstable"] = "Instabile"; +$a->strings["Divorced"] = "Divorziato"; +$a->strings["Imaginarily divorced"] = "immaginariamente divorziato/a"; +$a->strings["Widowed"] = "Vedovo"; +$a->strings["Uncertain"] = "Incerto"; +$a->strings["It's complicated"] = "E' complicato"; +$a->strings["Don't care"] = "Non interessa"; +$a->strings["Ask me"] = "Chiedimelo"; +$a->strings["An invitation is required."] = "E' richiesto un invito."; +$a->strings["Invitation could not be verified."] = "L'invito non puo' essere verificato."; +$a->strings["Invalid OpenID url"] = "Url OpenID non valido"; +$a->strings["Please enter the required information."] = "Inserisci le informazioni richieste."; +$a->strings["Please use a shorter name."] = "Usa un nome più corto."; +$a->strings["Name too short."] = "Il nome è troppo corto."; +$a->strings["That doesn't appear to be your full (First Last) name."] = "Questo non sembra essere il tuo nome completo (Nome Cognome)."; +$a->strings["Your email domain is not among those allowed on this site."] = "Il dominio della tua email non è tra quelli autorizzati su questo sito."; +$a->strings["Not a valid email address."] = "L'indirizzo email non è valido."; +$a->strings["Cannot use that email."] = "Non puoi usare quell'email."; +$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera."; +$a->strings["Nickname is already registered. Please choose another."] = "Nome utente già registrato. Scegline un altro."; +$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo."; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita."; +$a->strings["An error occurred during registration. Please try again."] = "C'è stato un errore durante la registrazione. Prova ancora."; +$a->strings["An error occurred creating your default profile. Please try again."] = "C'è stato un errore nella creazione del tuo profilo. Prova ancora."; +$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = "\nGentile %1\$s,\nGrazie per esserti registrato su %2\$s. Il tuo account è stato creato."; +$a->strings["\n\t\tThe login details are as follows:\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t%1\$s\n\t\t\tPassword:\t%5$\n\n\t\tYou may change your password from your account \"Settings\" page after logging\n\t\tin.\n\n\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\tYou may also wish to add some basic information to your default profile\n\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\tWe recommend setting your full name, adding a profile photo,\n\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\tthan that.\n\n\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\tIf you are new and do not know anybody here, they may help\n\t\tyou to make some new and interesting friends.\n\n\n\t\tThank you and welcome to %2\$s."] = "\nI dettagli del tuo utente sono:\n Indirizzo del sito: %3\$s\n Nome utente: %1\$s\n Password: %5\$s\n\nPuoi cambiare la tua password dalla pagina delle impostazioni del tuo account dopo esserti autenticato.\n\nPer favore, prenditi qualche momento per esaminare tutte le impostazioni presenti.\n\nPotresti voler aggiungere qualche informazione di base al tuo profilo predefinito (nella pagina \"Profili\"), così che le altre persone possano trovarti più facilmente.\n\nTi raccomandiamo di inserire il tuo nome completo, aggiungere una foto, aggiungere qualche parola chiave del profilo (molto utili per trovare nuovi contatti), e magari in quale nazione vivi, se non vuoi essere più specifico di così.\n\nNoi rispettiamo appieno la tua privacy, e nessuna di queste informazioni è necessaria o obbligatoria.\nSe sei nuovo e non conosci nessuno qui, possono aiutarti a trovare qualche nuovo e interessante contatto.\n\nGrazie e benvenuto su %2\$s"; $a->strings["Registration details for %s"] = "Dettagli della registrazione di %s"; +$a->strings["Visible to everybody"] = "Visibile a tutti"; +$a->strings["This entry was edited"] = "Questa voce è stata modificata"; +$a->strings["Private Message"] = "Messaggio privato"; +$a->strings["Edit"] = "Modifica"; +$a->strings["save to folder"] = "salva nella cartella"; +$a->strings["add star"] = "aggiungi a speciali"; +$a->strings["remove star"] = "rimuovi da speciali"; +$a->strings["toggle star status"] = "Inverti stato preferito"; +$a->strings["starred"] = "preferito"; +$a->strings["ignore thread"] = "ignora la discussione"; +$a->strings["unignore thread"] = "non ignorare la discussione"; +$a->strings["toggle ignore status"] = "inverti stato \"Ignora\""; +$a->strings["ignored"] = "ignorato"; +$a->strings["add tag"] = "aggiungi tag"; +$a->strings["I like this (toggle)"] = "Mi piace (clic per cambiare)"; +$a->strings["like"] = "mi piace"; +$a->strings["I don't like this (toggle)"] = "Non mi piace (clic per cambiare)"; +$a->strings["dislike"] = "non mi piace"; +$a->strings["Share this"] = "Condividi questo"; +$a->strings["share"] = "condividi"; +$a->strings["to"] = "a"; +$a->strings["via"] = "via"; +$a->strings["Wall-to-Wall"] = "Da bacheca a bacheca"; +$a->strings["via Wall-To-Wall:"] = "da bacheca a bacheca"; +$a->strings["%d comment"] = array( + 0 => "%d commento", + 1 => "%d commenti", +); +$a->strings["This is you"] = "Questo sei tu"; +$a->strings["Bold"] = "Grassetto"; +$a->strings["Italic"] = "Corsivo"; +$a->strings["Underline"] = "Sottolineato"; +$a->strings["Quote"] = "Citazione"; +$a->strings["Code"] = "Codice"; +$a->strings["Image"] = "Immagine"; +$a->strings["Link"] = "Link"; +$a->strings["Video"] = "Video"; +$a->strings["Item not available."] = "Oggetto non disponibile."; +$a->strings["Item was not found."] = "Oggetto non trovato."; +$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Numero giornaliero di messaggi per %s superato. Invio fallito."; +$a->strings["No recipient selected."] = "Nessun destinatario selezionato."; +$a->strings["Unable to check your home location."] = "Impossibile controllare la tua posizione di origine."; +$a->strings["Message could not be sent."] = "Il messaggio non puo' essere inviato."; +$a->strings["Message collection failure."] = "Errore recuperando il messaggio."; +$a->strings["Message sent."] = "Messaggio inviato."; +$a->strings["No recipient."] = "Nessun destinatario."; +$a->strings["Send Private Message"] = "Invia un messaggio privato"; +$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Se vuoi che %s ti risponda, controlla che le tue impostazioni di privacy permettano la ricezione di messaggi privati da mittenti sconosciuti."; +$a->strings["To:"] = "A:"; +$a->strings["Subject:"] = "Oggetto:"; +$a->strings["Your message:"] = "Il tuo messaggio:"; +$a->strings["Group created."] = "Gruppo creato."; +$a->strings["Could not create group."] = "Impossibile creare il gruppo."; +$a->strings["Group not found."] = "Gruppo non trovato."; +$a->strings["Group name changed."] = "Il nome del gruppo è cambiato."; +$a->strings["Save Group"] = "Salva gruppo"; +$a->strings["Create a group of contacts/friends."] = "Crea un gruppo di amici/contatti."; +$a->strings["Group Name: "] = "Nome del gruppo:"; +$a->strings["Group removed."] = "Gruppo rimosso."; +$a->strings["Unable to remove group."] = "Impossibile rimuovere il gruppo."; +$a->strings["Group Editor"] = "Modifica gruppo"; +$a->strings["Members"] = "Membri"; +$a->strings["All Contacts"] = "Tutti i contatti"; +$a->strings["Click on a contact to add or remove."] = "Clicca su un contatto per aggiungerlo o rimuoverlo."; +$a->strings["No potential page delegates located."] = "Nessun potenziale delegato per la pagina è stato trovato."; +$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente."; +$a->strings["Existing Page Managers"] = "Gestori Pagina Esistenti"; +$a->strings["Existing Page Delegates"] = "Delegati Pagina Esistenti"; +$a->strings["Potential Delegates"] = "Delegati Potenziali"; +$a->strings["Remove"] = "Rimuovi"; +$a->strings["Add"] = "Aggiungi"; +$a->strings["No entries."] = "Nessun articolo."; +$a->strings["Invalid request identifier."] = "L'identificativo della richiesta non è valido."; +$a->strings["Discard"] = "Scarta"; +$a->strings["Ignore"] = "Ignora"; +$a->strings["System"] = "Sistema"; +$a->strings["Personal"] = "Personale"; +$a->strings["Show Ignored Requests"] = "Mostra richieste ignorate"; +$a->strings["Hide Ignored Requests"] = "Nascondi richieste ignorate"; +$a->strings["Notification type: "] = "Tipo di notifica: "; +$a->strings["Friend Suggestion"] = "Amico suggerito"; +$a->strings["suggested by %s"] = "sugerito da %s"; +$a->strings["Hide this contact from others"] = "Nascondi questo contatto agli altri"; +$a->strings["Post a new friend activity"] = "Invia una attività \"è ora amico con\""; +$a->strings["if applicable"] = "se applicabile"; +$a->strings["Approve"] = "Approva"; +$a->strings["Claims to be known to you: "] = "Dice di conoscerti: "; +$a->strings["yes"] = "si"; +$a->strings["no"] = "no"; +$a->strings["Approve as: "] = "Approva come: "; +$a->strings["Friend"] = "Amico"; +$a->strings["Sharer"] = "Condivisore"; +$a->strings["Fan/Admirer"] = "Fan/Ammiratore"; +$a->strings["Friend/Connect Request"] = "Richiesta amicizia/connessione"; +$a->strings["New Follower"] = "Qualcuno inizia a seguirti"; +$a->strings["No introductions."] = "Nessuna presentazione."; +$a->strings["%s liked %s's post"] = "a %s è piaciuto il messaggio di %s"; +$a->strings["%s disliked %s's post"] = "a %s non è piaciuto il messaggio di %s"; +$a->strings["%s is now friends with %s"] = "%s è ora amico di %s"; +$a->strings["%s created a new post"] = "%s a creato un nuovo messaggio"; +$a->strings["%s commented on %s's post"] = "%s ha commentato il messaggio di %s"; +$a->strings["No more network notifications."] = "Nessuna nuova."; +$a->strings["Network Notifications"] = "Notifiche dalla rete"; +$a->strings["No more system notifications."] = "Nessuna nuova notifica di sistema."; +$a->strings["System Notifications"] = "Notifiche di sistema"; +$a->strings["No more personal notifications."] = "Nessuna nuova."; +$a->strings["Personal Notifications"] = "Notifiche personali"; +$a->strings["No more home notifications."] = "Nessuna nuova."; +$a->strings["Home Notifications"] = "Notifiche bacheca"; +$a->strings["No profile"] = "Nessun profilo"; +$a->strings["everybody"] = "tutti"; +$a->strings["Account"] = "Account"; +$a->strings["Additional features"] = "Funzionalità aggiuntive"; +$a->strings["Display"] = "Visualizzazione"; +$a->strings["Social Networks"] = "Social Networks"; +$a->strings["Plugins"] = "Plugin"; +$a->strings["Connected apps"] = "Applicazioni collegate"; +$a->strings["Export personal data"] = "Esporta dati personali"; +$a->strings["Remove account"] = "Rimuovi account"; +$a->strings["Missing some important data!"] = "Mancano alcuni dati importanti!"; +$a->strings["Update"] = "Aggiorna"; +$a->strings["Failed to connect with email account using the settings provided."] = "Impossibile collegarsi all'account email con i parametri forniti."; +$a->strings["Email settings updated."] = "Impostazioni e-mail aggiornate."; +$a->strings["Features updated"] = "Funzionalità aggiornate"; +$a->strings["Relocate message has been send to your contacts"] = "Il messaggio di trasloco è stato inviato ai tuoi contatti"; +$a->strings["Passwords do not match. Password unchanged."] = "Le password non corrispondono. Password non cambiata."; +$a->strings["Empty passwords are not allowed. Password unchanged."] = "Le password non possono essere vuote. Password non cambiata."; +$a->strings["Wrong password."] = "Password sbagliata."; +$a->strings["Password changed."] = "Password cambiata."; +$a->strings["Password update failed. Please try again."] = "Aggiornamento password fallito. Prova ancora."; +$a->strings[" Please use a shorter name."] = " Usa un nome più corto."; +$a->strings[" Name too short."] = " Nome troppo corto."; +$a->strings["Wrong Password"] = "Password Sbagliata"; +$a->strings[" Not valid email."] = " Email non valida."; +$a->strings[" Cannot change to that email."] = "Non puoi usare quella email."; +$a->strings["Private forum has no privacy permissions. Using default privacy group."] = "Il forum privato non ha permessi di privacy. Uso il gruppo di privacy predefinito."; +$a->strings["Private forum has no privacy permissions and no default privacy group."] = "Il gruppo privato non ha permessi di privacy e nessun gruppo di privacy predefinito."; +$a->strings["Settings updated."] = "Impostazioni aggiornate."; +$a->strings["Add application"] = "Aggiungi applicazione"; +$a->strings["Save Settings"] = "Salva Impostazioni"; +$a->strings["Name"] = "Nome"; +$a->strings["Consumer Key"] = "Consumer Key"; +$a->strings["Consumer Secret"] = "Consumer Secret"; +$a->strings["Redirect"] = "Redirect"; +$a->strings["Icon url"] = "Url icona"; +$a->strings["You can't edit this application."] = "Non puoi modificare questa applicazione."; +$a->strings["Connected Apps"] = "Applicazioni Collegate"; +$a->strings["Client key starts with"] = "Chiave del client inizia con"; +$a->strings["No name"] = "Nessun nome"; +$a->strings["Remove authorization"] = "Rimuovi l'autorizzazione"; +$a->strings["No Plugin settings configured"] = "Nessun plugin ha impostazioni modificabili"; +$a->strings["Plugin Settings"] = "Impostazioni plugin"; +$a->strings["Off"] = "Spento"; +$a->strings["On"] = "Acceso"; +$a->strings["Additional Features"] = "Funzionalità aggiuntive"; +$a->strings["Built-in support for %s connectivity is %s"] = "Il supporto integrato per la connettività con %s è %s"; +$a->strings["enabled"] = "abilitato"; +$a->strings["disabled"] = "disabilitato"; +$a->strings["StatusNet"] = "StatusNet"; +$a->strings["Email access is disabled on this site."] = "L'accesso email è disabilitato su questo sito."; +$a->strings["Email/Mailbox Setup"] = "Impostazioni email"; +$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = "Se vuoi comunicare con i contatti email usando questo servizio, specifica come collegarti alla tua casella di posta. (opzionale)"; +$a->strings["Last successful email check:"] = "Ultimo controllo email eseguito con successo:"; +$a->strings["IMAP server name:"] = "Nome server IMAP:"; +$a->strings["IMAP port:"] = "Porta IMAP:"; +$a->strings["Security:"] = "Sicurezza:"; +$a->strings["None"] = "Nessuna"; +$a->strings["Email login name:"] = "Nome utente email:"; +$a->strings["Email password:"] = "Password email:"; +$a->strings["Reply-to address:"] = "Indirizzo di risposta:"; +$a->strings["Send public posts to all email contacts:"] = "Invia i messaggi pubblici ai contatti email:"; +$a->strings["Action after import:"] = "Azione post importazione:"; +$a->strings["Mark as seen"] = "Segna come letto"; +$a->strings["Move to folder"] = "Sposta nella cartella"; +$a->strings["Move to folder:"] = "Sposta nella cartella:"; +$a->strings["No special theme for mobile devices"] = "Nessun tema speciale per i dispositivi mobili"; +$a->strings["Display Settings"] = "Impostazioni Grafiche"; +$a->strings["Display Theme:"] = "Tema:"; +$a->strings["Mobile Theme:"] = "Tema mobile:"; +$a->strings["Update browser every xx seconds"] = "Aggiorna il browser ogni x secondi"; +$a->strings["Minimum of 10 seconds, no maximum"] = "Minimo 10 secondi, nessun limite massimo"; +$a->strings["Number of items to display per page:"] = "Numero di elementi da mostrare per pagina:"; +$a->strings["Maximum of 100 items"] = "Massimo 100 voci"; +$a->strings["Number of items to display per page when viewed from mobile device:"] = "Numero di voci da visualizzare per pagina quando si utilizza un dispositivo mobile:"; +$a->strings["Don't show emoticons"] = "Non mostrare le emoticons"; +$a->strings["Don't show notices"] = "Non mostrare gli avvisi"; +$a->strings["Infinite scroll"] = "Scroll infinito"; +$a->strings["Automatic updates only at the top of the network page"] = "Aggiornamenti automatici solo in cima alla pagina \"rete\""; +$a->strings["User Types"] = "Tipi di Utenti"; +$a->strings["Community Types"] = "Tipi di Comunità"; +$a->strings["Normal Account Page"] = "Pagina Account Normale"; +$a->strings["This account is a normal personal profile"] = "Questo account è un normale profilo personale"; +$a->strings["Soapbox Page"] = "Pagina Sandbox"; +$a->strings["Automatically approve all connection/friend requests as read-only fans"] = "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà solamente leggere la bacheca"; +$a->strings["Community Forum/Celebrity Account"] = "Account Celebrità/Forum comunitario"; +$a->strings["Automatically approve all connection/friend requests as read-write fans"] = "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà leggere e scrivere sulla bacheca"; +$a->strings["Automatic Friend Page"] = "Pagina con amicizia automatica"; +$a->strings["Automatically approve all connection/friend requests as friends"] = "Chi richiede la connessione/amicizia sarà accettato automaticamente come amico"; +$a->strings["Private Forum [Experimental]"] = "Forum privato [sperimentale]"; +$a->strings["Private forum - approved members only"] = "Forum privato - solo membri approvati"; +$a->strings["OpenID:"] = "OpenID:"; +$a->strings["(Optional) Allow this OpenID to login to this account."] = "(Opzionale) Consente di loggarti in questo account con questo OpenID"; +$a->strings["Publish your default profile in your local site directory?"] = "Pubblica il tuo profilo predefinito nell'elenco locale del sito"; +$a->strings["No"] = "No"; +$a->strings["Publish your default profile in the global social directory?"] = "Pubblica il tuo profilo predefinito nell'elenco sociale globale"; +$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Nascondi la lista dei tuoi contatti/amici dai visitatori del tuo profilo predefinito"; +$a->strings["Allow friends to post to your profile page?"] = "Permetti agli amici di scrivere sulla tua pagina profilo?"; +$a->strings["Allow friends to tag your posts?"] = "Permetti agli amici di taggare i tuoi messaggi?"; +$a->strings["Allow us to suggest you as a potential friend to new members?"] = "Ci permetti di suggerirti come potenziale amico ai nuovi membri?"; +$a->strings["Permit unknown people to send you private mail?"] = "Permetti a utenti sconosciuti di inviarti messaggi privati?"; +$a->strings["Profile is not published."] = "Il profilo non è pubblicato."; +$a->strings["or"] = "o"; +$a->strings["Your Identity Address is"] = "L'indirizzo della tua identità è"; +$a->strings["Automatically expire posts after this many days:"] = "Fai scadere i post automaticamente dopo x giorni:"; +$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Se lasciato vuoto, i messaggi non verranno cancellati."; +$a->strings["Advanced expiration settings"] = "Impostazioni avanzate di scandenza"; +$a->strings["Advanced Expiration"] = "Scadenza avanzata"; +$a->strings["Expire posts:"] = "Fai scadere i post:"; +$a->strings["Expire personal notes:"] = "Fai scadere le Note personali:"; +$a->strings["Expire starred posts:"] = "Fai scadere i post Speciali:"; +$a->strings["Expire photos:"] = "Fai scadere le foto:"; +$a->strings["Only expire posts by others:"] = "Fai scadere solo i post degli altri:"; +$a->strings["Account Settings"] = "Impostazioni account"; +$a->strings["Password Settings"] = "Impostazioni password"; +$a->strings["New Password:"] = "Nuova password:"; +$a->strings["Confirm:"] = "Conferma:"; +$a->strings["Leave password fields blank unless changing"] = "Lascia questi campi in bianco per non effettuare variazioni alla password"; +$a->strings["Current Password:"] = "Password Attuale:"; +$a->strings["Your current password to confirm the changes"] = "La tua password attuale per confermare le modifiche"; +$a->strings["Password:"] = "Password:"; +$a->strings["Basic Settings"] = "Impostazioni base"; +$a->strings["Email Address:"] = "Indirizzo Email:"; +$a->strings["Your Timezone:"] = "Il tuo fuso orario:"; +$a->strings["Default Post Location:"] = "Località predefinita:"; +$a->strings["Use Browser Location:"] = "Usa la località rilevata dal browser:"; +$a->strings["Security and Privacy Settings"] = "Impostazioni di sicurezza e privacy"; +$a->strings["Maximum Friend Requests/Day:"] = "Numero massimo di richieste di amicizia al giorno:"; +$a->strings["(to prevent spam abuse)"] = "(per prevenire lo spam)"; +$a->strings["Default Post Permissions"] = "Permessi predefiniti per i messaggi"; +$a->strings["(click to open/close)"] = "(clicca per aprire/chiudere)"; +$a->strings["Show to Groups"] = "Mostra ai gruppi"; +$a->strings["Show to Contacts"] = "Mostra ai contatti"; +$a->strings["Default Private Post"] = "Default Post Privato"; +$a->strings["Default Public Post"] = "Default Post Pubblico"; +$a->strings["Default Permissions for New Posts"] = "Permessi predefiniti per i nuovi post"; +$a->strings["Maximum private messages per day from unknown people:"] = "Numero massimo di messaggi privati da utenti sconosciuti per giorno:"; +$a->strings["Notification Settings"] = "Impostazioni notifiche"; +$a->strings["By default post a status message when:"] = "Invia un messaggio di stato quando:"; +$a->strings["accepting a friend request"] = "accetti una richiesta di amicizia"; +$a->strings["joining a forum/community"] = "ti unisci a un forum/comunità"; +$a->strings["making an interesting profile change"] = "fai un interessante modifica al profilo"; +$a->strings["Send a notification email when:"] = "Invia una mail di notifica quando:"; +$a->strings["You receive an introduction"] = "Ricevi una presentazione"; +$a->strings["Your introductions are confirmed"] = "Le tue presentazioni sono confermate"; +$a->strings["Someone writes on your profile wall"] = "Qualcuno scrive sulla bacheca del tuo profilo"; +$a->strings["Someone writes a followup comment"] = "Qualcuno scrive un commento a un tuo messaggio"; +$a->strings["You receive a private message"] = "Ricevi un messaggio privato"; +$a->strings["You receive a friend suggestion"] = "Hai ricevuto un suggerimento di amicizia"; +$a->strings["You are tagged in a post"] = "Sei stato taggato in un post"; +$a->strings["You are poked/prodded/etc. in a post"] = "Sei 'toccato'/'spronato'/ecc. in un post"; +$a->strings["Advanced Account/Page Type Settings"] = "Impostazioni avanzate Account/Tipo di pagina"; +$a->strings["Change the behaviour of this account for special situations"] = "Modifica il comportamento di questo account in situazioni speciali"; +$a->strings["Relocate"] = "Trasloca"; +$a->strings["If you have moved this profile from another server, and some of your contacts don't receive your updates, try pushing this button."] = "Se hai spostato questo profilo da un'altro server, e alcuni dei tuoi contatti non ricevono i tuoi aggiornamenti, prova a premere questo bottone."; +$a->strings["Resend relocate message to contacts"] = "Reinvia il messaggio di trasloco"; +$a->strings["Common Friends"] = "Amici in comune"; +$a->strings["No contacts in common."] = "Nessun contatto in comune."; +$a->strings["Remote privacy information not available."] = "Informazioni remote sulla privacy non disponibili."; +$a->strings["Visible to:"] = "Visibile a:"; +$a->strings["%d contact edited."] = array( + 0 => "%d contatto modificato", + 1 => "%d contatti modificati", +); +$a->strings["Could not access contact record."] = "Non è possibile accedere al contatto."; +$a->strings["Could not locate selected profile."] = "Non riesco a trovare il profilo selezionato."; +$a->strings["Contact updated."] = "Contatto aggiornato."; +$a->strings["Failed to update contact record."] = "Errore nell'aggiornamento del contatto."; +$a->strings["Contact has been blocked"] = "Il contatto è stato bloccato"; +$a->strings["Contact has been unblocked"] = "Il contatto è stato sbloccato"; +$a->strings["Contact has been ignored"] = "Il contatto è ignorato"; +$a->strings["Contact has been unignored"] = "Il contatto non è più ignorato"; +$a->strings["Contact has been archived"] = "Il contatto è stato archiviato"; +$a->strings["Contact has been unarchived"] = "Il contatto è stato dearchiviato"; +$a->strings["Do you really want to delete this contact?"] = "Vuoi veramente cancellare questo contatto?"; +$a->strings["Contact has been removed."] = "Il contatto è stato rimosso."; +$a->strings["You are mutual friends with %s"] = "Sei amico reciproco con %s"; +$a->strings["You are sharing with %s"] = "Stai condividendo con %s"; +$a->strings["%s is sharing with you"] = "%s sta condividendo con te"; +$a->strings["Private communications are not available for this contact."] = "Le comunicazioni private non sono disponibili per questo contatto."; +$a->strings["Never"] = "Mai"; +$a->strings["(Update was successful)"] = "(L'aggiornamento è stato completato)"; +$a->strings["(Update was not successful)"] = "(L'aggiornamento non è stato completato)"; +$a->strings["Suggest friends"] = "Suggerisci amici"; +$a->strings["Network type: %s"] = "Tipo di rete: %s"; +$a->strings["View all contacts"] = "Vedi tutti i contatti"; +$a->strings["Unblock"] = "Sblocca"; +$a->strings["Block"] = "Blocca"; +$a->strings["Toggle Blocked status"] = "Inverti stato \"Blocca\""; +$a->strings["Unignore"] = "Non ignorare"; +$a->strings["Toggle Ignored status"] = "Inverti stato \"Ignora\""; +$a->strings["Unarchive"] = "Dearchivia"; +$a->strings["Archive"] = "Archivia"; +$a->strings["Toggle Archive status"] = "Inverti stato \"Archiviato\""; +$a->strings["Repair"] = "Ripara"; +$a->strings["Advanced Contact Settings"] = "Impostazioni avanzate Contatto"; +$a->strings["Communications lost with this contact!"] = "Comunicazione con questo contatto persa!"; +$a->strings["Contact Editor"] = "Editor dei Contatti"; +$a->strings["Profile Visibility"] = "Visibilità del profilo"; +$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Seleziona il profilo che vuoi mostrare a %s quando visita il tuo profilo in modo sicuro."; +$a->strings["Contact Information / Notes"] = "Informazioni / Note sul contatto"; +$a->strings["Edit contact notes"] = "Modifica note contatto"; +$a->strings["Visit %s's profile [%s]"] = "Visita il profilo di %s [%s]"; +$a->strings["Block/Unblock contact"] = "Blocca/Sblocca contatto"; +$a->strings["Ignore contact"] = "Ignora il contatto"; +$a->strings["Repair URL settings"] = "Impostazioni riparazione URL"; +$a->strings["View conversations"] = "Vedi conversazioni"; +$a->strings["Delete contact"] = "Rimuovi contatto"; +$a->strings["Last update:"] = "Ultimo aggiornamento:"; +$a->strings["Update public posts"] = "Aggiorna messaggi pubblici"; +$a->strings["Update now"] = "Aggiorna adesso"; +$a->strings["Currently blocked"] = "Bloccato"; +$a->strings["Currently ignored"] = "Ignorato"; +$a->strings["Currently archived"] = "Al momento archiviato"; +$a->strings["Replies/likes to your public posts may still be visible"] = "Risposte ai tuoi post pubblici possono essere comunque visibili"; +$a->strings["Notification for new posts"] = "Notifica per i nuovi messaggi"; +$a->strings["Send a notification of every new post of this contact"] = "Invia una notifica per ogni nuovo messaggio di questo contatto"; +$a->strings["Fetch further information for feeds"] = "Recupera maggiori infomazioni per i feed"; +$a->strings["Suggestions"] = "Suggerimenti"; +$a->strings["Suggest potential friends"] = "Suggerisci potenziali amici"; +$a->strings["Show all contacts"] = "Mostra tutti i contatti"; +$a->strings["Unblocked"] = "Sbloccato"; +$a->strings["Only show unblocked contacts"] = "Mostra solo contatti non bloccati"; +$a->strings["Blocked"] = "Bloccato"; +$a->strings["Only show blocked contacts"] = "Mostra solo contatti bloccati"; +$a->strings["Ignored"] = "Ignorato"; +$a->strings["Only show ignored contacts"] = "Mostra solo contatti ignorati"; +$a->strings["Archived"] = "Achiviato"; +$a->strings["Only show archived contacts"] = "Mostra solo contatti archiviati"; +$a->strings["Hidden"] = "Nascosto"; +$a->strings["Only show hidden contacts"] = "Mostra solo contatti nascosti"; +$a->strings["Mutual Friendship"] = "Amicizia reciproca"; +$a->strings["is a fan of yours"] = "è un tuo fan"; +$a->strings["you are a fan of"] = "sei un fan di"; +$a->strings["Edit contact"] = "Modifca contatto"; +$a->strings["Search your contacts"] = "Cerca nei tuoi contatti"; +$a->strings["Finding: "] = "Ricerca: "; +$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta"; +$a->strings["Or - did you try to upload an empty file?"] = "O.. non avrai provato a caricare un file vuoto?"; +$a->strings["File exceeds size limit of %d"] = "Il file supera la dimensione massima di %d"; +$a->strings["File upload failed."] = "Caricamento del file non riuscito."; +$a->strings["[Embedded content - reload page to view]"] = "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]"; +$a->strings["Export account"] = "Esporta account"; +$a->strings["Export your account info and contacts. Use this to make a backup of your account and/or to move it to another server."] = "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server."; +$a->strings["Export all"] = "Esporta tutto"; +$a->strings["Export your accout info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)"; $a->strings["Registration successful. Please check your email for further instructions."] = "Registrazione completata. Controlla la tua mail per ulteriori informazioni."; $a->strings["Failed to send email message. Here is the message that failed."] = "Errore nell'invio del messaggio email. Questo è il messaggio non inviato."; $a->strings["Your registration can not be processed."] = "La tua registrazione non puo' essere elaborata."; -$a->strings["Registration request at %s"] = "Richiesta di registrazione su %s"; $a->strings["Your registration is pending approval by the site owner."] = "La tua richiesta è in attesa di approvazione da parte del prorietario del sito."; $a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Questo sito ha superato il numero di registrazioni giornaliere consentite. Prova di nuovo domani."; $a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Se vuoi, puoi riempire questo modulo tramite OpenID, inserendo il tuo OpenID e cliccando 'Registra'."; $a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Se non hai familiarità con OpenID, lascia il campo vuoto e riempi il resto della maschera."; $a->strings["Your OpenID (optional): "] = "Il tuo OpenID (opzionale): "; $a->strings["Include your profile in member directory?"] = "Includi il tuo profilo nell'elenco pubblico?"; -$a->strings["Yes"] = "Si"; -$a->strings["No"] = "No"; $a->strings["Membership on this site is by invitation only."] = "La registrazione su questo sito è solo su invito."; $a->strings["Your invitation ID: "] = "L'ID del tuo invito:"; $a->strings["Registration"] = "Registrazione"; @@ -211,196 +1031,86 @@ $a->strings["Choose a profile nickname. This must begin with a text character. Y $a->strings["Choose a nickname: "] = "Scegli un nome utente: "; $a->strings["Import"] = "Importa"; $a->strings["Import your profile to this friendica instance"] = "Importa il tuo profilo in questo server friendica"; -$a->strings["Profile not found."] = "Profilo non trovato."; -$a->strings["Contact not found."] = "Contatto non trovato."; -$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata."; -$a->strings["Response from remote site was not understood."] = "Errore di comunicazione con l'altro sito."; -$a->strings["Unexpected response from remote site: "] = "La risposta dell'altro sito non può essere gestita: "; -$a->strings["Confirmation completed successfully."] = "Conferma completata con successo."; -$a->strings["Remote site reported: "] = "Il sito remoto riporta: "; -$a->strings["Temporary failure. Please wait and try again."] = "Problema temporaneo. Attendi e riprova."; -$a->strings["Introduction failed or was revoked."] = "La presentazione ha generato un errore o è stata revocata."; -$a->strings["Unable to set contact photo."] = "Impossibile impostare la foto del contatto."; -$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s e %2\$s adesso sono amici"; -$a->strings["No user record found for '%s' "] = "Nessun utente trovato '%s'"; -$a->strings["Our site encryption key is apparently messed up."] = "La nostra chiave di criptazione del sito sembra essere corrotta."; -$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo."; -$a->strings["Contact record was not found for you on our site."] = "Il contatto non è stato trovato sul nostro sito."; -$a->strings["Site public key not available in contact record for URL %s."] = "La chiave pubblica del sito non è disponibile per l'URL %s"; -$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare."; -$a->strings["Unable to set your contact credentials on our system."] = "Impossibile impostare le credenziali del tuo contatto sul nostro sistema."; -$a->strings["Unable to update your contact profile details on our system"] = "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema"; -$a->strings["Connection accepted at %s"] = "Connession accettata su %s"; -$a->strings["%1\$s has joined %2\$s"] = "%1\$s si è unito a %2\$s"; +$a->strings["Post successful."] = "Inviato!"; +$a->strings["System down for maintenance"] = "Sistema in manutenzione"; +$a->strings["Access to this profile has been restricted."] = "L'accesso a questo profilo è stato limitato."; +$a->strings["Tips for New Members"] = "Consigli per i Nuovi Utenti"; +$a->strings["Public access denied."] = "Accesso negato."; +$a->strings["No videos selected"] = "Nessun video selezionato"; +$a->strings["Access to this item is restricted."] = "Questo oggetto non è visibile a tutti."; +$a->strings["View Album"] = "Sfoglia l'album"; +$a->strings["Recent Videos"] = "Video Recenti"; +$a->strings["Upload New Videos"] = "Carica Nuovo Video"; +$a->strings["Manage Identities and/or Pages"] = "Gestisci indentità e/o pagine"; +$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione"; +$a->strings["Select an identity to manage: "] = "Seleziona un'identità da gestire:"; +$a->strings["Item not found"] = "Oggetto non trovato"; +$a->strings["Edit post"] = "Modifica messaggio"; +$a->strings["People Search"] = "Cerca persone"; +$a->strings["No matches"] = "Nessun risultato"; +$a->strings["Account approved."] = "Account approvato."; +$a->strings["Registration revoked for %s"] = "Registrazione revocata per %s"; +$a->strings["Please login."] = "Accedi."; +$a->strings["This introduction has already been accepted."] = "Questa presentazione è già stata accettata."; +$a->strings["Profile location is not valid or does not contain profile information."] = "L'indirizzo del profilo non è valido o non contiene un profilo."; +$a->strings["Warning: profile location has no identifiable owner name."] = "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario."; +$a->strings["Warning: profile location has no profile photo."] = "Attenzione: l'indirizzo del profilo non ha una foto."; +$a->strings["%d required parameter was not found at the given location"] = array( + 0 => "%d parametro richiesto non è stato trovato all'indirizzo dato", + 1 => "%d parametri richiesti non sono stati trovati all'indirizzo dato", +); +$a->strings["Introduction complete."] = "Presentazione completa."; +$a->strings["Unrecoverable protocol error."] = "Errore di comunicazione."; +$a->strings["Profile unavailable."] = "Profilo non disponibile."; +$a->strings["%s has received too many connection requests today."] = "%s ha ricevuto troppe richieste di connessione per oggi."; +$a->strings["Spam protection measures have been invoked."] = "Sono state attivate le misure di protezione contro lo spam."; +$a->strings["Friends are advised to please try again in 24 hours."] = "Gli amici sono pregati di riprovare tra 24 ore."; +$a->strings["Invalid locator"] = "Invalid locator"; +$a->strings["Invalid email address."] = "Indirizzo email non valido."; +$a->strings["This account has not been configured for email. Request failed."] = "Questo account non è stato configurato per l'email. Richiesta fallita."; +$a->strings["Unable to resolve your name at the provided location."] = "Impossibile risolvere il tuo nome nella posizione indicata."; +$a->strings["You have already introduced yourself here."] = "Ti sei già presentato qui."; +$a->strings["Apparently you are already friends with %s."] = "Pare che tu e %s siate già amici."; +$a->strings["Invalid profile URL."] = "Indirizzo profilo non valido."; +$a->strings["Your introduction has been sent."] = "La tua presentazione è stata inviata."; +$a->strings["Please login to confirm introduction."] = "Accedi per confermare la presentazione."; +$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo."; +$a->strings["Hide this contact"] = "Nascondi questo contatto"; +$a->strings["Welcome home %s."] = "Bentornato a casa %s."; +$a->strings["Please confirm your introduction/connection request to %s."] = "Conferma la tua richiesta di connessione con %s."; +$a->strings["Confirm"] = "Conferma"; +$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:"; +$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi"; +$a->strings["Friend/Connection Request"] = "Richieste di amicizia/connessione"; +$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; +$a->strings["Please answer the following:"] = "Rispondi:"; +$a->strings["Does %s know you?"] = "%s ti conosce?"; +$a->strings["Add a personal note:"] = "Aggiungi una nota personale:"; +$a->strings["StatusNet/Federated Social Web"] = "StatusNet/Federated Social Web"; +$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora."; +$a->strings["Your Identity Address:"] = "L'indirizzo della tua identità:"; +$a->strings["Submit Request"] = "Invia richiesta"; +$a->strings["Files"] = "File"; $a->strings["Authorize application connection"] = "Autorizza la connessione dell'applicazione"; $a->strings["Return to your app and insert this Securty Code:"] = "Torna alla tua applicazione e inserisci questo codice di sicurezza:"; $a->strings["Please login to continue."] = "Effettua il login per continuare."; $a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?"; -$a->strings["No valid account found."] = "Nessun account valido trovato."; -$a->strings["Password reset request issued. Check your email."] = "La richiesta per reimpostare la password è stata inviata. Controlla la tua email."; -$a->strings["Password reset requested at %s"] = "Richiesta reimpostazione password su %s"; -$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita."; -$a->strings["Your password has been reset as requested."] = "La tua password è stata reimpostata come richiesto."; -$a->strings["Your new password is"] = "La tua nuova password è"; -$a->strings["Save or copy your new password - and then"] = "Salva o copia la tua nuova password, quindi"; -$a->strings["click here to login"] = "clicca qui per entrare"; -$a->strings["Your password may be changed from the Settings page after successful login."] = "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso."; -$a->strings["Your password has been changed at %s"] = "La tua password presso %s è stata cambiata"; -$a->strings["Forgot your Password?"] = "Hai dimenticato la password?"; -$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Inserisci il tuo indirizzo email per reimpostare la password."; -$a->strings["Nickname or Email: "] = "Nome utente o email: "; -$a->strings["Reset"] = "Reimposta"; -$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Numero giornaliero di messaggi per %s superato. Invio fallito."; -$a->strings["No recipient selected."] = "Nessun destinatario selezionato."; -$a->strings["Unable to check your home location."] = "Impossibile controllare la tua posizione di origine."; -$a->strings["Message could not be sent."] = "Il messaggio non puo' essere inviato."; -$a->strings["Message collection failure."] = "Errore recuperando il messaggio."; -$a->strings["Message sent."] = "Messaggio inviato."; -$a->strings["No recipient."] = "Nessun destinatario."; -$a->strings["Please enter a link URL:"] = "Inserisci l'indirizzo del link:"; -$a->strings["Send Private Message"] = "Invia un messaggio privato"; -$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Se vuoi che %s ti risponda, controlla che le tue impostazioni di privacy permettano la ricezione di messaggi privati da mittenti sconosciuti."; -$a->strings["To:"] = "A:"; -$a->strings["Subject:"] = "Oggetto:"; -$a->strings["Your message:"] = "Il tuo messaggio:"; -$a->strings["Upload photo"] = "Carica foto"; -$a->strings["Insert web link"] = "Inserisci link"; -$a->strings["Welcome to Friendica"] = "Benvenuto su Friendica"; -$a->strings["New Member Checklist"] = "Cose da fare per i Nuovi Utenti"; -$a->strings["We would like to offer some tips and links to help make your experience enjoyable. Click any item to visit the relevant page. A link to this page will be visible from your home page for two weeks after your initial registration and then will quietly disappear."] = "Vorremmo offrirti qualche trucco e dei link alla guida per aiutarti ad avere un'esperienza divertente. Clicca su un qualsiasi elemento per visitare la relativa pagina. Un link a questa pagina sarà visibile nella tua home per due settimane dopo la tua registrazione."; -$a->strings["Getting Started"] = "Come Iniziare"; -$a->strings["Friendica Walk-Through"] = "Friendica Passo-Passo"; -$a->strings["On your Quick Start page - find a brief introduction to your profile and network tabs, make some new connections, and find some groups to join."] = "Sulla tua pagina Quick Start - veloce introduzione alla tua pagina profilo e alla pagina Rete, fai qualche nuova amicizia, e trova qualche gruppo a cui unirti."; -$a->strings["Go to Your Settings"] = "Vai alle tue Impostazioni"; -$a->strings["On your Settings page - change your initial password. Also make a note of your Identity Address. This looks just like an email address - and will be useful in making friends on the free social web."] = "Nella tua pagina Impostazioni - cambia la tua password iniziale. Prendi anche nota del tuo Indirizzo Identità. Assomiglia a un indirizzo email e sarà utile per stringere amicizie nel web sociale libero."; -$a->strings["Review the other settings, particularly the privacy settings. An unpublished directory listing is like having an unlisted phone number. In general, you should probably publish your listing - unless all of your friends and potential friends know exactly how to find you."] = "Guarda le altre impostazioni, in particolare le impostazioni della privacy. Un profilo non pubblicato è come un numero di telefono non in elenco. In genere, dovresti pubblicare il tuo profilo - a meno che tutti i tuoi amici e potenziali tali sappiano esattamente come trovarti."; -$a->strings["Upload Profile Photo"] = "Carica la foto del profilo"; -$a->strings["Upload a profile photo if you have not done so already. Studies have shown that people with real photos of themselves are ten times more likely to make friends than people who do not."] = "Carica una foto del profilo se non l'hai ancora fatto. Studi hanno mostrato che persone che hanno vere foto di se stessi hanno dieci volte più probabilità di fare amicizie rispetto alle persone che non ce l'hanno."; -$a->strings["Edit Your Profile"] = "Modifica il tuo Profilo"; -$a->strings["Edit your default profile to your liking. Review the settings for hiding your list of friends and hiding the profile from unknown visitors."] = "Modifica il tuo profilo predefinito a piacimento. Rivedi le impostazioni per nascondere la tua lista di amici e nascondere il profilo ai visitatori sconosciuti."; -$a->strings["Profile Keywords"] = "Parole chiave del profilo"; -$a->strings["Set some public keywords for your default profile which describe your interests. We may be able to find other people with similar interests and suggest friendships."] = "Inserisci qualche parola chiave pubblica nel tuo profilo predefinito che descriva i tuoi interessi. Potremmo essere in grado di trovare altre persone con interessi similari e suggerirti delle amicizie."; -$a->strings["Connecting"] = "Collegarsi"; -$a->strings["Facebook"] = "Facebook"; -$a->strings["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "Autorizza il Facebook Connector se hai un account Facebook, e noi (opzionalmente) importeremo tuti i tuoi amici e le tue conversazioni da Facebook."; -$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "Sestrings["Importing Emails"] = "Importare le Email"; -$a->strings["Enter your email access information on your Connector Settings page if you wish to import and interact with friends or mailing lists from your email INBOX"] = "Inserisci i tuoi dati di accesso all'email nella tua pagina Impostazioni Connettori se vuoi importare e interagire con amici o mailing list dalla tua casella di posta in arrivo"; -$a->strings["Go to Your Contacts Page"] = "Vai alla tua pagina Contatti"; -$a->strings["Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the Add New Contact dialog."] = "La tua pagina Contatti è il mezzo per gestire le amicizie e collegarsi con amici su altre reti. Di solito, basta inserire l'indirizzo nel campo Aggiungi Nuovo Contatto"; -$a->strings["Go to Your Site's Directory"] = "Vai all'Elenco del tuo sito"; -$a->strings["The Directory page lets you find other people in this network or other federated sites. Look for a Connect or Follow link on their profile page. Provide your own Identity Address if requested."] = "La pagina Elenco ti permette di trovare altre persone in questa rete o in altri siti. Cerca un link Connetti o Segui nella loro pagina del profilo. Inserisci il tuo Indirizzo Identità, se richiesto."; -$a->strings["Finding New People"] = "Trova nuove persone"; -$a->strings["On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours."] = "Nel pannello laterale nella pagina \"Contatti\", ci sono diversi strumenti per trovare nuovi amici. Possiamo confrontare le persone per interessi, cercare le persone per nome e fornire suggerimenti basati sui tuoi contatti esistenti. Su un sito nuovo, i suggerimenti sono di solito presenti dopo 24 ore."; -$a->strings["Groups"] = "Gruppi"; -$a->strings["Group Your Contacts"] = "Raggruppa i tuoi contatti"; -$a->strings["Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page."] = "Quando avrai alcuni amici, organizzali in gruppi di conversazioni private dalla barra laterale della tua pagina Contatti. Potrai interagire privatamente con ogni gruppo nella tua pagina Rete"; -$a->strings["Why Aren't My Posts Public?"] = "Perchè i miei post non sono pubblici?"; -$a->strings["Friendica respects your privacy. By default, your posts will only show up to people you've added as friends. For more information, see the help section from the link above."] = "Friendica rispetta la tua provacy. Per impostazione predefinita, i tuoi post sono mostrati solo alle persone che hai aggiunto come amici. Per maggiori informazioni guarda la sezione della guida dal link qui sopra."; -$a->strings["Getting Help"] = "Ottenere Aiuto"; -$a->strings["Go to the Help Section"] = "Vai alla sezione Guida"; -$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Le nostre pagine della guida possono essere consultate per avere dettagli su altre caratteristiche del programma e altre risorse."; $a->strings["Do you really want to delete this suggestion?"] = "Vuoi veramente cancellare questo suggerimento?"; -$a->strings["Cancel"] = "Annulla"; $a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra 24 ore."; $a->strings["Ignore/Hide"] = "Ignora / Nascondi"; -$a->strings["Search Results For:"] = "Cerca risultati per:"; -$a->strings["Remove term"] = "Rimuovi termine"; -$a->strings["Saved Searches"] = "Ricerche salvate"; -$a->strings["add"] = "aggiungi"; -$a->strings["Commented Order"] = "Ordina per commento"; -$a->strings["Sort by Comment Date"] = "Ordina per data commento"; -$a->strings["Posted Order"] = "Ordina per invio"; -$a->strings["Sort by Post Date"] = "Ordina per data messaggio"; -$a->strings["Personal"] = "Personale"; -$a->strings["Posts that mention or involve you"] = "Messaggi che ti citano o coinvolgono"; -$a->strings["New"] = "Nuovo"; -$a->strings["Activity Stream - by date"] = "Activity Stream - per data"; -$a->strings["Shared Links"] = "Links condivisi"; -$a->strings["Interesting Links"] = "Link Interessanti"; -$a->strings["Starred"] = "Preferiti"; -$a->strings["Favourite Posts"] = "Messaggi preferiti"; -$a->strings["Warning: This group contains %s member from an insecure network."] = array( - 0 => "Attenzione: questo gruppo contiene %s membro da un network insicuro.", - 1 => "Attenzione: questo gruppo contiene %s membri da un network insicuro.", -); -$a->strings["Private messages to this group are at risk of public disclosure."] = "I messaggi privati su questo gruppo potrebbero risultare visibili anche pubblicamente."; -$a->strings["No such group"] = "Nessun gruppo"; -$a->strings["Group is empty"] = "Il gruppo è vuoto"; -$a->strings["Group: "] = "Gruppo: "; -$a->strings["Contact: "] = "Contatto:"; -$a->strings["Private messages to this person are at risk of public disclosure."] = "I messaggi privati a questa persona potrebbero risultare visibili anche pubblicamente."; -$a->strings["Invalid contact."] = "Contatto non valido."; -$a->strings["Friendica Communications Server - Setup"] = "Friendica Comunicazione Server - Impostazioni"; -$a->strings["Could not connect to database."] = " Impossibile collegarsi con il database."; -$a->strings["Could not create table."] = "Impossibile creare le tabelle."; -$a->strings["Your Friendica site database has been installed."] = "Il tuo Friendica è stato installato."; -$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Potresti dover importare il file \"database.sql\" manualmente con phpmyadmin o mysql"; -$a->strings["Please see the file \"INSTALL.txt\"."] = "Leggi il file \"INSTALL.txt\"."; -$a->strings["System check"] = "Controllo sistema"; -$a->strings["Next"] = "Successivo"; -$a->strings["Check again"] = "Controlla ancora"; -$a->strings["Database connection"] = "Connessione al database"; -$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Per installare Friendica dobbiamo sapere come collegarci al tuo database."; -$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Contatta il tuo fornitore di hosting o l'amministratore del sito se hai domande su queste impostazioni."; -$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Il database dovrà già esistere. Se non esiste, crealo prima di continuare."; -$a->strings["Database Server Name"] = "Nome del database server"; -$a->strings["Database Login Name"] = "Nome utente database"; -$a->strings["Database Login Password"] = "Password utente database"; -$a->strings["Database Name"] = "Nome database"; -$a->strings["Site administrator email address"] = "Indirizzo email dell'amministratore del sito"; -$a->strings["Your account email address must match this in order to use the web admin panel."] = "Il tuo indirizzo email deve corrispondere a questo per poter usare il pannello di amministrazione web."; -$a->strings["Please select a default timezone for your website"] = "Seleziona il fuso orario predefinito per il tuo sito web"; -$a->strings["Site settings"] = "Impostazioni sito"; -$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Non riesco a trovare la versione di PHP da riga di comando nel PATH del server web"; -$a->strings["If you don't have a command line version of PHP installed on server, you will not be able to run background polling via cron. See 'Activating scheduled tasks'"] = "Se non hai una versione a linea di comando di PHP installata sul tuo server, non sarai in grado di avviare il processo di poll in background via cron. Vedi 'Activating scheduled tasks'"; -$a->strings["PHP executable path"] = "Percorso eseguibile PHP"; -$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Inserisci il percorso completo all'eseguibile di php. Puoi lasciare bianco questo campo per continuare l'installazione."; -$a->strings["Command line PHP"] = "PHP da riga di comando"; -$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "L'eseguibile PHP non è il binario php cli (potrebbe essere la versione cgi-fcgi)"; -$a->strings["Found PHP version: "] = "Versione PHP:"; -$a->strings["PHP cli binary"] = "Binario PHP cli"; -$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "La versione da riga di comando di PHP nel sistema non ha abilitato \"register_argc_argv\"."; -$a->strings["This is required for message delivery to work."] = "E' obbligatorio per far funzionare la consegna dei messaggi."; -$a->strings["PHP register_argc_argv"] = "PHP register_argc_argv"; -$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Errore: la funzione \"openssl_pkey_new\" in questo sistema non è in grado di generare le chiavi di criptazione"; -$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Se stai eseguendo friendika su windows, guarda \"http://www.php.net/manual/en/openssl.installation.php\"."; -$a->strings["Generate encryption keys"] = "Genera chiavi di criptazione"; -$a->strings["libCurl PHP module"] = "modulo PHP libCurl"; -$a->strings["GD graphics PHP module"] = "modulo PHP GD graphics"; -$a->strings["OpenSSL PHP module"] = "modulo PHP OpenSSL"; -$a->strings["mysqli PHP module"] = "modulo PHP mysqli"; -$a->strings["mb_string PHP module"] = "modulo PHP mb_string"; -$a->strings["Apache mod_rewrite module"] = "Modulo mod_rewrite di Apache"; -$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Errore: E' il modulo mod-rewrite di Apache è richiesto, ma non risulta installato"; -$a->strings["Error: libCURL PHP module required but not installed."] = "Errore: il modulo libCURL di PHP è richiesto, ma non risulta installato."; -$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Errore: Il modulo GD graphics di PHP con supporto a JPEG è richiesto, ma non risulta installato."; -$a->strings["Error: openssl PHP module required but not installed."] = "Errore: il modulo openssl di PHP è richiesto, ma non risulta installato."; -$a->strings["Error: mysqli PHP module required but not installed."] = "Errore: il modulo mysqli di PHP è richiesto, ma non risulta installato"; -$a->strings["Error: mb_string PHP module required but not installed."] = "Errore: il modulo PHP mb_string è richiesto, ma non risulta installato."; -$a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "L'installazione web deve poter creare un file chiamato \".htconfig.php\" nella cartella principale del tuo web server ma non è in grado di farlo."; -$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "Ciò è dovuto spesso a impostazioni di permessi, dato che il web server può non essere in grado di scrivere il file nella tua cartella, anche se tu puoi."; -$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = "Alla fine di questa procedura, di daremo un testo da salvare in un file chiamato .htconfig.php nella tua cartella principale di Friendica"; -$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Puoi in alternativa saltare questa procedura ed eseguire l'installazione manualmente. Vedi il file \"INSTALL.txt\" per le istruzioni."; -$a->strings[".htconfig.php is writable"] = ".htconfig.php è scrivibile"; -$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica usa il motore di template Smarty3 per renderizzare le sue pagine web. Smarty3 compila i template in PHP per velocizzare il rendering."; -$a->strings["In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top level folder."] = "Per salvare questi template compilati, il server werb ha bisogno dell'accesso in scrittura alla cartella view/smarty3/ nella cartella principale dei Friendica."; -$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Per favore, controlla che l'utente con cui il tuo server web gira (es www-data) ha accesso in scrittura a questa cartella."; -$a->strings["Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."] = "Nota: come misura di sicurezza, dovresti dare accesso in scrittura solo alla cartella view/smarty3, non ai template (.tpl) che contiene."; -$a->strings["view/smarty3 is writable"] = "view/smarty3 è scrivibile"; -$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "La riscrittura degli url in .htaccess non funziona. Controlla la configurazione del tuo server."; -$a->strings["Url rewrite is working"] = "La riscrittura degli url funziona"; -$a->strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "Il file di configurazione del database \".htconfig.php\" non può essere scritto. Usa il testo qui di seguito per creare un file di configurazione nella cartella principale del tuo sito."; -$a->strings["

What next

"] = "

Cosa fare ora

"; -$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANTE: Devi impostare [manualmente] la pianificazione del poller."; +$a->strings["Contacts who are not members of a group"] = "Contatti che non sono membri di un gruppo"; +$a->strings["Contact not found."] = "Contatto non trovato."; +$a->strings["Friend suggestion sent."] = "Suggerimento di amicizia inviato."; +$a->strings["Suggest Friends"] = "Suggerisci amici"; +$a->strings["Suggest a friend for %s"] = "Suggerisci un amico a %s"; +$a->strings["link"] = "collegamento"; +$a->strings["No contacts."] = "Nessun contatto."; $a->strings["Theme settings updated."] = "Impostazioni del tema aggiornate."; $a->strings["Site"] = "Sito"; $a->strings["Users"] = "Utenti"; -$a->strings["Plugins"] = "Plugin"; $a->strings["Themes"] = "Temi"; $a->strings["DB updates"] = "Aggiornamenti Database"; $a->strings["Logs"] = "Log"; -$a->strings["Admin"] = "Amministrazione"; $a->strings["Plugin Features"] = "Impostazioni Plugins"; $a->strings["User registrations waiting for confirmation"] = "Utenti registrati in attesa di conferma"; $a->strings["Normal Account"] = "Account normale"; @@ -418,13 +1128,7 @@ $a->strings["Version"] = "Versione"; $a->strings["Active plugins"] = "Plugin attivi"; $a->strings["Can not parse base url. Must have at least ://"] = "Impossibile analizzare l'url base. Deve avere almeno [schema]://[dominio]"; $a->strings["Site settings updated."] = "Impostazioni del sito aggiornate."; -$a->strings["No special theme for mobile devices"] = "Nessun tema speciale per i dispositivi mobili"; -$a->strings["Never"] = "Mai"; $a->strings["At post arrival"] = "All'arrivo di un messaggio"; -$a->strings["Frequently"] = "Frequentemente"; -$a->strings["Hourly"] = "Ogni ora"; -$a->strings["Twice daily"] = "Due volte al dì"; -$a->strings["Daily"] = "Giornalmente"; $a->strings["Multi user instance"] = "Istanza multi utente"; $a->strings["Closed"] = "Chiusa"; $a->strings["Requires approval"] = "Richiede l'approvazione"; @@ -432,7 +1136,6 @@ $a->strings["Open"] = "Aperta"; $a->strings["No SSL policy, links will track page SSL state"] = "Nessuna gestione SSL, i link seguiranno lo stato SSL della pagina"; $a->strings["Force all links to use SSL"] = "Forza tutti i linki ad usare SSL"; $a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = "Certificato auto-firmato, usa SSL solo per i link locali (sconsigliato)"; -$a->strings["Save Settings"] = "Salva Impostazioni"; $a->strings["File upload"] = "Caricamento file"; $a->strings["Policies"] = "Politiche"; $a->strings["Advanced"] = "Avanzate"; @@ -526,26 +1229,32 @@ $a->strings["Suppress Language"] = "Disattiva lingua"; $a->strings["Suppress language information in meta information about a posting."] = "Disattiva le informazioni sulla lingua nei meta di un post."; $a->strings["Path to item cache"] = "Percorso cache elementi"; $a->strings["Cache duration in seconds"] = "Durata della cache in secondi"; -$a->strings["How long should the cache files be hold? Default value is 86400 seconds (One day). To disable the item cache, set the value to -1."] = ""; -$a->strings["Maximum numbers of comments per post"] = ""; -$a->strings["How much comments should be shown for each post? Default value is 100."] = ""; +$a->strings["How long should the cache files be hold? Default value is 86400 seconds (One day). To disable the item cache, set the value to -1."] = "Quanto a lungo devono essere mantenuti i file di cache? Il valore predefinito è 86400 secondi (un giorno). Per disabilitare la cache, imposta il valore a -1."; +$a->strings["Maximum numbers of comments per post"] = "Numero massimo di commenti per post"; +$a->strings["How much comments should be shown for each post? Default value is 100."] = "Quanti commenti devono essere mostrati per ogni post? Default : 100."; $a->strings["Path for lock file"] = "Percorso al file di lock"; $a->strings["Temp path"] = "Percorso file temporanei"; $a->strings["Base path to installation"] = "Percorso base all'installazione"; +$a->strings["Disable picture proxy"] = "Disabilita il proxy immagini"; +$a->strings["The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith."] = "Il proxy immagini aumenta le performace e la privacy. Non dovrebbe essere usato su server con poca banda disponibile."; $a->strings["New base url"] = "Nuovo url base"; -$a->strings["Enable noscrape"] = ""; -$a->strings["The noscrape feature speeds up directory submissions by using JSON data instead of HTML scraping."] = ""; +$a->strings["Enable noscrape"] = "Abilita noscrape"; +$a->strings["The noscrape feature speeds up directory submissions by using JSON data instead of HTML scraping."] = "La funzione noscrape velocizza l'iscrizione alla directory usando dati JSON al posto di esaminare l'HTML"; $a->strings["Update has been marked successful"] = "L'aggiornamento è stato segnato come di successo"; -$a->strings["Executing %s failed. Check system logs."] = "Fallita l'esecuzione di %s. Controlla i log di sistema."; +$a->strings["Database structure update %s was successfully applied."] = "Aggiornamento struttura database %s applicata con successo."; +$a->strings["Executing of database structure update %s failed with error: %s"] = "Aggiornamento struttura database %s fallita con errore: %s"; +$a->strings["Executing %s failed with error: %s"] = "Esecuzione di %s fallita con errore: %s"; $a->strings["Update %s was successfully applied."] = "L'aggiornamento %s è stato applicato con successo"; $a->strings["Update %s did not return a status. Unknown if it succeeded."] = "L'aggiornamento %s non ha riportato uno stato. Non so se è andato a buon fine."; -$a->strings["Update function %s could not be found."] = "La funzione di aggiornamento %s non puo' essere trovata."; +$a->strings["There was no additional update function %s that needed to be called."] = "Non ci sono altre funzioni di aggiornamento %s da richiamare."; $a->strings["No failed updates."] = "Nessun aggiornamento fallito."; +$a->strings["Check database structure"] = "Controlla struttura database"; $a->strings["Failed Updates"] = "Aggiornamenti falliti"; $a->strings["This does not include updates prior to 1139, which did not return a status."] = "Questo non include gli aggiornamenti prima del 1139, che non ritornano lo stato."; $a->strings["Mark success (if update was manually applied)"] = "Segna completato (se l'update è stato applicato manualmente)"; $a->strings["Attempt to execute this update step automatically"] = "Cerco di eseguire questo aggiornamento in automatico"; -$a->strings["Registration successful. Email send to user"] = "Registrazione completata. Email inviata all'utente"; +$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tthe administrator of %2\$s has set up an account for you."] = "\nGentile %1\$s,\n l'amministratore di %2\$s ha impostato un account per te."; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tThank you and welcome to %4\$s."] = "\nI dettagli del tuo utente sono:\n Indirizzo del sito: %1\$s\n Nome utente: %2\$s\n Password: %3\$s\n\nPuoi cambiare la tua password dalla pagina delle impostazioni del tuo account dopo esserti autenticato.\n\nPer favore, prenditi qualche momento per esaminare tutte le impostazioni presenti.\n\nPotresti voler aggiungere qualche informazione di base al tuo profilo predefinito (nella pagina \"Profili\"), così che le altre persone possano trovarti più facilmente.\n\nTi raccomandiamo di inserire il tuo nome completo, aggiungere una foto, aggiungere qualche parola chiave del profilo (molto utili per trovare nuovi contatti), e magari in quale nazione vivi, se non vuoi essere più specifico di così.\n\nNoi rispettiamo appieno la tua privacy, e nessuna di queste informazioni è necessaria o obbligatoria.\nSe sei nuovo e non conosci nessuno qui, possono aiutarti a trovare qualche nuovo e interessante contatto.\n\nGrazie e benvenuto su %4\$s"; $a->strings["%s user blocked/unblocked"] = array( 0 => "%s utente bloccato/sbloccato", 1 => "%s utenti bloccati/sbloccati", @@ -562,13 +1271,8 @@ $a->strings["select all"] = "seleziona tutti"; $a->strings["User registrations waiting for confirm"] = "Richieste di registrazione in attesa di conferma"; $a->strings["User waiting for permanent deletion"] = "Utente in attesa di cancellazione definitiva"; $a->strings["Request date"] = "Data richiesta"; -$a->strings["Name"] = "Nome"; -$a->strings["Email"] = "Email"; $a->strings["No registrations."] = "Nessuna registrazione."; -$a->strings["Approve"] = "Approva"; $a->strings["Deny"] = "Nega"; -$a->strings["Block"] = "Blocca"; -$a->strings["Unblock"] = "Sblocca"; $a->strings["Site admin"] = "Amministrazione sito"; $a->strings["Account expired"] = "Account scaduto"; $a->strings["New User"] = "Nuovo Utente"; @@ -576,7 +1280,6 @@ $a->strings["Register date"] = "Data registrazione"; $a->strings["Last login"] = "Ultimo accesso"; $a->strings["Last item"] = "Ultimo elemento"; $a->strings["Deleted since"] = "Rimosso da"; -$a->strings["Account"] = "Account"; $a->strings["Selected users will be deleted!\\n\\nEverything these users had posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Gli utenti selezionati saranno cancellati!\\n\\nTutto quello che gli utenti hanno inviato su questo sito sarà permanentemente canellato!\\n\\nSei sicuro?"; $a->strings["The user {0} will be deleted!\\n\\nEverything this user has posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "L'utente {0} sarà cancellato!\\n\\nTutto quello che ha inviato su questo sito sarà permanentemente cancellato!\\n\\nSei sicuro?"; $a->strings["Name of the new user."] = "Nome del nuovo utente."; @@ -600,493 +1303,51 @@ $a->strings["Enable Debugging"] = "Abilita Debugging"; $a->strings["Log file"] = "File di Log"; $a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Deve essere scrivibile dal server web. Relativo alla tua directory Friendica."; $a->strings["Log level"] = "Livello di Log"; -$a->strings["Update now"] = "Aggiorna adesso"; $a->strings["Close"] = "Chiudi"; $a->strings["FTP Host"] = "Indirizzo FTP"; $a->strings["FTP Path"] = "Percorso FTP"; $a->strings["FTP User"] = "Utente FTP"; $a->strings["FTP Password"] = "Pasword FTP"; -$a->strings["Search"] = "Cerca"; -$a->strings["No results."] = "Nessun risultato."; -$a->strings["Tips for New Members"] = "Consigli per i Nuovi Utenti"; -$a->strings["link"] = "collegamento"; -$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s ha taggato %3\$s di %2\$s con %4\$s"; -$a->strings["Item not found"] = "Oggetto non trovato"; -$a->strings["Edit post"] = "Modifica messaggio"; -$a->strings["upload photo"] = "carica foto"; -$a->strings["Attach file"] = "Allega file"; -$a->strings["attach file"] = "allega file"; -$a->strings["web link"] = "link web"; -$a->strings["Insert video link"] = "Inserire collegamento video"; -$a->strings["video link"] = "link video"; -$a->strings["Insert audio link"] = "Inserisci collegamento audio"; -$a->strings["audio link"] = "link audio"; -$a->strings["Set your location"] = "La tua posizione"; -$a->strings["set location"] = "posizione"; -$a->strings["Clear browser location"] = "Rimuovi la localizzazione data dal browser"; -$a->strings["clear location"] = "canc. pos."; -$a->strings["Permission settings"] = "Impostazioni permessi"; -$a->strings["CC: email addresses"] = "CC: indirizzi email"; -$a->strings["Public post"] = "Messaggio pubblico"; -$a->strings["Set title"] = "Scegli un titolo"; -$a->strings["Categories (comma-separated list)"] = "Categorie (lista separata da virgola)"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Esempio: bob@example.com, mary@example.com"; -$a->strings["Item not available."] = "Oggetto non disponibile."; -$a->strings["Item was not found."] = "Oggetto non trovato."; -$a->strings["Account approved."] = "Account approvato."; -$a->strings["Registration revoked for %s"] = "Registrazione revocata per %s"; -$a->strings["Please login."] = "Accedi."; -$a->strings["Find on this site"] = "Cerca nel sito"; -$a->strings["Finding: "] = "Ricerca: "; -$a->strings["Site Directory"] = "Elenco del sito"; -$a->strings["Find"] = "Trova"; -$a->strings["Age: "] = "Età : "; -$a->strings["Gender: "] = "Genere:"; -$a->strings["About:"] = "Informazioni:"; -$a->strings["No entries (some entries may be hidden)."] = "Nessuna voce (qualche voce potrebbe essere nascosta)."; -$a->strings["Contact settings applied."] = "Contatto modificato."; -$a->strings["Contact update failed."] = "Le modifiche al contatto non sono state salvate."; -$a->strings["Repair Contact Settings"] = "Ripara il contatto"; -$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "ATTENZIONE: Queste sono impostazioni avanzate e se inserisci informazioni errate le tue comunicazioni con questo contatto potrebbero non funzionare più"; -$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Usa ora il tasto 'Indietro' del tuo browser se non sei sicuro di cosa fare in questa pagina."; -$a->strings["Return to contact editor"] = "Ritorna alla modifica contatto"; -$a->strings["Account Nickname"] = "Nome utente"; -$a->strings["@Tagname - overrides Name/Nickname"] = "@TagName - al posto del nome utente"; -$a->strings["Account URL"] = "URL dell'utente"; -$a->strings["Friend Request URL"] = "URL Richiesta Amicizia"; -$a->strings["Friend Confirm URL"] = "URL Conferma Amicizia"; -$a->strings["Notification Endpoint URL"] = "URL Notifiche"; -$a->strings["Poll/Feed URL"] = "URL Feed"; -$a->strings["New photo from this URL"] = "Nuova foto da questo URL"; -$a->strings["Remote Self"] = "Io remoto"; -$a->strings["Mirror postings from this contact"] = "Ripeti i messaggi di questo contatto"; -$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Imposta questo contatto come 'io remoto', questo farà si che friendica reinvii i nuovi messaggi da questo contatto."; -$a->strings["Move account"] = "Muovi account"; -$a->strings["You can import an account from another Friendica server."] = "Puoi importare un account da un altro server Friendica."; -$a->strings["You need to export your account from the old server and upload it here. We will recreate your old account here with all your contacts. We will try also to inform your friends that you moved here."] = "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui."; -$a->strings["This feature is experimental. We can't import contacts from the OStatus network (statusnet/identi.ca) or from Diaspora"] = "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora"; -$a->strings["Account file"] = "File account"; -$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\""; -$a->strings["Remote privacy information not available."] = "Informazioni remote sulla privacy non disponibili."; -$a->strings["Visible to:"] = "Visibile a:"; -$a->strings["Save"] = "Salva"; -$a->strings["Help:"] = "Guida:"; -$a->strings["Help"] = "Guida"; -$a->strings["No profile"] = "Nessun profilo"; -$a->strings["This introduction has already been accepted."] = "Questa presentazione è già stata accettata."; -$a->strings["Profile location is not valid or does not contain profile information."] = "L'indirizzo del profilo non è valido o non contiene un profilo."; -$a->strings["Warning: profile location has no identifiable owner name."] = "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario."; -$a->strings["Warning: profile location has no profile photo."] = "Attenzione: l'indirizzo del profilo non ha una foto."; -$a->strings["%d required parameter was not found at the given location"] = array( - 0 => "%d parametro richiesto non è stato trovato all'indirizzo dato", - 1 => "%d parametri richiesti non sono stati trovati all'indirizzo dato", +$a->strings["Image exceeds size limit of %d"] = "La dimensione dell'immagine supera il limite di %d"; +$a->strings["Unable to process image."] = "Impossibile caricare l'immagine."; +$a->strings["Image upload failed."] = "Caricamento immagine fallito."; +$a->strings["Welcome to %s"] = "Benvenuto su %s"; +$a->strings["OpenID protocol error. No ID returned."] = "Errore protocollo OpenID. Nessun ID ricevuto."; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito."; +$a->strings["Search Results For:"] = "Cerca risultati per:"; +$a->strings["Remove term"] = "Rimuovi termine"; +$a->strings["Commented Order"] = "Ordina per commento"; +$a->strings["Sort by Comment Date"] = "Ordina per data commento"; +$a->strings["Posted Order"] = "Ordina per invio"; +$a->strings["Sort by Post Date"] = "Ordina per data messaggio"; +$a->strings["Posts that mention or involve you"] = "Messaggi che ti citano o coinvolgono"; +$a->strings["New"] = "Nuovo"; +$a->strings["Activity Stream - by date"] = "Activity Stream - per data"; +$a->strings["Shared Links"] = "Links condivisi"; +$a->strings["Interesting Links"] = "Link Interessanti"; +$a->strings["Starred"] = "Preferiti"; +$a->strings["Favourite Posts"] = "Messaggi preferiti"; +$a->strings["Warning: This group contains %s member from an insecure network."] = array( + 0 => "Attenzione: questo gruppo contiene %s membro da un network insicuro.", + 1 => "Attenzione: questo gruppo contiene %s membri da un network insicuro.", ); -$a->strings["Introduction complete."] = "Presentazione completa."; -$a->strings["Unrecoverable protocol error."] = "Errore di comunicazione."; -$a->strings["Profile unavailable."] = "Profilo non disponibile."; -$a->strings["%s has received too many connection requests today."] = "%s ha ricevuto troppe richieste di connessione per oggi."; -$a->strings["Spam protection measures have been invoked."] = "Sono state attivate le misure di protezione contro lo spam."; -$a->strings["Friends are advised to please try again in 24 hours."] = "Gli amici sono pregati di riprovare tra 24 ore."; -$a->strings["Invalid locator"] = "Invalid locator"; -$a->strings["Invalid email address."] = "Indirizzo email non valido."; -$a->strings["This account has not been configured for email. Request failed."] = "Questo account non è stato configurato per l'email. Richiesta fallita."; -$a->strings["Unable to resolve your name at the provided location."] = "Impossibile risolvere il tuo nome nella posizione indicata."; -$a->strings["You have already introduced yourself here."] = "Ti sei già presentato qui."; -$a->strings["Apparently you are already friends with %s."] = "Pare che tu e %s siate già amici."; -$a->strings["Invalid profile URL."] = "Indirizzo profilo non valido."; -$a->strings["Disallowed profile URL."] = "Indirizzo profilo non permesso."; -$a->strings["Failed to update contact record."] = "Errore nell'aggiornamento del contatto."; -$a->strings["Your introduction has been sent."] = "La tua presentazione è stata inviata."; -$a->strings["Please login to confirm introduction."] = "Accedi per confermare la presentazione."; -$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo."; -$a->strings["Hide this contact"] = "Nascondi questo contatto"; -$a->strings["Welcome home %s."] = "Bentornato a casa %s."; -$a->strings["Please confirm your introduction/connection request to %s."] = "Conferma la tua richiesta di connessione con %s."; -$a->strings["Confirm"] = "Conferma"; -$a->strings["[Name Withheld]"] = "[Nome Nascosto]"; -$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:"; -$a->strings["Connect as an email follower (Coming soon)"] = "Connetti un email come follower (in arrivo)"; -$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi"; -$a->strings["Friend/Connection Request"] = "Richieste di amicizia/connessione"; -$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; -$a->strings["Please answer the following:"] = "Rispondi:"; -$a->strings["Does %s know you?"] = "%s ti conosce?"; -$a->strings["Add a personal note:"] = "Aggiungi una nota personale:"; -$a->strings["Friendica"] = "Friendica"; -$a->strings["StatusNet/Federated Social Web"] = "StatusNet/Federated Social Web"; -$a->strings["Diaspora"] = "Diaspora"; -$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora."; -$a->strings["Your Identity Address:"] = "L'indirizzo della tua identità:"; -$a->strings["Submit Request"] = "Invia richiesta"; -$a->strings["[Embedded content - reload page to view]"] = "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]"; -$a->strings["View in context"] = "Vedi nel contesto"; -$a->strings["%d contact edited."] = array( - 0 => "%d contatto modificato", - 1 => "%d contatti modificati", -); -$a->strings["Could not access contact record."] = "Non è possibile accedere al contatto."; -$a->strings["Could not locate selected profile."] = "Non riesco a trovare il profilo selezionato."; -$a->strings["Contact updated."] = "Contatto aggiornato."; -$a->strings["Contact has been blocked"] = "Il contatto è stato bloccato"; -$a->strings["Contact has been unblocked"] = "Il contatto è stato sbloccato"; -$a->strings["Contact has been ignored"] = "Il contatto è ignorato"; -$a->strings["Contact has been unignored"] = "Il contatto non è più ignorato"; -$a->strings["Contact has been archived"] = "Il contatto è stato archiviato"; -$a->strings["Contact has been unarchived"] = "Il contatto è stato dearchiviato"; -$a->strings["Do you really want to delete this contact?"] = "Vuoi veramente cancellare questo contatto?"; -$a->strings["Contact has been removed."] = "Il contatto è stato rimosso."; -$a->strings["You are mutual friends with %s"] = "Sei amico reciproco con %s"; -$a->strings["You are sharing with %s"] = "Stai condividendo con %s"; -$a->strings["%s is sharing with you"] = "%s sta condividendo con te"; -$a->strings["Private communications are not available for this contact."] = "Le comunicazioni private non sono disponibili per questo contatto."; -$a->strings["(Update was successful)"] = "(L'aggiornamento è stato completato)"; -$a->strings["(Update was not successful)"] = "(L'aggiornamento non è stato completato)"; -$a->strings["Suggest friends"] = "Suggerisci amici"; -$a->strings["Network type: %s"] = "Tipo di rete: %s"; -$a->strings["%d contact in common"] = array( - 0 => "%d contatto in comune", - 1 => "%d contatti in comune", -); -$a->strings["View all contacts"] = "Vedi tutti i contatti"; -$a->strings["Toggle Blocked status"] = "Inverti stato \"Blocca\""; -$a->strings["Unignore"] = "Non ignorare"; -$a->strings["Ignore"] = "Ignora"; -$a->strings["Toggle Ignored status"] = "Inverti stato \"Ignora\""; -$a->strings["Unarchive"] = "Dearchivia"; -$a->strings["Archive"] = "Archivia"; -$a->strings["Toggle Archive status"] = "Inverti stato \"Archiviato\""; -$a->strings["Repair"] = "Ripara"; -$a->strings["Advanced Contact Settings"] = "Impostazioni avanzate Contatto"; -$a->strings["Communications lost with this contact!"] = "Comunicazione con questo contatto persa!"; -$a->strings["Contact Editor"] = "Editor dei Contatti"; -$a->strings["Profile Visibility"] = "Visibilità del profilo"; -$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Seleziona il profilo che vuoi mostrare a %s quando visita il tuo profilo in modo sicuro."; -$a->strings["Contact Information / Notes"] = "Informazioni / Note sul contatto"; -$a->strings["Edit contact notes"] = "Modifica note contatto"; -$a->strings["Visit %s's profile [%s]"] = "Visita il profilo di %s [%s]"; -$a->strings["Block/Unblock contact"] = "Blocca/Sblocca contatto"; -$a->strings["Ignore contact"] = "Ignora il contatto"; -$a->strings["Repair URL settings"] = "Impostazioni riparazione URL"; -$a->strings["View conversations"] = "Vedi conversazioni"; -$a->strings["Delete contact"] = "Rimuovi contatto"; -$a->strings["Last update:"] = "Ultimo aggiornamento:"; -$a->strings["Update public posts"] = "Aggiorna messaggi pubblici"; -$a->strings["Currently blocked"] = "Bloccato"; -$a->strings["Currently ignored"] = "Ignorato"; -$a->strings["Currently archived"] = "Al momento archiviato"; -$a->strings["Hide this contact from others"] = "Nascondi questo contatto agli altri"; -$a->strings["Replies/likes to your public posts may still be visible"] = "Risposte ai tuoi post pubblici possono essere comunque visibili"; -$a->strings["Notification for new posts"] = "Notifica per i nuovi messaggi"; -$a->strings["Send a notification of every new post of this contact"] = "Invia una notifica per ogni nuovo messaggio di questo contatto"; -$a->strings["Fetch further information for feeds"] = "Recupera maggiori infomazioni per i feed"; -$a->strings["Suggestions"] = "Suggerimenti"; -$a->strings["Suggest potential friends"] = "Suggerisci potenziali amici"; -$a->strings["All Contacts"] = "Tutti i contatti"; -$a->strings["Show all contacts"] = "Mostra tutti i contatti"; -$a->strings["Unblocked"] = "Sbloccato"; -$a->strings["Only show unblocked contacts"] = "Mostra solo contatti non bloccati"; -$a->strings["Blocked"] = "Bloccato"; -$a->strings["Only show blocked contacts"] = "Mostra solo contatti bloccati"; -$a->strings["Ignored"] = "Ignorato"; -$a->strings["Only show ignored contacts"] = "Mostra solo contatti ignorati"; -$a->strings["Archived"] = "Achiviato"; -$a->strings["Only show archived contacts"] = "Mostra solo contatti archiviati"; -$a->strings["Hidden"] = "Nascosto"; -$a->strings["Only show hidden contacts"] = "Mostra solo contatti nascosti"; -$a->strings["Mutual Friendship"] = "Amicizia reciproca"; -$a->strings["is a fan of yours"] = "è un tuo fan"; -$a->strings["you are a fan of"] = "sei un fan di"; -$a->strings["Edit contact"] = "Modifca contatto"; -$a->strings["Search your contacts"] = "Cerca nei tuoi contatti"; -$a->strings["Update"] = "Aggiorna"; -$a->strings["everybody"] = "tutti"; -$a->strings["Additional features"] = "Funzionalità aggiuntive"; -$a->strings["Display"] = "Visualizzazione"; -$a->strings["Social Networks"] = "Social Networks"; -$a->strings["Delegations"] = "Delegazioni"; -$a->strings["Connected apps"] = "Applicazioni collegate"; -$a->strings["Export personal data"] = "Esporta dati personali"; -$a->strings["Remove account"] = "Rimuovi account"; -$a->strings["Missing some important data!"] = "Mancano alcuni dati importanti!"; -$a->strings["Failed to connect with email account using the settings provided."] = "Impossibile collegarsi all'account email con i parametri forniti."; -$a->strings["Email settings updated."] = "Impostazioni e-mail aggiornate."; -$a->strings["Features updated"] = "Funzionalità aggiornate"; -$a->strings["Relocate message has been send to your contacts"] = "Il messaggio di trasloco è stato inviato ai tuoi contatti"; -$a->strings["Passwords do not match. Password unchanged."] = "Le password non corrispondono. Password non cambiata."; -$a->strings["Empty passwords are not allowed. Password unchanged."] = "Le password non possono essere vuote. Password non cambiata."; -$a->strings["Wrong password."] = "Password sbagliata."; -$a->strings["Password changed."] = "Password cambiata."; -$a->strings["Password update failed. Please try again."] = "Aggiornamento password fallito. Prova ancora."; -$a->strings[" Please use a shorter name."] = " Usa un nome più corto."; -$a->strings[" Name too short."] = " Nome troppo corto."; -$a->strings["Wrong Password"] = "Password Sbagliata"; -$a->strings[" Not valid email."] = " Email non valida."; -$a->strings[" Cannot change to that email."] = "Non puoi usare quella email."; -$a->strings["Private forum has no privacy permissions. Using default privacy group."] = "Il forum privato non ha permessi di privacy. Uso il gruppo di privacy predefinito."; -$a->strings["Private forum has no privacy permissions and no default privacy group."] = "Il gruppo privato non ha permessi di privacy e nessun gruppo di privacy predefinito."; -$a->strings["Settings updated."] = "Impostazioni aggiornate."; -$a->strings["Add application"] = "Aggiungi applicazione"; -$a->strings["Consumer Key"] = "Consumer Key"; -$a->strings["Consumer Secret"] = "Consumer Secret"; -$a->strings["Redirect"] = "Redirect"; -$a->strings["Icon url"] = "Url icona"; -$a->strings["You can't edit this application."] = "Non puoi modificare questa applicazione."; -$a->strings["Connected Apps"] = "Applicazioni Collegate"; -$a->strings["Client key starts with"] = "Chiave del client inizia con"; -$a->strings["No name"] = "Nessun nome"; -$a->strings["Remove authorization"] = "Rimuovi l'autorizzazione"; -$a->strings["No Plugin settings configured"] = "Nessun plugin ha impostazioni modificabili"; -$a->strings["Plugin Settings"] = "Impostazioni plugin"; -$a->strings["Off"] = "Spento"; -$a->strings["On"] = "Acceso"; -$a->strings["Additional Features"] = "Funzionalità aggiuntive"; -$a->strings["Built-in support for %s connectivity is %s"] = "Il supporto integrato per la connettività con %s è %s"; -$a->strings["enabled"] = "abilitato"; -$a->strings["disabled"] = "disabilitato"; -$a->strings["StatusNet"] = "StatusNet"; -$a->strings["Email access is disabled on this site."] = "L'accesso email è disabilitato su questo sito."; -$a->strings["Email/Mailbox Setup"] = "Impostazioni email"; -$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = "Se vuoi comunicare con i contatti email usando questo servizio, specifica come collegarti alla tua casella di posta. (opzionale)"; -$a->strings["Last successful email check:"] = "Ultimo controllo email eseguito con successo:"; -$a->strings["IMAP server name:"] = "Nome server IMAP:"; -$a->strings["IMAP port:"] = "Porta IMAP:"; -$a->strings["Security:"] = "Sicurezza:"; -$a->strings["None"] = "Nessuna"; -$a->strings["Email login name:"] = "Nome utente email:"; -$a->strings["Email password:"] = "Password email:"; -$a->strings["Reply-to address:"] = "Indirizzo di risposta:"; -$a->strings["Send public posts to all email contacts:"] = "Invia i messaggi pubblici ai contatti email:"; -$a->strings["Action after import:"] = "Azione post importazione:"; -$a->strings["Mark as seen"] = "Segna come letto"; -$a->strings["Move to folder"] = "Sposta nella cartella"; -$a->strings["Move to folder:"] = "Sposta nella cartella:"; -$a->strings["Display Settings"] = "Impostazioni Grafiche"; -$a->strings["Display Theme:"] = "Tema:"; -$a->strings["Mobile Theme:"] = "Tema mobile:"; -$a->strings["Update browser every xx seconds"] = "Aggiorna il browser ogni x secondi"; -$a->strings["Minimum of 10 seconds, no maximum"] = "Minimo 10 secondi, nessun limite massimo"; -$a->strings["Number of items to display per page:"] = "Numero di elementi da mostrare per pagina:"; -$a->strings["Maximum of 100 items"] = "Massimo 100 voci"; -$a->strings["Number of items to display per page when viewed from mobile device:"] = "Numero di voci da visualizzare per pagina quando si utilizza un dispositivo mobile:"; -$a->strings["Don't show emoticons"] = "Non mostrare le emoticons"; -$a->strings["Don't show notices"] = "Non mostrare gli avvisi"; -$a->strings["Infinite scroll"] = "Scroll infinito"; -$a->strings["Automatic updates only at the top of the network page"] = ""; -$a->strings["User Types"] = "Tipi di Utenti"; -$a->strings["Community Types"] = "Tipi di Comunità"; -$a->strings["Normal Account Page"] = "Pagina Account Normale"; -$a->strings["This account is a normal personal profile"] = "Questo account è un normale profilo personale"; -$a->strings["Soapbox Page"] = "Pagina Sandbox"; -$a->strings["Automatically approve all connection/friend requests as read-only fans"] = "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà solamente leggere la bacheca"; -$a->strings["Community Forum/Celebrity Account"] = "Account Celebrità/Forum comunitario"; -$a->strings["Automatically approve all connection/friend requests as read-write fans"] = "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà leggere e scrivere sulla bacheca"; -$a->strings["Automatic Friend Page"] = "Pagina con amicizia automatica"; -$a->strings["Automatically approve all connection/friend requests as friends"] = "Chi richiede la connessione/amicizia sarà accettato automaticamente come amico"; -$a->strings["Private Forum [Experimental]"] = "Forum privato [sperimentale]"; -$a->strings["Private forum - approved members only"] = "Forum privato - solo membri approvati"; -$a->strings["OpenID:"] = "OpenID:"; -$a->strings["(Optional) Allow this OpenID to login to this account."] = "(Opzionale) Consente di loggarti in questo account con questo OpenID"; -$a->strings["Publish your default profile in your local site directory?"] = "Pubblica il tuo profilo predefinito nell'elenco locale del sito"; -$a->strings["Publish your default profile in the global social directory?"] = "Pubblica il tuo profilo predefinito nell'elenco sociale globale"; -$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Nascondi la lista dei tuoi contatti/amici dai visitatori del tuo profilo predefinito"; -$a->strings["Hide your profile details from unknown viewers?"] = "Nascondi i dettagli del tuo profilo ai visitatori sconosciuti?"; -$a->strings["Allow friends to post to your profile page?"] = "Permetti agli amici di scrivere sulla tua pagina profilo?"; -$a->strings["Allow friends to tag your posts?"] = "Permetti agli amici di taggare i tuoi messaggi?"; -$a->strings["Allow us to suggest you as a potential friend to new members?"] = "Ci permetti di suggerirti come potenziale amico ai nuovi membri?"; -$a->strings["Permit unknown people to send you private mail?"] = "Permetti a utenti sconosciuti di inviarti messaggi privati?"; -$a->strings["Profile is not published."] = "Il profilo non è pubblicato."; -$a->strings["or"] = "o"; -$a->strings["Your Identity Address is"] = "L'indirizzo della tua identità è"; -$a->strings["Automatically expire posts after this many days:"] = "Fai scadere i post automaticamente dopo x giorni:"; -$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Se lasciato vuoto, i messaggi non verranno cancellati."; -$a->strings["Advanced expiration settings"] = "Impostazioni avanzate di scandenza"; -$a->strings["Advanced Expiration"] = "Scadenza avanzata"; -$a->strings["Expire posts:"] = "Fai scadere i post:"; -$a->strings["Expire personal notes:"] = "Fai scadere le Note personali:"; -$a->strings["Expire starred posts:"] = "Fai scadere i post Speciali:"; -$a->strings["Expire photos:"] = "Fai scadere le foto:"; -$a->strings["Only expire posts by others:"] = "Fai scadere solo i post degli altri:"; -$a->strings["Account Settings"] = "Impostazioni account"; -$a->strings["Password Settings"] = "Impostazioni password"; -$a->strings["New Password:"] = "Nuova password:"; -$a->strings["Confirm:"] = "Conferma:"; -$a->strings["Leave password fields blank unless changing"] = "Lascia questi campi in bianco per non effettuare variazioni alla password"; -$a->strings["Current Password:"] = "Password Attuale:"; -$a->strings["Your current password to confirm the changes"] = "La tua password attuale per confermare le modifiche"; -$a->strings["Password:"] = "Password:"; -$a->strings["Basic Settings"] = "Impostazioni base"; -$a->strings["Full Name:"] = "Nome completo:"; -$a->strings["Email Address:"] = "Indirizzo Email:"; -$a->strings["Your Timezone:"] = "Il tuo fuso orario:"; -$a->strings["Default Post Location:"] = "Località predefinita:"; -$a->strings["Use Browser Location:"] = "Usa la località rilevata dal browser:"; -$a->strings["Security and Privacy Settings"] = "Impostazioni di sicurezza e privacy"; -$a->strings["Maximum Friend Requests/Day:"] = "Numero massimo di richieste di amicizia al giorno:"; -$a->strings["(to prevent spam abuse)"] = "(per prevenire lo spam)"; -$a->strings["Default Post Permissions"] = "Permessi predefiniti per i messaggi"; -$a->strings["(click to open/close)"] = "(clicca per aprire/chiudere)"; -$a->strings["Show to Groups"] = "Mostra ai gruppi"; -$a->strings["Show to Contacts"] = "Mostra ai contatti"; -$a->strings["Default Private Post"] = "Default Post Privato"; -$a->strings["Default Public Post"] = "Default Post Pubblico"; -$a->strings["Default Permissions for New Posts"] = "Permessi predefiniti per i nuovi post"; -$a->strings["Maximum private messages per day from unknown people:"] = "Numero massimo di messaggi privati da utenti sconosciuti per giorno:"; -$a->strings["Notification Settings"] = "Impostazioni notifiche"; -$a->strings["By default post a status message when:"] = "Invia un messaggio di stato quando:"; -$a->strings["accepting a friend request"] = "accetti una richiesta di amicizia"; -$a->strings["joining a forum/community"] = "ti unisci a un forum/comunità"; -$a->strings["making an interesting profile change"] = "fai un interessante modifica al profilo"; -$a->strings["Send a notification email when:"] = "Invia una mail di notifica quando:"; -$a->strings["You receive an introduction"] = "Ricevi una presentazione"; -$a->strings["Your introductions are confirmed"] = "Le tue presentazioni sono confermate"; -$a->strings["Someone writes on your profile wall"] = "Qualcuno scrive sulla bacheca del tuo profilo"; -$a->strings["Someone writes a followup comment"] = "Qualcuno scrive un commento a un tuo messaggio"; -$a->strings["You receive a private message"] = "Ricevi un messaggio privato"; -$a->strings["You receive a friend suggestion"] = "Hai ricevuto un suggerimento di amicizia"; -$a->strings["You are tagged in a post"] = "Sei stato taggato in un post"; -$a->strings["You are poked/prodded/etc. in a post"] = "Sei 'toccato'/'spronato'/ecc. in un post"; -$a->strings["Advanced Account/Page Type Settings"] = "Impostazioni avanzate Account/Tipo di pagina"; -$a->strings["Change the behaviour of this account for special situations"] = "Modifica il comportamento di questo account in situazioni speciali"; -$a->strings["Relocate"] = "Trasloca"; -$a->strings["If you have moved this profile from another server, and some of your contacts don't receive your updates, try pushing this button."] = "Se hai spostato questo profilo da un'altro server, e alcuni dei tuoi contatti non ricevono i tuoi aggiornamenti, prova a premere questo bottone."; -$a->strings["Resend relocate message to contacts"] = "Reinvia il messaggio di trasloco"; -$a->strings["Profile deleted."] = "Profilo elminato."; -$a->strings["Profile-"] = "Profilo-"; -$a->strings["New profile created."] = "Il nuovo profilo è stato creato."; -$a->strings["Profile unavailable to clone."] = "Impossibile duplicare il profilo."; -$a->strings["Profile Name is required."] = "Il nome profilo è obbligatorio ."; -$a->strings["Marital Status"] = "Stato civile"; -$a->strings["Romantic Partner"] = "Partner romantico"; -$a->strings["Likes"] = "Mi piace"; -$a->strings["Dislikes"] = "Non mi piace"; -$a->strings["Work/Employment"] = "Lavoro/Impiego"; -$a->strings["Religion"] = "Religione"; -$a->strings["Political Views"] = "Orientamento Politico"; -$a->strings["Gender"] = "Sesso"; -$a->strings["Sexual Preference"] = "Preferenza sessuale"; -$a->strings["Homepage"] = "Homepage"; -$a->strings["Interests"] = "Interessi"; -$a->strings["Address"] = "Indirizzo"; -$a->strings["Location"] = "Posizione"; -$a->strings["Profile updated."] = "Profilo aggiornato."; -$a->strings[" and "] = "e "; -$a->strings["public profile"] = "profilo pubblico"; -$a->strings["%1\$s changed %2\$s to “%3\$s”"] = "%1\$s ha cambiato %2\$s in “%3\$s”"; -$a->strings[" - Visit %1\$s's %2\$s"] = "- Visita %2\$s di %1\$s"; -$a->strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s ha un %2\$s aggiornato. Ha cambiato %3\$s"; -$a->strings["Hide contacts and friends:"] = ""; -$a->strings["Hide your contact/friend list from viewers of this profile?"] = "Nascondi la tua lista di contatti/amici ai visitatori di questo profilo?"; -$a->strings["Edit Profile Details"] = "Modifica i dettagli del profilo"; -$a->strings["Change Profile Photo"] = "Cambia la foto del profilo"; -$a->strings["View this profile"] = "Visualizza questo profilo"; -$a->strings["Create a new profile using these settings"] = "Crea un nuovo profilo usando queste impostazioni"; -$a->strings["Clone this profile"] = "Clona questo profilo"; -$a->strings["Delete this profile"] = "Elimina questo profilo"; -$a->strings["Profile Name:"] = "Nome del profilo:"; -$a->strings["Your Full Name:"] = "Il tuo nome completo:"; -$a->strings["Title/Description:"] = "Breve descrizione (es. titolo, posizione, altro):"; -$a->strings["Your Gender:"] = "Il tuo sesso:"; -$a->strings["Birthday (%s):"] = "Compleanno (%s)"; -$a->strings["Street Address:"] = "Indirizzo (via/piazza):"; -$a->strings["Locality/City:"] = "Località:"; -$a->strings["Postal/Zip Code:"] = "CAP:"; -$a->strings["Country:"] = "Nazione:"; -$a->strings["Region/State:"] = "Regione/Stato:"; -$a->strings[" Marital Status:"] = " Stato sentimentale:"; -$a->strings["Who: (if applicable)"] = "Con chi: (se possibile)"; -$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Esempio: cathy123, Cathy Williams, cathy@example.com"; -$a->strings["Since [date]:"] = "Dal [data]:"; -$a->strings["Sexual Preference:"] = "Preferenze sessuali:"; -$a->strings["Homepage URL:"] = "Homepage:"; -$a->strings["Hometown:"] = "Paese natale:"; -$a->strings["Political Views:"] = "Orientamento politico:"; -$a->strings["Religious Views:"] = "Orientamento religioso:"; -$a->strings["Public Keywords:"] = "Parole chiave visibili a tutti:"; -$a->strings["Private Keywords:"] = "Parole chiave private:"; -$a->strings["Likes:"] = "Mi piace:"; -$a->strings["Dislikes:"] = "Non mi piace:"; -$a->strings["Example: fishing photography software"] = "Esempio: pesca fotografia programmazione"; -$a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(E' utilizzato per suggerire potenziali amici, può essere visto da altri)"; -$a->strings["(Used for searching profiles, never shown to others)"] = "(Usato per cercare tra i profili, non è mai visibile agli altri)"; -$a->strings["Tell us about yourself..."] = "Raccontaci di te..."; -$a->strings["Hobbies/Interests"] = "Hobby/interessi"; -$a->strings["Contact information and Social Networks"] = "Informazioni su contatti e social network"; -$a->strings["Musical interests"] = "Interessi musicali"; -$a->strings["Books, literature"] = "Libri, letteratura"; -$a->strings["Television"] = "Televisione"; -$a->strings["Film/dance/culture/entertainment"] = "Film/danza/cultura/intrattenimento"; -$a->strings["Love/romance"] = "Amore"; -$a->strings["Work/employment"] = "Lavoro/impiego"; -$a->strings["School/education"] = "Scuola/educazione"; -$a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "Questo è il tuo profilo publico.
Potrebbe essere visto da chiunque attraverso internet."; -$a->strings["Edit/Manage Profiles"] = "Modifica / Gestisci profili"; -$a->strings["Group created."] = "Gruppo creato."; -$a->strings["Could not create group."] = "Impossibile creare il gruppo."; -$a->strings["Group not found."] = "Gruppo non trovato."; -$a->strings["Group name changed."] = "Il nome del gruppo è cambiato."; -$a->strings["Save Group"] = "Salva gruppo"; -$a->strings["Create a group of contacts/friends."] = "Crea un gruppo di amici/contatti."; -$a->strings["Group Name: "] = "Nome del gruppo:"; -$a->strings["Group removed."] = "Gruppo rimosso."; -$a->strings["Unable to remove group."] = "Impossibile rimuovere il gruppo."; -$a->strings["Group Editor"] = "Modifica gruppo"; -$a->strings["Members"] = "Membri"; -$a->strings["Click on a contact to add or remove."] = "Clicca su un contatto per aggiungerlo o rimuoverlo."; -$a->strings["Source (bbcode) text:"] = "Testo sorgente (bbcode):"; -$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Testo sorgente (da Diaspora) da convertire in BBcode:"; -$a->strings["Source input: "] = "Sorgente:"; -$a->strings["bb2html (raw HTML): "] = "bb2html (HTML grezzo):"; -$a->strings["bb2html: "] = "bb2html:"; -$a->strings["bb2html2bb: "] = "bb2html2bb: "; -$a->strings["bb2md: "] = "bb2md: "; -$a->strings["bb2md2html: "] = "bb2md2html: "; -$a->strings["bb2dia2bb: "] = "bb2dia2bb: "; -$a->strings["bb2md2html2bb: "] = "bb2md2html2bb: "; -$a->strings["Source input (Diaspora format): "] = "Sorgente (formato Diaspora):"; -$a->strings["diaspora2bb: "] = "diaspora2bb: "; -$a->strings["Not available."] = "Non disponibile."; -$a->strings["Contact added"] = "Contatto aggiunto"; -$a->strings["No more system notifications."] = "Nessuna nuova notifica di sistema."; -$a->strings["System Notifications"] = "Notifiche di sistema"; -$a->strings["New Message"] = "Nuovo messaggio"; -$a->strings["Unable to locate contact information."] = "Impossibile trovare le informazioni del contatto."; -$a->strings["Messages"] = "Messaggi"; -$a->strings["Do you really want to delete this message?"] = "Vuoi veramente cancellare questo messaggio?"; -$a->strings["Message deleted."] = "Messaggio eliminato."; -$a->strings["Conversation removed."] = "Conversazione rimossa."; -$a->strings["No messages."] = "Nessun messaggio."; -$a->strings["Unknown sender - %s"] = "Mittente sconosciuto - %s"; -$a->strings["You and %s"] = "Tu e %s"; -$a->strings["%s and You"] = "%s e Tu"; -$a->strings["Delete conversation"] = "Elimina la conversazione"; -$a->strings["D, d M Y - g:i A"] = "D d M Y - G:i"; -$a->strings["%d message"] = array( - 0 => "%d messaggio", - 1 => "%d messaggi", -); -$a->strings["Message not available."] = "Messaggio non disponibile."; -$a->strings["Delete message"] = "Elimina il messaggio"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente."; -$a->strings["Send Reply"] = "Invia la risposta"; -$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "A %1\$s non piace %3\$s di %2\$s"; -$a->strings["Post successful."] = "Inviato!"; -$a->strings["l F d, Y \\@ g:i A"] = "l d F Y \\@ G:i"; -$a->strings["Time Conversion"] = "Conversione Ora"; -$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica fornisce questo servizio per la condivisione di eventi con altre reti e amici in fusi orari sconosciuti."; -$a->strings["UTC time: %s"] = "Ora UTC: %s"; -$a->strings["Current timezone: %s"] = "Fuso orario corrente: %s"; -$a->strings["Converted localtime: %s"] = "Ora locale convertita: %s"; -$a->strings["Please select your timezone:"] = "Selezionare il tuo fuso orario:"; -$a->strings["Save to Folder:"] = "Salva nella Cartella:"; +$a->strings["Private messages to this group are at risk of public disclosure."] = "I messaggi privati su questo gruppo potrebbero risultare visibili anche pubblicamente."; +$a->strings["No such group"] = "Nessun gruppo"; +$a->strings["Group is empty"] = "Il gruppo è vuoto"; +$a->strings["Group: "] = "Gruppo: "; +$a->strings["Contact: "] = "Contatto:"; +$a->strings["Private messages to this person are at risk of public disclosure."] = "I messaggi privati a questa persona potrebbero risultare visibili anche pubblicamente."; +$a->strings["Invalid contact."] = "Contatto non valido."; $a->strings["- select -"] = "- seleziona -"; -$a->strings["Invalid profile identifier."] = "Indentificativo del profilo non valido."; -$a->strings["Profile Visibility Editor"] = "Modifica visibilità del profilo"; -$a->strings["Visible To"] = "Visibile a"; -$a->strings["All Contacts (with secure profile access)"] = "Tutti i contatti (con profilo ad accesso sicuro)"; -$a->strings["No contacts."] = "Nessun contatto."; -$a->strings["View Contacts"] = "Visualizza i contatti"; -$a->strings["People Search"] = "Cerca persone"; -$a->strings["No matches"] = "Nessun risultato"; +$a->strings["This is Friendica, version"] = "Questo è Friendica, versione"; +$a->strings["running at web location"] = "in esecuzione all'indirizzo web"; +$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Visita Friendica.com per saperne di più sul progetto Friendica."; +$a->strings["Bug reports and issues: please visit"] = "Segnalazioni di bug e problemi: visita"; +$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com"; +$a->strings["Installed plugins/addons/apps:"] = "Plugin/addon/applicazioni instalate"; +$a->strings["No installed plugins/addons/apps"] = "Nessun plugin/addons/applicazione installata"; +$a->strings["Applications"] = "Applicazioni"; +$a->strings["No installed applications."] = "Nessuna applicazione installata."; $a->strings["Upload New Photos"] = "Carica nuove foto"; $a->strings["Contact information unavailable"] = "I dati di questo contatto non sono disponibili"; $a->strings["Album not found."] = "Album non trovato."; @@ -1098,10 +1359,7 @@ $a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s è stato taggato in % $a->strings["a photo"] = "una foto"; $a->strings["Image exceeds size limit of "] = "L'immagine supera il limite di"; $a->strings["Image file is empty."] = "Il file dell'immagine è vuoto."; -$a->strings["Unable to process image."] = "Impossibile caricare l'immagine."; -$a->strings["Image upload failed."] = "Caricamento immagine fallito."; $a->strings["No photos selected"] = "Nessuna foto selezionata"; -$a->strings["Access to this item is restricted."] = "Questo oggetto non è visibile a tutti."; $a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "Hai usato %1$.2f MBytes su %2$.2f disponibili."; $a->strings["Upload Photos"] = "Carica foto"; $a->strings["New album name: "] = "Nome nuovo album: "; @@ -1130,143 +1388,14 @@ $a->strings["Add a Tag"] = "Aggiungi tag"; $a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"; $a->strings["Private photo"] = "Foto privata"; $a->strings["Public photo"] = "Foto pubblica"; -$a->strings["Share"] = "Condividi"; -$a->strings["View Album"] = "Sfoglia l'album"; $a->strings["Recent Photos"] = "Foto recenti"; -$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta"; -$a->strings["Or - did you try to upload an empty file?"] = "O.. non avrai provato a caricare un file vuoto?"; -$a->strings["File exceeds size limit of %d"] = "Il file supera la dimensione massima di %d"; -$a->strings["File upload failed."] = "Caricamento del file non riuscito."; -$a->strings["No videos selected"] = "Nessun video selezionato"; -$a->strings["View Video"] = "Guarda Video"; -$a->strings["Recent Videos"] = "Video Recenti"; -$a->strings["Upload New Videos"] = "Carica Nuovo Video"; -$a->strings["Poke/Prod"] = "Tocca/Pungola"; -$a->strings["poke, prod or do other things to somebody"] = "tocca, pungola o fai altre cose a qualcuno"; -$a->strings["Recipient"] = "Destinatario"; -$a->strings["Choose what you wish to do to recipient"] = "Scegli cosa vuoi fare al destinatario"; -$a->strings["Make this post private"] = "Rendi questo post privato"; -$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s sta seguendo %3\$s di %2\$s"; -$a->strings["Export account"] = "Esporta account"; -$a->strings["Export your account info and contacts. Use this to make a backup of your account and/or to move it to another server."] = "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server."; -$a->strings["Export all"] = "Esporta tutto"; -$a->strings["Export your accout info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)"; -$a->strings["Common Friends"] = "Amici in comune"; -$a->strings["No contacts in common."] = "Nessun contatto in comune."; -$a->strings["Image exceeds size limit of %d"] = "La dimensione dell'immagine supera il limite di %d"; -$a->strings["Wall Photos"] = "Foto della bacheca"; -$a->strings["Image uploaded but image cropping failed."] = "L'immagine è stata caricata, ma il non è stato possibile ritagliarla."; -$a->strings["Image size reduction [%s] failed."] = "Il ridimensionamento del'immagine [%s] è fallito."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Ricarica la pagina con shift+F5 o cancella la cache del browser se la nuova foto non viene mostrata immediatamente."; -$a->strings["Unable to process image"] = "Impossibile elaborare l'immagine"; -$a->strings["Upload File:"] = "Carica un file:"; -$a->strings["Select a profile:"] = "Seleziona un profilo:"; -$a->strings["Upload"] = "Carica"; -$a->strings["skip this step"] = "salta questo passaggio"; -$a->strings["select a photo from your photo albums"] = "seleziona una foto dai tuoi album"; -$a->strings["Crop Image"] = "Ritaglia immagine"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Ritaglia l'imagine per una visualizzazione migliore."; -$a->strings["Done Editing"] = "Finito"; -$a->strings["Image uploaded successfully."] = "Immagine caricata con successo."; -$a->strings["Applications"] = "Applicazioni"; -$a->strings["No installed applications."] = "Nessuna applicazione installata."; -$a->strings["Nothing new here"] = "Niente di nuovo qui"; -$a->strings["Clear notifications"] = "Pulisci le notifiche"; -$a->strings["Profile Match"] = "Profili corrispondenti"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "Nessuna parola chiave per l'abbinamento. Aggiungi parole chiave al tuo profilo predefinito."; -$a->strings["is interested in:"] = "è interessato a:"; -$a->strings["Tag removed"] = "Tag rimosso"; -$a->strings["Remove Item Tag"] = "Rimuovi il tag"; -$a->strings["Select a tag to remove: "] = "Seleziona un tag da rimuovere: "; -$a->strings["Remove"] = "Rimuovi"; -$a->strings["Event title and start time are required."] = "Titolo e ora di inizio dell'evento sono richiesti."; -$a->strings["l, F j"] = "l j F"; -$a->strings["Edit event"] = "Modifca l'evento"; -$a->strings["link to source"] = "Collegamento all'originale"; -$a->strings["Create New Event"] = "Crea un nuovo evento"; -$a->strings["Previous"] = "Precendente"; -$a->strings["hour:minute"] = "ora:minuti"; -$a->strings["Event details"] = "Dettagli dell'evento"; -$a->strings["Format is %s %s. Starting date and Title are required."] = "Il formato è %s %s. Data di inizio e Titolo sono richiesti."; -$a->strings["Event Starts:"] = "L'evento inizia:"; -$a->strings["Required"] = "Richiesto"; -$a->strings["Finish date/time is not known or not relevant"] = "La data/ora di fine non è definita"; -$a->strings["Event Finishes:"] = "L'evento finisce:"; -$a->strings["Adjust for viewer timezone"] = "Visualizza con il fuso orario di chi legge"; -$a->strings["Description:"] = "Descrizione:"; -$a->strings["Title:"] = "Titolo:"; -$a->strings["Share this event"] = "Condividi questo evento"; -$a->strings["No potential page delegates located."] = "Nessun potenziale delegato per la pagina è stato trovato."; -$a->strings["Delegate Page Management"] = "Gestione delegati per la pagina"; -$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente."; -$a->strings["Existing Page Managers"] = "Gestori Pagina Esistenti"; -$a->strings["Existing Page Delegates"] = "Delegati Pagina Esistenti"; -$a->strings["Potential Delegates"] = "Delegati Potenziali"; -$a->strings["Add"] = "Aggiungi"; -$a->strings["No entries."] = "Nessun articolo."; -$a->strings["Contacts who are not members of a group"] = "Contatti che non sono membri di un gruppo"; -$a->strings["Files"] = "File"; -$a->strings["System down for maintenance"] = "Sistema in manutenzione"; -$a->strings["Remove My Account"] = "Rimuovi il mio account"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo."; -$a->strings["Please enter your password for verification:"] = "Inserisci la tua password per verifica:"; -$a->strings["Friend suggestion sent."] = "Suggerimento di amicizia inviato."; -$a->strings["Suggest Friends"] = "Suggerisci amici"; -$a->strings["Suggest a friend for %s"] = "Suggerisci un amico a %s"; -$a->strings["Unable to locate original post."] = "Impossibile trovare il messaggio originale."; -$a->strings["Empty post discarded."] = "Messaggio vuoto scartato."; -$a->strings["System error. Post not saved."] = "Errore di sistema. Messaggio non salvato."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica."; -$a->strings["You may visit them online at %s"] = "Puoi visitarli online su %s"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi."; -$a->strings["%s posted an update."] = "%s ha inviato un aggiornamento."; -$a->strings["{0} wants to be your friend"] = "{0} vuole essere tuo amico"; -$a->strings["{0} sent you a message"] = "{0} ti ha inviato un messaggio"; -$a->strings["{0} requested registration"] = "{0} chiede la registrazione"; -$a->strings["{0} commented %s's post"] = "{0} ha commentato il post di %s"; -$a->strings["{0} liked %s's post"] = "a {0} piace il post di %s"; -$a->strings["{0} disliked %s's post"] = "a {0} non piace il post di %s"; -$a->strings["{0} is now friends with %s"] = "{0} ora è amico di %s"; -$a->strings["{0} posted"] = "{0} ha inviato un nuovo messaggio"; -$a->strings["{0} tagged %s's post with #%s"] = "{0} ha taggato il post di %s con #%s"; -$a->strings["{0} mentioned you in a post"] = "{0} ti ha citato in un post"; -$a->strings["OpenID protocol error. No ID returned."] = "Errore protocollo OpenID. Nessun ID ricevuto."; -$a->strings["Account not found and OpenID registration is not permitted on this site."] = "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito."; -$a->strings["Login failed."] = "Accesso fallito."; -$a->strings["Invalid request identifier."] = "L'identificativo della richiesta non è valido."; -$a->strings["Discard"] = "Scarta"; -$a->strings["System"] = "Sistema"; -$a->strings["Network"] = "Rete"; -$a->strings["Introductions"] = "Presentazioni"; -$a->strings["Show Ignored Requests"] = "Mostra richieste ignorate"; -$a->strings["Hide Ignored Requests"] = "Nascondi richieste ignorate"; -$a->strings["Notification type: "] = "Tipo di notifica: "; -$a->strings["Friend Suggestion"] = "Amico suggerito"; -$a->strings["suggested by %s"] = "sugerito da %s"; -$a->strings["Post a new friend activity"] = "Invia una attività \"è ora amico con\""; -$a->strings["if applicable"] = "se applicabile"; -$a->strings["Claims to be known to you: "] = "Dice di conoscerti: "; -$a->strings["yes"] = "si"; -$a->strings["no"] = "no"; -$a->strings["Approve as: "] = "Approva come: "; -$a->strings["Friend"] = "Amico"; -$a->strings["Sharer"] = "Condivisore"; -$a->strings["Fan/Admirer"] = "Fan/Ammiratore"; -$a->strings["Friend/Connect Request"] = "Richiesta amicizia/connessione"; -$a->strings["New Follower"] = "Qualcuno inizia a seguirti"; -$a->strings["No introductions."] = "Nessuna presentazione."; -$a->strings["Notifications"] = "Notifiche"; -$a->strings["%s liked %s's post"] = "a %s è piaciuto il messaggio di %s"; -$a->strings["%s disliked %s's post"] = "a %s non è piaciuto il messaggio di %s"; -$a->strings["%s is now friends with %s"] = "%s è ora amico di %s"; -$a->strings["%s created a new post"] = "%s a creato un nuovo messaggio"; -$a->strings["%s commented on %s's post"] = "%s ha commentato il messaggio di %s"; -$a->strings["No more network notifications."] = "Nessuna nuova."; -$a->strings["Network Notifications"] = "Notifiche dalla rete"; -$a->strings["No more personal notifications."] = "Nessuna nuova."; -$a->strings["Personal Notifications"] = "Notifiche personali"; -$a->strings["No more home notifications."] = "Nessuna nuova."; -$a->strings["Home Notifications"] = "Notifiche bacheca"; +$a->strings["Contact added"] = "Contatto aggiunto"; +$a->strings["Move account"] = "Muovi account"; +$a->strings["You can import an account from another Friendica server."] = "Puoi importare un account da un altro server Friendica."; +$a->strings["You need to export your account from the old server and upload it here. We will recreate your old account here with all your contacts. We will try also to inform your friends that you moved here."] = "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui."; +$a->strings["This feature is experimental. We can't import contacts from the OStatus network (statusnet/identi.ca) or from Diaspora"] = "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora"; +$a->strings["Account file"] = "File account"; +$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\""; $a->strings["Total invitation limit exceeded."] = "Limite totale degli inviti superato."; $a->strings["%s : Not a valid email address."] = "%s: non è un indirizzo email valido."; $a->strings["Please join us on Friendica"] = "Unisiciti a noi su Friendica"; @@ -1287,438 +1416,341 @@ $a->strings["You are cordially invited to join me and other close friends on Fri $a->strings["You will need to supply this invitation code: \$invite_code"] = "Sarà necessario fornire questo codice invito: \$invite_code"; $a->strings["Once you have registered, please connect with me via my profile page at:"] = "Una volta registrato, connettiti con me dal mio profilo:"; $a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Per maggiori informazioni sul progetto Friendica e perchè pensiamo sia importante, visita http://friendica.com"; -$a->strings["Manage Identities and/or Pages"] = "Gestisci indentità e/o pagine"; -$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione"; -$a->strings["Select an identity to manage: "] = "Seleziona un'identità da gestire:"; -$a->strings["Welcome to %s"] = "Benvenuto su %s"; +$a->strings["Access denied."] = "Accesso negato."; +$a->strings["No valid account found."] = "Nessun account valido trovato."; +$a->strings["Password reset request issued. Check your email."] = "La richiesta per reimpostare la password è stata inviata. Controlla la tua email."; +$a->strings["\n\t\tDear %1\$s,\n\t\t\tA request was recently received at \"%2\$s\" to reset your account\n\t\tpassword. In order to confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided and ignore and/or delete this email.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = "\nGentile %1\$s,\n abbiamo ricevuto su \"%2\$s\" una richiesta di resettare la password del tuo account. Per confermare questa richiesta, selezionate il link di conferma qui sotto o incollatelo nella barra indirizzo del vostro browser.\n\nSe NON hai richiesto questa modifica, NON selezionare il link e ignora o cancella questa email.\n\nLa tua password non verrà modificata a meno che non possiamo verificare che tu abbia effettivamente richiesto la modifica."; +$a->strings["\n\t\tFollow this link to verify your identity:\n\n\t\t%1\$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2\$s\n\t\tLogin Name:\t%3\$s"] = "\nSegui questo link per verificare la tua identità:\n\n%1\$s\n\nRiceverai in un successivo messaggio la nuova password.\nPotrai cambiarla dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato.\n\nI dettagli del tuo account sono:\n Indirizzo del sito: %2\$s\n Nome utente: %3\$s"; +$a->strings["Password reset requested at %s"] = "Richiesta reimpostazione password su %s"; +$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita."; +$a->strings["Your password has been reset as requested."] = "La tua password è stata reimpostata come richiesto."; +$a->strings["Your new password is"] = "La tua nuova password è"; +$a->strings["Save or copy your new password - and then"] = "Salva o copia la tua nuova password, quindi"; +$a->strings["click here to login"] = "clicca qui per entrare"; +$a->strings["Your password may be changed from the Settings page after successful login."] = "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso."; +$a->strings["\n\t\t\t\tDear %1\$s,\n\t\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\t\tinformation for your records (or change your password immediately to\n\t\t\t\tsomething that you will remember).\n\t\t\t"] = "\nGentile %1\$s,\n La tua password è stata modificata come richiesto.\nSalva questa password, o sostituiscila immediatamente con qualcosa che puoi ricordare."; +$a->strings["\n\t\t\t\tYour login details are as follows:\n\n\t\t\t\tSite Location:\t%1\$s\n\t\t\t\tLogin Name:\t%2\$s\n\t\t\t\tPassword:\t%3\$s\n\n\t\t\t\tYou may change that password from your account settings page after logging in.\n\t\t\t"] = "\nI dettagli del tuo account sono:\n\n Indirizzo del sito: %1\$s\n Nome utente: %2\$s\n Password: %3\$s\n\nPuoi cambiare questa password dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato."; +$a->strings["Your password has been changed at %s"] = "La tua password presso %s è stata cambiata"; +$a->strings["Forgot your Password?"] = "Hai dimenticato la password?"; +$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Inserisci il tuo indirizzo email per reimpostare la password."; +$a->strings["Nickname or Email: "] = "Nome utente o email: "; +$a->strings["Reset"] = "Reimposta"; +$a->strings["Source (bbcode) text:"] = "Testo sorgente (bbcode):"; +$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Testo sorgente (da Diaspora) da convertire in BBcode:"; +$a->strings["Source input: "] = "Sorgente:"; +$a->strings["bb2html (raw HTML): "] = "bb2html (HTML grezzo):"; +$a->strings["bb2html: "] = "bb2html:"; +$a->strings["bb2html2bb: "] = "bb2html2bb: "; +$a->strings["bb2md: "] = "bb2md: "; +$a->strings["bb2md2html: "] = "bb2md2html: "; +$a->strings["bb2dia2bb: "] = "bb2dia2bb: "; +$a->strings["bb2md2html2bb: "] = "bb2md2html2bb: "; +$a->strings["Source input (Diaspora format): "] = "Sorgente (formato Diaspora):"; +$a->strings["diaspora2bb: "] = "diaspora2bb: "; +$a->strings["Tag removed"] = "Tag rimosso"; +$a->strings["Remove Item Tag"] = "Rimuovi il tag"; +$a->strings["Select a tag to remove: "] = "Seleziona un tag da rimuovere: "; +$a->strings["Remove My Account"] = "Rimuovi il mio account"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo."; +$a->strings["Please enter your password for verification:"] = "Inserisci la tua password per verifica:"; +$a->strings["Invalid profile identifier."] = "Indentificativo del profilo non valido."; +$a->strings["Profile Visibility Editor"] = "Modifica visibilità del profilo"; +$a->strings["Visible To"] = "Visibile a"; +$a->strings["All Contacts (with secure profile access)"] = "Tutti i contatti (con profilo ad accesso sicuro)"; +$a->strings["Profile Match"] = "Profili corrispondenti"; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "Nessuna parola chiave per l'abbinamento. Aggiungi parole chiave al tuo profilo predefinito."; +$a->strings["is interested in:"] = "è interessato a:"; +$a->strings["Event title and start time are required."] = "Titolo e ora di inizio dell'evento sono richiesti."; +$a->strings["l, F j"] = "l j F"; +$a->strings["Edit event"] = "Modifca l'evento"; +$a->strings["Create New Event"] = "Crea un nuovo evento"; +$a->strings["Previous"] = "Precendente"; +$a->strings["Next"] = "Successivo"; +$a->strings["hour:minute"] = "ora:minuti"; +$a->strings["Event details"] = "Dettagli dell'evento"; +$a->strings["Format is %s %s. Starting date and Title are required."] = "Il formato è %s %s. Data di inizio e Titolo sono richiesti."; +$a->strings["Event Starts:"] = "L'evento inizia:"; +$a->strings["Required"] = "Richiesto"; +$a->strings["Finish date/time is not known or not relevant"] = "La data/ora di fine non è definita"; +$a->strings["Event Finishes:"] = "L'evento finisce:"; +$a->strings["Adjust for viewer timezone"] = "Visualizza con il fuso orario di chi legge"; +$a->strings["Description:"] = "Descrizione:"; +$a->strings["Title:"] = "Titolo:"; +$a->strings["Share this event"] = "Condividi questo evento"; +$a->strings["{0} wants to be your friend"] = "{0} vuole essere tuo amico"; +$a->strings["{0} sent you a message"] = "{0} ti ha inviato un messaggio"; +$a->strings["{0} requested registration"] = "{0} chiede la registrazione"; +$a->strings["{0} commented %s's post"] = "{0} ha commentato il post di %s"; +$a->strings["{0} liked %s's post"] = "a {0} piace il post di %s"; +$a->strings["{0} disliked %s's post"] = "a {0} non piace il post di %s"; +$a->strings["{0} is now friends with %s"] = "{0} ora è amico di %s"; +$a->strings["{0} posted"] = "{0} ha inviato un nuovo messaggio"; +$a->strings["{0} tagged %s's post with #%s"] = "{0} ha taggato il post di %s con #%s"; +$a->strings["{0} mentioned you in a post"] = "{0} ti ha citato in un post"; +$a->strings["Mood"] = "Umore"; +$a->strings["Set your current mood and tell your friends"] = "Condividi il tuo umore con i tuoi amici"; +$a->strings["No results."] = "Nessun risultato."; +$a->strings["Unable to locate contact information."] = "Impossibile trovare le informazioni del contatto."; +$a->strings["Do you really want to delete this message?"] = "Vuoi veramente cancellare questo messaggio?"; +$a->strings["Message deleted."] = "Messaggio eliminato."; +$a->strings["Conversation removed."] = "Conversazione rimossa."; +$a->strings["No messages."] = "Nessun messaggio."; +$a->strings["Unknown sender - %s"] = "Mittente sconosciuto - %s"; +$a->strings["You and %s"] = "Tu e %s"; +$a->strings["%s and You"] = "%s e Tu"; +$a->strings["Delete conversation"] = "Elimina la conversazione"; +$a->strings["D, d M Y - g:i A"] = "D d M Y - G:i"; +$a->strings["%d message"] = array( + 0 => "%d messaggio", + 1 => "%d messaggi", +); +$a->strings["Message not available."] = "Messaggio non disponibile."; +$a->strings["Delete message"] = "Elimina il messaggio"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente."; +$a->strings["Send Reply"] = "Invia la risposta"; +$a->strings["Not available."] = "Non disponibile."; +$a->strings["Profile not found."] = "Profilo non trovato."; +$a->strings["Profile deleted."] = "Profilo elminato."; +$a->strings["Profile-"] = "Profilo-"; +$a->strings["New profile created."] = "Il nuovo profilo è stato creato."; +$a->strings["Profile unavailable to clone."] = "Impossibile duplicare il profilo."; +$a->strings["Profile Name is required."] = "Il nome profilo è obbligatorio ."; +$a->strings["Marital Status"] = "Stato civile"; +$a->strings["Romantic Partner"] = "Partner romantico"; +$a->strings["Likes"] = "Mi piace"; +$a->strings["Dislikes"] = "Non mi piace"; +$a->strings["Work/Employment"] = "Lavoro/Impiego"; +$a->strings["Religion"] = "Religione"; +$a->strings["Political Views"] = "Orientamento Politico"; +$a->strings["Gender"] = "Sesso"; +$a->strings["Sexual Preference"] = "Preferenza sessuale"; +$a->strings["Homepage"] = "Homepage"; +$a->strings["Interests"] = "Interessi"; +$a->strings["Address"] = "Indirizzo"; +$a->strings["Location"] = "Posizione"; +$a->strings["Profile updated."] = "Profilo aggiornato."; +$a->strings[" and "] = "e "; +$a->strings["public profile"] = "profilo pubblico"; +$a->strings["%1\$s changed %2\$s to “%3\$s”"] = "%1\$s ha cambiato %2\$s in “%3\$s”"; +$a->strings[" - Visit %1\$s's %2\$s"] = "- Visita %2\$s di %1\$s"; +$a->strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s ha un %2\$s aggiornato. Ha cambiato %3\$s"; +$a->strings["Hide contacts and friends:"] = "Nascondi contatti:"; +$a->strings["Hide your contact/friend list from viewers of this profile?"] = "Nascondi la tua lista di contatti/amici ai visitatori di questo profilo?"; +$a->strings["Edit Profile Details"] = "Modifica i dettagli del profilo"; +$a->strings["Change Profile Photo"] = "Cambia la foto del profilo"; +$a->strings["View this profile"] = "Visualizza questo profilo"; +$a->strings["Create a new profile using these settings"] = "Crea un nuovo profilo usando queste impostazioni"; +$a->strings["Clone this profile"] = "Clona questo profilo"; +$a->strings["Delete this profile"] = "Elimina questo profilo"; +$a->strings["Basic information"] = "Informazioni di base"; +$a->strings["Profile picture"] = "Immagine del profilo"; +$a->strings["Preferences"] = "Preferenze"; +$a->strings["Status information"] = "Informazioni stato"; +$a->strings["Additional information"] = "Informazioni aggiuntive"; +$a->strings["Upload Profile Photo"] = "Carica la foto del profilo"; +$a->strings["Profile Name:"] = "Nome del profilo:"; +$a->strings["Your Full Name:"] = "Il tuo nome completo:"; +$a->strings["Title/Description:"] = "Breve descrizione (es. titolo, posizione, altro):"; +$a->strings["Your Gender:"] = "Il tuo sesso:"; +$a->strings["Birthday (%s):"] = "Compleanno (%s)"; +$a->strings["Street Address:"] = "Indirizzo (via/piazza):"; +$a->strings["Locality/City:"] = "Località:"; +$a->strings["Postal/Zip Code:"] = "CAP:"; +$a->strings["Country:"] = "Nazione:"; +$a->strings["Region/State:"] = "Regione/Stato:"; +$a->strings[" Marital Status:"] = " Stato sentimentale:"; +$a->strings["Who: (if applicable)"] = "Con chi: (se possibile)"; +$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Esempio: cathy123, Cathy Williams, cathy@example.com"; +$a->strings["Since [date]:"] = "Dal [data]:"; +$a->strings["Homepage URL:"] = "Homepage:"; +$a->strings["Religious Views:"] = "Orientamento religioso:"; +$a->strings["Public Keywords:"] = "Parole chiave visibili a tutti:"; +$a->strings["Private Keywords:"] = "Parole chiave private:"; +$a->strings["Example: fishing photography software"] = "Esempio: pesca fotografia programmazione"; +$a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(E' utilizzato per suggerire potenziali amici, può essere visto da altri)"; +$a->strings["(Used for searching profiles, never shown to others)"] = "(Usato per cercare tra i profili, non è mai visibile agli altri)"; +$a->strings["Tell us about yourself..."] = "Raccontaci di te..."; +$a->strings["Hobbies/Interests"] = "Hobby/interessi"; +$a->strings["Contact information and Social Networks"] = "Informazioni su contatti e social network"; +$a->strings["Musical interests"] = "Interessi musicali"; +$a->strings["Books, literature"] = "Libri, letteratura"; +$a->strings["Television"] = "Televisione"; +$a->strings["Film/dance/culture/entertainment"] = "Film/danza/cultura/intrattenimento"; +$a->strings["Love/romance"] = "Amore"; +$a->strings["Work/employment"] = "Lavoro/impiego"; +$a->strings["School/education"] = "Scuola/educazione"; +$a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "Questo è il tuo profilo publico.
Potrebbe essere visto da chiunque attraverso internet."; +$a->strings["Age: "] = "Età : "; +$a->strings["Edit/Manage Profiles"] = "Modifica / Gestisci profili"; +$a->strings["Friendica Communications Server - Setup"] = "Friendica Comunicazione Server - Impostazioni"; +$a->strings["Could not connect to database."] = " Impossibile collegarsi con il database."; +$a->strings["Could not create table."] = "Impossibile creare le tabelle."; +$a->strings["Your Friendica site database has been installed."] = "Il tuo Friendica è stato installato."; +$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Potresti dover importare il file \"database.sql\" manualmente con phpmyadmin o mysql"; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Leggi il file \"INSTALL.txt\"."; +$a->strings["System check"] = "Controllo sistema"; +$a->strings["Check again"] = "Controlla ancora"; +$a->strings["Database connection"] = "Connessione al database"; +$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Per installare Friendica dobbiamo sapere come collegarci al tuo database."; +$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Contatta il tuo fornitore di hosting o l'amministratore del sito se hai domande su queste impostazioni."; +$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Il database dovrà già esistere. Se non esiste, crealo prima di continuare."; +$a->strings["Database Server Name"] = "Nome del database server"; +$a->strings["Database Login Name"] = "Nome utente database"; +$a->strings["Database Login Password"] = "Password utente database"; +$a->strings["Database Name"] = "Nome database"; +$a->strings["Site administrator email address"] = "Indirizzo email dell'amministratore del sito"; +$a->strings["Your account email address must match this in order to use the web admin panel."] = "Il tuo indirizzo email deve corrispondere a questo per poter usare il pannello di amministrazione web."; +$a->strings["Please select a default timezone for your website"] = "Seleziona il fuso orario predefinito per il tuo sito web"; +$a->strings["Site settings"] = "Impostazioni sito"; +$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Non riesco a trovare la versione di PHP da riga di comando nel PATH del server web"; +$a->strings["If you don't have a command line version of PHP installed on server, you will not be able to run background polling via cron. See 'Activating scheduled tasks'"] = "Se non hai una versione a linea di comando di PHP installata sul tuo server, non sarai in grado di avviare il processo di poll in background via cron. Vedi 'Activating scheduled tasks'"; +$a->strings["PHP executable path"] = "Percorso eseguibile PHP"; +$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Inserisci il percorso completo all'eseguibile di php. Puoi lasciare bianco questo campo per continuare l'installazione."; +$a->strings["Command line PHP"] = "PHP da riga di comando"; +$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "L'eseguibile PHP non è il binario php cli (potrebbe essere la versione cgi-fcgi)"; +$a->strings["Found PHP version: "] = "Versione PHP:"; +$a->strings["PHP cli binary"] = "Binario PHP cli"; +$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "La versione da riga di comando di PHP nel sistema non ha abilitato \"register_argc_argv\"."; +$a->strings["This is required for message delivery to work."] = "E' obbligatorio per far funzionare la consegna dei messaggi."; +$a->strings["PHP register_argc_argv"] = "PHP register_argc_argv"; +$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Errore: la funzione \"openssl_pkey_new\" in questo sistema non è in grado di generare le chiavi di criptazione"; +$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Se stai eseguendo friendika su windows, guarda \"http://www.php.net/manual/en/openssl.installation.php\"."; +$a->strings["Generate encryption keys"] = "Genera chiavi di criptazione"; +$a->strings["libCurl PHP module"] = "modulo PHP libCurl"; +$a->strings["GD graphics PHP module"] = "modulo PHP GD graphics"; +$a->strings["OpenSSL PHP module"] = "modulo PHP OpenSSL"; +$a->strings["mysqli PHP module"] = "modulo PHP mysqli"; +$a->strings["mb_string PHP module"] = "modulo PHP mb_string"; +$a->strings["Apache mod_rewrite module"] = "Modulo mod_rewrite di Apache"; +$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Errore: E' il modulo mod-rewrite di Apache è richiesto, ma non risulta installato"; +$a->strings["Error: libCURL PHP module required but not installed."] = "Errore: il modulo libCURL di PHP è richiesto, ma non risulta installato."; +$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Errore: Il modulo GD graphics di PHP con supporto a JPEG è richiesto, ma non risulta installato."; +$a->strings["Error: openssl PHP module required but not installed."] = "Errore: il modulo openssl di PHP è richiesto, ma non risulta installato."; +$a->strings["Error: mysqli PHP module required but not installed."] = "Errore: il modulo mysqli di PHP è richiesto, ma non risulta installato"; +$a->strings["Error: mb_string PHP module required but not installed."] = "Errore: il modulo PHP mb_string è richiesto, ma non risulta installato."; +$a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "L'installazione web deve poter creare un file chiamato \".htconfig.php\" nella cartella principale del tuo web server ma non è in grado di farlo."; +$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "Ciò è dovuto spesso a impostazioni di permessi, dato che il web server può non essere in grado di scrivere il file nella tua cartella, anche se tu puoi."; +$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = "Alla fine di questa procedura, di daremo un testo da salvare in un file chiamato .htconfig.php nella tua cartella principale di Friendica"; +$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Puoi in alternativa saltare questa procedura ed eseguire l'installazione manualmente. Vedi il file \"INSTALL.txt\" per le istruzioni."; +$a->strings[".htconfig.php is writable"] = ".htconfig.php è scrivibile"; +$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica usa il motore di template Smarty3 per renderizzare le sue pagine web. Smarty3 compila i template in PHP per velocizzare il rendering."; +$a->strings["In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top level folder."] = "Per salvare questi template compilati, il server werb ha bisogno dell'accesso in scrittura alla cartella view/smarty3/ nella cartella principale dei Friendica."; +$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Per favore, controlla che l'utente con cui il tuo server web gira (es www-data) ha accesso in scrittura a questa cartella."; +$a->strings["Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."] = "Nota: come misura di sicurezza, dovresti dare accesso in scrittura solo alla cartella view/smarty3, non ai template (.tpl) che contiene."; +$a->strings["view/smarty3 is writable"] = "view/smarty3 è scrivibile"; +$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "La riscrittura degli url in .htaccess non funziona. Controlla la configurazione del tuo server."; +$a->strings["Url rewrite is working"] = "La riscrittura degli url funziona"; +$a->strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "Il file di configurazione del database \".htconfig.php\" non può essere scritto. Usa il testo qui di seguito per creare un file di configurazione nella cartella principale del tuo sito."; +$a->strings["

What next

"] = "

Cosa fare ora

"; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANTE: Devi impostare [manualmente] la pianificazione del poller."; +$a->strings["Help:"] = "Guida:"; +$a->strings["Contact settings applied."] = "Contatto modificato."; +$a->strings["Contact update failed."] = "Le modifiche al contatto non sono state salvate."; +$a->strings["Repair Contact Settings"] = "Ripara il contatto"; +$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "ATTENZIONE: Queste sono impostazioni avanzate e se inserisci informazioni errate le tue comunicazioni con questo contatto potrebbero non funzionare più"; +$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Usa ora il tasto 'Indietro' del tuo browser se non sei sicuro di cosa fare in questa pagina."; +$a->strings["Return to contact editor"] = "Ritorna alla modifica contatto"; +$a->strings["Account Nickname"] = "Nome utente"; +$a->strings["@Tagname - overrides Name/Nickname"] = "@TagName - al posto del nome utente"; +$a->strings["Account URL"] = "URL dell'utente"; +$a->strings["Friend Request URL"] = "URL Richiesta Amicizia"; +$a->strings["Friend Confirm URL"] = "URL Conferma Amicizia"; +$a->strings["Notification Endpoint URL"] = "URL Notifiche"; +$a->strings["Poll/Feed URL"] = "URL Feed"; +$a->strings["New photo from this URL"] = "Nuova foto da questo URL"; +$a->strings["Remote Self"] = "Io remoto"; +$a->strings["Mirror postings from this contact"] = "Ripeti i messaggi di questo contatto"; +$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Imposta questo contatto come 'io remoto', questo farà si che friendica reinvii i nuovi messaggi da questo contatto."; +$a->strings["No mirroring"] = "Non duplicare"; +$a->strings["Mirror as forwarded posting"] = "Duplica come messaggi ricondivisi"; +$a->strings["Mirror as my own posting"] = "Duplica come miei messaggi"; +$a->strings["Welcome to Friendica"] = "Benvenuto su Friendica"; +$a->strings["New Member Checklist"] = "Cose da fare per i Nuovi Utenti"; +$a->strings["We would like to offer some tips and links to help make your experience enjoyable. Click any item to visit the relevant page. A link to this page will be visible from your home page for two weeks after your initial registration and then will quietly disappear."] = "Vorremmo offrirti qualche trucco e dei link alla guida per aiutarti ad avere un'esperienza divertente. Clicca su un qualsiasi elemento per visitare la relativa pagina. Un link a questa pagina sarà visibile nella tua home per due settimane dopo la tua registrazione."; +$a->strings["Getting Started"] = "Come Iniziare"; +$a->strings["Friendica Walk-Through"] = "Friendica Passo-Passo"; +$a->strings["On your Quick Start page - find a brief introduction to your profile and network tabs, make some new connections, and find some groups to join."] = "Sulla tua pagina Quick Start - veloce introduzione alla tua pagina profilo e alla pagina Rete, fai qualche nuova amicizia, e trova qualche gruppo a cui unirti."; +$a->strings["Go to Your Settings"] = "Vai alle tue Impostazioni"; +$a->strings["On your Settings page - change your initial password. Also make a note of your Identity Address. This looks just like an email address - and will be useful in making friends on the free social web."] = "Nella tua pagina Impostazioni - cambia la tua password iniziale. Prendi anche nota del tuo Indirizzo Identità. Assomiglia a un indirizzo email e sarà utile per stringere amicizie nel web sociale libero."; +$a->strings["Review the other settings, particularly the privacy settings. An unpublished directory listing is like having an unlisted phone number. In general, you should probably publish your listing - unless all of your friends and potential friends know exactly how to find you."] = "Guarda le altre impostazioni, in particolare le impostazioni della privacy. Un profilo non pubblicato è come un numero di telefono non in elenco. In genere, dovresti pubblicare il tuo profilo - a meno che tutti i tuoi amici e potenziali tali sappiano esattamente come trovarti."; +$a->strings["Upload a profile photo if you have not done so already. Studies have shown that people with real photos of themselves are ten times more likely to make friends than people who do not."] = "Carica una foto del profilo se non l'hai ancora fatto. Studi hanno mostrato che persone che hanno vere foto di se stessi hanno dieci volte più probabilità di fare amicizie rispetto alle persone che non ce l'hanno."; +$a->strings["Edit Your Profile"] = "Modifica il tuo Profilo"; +$a->strings["Edit your default profile to your liking. Review the settings for hiding your list of friends and hiding the profile from unknown visitors."] = "Modifica il tuo profilo predefinito a piacimento. Rivedi le impostazioni per nascondere la tua lista di amici e nascondere il profilo ai visitatori sconosciuti."; +$a->strings["Profile Keywords"] = "Parole chiave del profilo"; +$a->strings["Set some public keywords for your default profile which describe your interests. We may be able to find other people with similar interests and suggest friendships."] = "Inserisci qualche parola chiave pubblica nel tuo profilo predefinito che descriva i tuoi interessi. Potremmo essere in grado di trovare altre persone con interessi similari e suggerirti delle amicizie."; +$a->strings["Connecting"] = "Collegarsi"; +$a->strings["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "Autorizza il Facebook Connector se hai un account Facebook, e noi (opzionalmente) importeremo tuti i tuoi amici e le tue conversazioni da Facebook."; +$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "Sestrings["Importing Emails"] = "Importare le Email"; +$a->strings["Enter your email access information on your Connector Settings page if you wish to import and interact with friends or mailing lists from your email INBOX"] = "Inserisci i tuoi dati di accesso all'email nella tua pagina Impostazioni Connettori se vuoi importare e interagire con amici o mailing list dalla tua casella di posta in arrivo"; +$a->strings["Go to Your Contacts Page"] = "Vai alla tua pagina Contatti"; +$a->strings["Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the Add New Contact dialog."] = "La tua pagina Contatti è il mezzo per gestire le amicizie e collegarsi con amici su altre reti. Di solito, basta inserire l'indirizzo nel campo Aggiungi Nuovo Contatto"; +$a->strings["Go to Your Site's Directory"] = "Vai all'Elenco del tuo sito"; +$a->strings["The Directory page lets you find other people in this network or other federated sites. Look for a Connect or Follow link on their profile page. Provide your own Identity Address if requested."] = "La pagina Elenco ti permette di trovare altre persone in questa rete o in altri siti. Cerca un link Connetti o Segui nella loro pagina del profilo. Inserisci il tuo Indirizzo Identità, se richiesto."; +$a->strings["Finding New People"] = "Trova nuove persone"; +$a->strings["On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours."] = "Nel pannello laterale nella pagina \"Contatti\", ci sono diversi strumenti per trovare nuovi amici. Possiamo confrontare le persone per interessi, cercare le persone per nome e fornire suggerimenti basati sui tuoi contatti esistenti. Su un sito nuovo, i suggerimenti sono di solito presenti dopo 24 ore."; +$a->strings["Group Your Contacts"] = "Raggruppa i tuoi contatti"; +$a->strings["Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page."] = "Quando avrai alcuni amici, organizzali in gruppi di conversazioni private dalla barra laterale della tua pagina Contatti. Potrai interagire privatamente con ogni gruppo nella tua pagina Rete"; +$a->strings["Why Aren't My Posts Public?"] = "Perchè i miei post non sono pubblici?"; +$a->strings["Friendica respects your privacy. By default, your posts will only show up to people you've added as friends. For more information, see the help section from the link above."] = "Friendica rispetta la tua provacy. Per impostazione predefinita, i tuoi post sono mostrati solo alle persone che hai aggiunto come amici. Per maggiori informazioni guarda la sezione della guida dal link qui sopra."; +$a->strings["Getting Help"] = "Ottenere Aiuto"; +$a->strings["Go to the Help Section"] = "Vai alla sezione Guida"; +$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Le nostre pagine della guida possono essere consultate per avere dettagli su altre caratteristiche del programma e altre risorse."; +$a->strings["Poke/Prod"] = "Tocca/Pungola"; +$a->strings["poke, prod or do other things to somebody"] = "tocca, pungola o fai altre cose a qualcuno"; +$a->strings["Recipient"] = "Destinatario"; +$a->strings["Choose what you wish to do to recipient"] = "Scegli cosa vuoi fare al destinatario"; +$a->strings["Make this post private"] = "Rendi questo post privato"; +$a->strings["\n\t\tDear $[username],\n\t\t\tYour password has been changed as requested. Please retain this\n\t\tinformation for your records (or change your password immediately to\n\t\tsomething that you will remember).\n\t"] = ""; +$a->strings["Item has been removed."] = "L'oggetto è stato rimosso."; +$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s sta seguendo %3\$s di %2\$s"; +$a->strings["%1\$s welcomes %2\$s"] = "%s dà il benvenuto a %s"; +$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata."; +$a->strings["Response from remote site was not understood."] = "Errore di comunicazione con l'altro sito."; +$a->strings["Unexpected response from remote site: "] = "La risposta dell'altro sito non può essere gestita: "; +$a->strings["Confirmation completed successfully."] = "Conferma completata con successo."; +$a->strings["Remote site reported: "] = "Il sito remoto riporta: "; +$a->strings["Temporary failure. Please wait and try again."] = "Problema temporaneo. Attendi e riprova."; +$a->strings["Introduction failed or was revoked."] = "La presentazione ha generato un errore o è stata revocata."; +$a->strings["Unable to set contact photo."] = "Impossibile impostare la foto del contatto."; +$a->strings["No user record found for '%s' "] = "Nessun utente trovato '%s'"; +$a->strings["Our site encryption key is apparently messed up."] = "La nostra chiave di criptazione del sito sembra essere corrotta."; +$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo."; +$a->strings["Contact record was not found for you on our site."] = "Il contatto non è stato trovato sul nostro sito."; +$a->strings["Site public key not available in contact record for URL %s."] = "La chiave pubblica del sito non è disponibile per l'URL %s"; +$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare."; +$a->strings["Unable to set your contact credentials on our system."] = "Impossibile impostare le credenziali del tuo contatto sul nostro sistema."; +$a->strings["Unable to update your contact profile details on our system"] = "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema"; +$a->strings["%1\$s has joined %2\$s"] = "%1\$s si è unito a %2\$s"; +$a->strings["Unable to locate original post."] = "Impossibile trovare il messaggio originale."; +$a->strings["Empty post discarded."] = "Messaggio vuoto scartato."; +$a->strings["System error. Post not saved."] = "Errore di sistema. Messaggio non salvato."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica."; +$a->strings["You may visit them online at %s"] = "Puoi visitarli online su %s"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi."; +$a->strings["%s posted an update."] = "%s ha inviato un aggiornamento."; +$a->strings["Image uploaded but image cropping failed."] = "L'immagine è stata caricata, ma il non è stato possibile ritagliarla."; +$a->strings["Image size reduction [%s] failed."] = "Il ridimensionamento del'immagine [%s] è fallito."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Ricarica la pagina con shift+F5 o cancella la cache del browser se la nuova foto non viene mostrata immediatamente."; +$a->strings["Unable to process image"] = "Impossibile elaborare l'immagine"; +$a->strings["Upload File:"] = "Carica un file:"; +$a->strings["Select a profile:"] = "Seleziona un profilo:"; +$a->strings["Upload"] = "Carica"; +$a->strings["skip this step"] = "salta questo passaggio"; +$a->strings["select a photo from your photo albums"] = "seleziona una foto dai tuoi album"; +$a->strings["Crop Image"] = "Ritaglia immagine"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Ritaglia l'imagine per una visualizzazione migliore."; +$a->strings["Done Editing"] = "Finito"; +$a->strings["Image uploaded successfully."] = "Immagine caricata con successo."; $a->strings["Friends of %s"] = "Amici di %s"; $a->strings["No friends to display."] = "Nessun amico da visualizzare."; -$a->strings["Add New Contact"] = "Aggiungi nuovo contatto"; -$a->strings["Enter address or web location"] = "Inserisci posizione o indirizzo web"; -$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Esempio: bob@example.com, http://example.com/barbara"; -$a->strings["%d invitation available"] = array( - 0 => "%d invito disponibile", - 1 => "%d inviti disponibili", -); -$a->strings["Find People"] = "Trova persone"; -$a->strings["Enter name or interest"] = "Inserisci un nome o un interesse"; -$a->strings["Connect/Follow"] = "Connetti/segui"; -$a->strings["Examples: Robert Morgenstein, Fishing"] = "Esempi: Mario Rossi, Pesca"; -$a->strings["Random Profile"] = "Profilo causale"; -$a->strings["Networks"] = "Reti"; -$a->strings["All Networks"] = "Tutte le Reti"; -$a->strings["Saved Folders"] = "Cartelle Salvate"; -$a->strings["Everything"] = "Tutto"; -$a->strings["Categories"] = "Categorie"; -$a->strings["Click here to upgrade."] = "Clicca qui per aggiornare."; -$a->strings["This action exceeds the limits set by your subscription plan."] = "Questa azione eccede i limiti del tuo piano di sottoscrizione."; -$a->strings["This action is not available under your subscription plan."] = "Questa azione non è disponibile nel tuo piano di sottoscrizione."; -$a->strings["User not found."] = "Utente non trovato."; -$a->strings["There is no status with this id."] = "Non c'è nessuno status con questo id."; -$a->strings["There is no conversation with this id."] = "Non c'è nessuna conversazione con questo id"; -$a->strings["view full size"] = "vedi a schermo intero"; -$a->strings["Starts:"] = "Inizia:"; -$a->strings["Finishes:"] = "Finisce:"; -$a->strings["Cannot locate DNS info for database server '%s'"] = "Non trovo le informazioni DNS per il database server '%s'"; -$a->strings["(no subject)"] = "(nessun oggetto)"; -$a->strings["noreply"] = "nessuna risposta"; -$a->strings["An invitation is required."] = "E' richiesto un invito."; -$a->strings["Invitation could not be verified."] = "L'invito non puo' essere verificato."; -$a->strings["Invalid OpenID url"] = "Url OpenID non valido"; -$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto."; -$a->strings["The error message was:"] = "Il messaggio riportato era:"; -$a->strings["Please enter the required information."] = "Inserisci le informazioni richieste."; -$a->strings["Please use a shorter name."] = "Usa un nome più corto."; -$a->strings["Name too short."] = "Il nome è troppo corto."; -$a->strings["That doesn't appear to be your full (First Last) name."] = "Questo non sembra essere il tuo nome completo (Nome Cognome)."; -$a->strings["Your email domain is not among those allowed on this site."] = "Il dominio della tua email non è tra quelli autorizzati su questo sito."; -$a->strings["Not a valid email address."] = "L'indirizzo email non è valido."; -$a->strings["Cannot use that email."] = "Non puoi usare quell'email."; -$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera."; -$a->strings["Nickname is already registered. Please choose another."] = "Nome utente già registrato. Scegline un altro."; -$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo."; -$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita."; -$a->strings["An error occurred during registration. Please try again."] = "C'è stato un errore durante la registrazione. Prova ancora."; -$a->strings["An error occurred creating your default profile. Please try again."] = "C'è stato un errore nella creazione del tuo profilo. Prova ancora."; -$a->strings["Friends"] = "Amici"; -$a->strings["%1\$s poked %2\$s"] = "%1\$s ha stuzzicato %2\$s"; -$a->strings["poked"] = "toccato"; -$a->strings["post/item"] = "post/elemento"; -$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s ha segnato il/la %3\$s di %2\$s come preferito"; -$a->strings["remove"] = "rimuovi"; -$a->strings["Delete Selected Items"] = "Cancella elementi selezionati"; -$a->strings["Follow Thread"] = "Segui la discussione"; -$a->strings["View Status"] = "Visualizza stato"; -$a->strings["View Profile"] = "Visualizza profilo"; -$a->strings["View Photos"] = "Visualizza foto"; -$a->strings["Network Posts"] = "Post della Rete"; -$a->strings["Edit Contact"] = "Modifica contatti"; -$a->strings["Send PM"] = "Invia messaggio privato"; -$a->strings["Poke"] = "Stuzzica"; -$a->strings["%s likes this."] = "Piace a %s."; -$a->strings["%s doesn't like this."] = "Non piace a %s."; -$a->strings["%2\$d people like this"] = "Piace a %2\$d persone."; -$a->strings["%2\$d people don't like this"] = "Non piace a %2\$d persone."; -$a->strings["and"] = "e"; -$a->strings[", and %d other people"] = "e altre %d persone"; -$a->strings["%s like this."] = "Piace a %s."; -$a->strings["%s don't like this."] = "Non piace a %s."; -$a->strings["Visible to everybody"] = "Visibile a tutti"; -$a->strings["Please enter a video link/URL:"] = "Inserisci un collegamento video / URL:"; -$a->strings["Please enter an audio link/URL:"] = "Inserisci un collegamento audio / URL:"; -$a->strings["Tag term:"] = "Tag:"; -$a->strings["Where are you right now?"] = "Dove sei ora?"; -$a->strings["Delete item(s)?"] = "Cancellare questo elemento/i?"; -$a->strings["Post to Email"] = "Invia a email"; -$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Connettore disabilitato, dato che \"%s\" è abilitato."; -$a->strings["permissions"] = "permessi"; -$a->strings["Post to Groups"] = "Invia ai Gruppi"; -$a->strings["Post to Contacts"] = "Invia ai Contatti"; -$a->strings["Private post"] = "Post privato"; -$a->strings["Logged out."] = "Uscita effettuata."; -$a->strings["Error decoding account file"] = "Errore decodificando il file account"; -$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Errore! Nessuna informazione di versione nel file! Potrebbe non essere un file account di Friendica?"; -$a->strings["Error! Cannot check nickname"] = "Errore! Non posso controllare il nickname"; -$a->strings["User '%s' already exists on this server!"] = "L'utente '%s' esiste già su questo server!"; -$a->strings["User creation error"] = "Errore creando l'utente"; -$a->strings["User profile creation error"] = "Errore creando il profile dell'utente"; -$a->strings["%d contact not imported"] = array( - 0 => "%d contatto non importato", - 1 => "%d contatti non importati", -); -$a->strings["Done. You can now login with your username and password"] = "Fatto. Ora puoi entrare con il tuo nome utente e la tua password"; -$a->strings["newer"] = "nuovi"; -$a->strings["older"] = "vecchi"; -$a->strings["prev"] = "prec"; -$a->strings["first"] = "primo"; -$a->strings["last"] = "ultimo"; -$a->strings["next"] = "succ"; -$a->strings["No contacts"] = "Nessun contatto"; -$a->strings["%d Contact"] = array( - 0 => "%d contatto", - 1 => "%d contatti", -); -$a->strings["poke"] = "stuzzica"; -$a->strings["ping"] = "invia un ping"; -$a->strings["pinged"] = "inviato un ping"; -$a->strings["prod"] = "pungola"; -$a->strings["prodded"] = "pungolato"; -$a->strings["slap"] = "schiaffeggia"; -$a->strings["slapped"] = "schiaffeggiato"; -$a->strings["finger"] = "tocca"; -$a->strings["fingered"] = "toccato"; -$a->strings["rebuff"] = "respingi"; -$a->strings["rebuffed"] = "respinto"; -$a->strings["happy"] = "felice"; -$a->strings["sad"] = "triste"; -$a->strings["mellow"] = "rilassato"; -$a->strings["tired"] = "stanco"; -$a->strings["perky"] = "vivace"; -$a->strings["angry"] = "arrabbiato"; -$a->strings["stupified"] = "stupefatto"; -$a->strings["puzzled"] = "confuso"; -$a->strings["interested"] = "interessato"; -$a->strings["bitter"] = "risentito"; -$a->strings["cheerful"] = "giocoso"; -$a->strings["alive"] = "vivo"; -$a->strings["annoyed"] = "annoiato"; -$a->strings["anxious"] = "ansioso"; -$a->strings["cranky"] = "irritabile"; -$a->strings["disturbed"] = "disturbato"; -$a->strings["frustrated"] = "frustato"; -$a->strings["motivated"] = "motivato"; -$a->strings["relaxed"] = "rilassato"; -$a->strings["surprised"] = "sorpreso"; -$a->strings["Monday"] = "Lunedì"; -$a->strings["Tuesday"] = "Martedì"; -$a->strings["Wednesday"] = "Mercoledì"; -$a->strings["Thursday"] = "Giovedì"; -$a->strings["Friday"] = "Venerdì"; -$a->strings["Saturday"] = "Sabato"; -$a->strings["Sunday"] = "Domenica"; -$a->strings["January"] = "Gennaio"; -$a->strings["February"] = "Febbraio"; -$a->strings["March"] = "Marzo"; -$a->strings["April"] = "Aprile"; -$a->strings["May"] = "Maggio"; -$a->strings["June"] = "Giugno"; -$a->strings["July"] = "Luglio"; -$a->strings["August"] = "Agosto"; -$a->strings["September"] = "Settembre"; -$a->strings["October"] = "Ottobre"; -$a->strings["November"] = "Novembre"; -$a->strings["December"] = "Dicembre"; -$a->strings["bytes"] = "bytes"; -$a->strings["Click to open/close"] = "Clicca per aprire/chiudere"; -$a->strings["Select an alternate language"] = "Seleziona una diversa lingua"; -$a->strings["activity"] = "attività"; -$a->strings["post"] = "messaggio"; -$a->strings["Item filed"] = "Messaggio salvato"; -$a->strings["Friendica Notification"] = "Notifica Friendica"; -$a->strings["Thank You,"] = "Grazie,"; -$a->strings["%s Administrator"] = "Amministratore %s"; -$a->strings["%s "] = "%s "; -$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notifica] Nuovo messaggio privato ricevuto su %s"; -$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s ti ha inviato un nuovo messaggio privato su %2\$s."; -$a->strings["%1\$s sent you %2\$s."] = "%1\$s ti ha inviato %2\$s"; -$a->strings["a private message"] = "un messaggio privato"; -$a->strings["Please visit %s to view and/or reply to your private messages."] = "Visita %s per vedere e/o rispodere ai tuoi messaggi privati."; -$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s ha commentato [url=%2\$s]%3\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s ha commentato [url=%2\$s]%4\$s di %3\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s ha commentato un [url=%2\$s]tuo %3\$s[/url]"; -$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Notifica] Commento di %2\$s alla conversazione #%1\$d"; -$a->strings["%s commented on an item/conversation you have been following."] = "%s ha commentato un elemento che stavi seguendo."; -$a->strings["Please visit %s to view and/or reply to the conversation."] = "Visita %s per vedere e/o commentare la conversazione"; -$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Notifica] %s ha scritto sulla tua bacheca"; -$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s ha scritto sulla tua bacheca su %2\$s"; -$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s ha inviato un messaggio sulla [url=%2\$s]tua bacheca[/url]"; -$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notifica] %s ti ha taggato"; -$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s ti ha taggato su %2\$s"; -$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]ti ha taggato[/url]."; -$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notifica] %s ha condiviso un nuovo messaggio"; -$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s ha condiviso un nuovo messaggio su %2\$s"; -$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]ha condiviso un messaggio[/url]."; -$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Notifica] %1\$s ti ha stuzzicato"; -$a->strings["%1\$s poked you at %2\$s"] = "%1\$s ti ha stuzzicato su %2\$s"; -$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]ti ha stuzzicato[/url]."; -$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notifica] %s ha taggato un tuo messaggio"; -$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s ha taggato il tuo post su %2\$s"; -$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s ha taggato [url=%2\$s]il tuo post[/url]"; -$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Notifica] Hai ricevuto una presentazione"; -$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Hai ricevuto un'introduzione da '%1\$s' su %2\$s"; -$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Hai ricevuto [url=%1\$s]un'introduzione[/url] da %2\$s."; -$a->strings["You may visit their profile at %s"] = "Puoi visitare il suo profilo presso %s"; -$a->strings["Please visit %s to approve or reject the introduction."] = "Visita %s per approvare o rifiutare la presentazione."; -$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Notifica] Hai ricevuto un suggerimento di amicizia"; -$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Hai ricevuto un suggerimento di amicizia da '%1\$s' su %2\$s"; -$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Hai ricevuto [url=%1\$s]un suggerimento di amicizia[/url] per %2\$s su %3\$s"; -$a->strings["Name:"] = "Nome:"; -$a->strings["Photo:"] = "Foto:"; -$a->strings["Please visit %s to approve or reject the suggestion."] = "Visita %s per approvare o rifiutare il suggerimento."; -$a->strings[" on Last.fm"] = "su Last.fm"; -$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso."; -$a->strings["Default privacy group for new contacts"] = "Gruppo predefinito per i nuovi contatti"; -$a->strings["Everybody"] = "Tutti"; -$a->strings["edit"] = "modifica"; -$a->strings["Edit group"] = "Modifica gruppo"; -$a->strings["Create a new group"] = "Crea un nuovo gruppo"; -$a->strings["Contacts not in any group"] = "Contatti in nessun gruppo."; -$a->strings["Connect URL missing."] = "URL di connessione mancante."; -$a->strings["This site is not configured to allow communications with other networks."] = "Questo sito non è configurato per permettere la comunicazione con altri network."; -$a->strings["No compatible communication protocols or feeds were discovered."] = "Non sono stati trovati protocolli di comunicazione o feed compatibili."; -$a->strings["The profile address specified does not provide adequate information."] = "L'indirizzo del profilo specificato non fornisce adeguate informazioni."; -$a->strings["An author or name was not found."] = "Non è stato trovato un nome o un autore"; -$a->strings["No browser URL could be matched to this address."] = "Nessun URL puo' essere associato a questo indirizzo."; -$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email."; -$a->strings["Use mailto: in front of address to force email check."] = "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email."; -$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito."; -$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te."; -$a->strings["Unable to retrieve contact information."] = "Impossibile recuperare informazioni sul contatto."; -$a->strings["following"] = "segue"; -$a->strings["[no subject]"] = "[nessun oggetto]"; -$a->strings["End this session"] = "Finisci questa sessione"; -$a->strings["Your videos"] = ""; -$a->strings["Your personal notes"] = ""; -$a->strings["Sign in"] = "Entra"; -$a->strings["Home Page"] = "Home Page"; -$a->strings["Create an account"] = "Crea un account"; -$a->strings["Help and documentation"] = "Guida e documentazione"; -$a->strings["Apps"] = "Applicazioni"; -$a->strings["Addon applications, utilities, games"] = "Applicazioni, utilità e giochi aggiuntivi"; -$a->strings["Search site content"] = "Cerca nel contenuto del sito"; -$a->strings["Conversations on this site"] = "Conversazioni su questo sito"; -$a->strings["Directory"] = "Elenco"; -$a->strings["People directory"] = "Elenco delle persone"; -$a->strings["Information"] = "Informazioni"; -$a->strings["Information about this friendica instance"] = "Informazioni su questo server friendica"; -$a->strings["Conversations from your friends"] = "Conversazioni dai tuoi amici"; -$a->strings["Network Reset"] = "Reset pagina Rete"; -$a->strings["Load Network page with no filters"] = "Carica la pagina Rete senza nessun filtro"; -$a->strings["Friend Requests"] = "Richieste di amicizia"; -$a->strings["See all notifications"] = "Vedi tutte le notifiche"; -$a->strings["Mark all system notifications seen"] = "Segna tutte le notifiche come viste"; -$a->strings["Private mail"] = "Posta privata"; -$a->strings["Inbox"] = "In arrivo"; -$a->strings["Outbox"] = "Inviati"; -$a->strings["Manage"] = "Gestisci"; -$a->strings["Manage other pages"] = "Gestisci altre pagine"; -$a->strings["Account settings"] = "Parametri account"; -$a->strings["Manage/Edit Profiles"] = "Gestisci/Modifica i profili"; -$a->strings["Manage/edit friends and contacts"] = "Gestisci/modifica amici e contatti"; -$a->strings["Site setup and configuration"] = "Configurazione del sito"; -$a->strings["Navigation"] = "Navigazione"; -$a->strings["Site map"] = "Mappa del sito"; -$a->strings["j F, Y"] = "j F Y"; -$a->strings["j F"] = "j F"; -$a->strings["Birthday:"] = "Compleanno:"; -$a->strings["Age:"] = "Età:"; -$a->strings["for %1\$d %2\$s"] = "per %1\$d %2\$s"; -$a->strings["Tags:"] = "Tag:"; -$a->strings["Religion:"] = "Religione:"; -$a->strings["Hobbies/Interests:"] = "Hobby/Interessi:"; -$a->strings["Contact information and Social Networks:"] = "Informazioni su contatti e social network:"; -$a->strings["Musical interests:"] = "Interessi musicali:"; -$a->strings["Books, literature:"] = "Libri, letteratura:"; -$a->strings["Television:"] = "Televisione:"; -$a->strings["Film/dance/culture/entertainment:"] = "Film/danza/cultura/intrattenimento:"; -$a->strings["Love/Romance:"] = "Amore:"; -$a->strings["Work/employment:"] = "Lavoro:"; -$a->strings["School/education:"] = "Scuola:"; -$a->strings["Image/photo"] = "Immagine/foto"; -$a->strings["%2\$s %3\$s"] = ""; -$a->strings["%s wrote the following post"] = "%s ha scritto il seguente messaggio"; -$a->strings["$1 wrote:"] = "$1 ha scritto:"; -$a->strings["Encrypted content"] = "Contenuto criptato"; -$a->strings["Unknown | Not categorised"] = "Sconosciuto | non categorizzato"; -$a->strings["Block immediately"] = "Blocca immediatamente"; -$a->strings["Shady, spammer, self-marketer"] = "Shady, spammer, self-marketer"; -$a->strings["Known to me, but no opinion"] = "Lo conosco, ma non ho un'opinione particolare"; -$a->strings["OK, probably harmless"] = "E' ok, probabilmente innocuo"; -$a->strings["Reputable, has my trust"] = "Rispettabile, ha la mia fiducia"; -$a->strings["Weekly"] = "Settimanalmente"; -$a->strings["Monthly"] = "Mensilmente"; -$a->strings["OStatus"] = "Ostatus"; -$a->strings["RSS/Atom"] = "RSS / Atom"; -$a->strings["Zot!"] = "Zot!"; -$a->strings["LinkedIn"] = "LinkedIn"; -$a->strings["XMPP/IM"] = "XMPP/IM"; -$a->strings["MySpace"] = "MySpace"; -$a->strings["Google+"] = "Google+"; -$a->strings["pump.io"] = "pump.io"; -$a->strings["Twitter"] = "Twitter"; -$a->strings["Diaspora Connector"] = "Connettore Diaspora"; -$a->strings["Statusnet"] = "Statusnet"; -$a->strings["App.net"] = ""; -$a->strings["Miscellaneous"] = "Varie"; -$a->strings["year"] = "anno"; -$a->strings["month"] = "mese"; -$a->strings["day"] = "giorno"; -$a->strings["never"] = "mai"; -$a->strings["less than a second ago"] = "meno di un secondo fa"; -$a->strings["years"] = "anni"; -$a->strings["months"] = "mesi"; -$a->strings["week"] = "settimana"; -$a->strings["weeks"] = "settimane"; -$a->strings["days"] = "giorni"; -$a->strings["hour"] = "ora"; -$a->strings["hours"] = "ore"; -$a->strings["minute"] = "minuto"; -$a->strings["minutes"] = "minuti"; -$a->strings["second"] = "secondo"; -$a->strings["seconds"] = "secondi"; -$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s fa"; -$a->strings["%s's birthday"] = "Compleanno di %s"; -$a->strings["Happy Birthday %s"] = "Buon compleanno %s"; -$a->strings["General Features"] = "Funzionalità generali"; -$a->strings["Multiple Profiles"] = "Profili multipli"; -$a->strings["Ability to create multiple profiles"] = "Possibilità di creare profili multipli"; -$a->strings["Post Composition Features"] = "Funzionalità di composizione dei post"; -$a->strings["Richtext Editor"] = "Editor visuale"; -$a->strings["Enable richtext editor"] = "Abilita l'editor visuale"; -$a->strings["Post Preview"] = "Anteprima dei post"; -$a->strings["Allow previewing posts and comments before publishing them"] = "Permetti di avere un'anteprima di messaggi e commenti prima di pubblicarli"; -$a->strings["Auto-mention Forums"] = "Auto-cita i Forum"; -$a->strings["Add/remove mention when a fourm page is selected/deselected in ACL window."] = "Aggiunge o rimuove una citazione quando un forum è selezionato o deselezionato nella finestra dei permessi."; -$a->strings["Network Sidebar Widgets"] = "Widget della barra laterale nella pagina Rete"; -$a->strings["Search by Date"] = "Cerca per data"; -$a->strings["Ability to select posts by date ranges"] = "Permette di filtrare i post per data"; -$a->strings["Group Filter"] = "Filtra gruppi"; -$a->strings["Enable widget to display Network posts only from selected group"] = "Abilita il widget per filtrare i post solo per il gruppo selezionato"; -$a->strings["Network Filter"] = "Filtro reti"; -$a->strings["Enable widget to display Network posts only from selected network"] = "Abilita il widget per mostare i post solo per la rete selezionata"; -$a->strings["Save search terms for re-use"] = "Salva i termini cercati per riutilizzarli"; -$a->strings["Network Tabs"] = "Schede pagina Rete"; -$a->strings["Network Personal Tab"] = "Scheda Personali"; -$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Abilita la scheda per mostrare solo i post a cui hai partecipato"; -$a->strings["Network New Tab"] = "Scheda Nuovi"; -$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Abilita la scheda per mostrare solo i post nuovi (nelle ultime 12 ore)"; -$a->strings["Network Shared Links Tab"] = "Scheda Link Condivisi"; -$a->strings["Enable tab to display only Network posts with links in them"] = "Abilita la scheda per mostrare solo i post che contengono link"; -$a->strings["Post/Comment Tools"] = "Strumenti per mesasggi/commenti"; -$a->strings["Multiple Deletion"] = "Eliminazione multipla"; -$a->strings["Select and delete multiple posts/comments at once"] = "Seleziona ed elimina vari messagi e commenti in una volta sola"; -$a->strings["Edit Sent Posts"] = "Modifica i post inviati"; -$a->strings["Edit and correct posts and comments after sending"] = "Modifica e correggi messaggi e commenti dopo averli inviati"; -$a->strings["Tagging"] = "Aggiunta tag"; -$a->strings["Ability to tag existing posts"] = "Permette di aggiungere tag ai post già esistenti"; -$a->strings["Post Categories"] = "Cateorie post"; -$a->strings["Add categories to your posts"] = "Aggiungi categorie ai tuoi post"; -$a->strings["Ability to file posts under folders"] = "Permette di archiviare i post in cartelle"; -$a->strings["Dislike Posts"] = "Non mi piace"; -$a->strings["Ability to dislike posts/comments"] = "Permetti di inviare \"non mi piace\" ai messaggi"; -$a->strings["Star Posts"] = "Post preferiti"; -$a->strings["Ability to mark special posts with a star indicator"] = "Permette di segnare i post preferiti con una stella"; -$a->strings["Sharing notification from Diaspora network"] = "Notifica di condivisione dal network Diaspora*"; -$a->strings["Attachments:"] = "Allegati:"; -$a->strings["Errors encountered creating database tables."] = "La creazione delle tabelle del database ha generato errori."; -$a->strings["Errors encountered performing database changes."] = ""; -$a->strings["Visible to everybody"] = "Visibile a tutti"; -$a->strings["A new person is sharing with you at "] = "Una nuova persona sta condividendo con te da "; -$a->strings["You have a new follower at "] = "Una nuova persona ti segue su "; -$a->strings["Do you really want to delete this item?"] = "Vuoi veramente cancellare questo elemento?"; -$a->strings["Archives"] = "Archivi"; -$a->strings["Embedded content"] = "Contenuto incorporato"; -$a->strings["Embedding disabled"] = "Embed disabilitato"; -$a->strings["Welcome "] = "Ciao"; -$a->strings["Please upload a profile photo."] = "Carica una foto per il profilo."; -$a->strings["Welcome back "] = "Ciao "; -$a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla."; -$a->strings["Male"] = "Maschio"; -$a->strings["Female"] = "Femmina"; -$a->strings["Currently Male"] = "Al momento maschio"; -$a->strings["Currently Female"] = "Al momento femmina"; -$a->strings["Mostly Male"] = "Prevalentemente maschio"; -$a->strings["Mostly Female"] = "Prevalentemente femmina"; -$a->strings["Transgender"] = "Transgender"; -$a->strings["Intersex"] = "Intersex"; -$a->strings["Transsexual"] = "Transessuale"; -$a->strings["Hermaphrodite"] = "Ermafrodito"; -$a->strings["Neuter"] = "Neutro"; -$a->strings["Non-specific"] = "Non specificato"; -$a->strings["Other"] = "Altro"; -$a->strings["Undecided"] = "Indeciso"; -$a->strings["Males"] = "Maschi"; -$a->strings["Females"] = "Femmine"; -$a->strings["Gay"] = "Gay"; -$a->strings["Lesbian"] = "Lesbica"; -$a->strings["No Preference"] = "Nessuna preferenza"; -$a->strings["Bisexual"] = "Bisessuale"; -$a->strings["Autosexual"] = "Autosessuale"; -$a->strings["Abstinent"] = "Astinente"; -$a->strings["Virgin"] = "Vergine"; -$a->strings["Deviant"] = "Deviato"; -$a->strings["Fetish"] = "Fetish"; -$a->strings["Oodles"] = "Un sacco"; -$a->strings["Nonsexual"] = "Asessuato"; -$a->strings["Single"] = "Single"; -$a->strings["Lonely"] = "Solitario"; -$a->strings["Available"] = "Disponibile"; -$a->strings["Unavailable"] = "Non disponibile"; -$a->strings["Has crush"] = "è cotto/a"; -$a->strings["Infatuated"] = "infatuato/a"; -$a->strings["Dating"] = "Disponibile a un incontro"; -$a->strings["Unfaithful"] = "Infedele"; -$a->strings["Sex Addict"] = "Sesso-dipendente"; -$a->strings["Friends/Benefits"] = "Amici con benefici"; -$a->strings["Casual"] = "Casual"; -$a->strings["Engaged"] = "Impegnato"; -$a->strings["Married"] = "Sposato"; -$a->strings["Imaginarily married"] = "immaginariamente sposato/a"; -$a->strings["Partners"] = "Partners"; -$a->strings["Cohabiting"] = "Coinquilino"; -$a->strings["Common law"] = "diritto comune"; -$a->strings["Happy"] = "Felice"; -$a->strings["Not looking"] = "Non guarda"; -$a->strings["Swinger"] = "Scambista"; -$a->strings["Betrayed"] = "Tradito"; -$a->strings["Separated"] = "Separato"; -$a->strings["Unstable"] = "Instabile"; -$a->strings["Divorced"] = "Divorziato"; -$a->strings["Imaginarily divorced"] = "immaginariamente divorziato/a"; -$a->strings["Widowed"] = "Vedovo"; -$a->strings["Uncertain"] = "Incerto"; -$a->strings["It's complicated"] = "E' complicato"; -$a->strings["Don't care"] = "Non interessa"; -$a->strings["Ask me"] = "Chiedimelo"; -$a->strings["stopped following"] = "tolto dai seguiti"; -$a->strings["Drop Contact"] = "Rimuovi contatto"; +$a->strings["Find on this site"] = "Cerca nel sito"; +$a->strings["Site Directory"] = "Elenco del sito"; +$a->strings["Gender: "] = "Genere:"; +$a->strings["No entries (some entries may be hidden)."] = "Nessuna voce (qualche voce potrebbe essere nascosta)."; +$a->strings["Time Conversion"] = "Conversione Ora"; +$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica fornisce questo servizio per la condivisione di eventi con altre reti e amici in fusi orari sconosciuti."; +$a->strings["UTC time: %s"] = "Ora UTC: %s"; +$a->strings["Current timezone: %s"] = "Fuso orario corrente: %s"; +$a->strings["Converted localtime: %s"] = "Ora locale convertita: %s"; +$a->strings["Please select your timezone:"] = "Selezionare il tuo fuso orario:"; From fd97f3013d391efbd1bc0a59a3588bfea1cf27bb Mon Sep 17 00:00:00 2001 From: fabrixxm Date: Thu, 11 Sep 2014 18:56:33 +0200 Subject: [PATCH 055/165] fix quattro scroll and flash and vier flash on display page --- .../quattro/templates/threaded_conversation.tpl | 12 ++++++------ view/theme/quattro/templates/wall_thread.tpl | 2 +- view/theme/vier/templates/threaded_conversation.tpl | 2 +- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/view/theme/quattro/templates/threaded_conversation.tpl b/view/theme/quattro/templates/threaded_conversation.tpl index 158c30d6b..0ed148eef 100644 --- a/view/theme/quattro/templates/threaded_conversation.tpl +++ b/view/theme/quattro/templates/threaded_conversation.tpl @@ -2,15 +2,15 @@ {{foreach $threads as $thread}} -
- - +
+ + {{if $thread.type == tag}} {{include file="wall_item_tag.tpl" item=$thread}} {{else}} {{include file="{{$thread.template}}" item=$thread}} {{/if}} - +
{{/foreach}} @@ -25,7 +25,7 @@ @@ -34,7 +34,7 @@ {{/if}} diff --git a/view/theme/quattro/templates/wall_thread.tpl b/view/theme/quattro/templates/wall_thread.tpl index d4e9fc1d0..caeee83d2 100644 --- a/view/theme/quattro/templates/wall_thread.tpl +++ b/view/theme/quattro/templates/wall_thread.tpl @@ -27,7 +27,7 @@
-
+
// jquery color plugin from https://raw.github.com/gist/1891361/17747b50ad87f7a59a14b4e0f38d8f3fb6a18b27/gistfile1.js - (function(d){d.each(["backgroundColor","borderBottomColor","borderLeftColor","borderRightColor","borderTopColor","color","outlineColor"],function(f,e){d.fx.step[e]=function(g){if(!g.colorInit){g.start=c(g.elem,e);g.end=b(g.end);g.colorInit=true}g.elem.style[e]="rgb("+[Math.max(Math.min(parseInt((g.pos*(g.end[0]-g.start[0]))+g.start[0]),255),0),Math.max(Math.min(parseInt((g.pos*(g.end[1]-g.start[1]))+g.start[1]),255),0),Math.max(Math.min(parseInt((g.pos*(g.end[2]-g.start[2]))+g.start[2]),255),0)].join(",")+")"}});function b(f){var e;if(f&&f.constructor==Array&&f.length==3){return f}if(e=/rgb\(\s*([0-9]{1,3})\s*,\s*([0-9]{1,3})\s*,\s*([0-9]{1,3})\s*\)/.exec(f)){return[parseInt(e[1]),parseInt(e[2]),parseInt(e[3])]}if(e=/rgb\(\s*([0-9]+(?:\.[0-9]+)?)\%\s*,\s*([0-9]+(?:\.[0-9]+)?)\%\s*,\s*([0-9]+(?:\.[0-9]+)?)\%\s*\)/.exec(f)){return[parseFloat(e[1])*2.55,parseFloat(e[2])*2.55,parseFloat(e[3])*2.55]}if(e=/#([a-fA-F0-9]{2})([a-fA-F0-9]{2})([a-fA-F0-9]{2})/.exec(f)){return[parseInt(e[1],16),parseInt(e[2],16),parseInt(e[3],16)]}if(e=/#([a-fA-F0-9])([a-fA-F0-9])([a-fA-F0-9])/.exec(f)){return[parseInt(e[1]+e[1],16),parseInt(e[2]+e[2],16),parseInt(e[3]+e[3],16)]}if(e=/rgba\(0, 0, 0, 0\)/.exec(f)){return a.transparent}return a[d.trim(f).toLowerCase()]}function c(g,e){var f;do{f=d.curCSS(g,e);if(f!=""&&f!="transparent"||d.nodeName(g,"body")){break}e="backgroundColor"}while(g=g.parentNode);return b(f)}var a={transparent:[255,255,255]}})(jQuery); + (function(d){d.each(["backgroundColor","borderBottomColor","borderLeftColor","borderRightColor","borderTopColor","color","outlineColor"],function(f,e){d.fx.step[e]=function(g){if(!g.colorInit){g.start=c(g.elem,e);g.end=b(g.end);g.colorInit=true}g.elem.style[e]="rgb("+[Math.max(Math.min(parseInt((g.pos*(g.end[0]-g.start[0]))+g.start[0]),255),0),Math.max(Math.min(parseInt((g.pos*(g.end[1]-g.start[1]))+g.start[1]),255),0),Math.max(Math.min(parseInt((g.pos*(g.end[2]-g.start[2]))+g.start[2]),255),0)].join(",")+")"}});function b(f){var e;if(f&&f.constructor==Array&&f.length==3){return f}if(e=/rgb\(\s*([0-9]{1,3})\s*,\s*([0-9]{1,3})\s*,\s*([0-9]{1,3})\s*\)/.exec(f)){return[parseInt(e[1]),parseInt(e[2]),parseInt(e[3])]}if(e=/rgb\(\s*([0-9]+(?:\.[0-9]+)?)\%\s*,\s*([0-9]+(?:\.[0-9]+)?)\%\s*,\s*([0-9]+(?:\.[0-9]+)?)\%\s*\)/.exec(f)){return[parseFloat(e[1])*2.55,parseFloat(e[2])*2.55,parseFloat(e[3])*2.55]}if(e=/#([a-fA-F0-9]{2})([a-fA-F0-9]{2})([a-fA-F0-9]{2})/.exec(f)){return[parseInt(e[1],16),parseInt(e[2],16),parseInt(e[3],16)]}if(e=/#([a-fA-F0-9])([a-fA-F0-9])([a-fA-F0-9])/.exec(f)){return[parseInt(e[1]+e[1],16),parseInt(e[2]+e[2],16),parseInt(e[3]+e[3],16)]}if(e=/rgba\(0, 0, 0, 0\)/.exec(f)){return a.transparent}return a[d.trim(f).toLowerCase()]}function c(g,e){var f;do{f=d.css(g,e);if(f!=""&&f!="transparent"||d.nodeName(g,"body")){break}e="backgroundColor"}while(g=g.parentNode);return b(f)}var a={transparent:[255,255,255]}})(jQuery); var colWhite = {backgroundColor:'#EFF0F1'}; var colShiny = {backgroundColor:'#FCE94F'}; From c8482ae19effaed2a2e9237ef60d451e7e0c7260 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Thu, 11 Sep 2014 23:37:55 +0200 Subject: [PATCH 056/165] Bugfix: When repairing the url, the nurl wasn't set. --- mod/crepair.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/mod/crepair.php b/mod/crepair.php index 9828124ea..d7eb14627 100644 --- a/mod/crepair.php +++ b/mod/crepair.php @@ -60,12 +60,14 @@ function crepair_post(&$a) { $attag = ((x($_POST,'attag')) ? $_POST['attag'] : ''); $photo = ((x($_POST,'photo')) ? $_POST['photo'] : ''); $remote_self = ((x($_POST,'remote_self')) ? $_POST['remote_self'] : false); + $nurl = normalise_link($url); - $r = q("UPDATE `contact` SET `name` = '%s', `nick` = '%s', `url` = '%s', `request` = '%s', `confirm` = '%s', `notify` = '%s', `poll` = '%s', `attag` = '%s' , `remote_self` = %d + $r = q("UPDATE `contact` SET `name` = '%s', `nick` = '%s', `url` = '%s', `nurl` = '%s', `request` = '%s', `confirm` = '%s', `notify` = '%s', `poll` = '%s', `attag` = '%s' , `remote_self` = %d WHERE `id` = %d AND `uid` = %d", dbesc($name), dbesc($nick), dbesc($url), + dbesc($nurl), dbesc($request), dbesc($confirm), dbesc($notify), From f9bec79a2cb9ec95e36bdc2ac1059437198f7bee Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Thu, 11 Sep 2014 23:38:24 +0200 Subject: [PATCH 057/165] In the profiles the remote connect field was missing --- mod/noscrape.php | 2 +- view/templates/profile_vcard.tpl | 8 ++++++-- view/theme/duepuntozero/templates/profile_vcard.tpl | 8 ++++++-- view/theme/quattro/templates/profile_vcard.tpl | 8 ++++++-- view/theme/vier/theme.php | 2 +- 5 files changed, 20 insertions(+), 8 deletions(-) diff --git a/mod/noscrape.php b/mod/noscrape.php index 41ccc30ad..8863d3391 100644 --- a/mod/noscrape.php +++ b/mod/noscrape.php @@ -48,4 +48,4 @@ function noscrape_init(&$a) { echo json_encode($json_info); exit; -} \ No newline at end of file +} diff --git a/view/templates/profile_vcard.tpl b/view/templates/profile_vcard.tpl index b872e8278..4ec3cdf3c 100644 --- a/view/templates/profile_vcard.tpl +++ b/view/templates/profile_vcard.tpl @@ -40,8 +40,12 @@