From 65d235017c3536762fd0766976c60337aaac59cb Mon Sep 17 00:00:00 2001 From: Fabrixxm Date: Wed, 17 Oct 2012 11:13:01 -0400 Subject: [PATCH 01/16] move account. first step. export basic account data as json import basic account data in db (dbs must be at same schema version) --- include/dba.php | 2 +- include/uimport.php | 235 ++++++++++++++++++++++++++++++++++++++++++++ mod/register.php | 6 +- mod/uexport.php | 183 ++++++++++++++++++++++++++++------ mod/uimport.php | 50 ++++++++++ view/register.tpl | 1 + view/uexport.tpl | 9 ++ view/uimport.tpl | 11 +++ 8 files changed, 465 insertions(+), 32 deletions(-) create mode 100644 include/uimport.php create mode 100644 mod/uimport.php create mode 100644 view/uexport.tpl create mode 100644 view/uimport.tpl diff --git a/include/dba.php b/include/dba.php index 8d224b570f..63b75c4948 100644 --- a/include/dba.php +++ b/include/dba.php @@ -233,7 +233,7 @@ function q($sql) { if($db && $db->connected) { $stmt = vsprintf($sql,$args); if($stmt === false) - logger('dba: vsprintf error: ' . print_r(debug_backtrace(),true)); + logger('dba: vsprintf error: ' . print_r(debug_backtrace(),true), LOGGER_DEBUG); return $db->q($stmt); } diff --git a/include/uimport.php b/include/uimport.php new file mode 100644 index 0000000000..0de6652401 --- /dev/null +++ b/include/uimport.php @@ -0,0 +1,235 @@ +mysqli){ + $thedb = $db->getdb(); + return $thedb->insert_id; + } else { + return mysql_insert_id(); + } + } + + function last_error(){ + global $db; + return $db->error; + } + + function db_import_assoc($table, $arr){ + if (IMPORT_DEBUG) return true; + if (isset($arr['id'])) unset($arr['id']); + $cols = implode("`,`", array_map('dbesc', array_keys($arr))); + $vals = implode("','", array_map('dbesc', array_values($arr))); + $query = "INSERT INTO `$table` (`$cols`) VALUES ('$vals')"; + logger("uimport: $query",LOGGER_TRACE); + return q($query); + } + +function import_cleanup($newuid) { + q("DELETE FROM `user` WHERE uid = %d", $newuid); + q("DELETE FROM `contact` WHERE uid = %d", $newuid); + q("DELETE FROM `profile` WHERE uid = %d", $newuid); + q("DELETE FROM `photo` WHERE uid = %d", $newuid); + q("DELETE FROM `group` WHERE uid = %d", $newuid); + q("DELETE FROM `group_member` WHERE uid = %d", $newuid); + q("DELETE FROM `pconfig` WHERE uid = %d", $newuid); + +} + +function import_account(&$a, $file) { + logger("Start user import from ".$file['tmp_name']); + /* + STEPS + 1. checks + 2. replace old baseurl with new baseurl + 3. import data (look at user id and contacts id) + 4. archive non-dfrn contacts + 5. send message to dfrn contacts + */ + + $account = json_decode(file_get_contents($file['tmp_name']), true); + if ($account===null) { + notice(t("Error decoding account file")); + return; + } + + + if (!x($account, 'version')) { + notice(t("Error! No version data in file! This is not a Friendica account file?")); + return; + } + + if ($account['schema'] != DB_UPDATE_VERSION) { + notice(t("Error! I can't import this file: DB schema version is not compatible.")); + return; + } + + + $oldbaseurl = $account['baseurl']; + $newbaseurl = $a->get_baseurl(); + $olduid = $account['user']['uid']; + + unset($account['user']['uid']); + foreach($account['user'] as $k => &$v) { + $v = str_replace($oldbaseurl, $newbaseurl, $v); + } + + + // import user + $r = db_import_assoc('user', $account['user']); + if ($r===false) { + //echo "
"; var_dump($r, $query, mysql_error()); killme();
+        logger("uimport:insert user : ERROR : ".last_error(), LOGGER_NORMAL);
+        notice(t("User creation error"));
+        return;
+    }
+    $newuid = last_insert_id();
+    //~ $newuid = 1;
+    
+
+
+    foreach($account['profile'] as &$profile) {
+        foreach($profile as $k=>&$v) {
+            $v = str_replace($oldbaseurl, $newbaseurl, $v);
+            foreach(array("profile","avatar") as $k)
+                $v = str_replace($newbaseurl."/photo/".$k."/".$olduid.".jpg", $newbaseurl."/photo/".$k."/".$newuid.".jpg", $v);
+        }
+        $profile['uid'] = $newuid;
+        $r = db_import_assoc('profile', $profile);
+        if ($r===false) {
+            logger("uimport:insert profile ".$profile['profile-name']." : ERROR : ".last_error(), LOGGER_NORMAL);
+            info(t("User profile creation error"));
+            import_cleanup($newuid);
+            return;
+        }
+    }
+
+    $errorcount=0;
+    foreach($account['contact'] as &$contact) {
+        if ($contact['uid'] == $olduid && $contact['self'] == '1'){
+            foreach($contact as $k=>&$v) {
+                $v = str_replace($oldbaseurl, $newbaseurl, $v);
+                foreach(array("profile","avatar","micro") as $k)
+                    $v = str_replace($newbaseurl."/photo/".$k."/".$olduid.".jpg", $newbaseurl."/photo/".$k."/".$newuid.".jpg", $v);
+            }
+        }
+         if ($contact['uid'] == $olduid && $contact['self'] == '0') {
+            switch ($contact['network']){
+                case NETWORK_DFRN:
+                    // send moved message
+                    break;
+                case NETWORK_ZOT:
+                    // TODO handle zot network
+                    break;
+                case NETWORK_MAIL2:
+                    // TODO ?
+                    break;
+                case NETWORK_FEED:
+                case NETWORK_MAIL:
+                    // Nothing to do
+                    break;
+                default:
+                    // archive other contacts
+                    $contact['archive'] = "1";
+            }
+        }
+        $contact['uid'] = $newuid;
+        $r = db_import_assoc('contact', $contact);
+        if ($r===false) {
+            logger("uimport:insert contact ".$contact['nick'].",".$contact['network']." : ERROR : ".last_error(), LOGGER_NORMAL);
+            $errorcount++;
+        } else {
+            $contact['newid'] = last_insert_id();
+        }
+    }
+    if ($errorcount>0) {
+        notice( sprintf(tt("%d contact not imported", "%d contacts not imported", $errorcount), $errorcount) );
+    }
+
+    foreach($account['group'] as &$group) {
+        $group['uid'] = $newuid;
+        $r = db_import_assoc('group', $group);
+        if ($r===false) {
+            logger("uimport:insert group ".$group['name']." : ERROR : ".last_error(), LOGGER_NORMAL);
+        } else {
+            $group['newid'] = last_insert_id();
+        }
+    }
+
+    foreach($account['group_member'] as &$group_member) {
+        $group_member['uid'] = $newuid;
+        
+        $import = 0;
+        foreach($account['group'] as $group) {
+            if ($group['id'] == $group_member['gid'] && isset($group['newid'])) {
+                $group_member['gid'] = $group['newid'];
+                $import++;
+                break;
+            }
+        }
+        foreach($account['contact'] as $contact) {
+            if ($contact['id'] == $group_member['contact-id'] && isset($contact['newid'])) {
+                $group_member['contact-id'] = $contact['newid'];
+                $import++;
+                break;
+            }
+        }
+        if ($import==2) {
+            $r = db_import_assoc('group_member', $group_member);
+            if ($r===false) {
+                logger("uimport:insert group member ".$group_member['id']." : ERROR : ".last_error(), LOGGER_NORMAL);
+            }
+        }
+    }
+
+
+
+    
+    
+    foreach($account['photo'] as &$photo) {
+        $photo['uid'] = $newuid;
+        $photo['data'] = hex2bin($photo['data']);
+        
+        $p = new Photo($photo['data'], $photo['type']);
+        $r = $p->store(
+            $photo['uid'],
+            $photo['contact-id'], //0
+            $photo['resource-id'],
+            $photo['filename'],
+            $photo['album'],
+            $photo['scale'],
+            $photo['profile'], //1
+            $photo['allow_cid'],
+            $photo['allow_gid'],
+            $photo['deny_cid'],
+            $photo['deny_gid']
+        );
+        
+        if ($r===false) {
+            logger("uimport:insert photo ".$photo['resource-id'].",". $photo['scale']. " : ERROR : ".last_error(), LOGGER_NORMAL);
+        }
+    } 
+    
+    foreach($account['pconfig'] as &$pconfig) {
+        $pconfig['uid'] = $newuid;
+        $r = db_import_assoc('pconfig', $pconfig);
+        if ($r===false) {
+            logger("uimport:insert pconfig ".$pconfig['id']. " : ERROR : ".last_error(), LOGGER_NORMAL);
+        }
+    } 
+     
+    
+    info(t("Done. You can now login with your username and password"));
+    goaway( $a->get_baseurl() ."/login");
+    
+    
+}
\ No newline at end of file
diff --git a/mod/register.php b/mod/register.php
index a8fa100c8f..208f97bcb6 100644
--- a/mod/register.php
+++ b/mod/register.php
@@ -42,6 +42,7 @@ function register_post(&$a) {
 		$verified = 0;
 		break;
 	}
+    
 
 	require_once('include/user.php');
 
@@ -234,7 +235,7 @@ function register_content(&$a) {
 			'$yes_selected' => ' checked="checked" ',
 			'$no_selected'  => '',
 			'$str_yes'      => t('Yes'),
-			'$str_no'       => t('No')
+			'$str_no'       => t('No'),
 		));
 	}
 
@@ -275,7 +276,8 @@ function register_content(&$a) {
 		'$email'     => $email,
 		'$nickname'  => $nickname,
 		'$license'   => $license,
-		'$sitename'  => $a->get_hostname()
+		'$sitename'  => $a->get_hostname(),
+      
 	));
 	return $o;
 
diff --git a/mod/uexport.php b/mod/uexport.php
index e1fb22855a..f216f551fa 100644
--- a/mod/uexport.php
+++ b/mod/uexport.php
@@ -1,46 +1,174 @@
  t('Account settings'),
+			'url' 	=> $a->get_baseurl(true).'/settings',
+			'selected'	=> '',
+		),	
+		array(
+			'label'	=> t('Display settings'),
+			'url' 	=> $a->get_baseurl(true).'/settings/display',
+			'selected'	=>'',
+		),	
+		
+		array(
+			'label'	=> t('Connector settings'),
+			'url' 	=> $a->get_baseurl(true).'/settings/connectors',
+			'selected'	=> '',
+		),
+		array(
+			'label'	=> t('Plugin settings'),
+			'url' 	=> $a->get_baseurl(true).'/settings/addon',
+			'selected'	=> '',
+		),
+		array(
+			'label' => t('Connected apps'),
+			'url' => $a->get_baseurl(true) . '/settings/oauth',
+			'selected' => '',
+		),
+		array(
+			'label' => t('Export personal data'),
+			'url' => $a->get_baseurl(true) . '/uexport',
+			'selected' => 'active'
+		),
+		array(
+			'label' => t('Remove account'),
+			'url' => $a->get_baseurl(true) . '/removeme',
+			'selected' => ''
+		)
 	);
+	
+	$tabtpl = get_markup_template("generic_links_widget.tpl");
+	$a->page['aside'] = replace_macros($tabtpl, array(
+		'$title' => t('Settings'),
+		'$class' => 'settings-widget',
+		'$items' => $tabs,
+	));
+}
+
+function uexport_content(&$a){
+    
+    if ($a->argc > 1) {
+        header("Content-type: application/json");
+        header('Content-Disposition: attachment; filename="'.$a->user['nickname'].'.'.$a->argv[1].'"');
+        switch($a->argv[1]) {
+            case "backup": uexport_all($a); killme(); break;
+            case "account": uexport_account($a); killme(); break;
+            default:
+                killme();
+        }
+    }
+
+    /**
+      * options shown on "Export personal data" page
+      * list of array( 'link url', 'link text', 'help text' )
+      */
+    $options = array(
+            array('/uexport/account',t('Export account'),t('Export your account info and contacts. Use this to make a backup of your account and/or to move it to another server.')),
+            array('/uexport/backup',t('Export all'),t('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)')),
+    );
+    call_hooks('uexport_options', $options);
+        
+    $tpl = get_markup_template("uexport.tpl");
+    return replace_macros($tpl, array(
+        '$baseurl' => $a->get_baseurl(),
+        '$title' => t('Export personal data'),
+        '$options' => $options
+    ));
+    
+    
+}
+
+function _uexport_multirow($query) {
+	$result = array();
+	$r = q($query);
+	if(count($r)) {
+		foreach($r as $rr){
+            $p = array();
+			foreach($rr as $k => $v)
+				$p[$k] = $v;
+            $result[] = $p;
+        }
+	}
+    return $result;
+}
+
+function _uexport_row($query) {
+	$result = array();
+	$r = q($query);
 	if(count($r)) {
 		foreach($r as $rr)
 			foreach($rr as $k => $v)
-				$user[$k] = $v;
+				$result[$k] = $v;
 
 	}
-	$contact = array();
-	$r = q("SELECT * FROM `contact` WHERE `uid` = %d ",
-		intval(local_user())
+    return $result;
+}
+
+
+function uexport_account($a){
+
+	$user = _uexport_row(
+        sprintf( "SELECT * FROM `user` WHERE `uid` = %d LIMIT 1", intval(local_user()) )
 	);
-	if(count($r)) {
-		foreach($r as $rr)
-			foreach($rr as $k => $v)
-				$contact[][$k] = $v;
-
-	}
-
-	$profile = array();
-	$r = q("SELECT * FROM `profile` WHERE `uid` = %d ",
-		intval(local_user())
+    
+	$contact = _uexport_multirow(
+        sprintf( "SELECT * FROM `contact` WHERE `uid` = %d ",intval(local_user()) )
 	);
-	if(count($r)) {
-		foreach($r as $rr)
-			foreach($rr as $k => $v)
-				$profile[][$k] = $v;
-	}
 
-	$output = array('user' => $user, 'contact' => $contact, 'profile' => $profile );
 
-	header("Content-type: application/json");
+	$profile =_uexport_multirow(
+        sprintf( "SELECT * FROM `profile` WHERE `uid` = %d ", intval(local_user()) )
+	);
+
+    $photo = _uexport_multirow(
+        sprintf( "SELECT * FROM photo WHERE uid = %d AND profile = 1", intval(local_user()) )
+    );
+    foreach ($photo as &$p) $p['data'] = bin2hex($p['data']);
+
+    $pconfig = _uexport_multirow(
+        sprintf( "SELECT * FROM pconfig WHERE uid = %d",intval(local_user()) )
+    );
+
+    $group = _uexport_multirow(
+        sprintf( "SELECT * FROM group WHERE uid = %d",intval(local_user()) )
+    );
+    
+    $group_member = _uexport_multirow(
+        sprintf( "SELECT * FROM group_member WHERE uid = %d",intval(local_user()) )
+    );
+
+	$output = array(
+        'version' => FRIENDICA_VERSION,
+        'schema' => DB_UPDATE_VERSION,
+        'baseurl' => $a->get_baseurl(),
+        'user' => $user, 
+        'contact' => $contact, 
+        'profile' => $profile, 
+        'photo' => $photo,
+        'pconfig' => $pconfig,
+        'group' => $group,
+        'group_member' => $group_member,
+    );
+
+    //echo "
"; var_dump(json_encode($output)); killme();
 	echo json_encode($output);
 
+}
+
+/**
+ * echoes account data and items as separated json, one per line
+ */
+function uexport_all(&$a) {
+    
+    uexport_account($a);
+
 	$r = q("SELECT count(*) as `total` FROM `item` WHERE `uid` = %d ",
 		intval(local_user())
 	);
@@ -66,7 +194,4 @@ function uexport_init(&$a) {
 		echo json_encode($output);
 	}
 
-
-	killme();
-
 }
\ No newline at end of file
diff --git a/mod/uimport.php b/mod/uimport.php
new file mode 100644
index 0000000000..f5f7366f59
--- /dev/null
+++ b/mod/uimport.php
@@ -0,0 +1,50 @@
+config['register_policy']) {
+        case REGISTER_OPEN:
+            $blocked = 0;
+            $verified = 1;
+            break;
+
+        case REGISTER_APPROVE:
+            $blocked = 1;
+            $verified = 0;
+            break;
+
+        default:
+        case REGISTER_CLOSED:
+            if((! x($_SESSION,'authenticated') && (! x($_SESSION,'administrator')))) {
+                notice( t('Permission denied.') . EOL );
+                return;
+            }
+            $blocked = 1;
+            $verified = 0;
+            break;
+	}
+    
+    if (x($_FILES,'accountfile')){
+        // TODO: pass $blocked / $verified, send email to admin on REGISTER_APPROVE
+        import_account($a, $_FILES['accountfile']);
+        return;
+    }
+}
+
+function uimport_content(&$a) {
+    $tpl = get_markup_template("uimport.tpl");
+    return replace_macros($tpl, array(
+        '$regbutt' => t('Import'),
+        '$import' => array(
+            'title' => t("Move account"),
+            'text' => t("You can move here an account from another Friendica server. 
+ You need to export your account form the old server and upload it here. We will create here your old account with all your contacts. We will try also to inform you friends that you moved here.
+ This feature is experimental. We can't move here contacts from ostatus network (statusnet/identi.ca) or from diaspora"), + 'field' => array('accountfile', t('Account file'),'', t('To export your accont, go to "Settings->Export your porsonal data" and select "Export account"')), + ), + )); +} diff --git a/view/register.tpl b/view/register.tpl index 8ce1d20acb..7cf11881ad 100644 --- a/view/register.tpl +++ b/view/register.tpl @@ -55,6 +55,7 @@
+ $license diff --git a/view/uexport.tpl b/view/uexport.tpl new file mode 100644 index 0000000000..30d11d58e0 --- /dev/null +++ b/view/uexport.tpl @@ -0,0 +1,9 @@ +

$title

+ + +{{ for $options as $o }} +
+
$o.1
+
$o.2
+
+{{ endfor }} \ No newline at end of file diff --git a/view/uimport.tpl b/view/uimport.tpl new file mode 100644 index 0000000000..fb34addd4e --- /dev/null +++ b/view/uimport.tpl @@ -0,0 +1,11 @@ +
+

$import.title

+

$import.text

+ {{inc field_custom.tpl with $field=$import.field }}{{ endinc }} + + +
+ +
+
+
\ No newline at end of file From dbc6cbe024cabde32bcd75bf5f065ca5e273d18f Mon Sep 17 00:00:00 2001 From: Fabrixxm Date: Mon, 29 Oct 2012 17:48:08 +0100 Subject: [PATCH 02/16] moveme: send and receive DFRN "relocate" message (WIP) --- include/items.php | 58 ++++++++++++++++++++++++++++++++++++++---- include/notifier.php | 38 ++++++++++++++++++++++++--- include/uimport.php | 8 +++--- view/atom_relocate.tpl | 17 +++++++++++++ 4 files changed, 110 insertions(+), 11 deletions(-) create mode 100644 view/atom_relocate.tpl diff --git a/include/items.php b/include/items.php index 9203f663cf..0ca385c44a 100755 --- a/include/items.php +++ b/include/items.php @@ -2305,7 +2305,7 @@ function local_delivery($importer,$data) { } -/* + // Currently unsupported - needs a lot of work $reloc = $feed->get_feed_tags( NAMESPACE_DFRN, 'relocate' ); if(isset($reloc[0]['child'][NAMESPACE_DFRN])) { @@ -2315,23 +2315,71 @@ function local_delivery($importer,$data) { $newloc['cid'] = $importer['id']; $newloc['name'] = notags(unxmlify($base['name'][0]['data'])); $newloc['photo'] = notags(unxmlify($base['photo'][0]['data'])); + $newloc['thumb'] = notags(unxmlify($base['thumb'][0]['data'])); + $newloc['micro'] = notags(unxmlify($base['micro'][0]['data'])); $newloc['url'] = notags(unxmlify($base['url'][0]['data'])); $newloc['request'] = notags(unxmlify($base['request'][0]['data'])); $newloc['confirm'] = notags(unxmlify($base['confirm'][0]['data'])); $newloc['notify'] = notags(unxmlify($base['notify'][0]['data'])); $newloc['poll'] = notags(unxmlify($base['poll'][0]['data'])); $newloc['site-pubkey'] = notags(unxmlify($base['site-pubkey'][0]['data'])); - $newloc['pubkey'] = notags(unxmlify($base['pubkey'][0]['data'])); - $newloc['prvkey'] = notags(unxmlify($base['prvkey'][0]['data'])); + /*$newloc['pubkey'] = notags(unxmlify($base['pubkey'][0]['data'])); + $newloc['prvkey'] = notags(unxmlify($base['prvkey'][0]['data']));*/ + log("items:relocate contact ".print_r($newloc, true), LOGGER_DEBUG); + + // update contact + $r = q("SELECT photo, url FROM contact WHERE WHERE id=%d AND uid=%d;", + intval($importer['importer_uid']), + intval($importer['id'])); + $old = $r[0]; + + $x = q("UPDATE contact SET + name = '%s', + photo = '%s', + thumb = '%s', + micro = '%s', + url = '%s', + request = '%s', + confirm = '%s', + notify = '%s', + poll = '%s', + site-pubkey = '%s' + WHERE id=%d AND uid=%d;", + dbesc($newloc['name']), + dbesc($newloc['photo']), + dbesc($newloc['thumb']), + dbesc($newloc['micro']), + dbesc($newloc['url']), + dbesc($newloc['request']), + dbesc($newloc['confirm']), + dbesc($newloc['notify']), + dbesc($newloc['poll']), + dbesc($newloc['site-pubkey']), + intval($importer['importer_uid']), + intval($importer['id'])); + + // update items + $fields = array( + 'owner-link' => array($old['url'], $newloc['url']), + 'author-link' => array($old['url'], $newloc['url']), + 'owner-avatar' => array($old['photo'], $newloc['photo']), + 'author-avatar' => array($old['photo'], $newloc['photo']), + ); + foreach ($fields as $n=>$f) + $x = q("UPDATE item SET `%s`='%s' WHERE `%s`='%s' AND uid=%d", + $n, dbesc($f[1]), + $n, dbesc($f[0]), + intval($importer['importer_uid'])); + // TODO // merge with current record, current contents have priority // update record, set url-updated // update profile photos // schedule a scan? - + return 0; } -*/ + // handle friend suggestion notification diff --git a/include/notifier.php b/include/notifier.php index 171b55fc37..88c90a856f 100644 --- a/include/notifier.php +++ b/include/notifier.php @@ -89,6 +89,7 @@ function notifier_run($argv, $argc){ $expire = false; $mail = false; $fsuggest = false; + $relocate = false; $top_level = false; $recipients = array(); $url_recipients = array(); @@ -134,6 +135,11 @@ function notifier_run($argv, $argc){ $recipients[] = $suggest[0]['cid']; $item = $suggest[0]; } + elseif($cmd === 'relocate') { + $normal_mode = false; + $relocate = true; + $uid = $item_id; + } else { // find ancestors @@ -404,6 +410,29 @@ function notifier_run($argv, $argc){ ); } + elseif($relocate) { + $public_message = false; // suggestions are not public + + $sugg_template = get_markup_template('atom_relocate.tpl'); + + $atom .= replace_macros($sugg_template, array( + '$name' => xmlfy($owner['name']), + '$photo' => xmlfy($owner['photo']), + '$thumb' => xmlfy($owner['thumb']), + '$micro' => xmlfy($owner['micro']), + '$url' => xmlfy($owner['url']), + '$request' => xmlfy($owner['request']), + '$confirm' => xmlfy($owner['confirm']), + '$notify' => xmlfy($owner['notify']), + '$poll' => xmlfy($owner['poll']), + '$site-pubkey' => xmlfy(get_config('system','site_pubkey')), + //'$pubkey' => xmlfy($owner['pubkey']), + //'$prvkey' => xmlfy($owner['prvkey']), + )); + $recipients_relocate = q("SELECT * FROM contacts WHERE uid = %d AND self = 0 AND network = '%s'" , intval($uid), NETWORK_DFRN); + + + } else { if($followup) { foreach($items as $item) { // there is only one item @@ -479,9 +508,12 @@ function notifier_run($argv, $argc){ else $recip_str = implode(', ', $recipients); - $r = q("SELECT * FROM `contact` WHERE `id` IN ( %s ) AND `blocked` = 0 AND `pending` = 0 ", - dbesc($recip_str) - ); + if ($relocate) + $r = $recipients_relocate; + else + $r = q("SELECT * FROM `contact` WHERE `id` IN ( %s ) AND `blocked` = 0 AND `pending` = 0 ", + dbesc($recip_str) + ); require_once('include/salmon.php'); diff --git a/include/uimport.php b/include/uimport.php index 0de6652401..9427931687 100644 --- a/include/uimport.php +++ b/include/uimport.php @@ -125,7 +125,7 @@ function import_account(&$a, $file) { if ($contact['uid'] == $olduid && $contact['self'] == '0') { switch ($contact['network']){ case NETWORK_DFRN: - // send moved message + // send relocate message (below) break; case NETWORK_ZOT: // TODO handle zot network @@ -226,10 +226,12 @@ function import_account(&$a, $file) { logger("uimport:insert pconfig ".$pconfig['id']. " : ERROR : ".last_error(), LOGGER_NORMAL); } } - + + // send relocate messages + proc_run('php', 'include/notifier.php', 'relocate' , $newuid); info(t("Done. You can now login with your username and password")); goaway( $a->get_baseurl() ."/login"); -} \ No newline at end of file +} diff --git a/view/atom_relocate.tpl b/view/atom_relocate.tpl new file mode 100644 index 0000000000..f7f8db97b1 --- /dev/null +++ b/view/atom_relocate.tpl @@ -0,0 +1,17 @@ + + + + $url + $name + $photo + $thumb + $micro + $request + $confirm + $notify + $poll + $site-pubkey + + + + From 1a3a5ee8d9e4e1f6b07c7736fab3e004b26046af Mon Sep 17 00:00:00 2001 From: Fabrixxm Date: Wed, 31 Oct 2012 17:13:45 +0100 Subject: [PATCH 03/16] moveme: first successful relocated user --- .gitignore | 53 +++++++++++++++++++++--------------------- boot.php | 14 +++++++++-- include/dba.php | 1 + include/delivery.php | 2 +- include/items.php | 35 +++++++++++++++++----------- include/notifier.php | 46 +++++++++++++++++++++--------------- include/uimport.php | 2 +- mod/dfrn_notify.php | 2 +- view/atom_relocate.tpl | 2 +- 9 files changed, 93 insertions(+), 64 deletions(-) diff --git a/.gitignore b/.gitignore index 5fe71a7a87..358114a444 100644 --- a/.gitignore +++ b/.gitignore @@ -1,26 +1,27 @@ -favicon.* -.htconfig.php -\#* -include/jquery-1.4.2.min.js -*.log -*.out -*.version* -favicon.* -home.html -addon -*~ - -#ignore documentation, it should be newly built -doc/api - -#ignore reports, should be generted with every build -report/ - -#ignore config files from eclipse, we don't want IDE files in our repository -.project -.buildpath -.externalToolBuilders -.settings -#ignore OSX .DS_Store files -.DS_Store - +favicon.* +.htconfig.php +\#* +include/jquery-1.4.2.min.js +*.log +*.out +*.version* +favicon.* +home.html +addon +*~ + +#ignore documentation, it should be newly built +doc/api + +#ignore reports, should be generted with every build +report/ + +#ignore config files from eclipse, we don't want IDE files in our repository +.project +.buildpath +.externalToolBuilders +.settings +#ignore OSX .DS_Store files +.DS_Store + +/nbproject/private/ \ No newline at end of file diff --git a/boot.php b/boot.php index ad6c29b828..71304e53e2 100644 --- a/boot.php +++ b/boot.php @@ -385,7 +385,7 @@ if(! class_exists('App')) { function __construct() { - global $default_timezone; + global $default_timezone, $argv, $argc; $this->timezone = ((x($default_timezone)) ? $default_timezone : 'UTC'); @@ -428,6 +428,9 @@ if(! class_exists('App')) { if(isset($path) && strlen($path) && ($path != $this->path)) $this->path = $path; } + if (is_array($argv) && $argc>1 && !x($_SERVER,'SERVER_NAME') && substr(end($argv), 0, 4)=="http" ) { + $this->set_baseurl(array_pop($argv) ); + } set_include_path( "include/$this->hostname" . PATH_SEPARATOR @@ -436,6 +439,7 @@ if(! class_exists('App')) { . 'library/phpsec' . PATH_SEPARATOR . 'library/langdet' . PATH_SEPARATOR . '.' ); + if((x($_SERVER,'QUERY_STRING')) && substr($_SERVER['QUERY_STRING'],0,2) === "q=") { $this->query_string = substr($_SERVER['QUERY_STRING'],2); @@ -1501,9 +1505,15 @@ if(! function_exists('proc_run')) { if(count($args) && $args[0] === 'php') $args[0] = ((x($a->config,'php_path')) && (strlen($a->config['php_path'])) ? $a->config['php_path'] : 'php'); - for($x = 0; $x < count($args); $x ++) + + // add baseurl to args. cli scripts can't construct it + $args[] = $a->get_baseurl(); + + for($x = 0; $x < count($args); $x ++) $args[$x] = escapeshellarg($args[$x]); + + $cmdline = implode($args," "); if(get_config('system','proc_windows')) proc_close(proc_open('cmd /c start /b ' . $cmdline,array(),$foo)); diff --git a/include/dba.php b/include/dba.php index 63b75c4948..9f2dab5191 100644 --- a/include/dba.php +++ b/include/dba.php @@ -232,6 +232,7 @@ function q($sql) { if($db && $db->connected) { $stmt = vsprintf($sql,$args); + //logger("dba: q: $stmt", LOGGER_ALL); if($stmt === false) logger('dba: vsprintf error: ' . print_r(debug_backtrace(),true), LOGGER_DEBUG); return $db->q($stmt); diff --git a/include/delivery.php b/include/delivery.php index 14226e4fba..d879deedb5 100644 --- a/include/delivery.php +++ b/include/delivery.php @@ -3,7 +3,7 @@ require_once("boot.php"); require_once('include/queue_fn.php'); require_once('include/html2plain.php'); -function delivery_run($argv, $argc){ +function delivery_run(&$argv, &$argc){ global $a, $db; if(is_null($a)){ diff --git a/include/items.php b/include/items.php index 0ca385c44a..4266734842 100755 --- a/include/items.php +++ b/include/items.php @@ -2168,9 +2168,10 @@ function consume_feed($xml,$importer,&$contact, &$hub, $datedir = 0, $pass = 0) } function local_delivery($importer,$data) { - $a = get_app(); + logger(__function__, LOGGER_TRACE); + if($importer['readonly']) { // We aren't receiving stuff from this person. But we will quietly ignore them // rather than a blatant "go away" message. @@ -2322,16 +2323,19 @@ function local_delivery($importer,$data) { $newloc['confirm'] = notags(unxmlify($base['confirm'][0]['data'])); $newloc['notify'] = notags(unxmlify($base['notify'][0]['data'])); $newloc['poll'] = notags(unxmlify($base['poll'][0]['data'])); - $newloc['site-pubkey'] = notags(unxmlify($base['site-pubkey'][0]['data'])); + $newloc['sitepubkey'] = notags(unxmlify($base['sitepubkey'][0]['data'])); + /** relocated user must have original key pair */ /*$newloc['pubkey'] = notags(unxmlify($base['pubkey'][0]['data'])); $newloc['prvkey'] = notags(unxmlify($base['prvkey'][0]['data']));*/ - log("items:relocate contact ".print_r($newloc, true), LOGGER_DEBUG); + logger("items:relocate contact ".print_r($newloc, true).print_r($importer, true), LOGGER_DEBUG); // update contact - $r = q("SELECT photo, url FROM contact WHERE WHERE id=%d AND uid=%d;", - intval($importer['importer_uid']), - intval($importer['id'])); + $r = q("SELECT photo, url FROM contact WHERE id=%d AND uid=%d;", + intval($importer['id']), + intval($importer['importer_uid'])); + if ($r === false) + return 1; $old = $r[0]; $x = q("UPDATE contact SET @@ -2344,7 +2348,7 @@ function local_delivery($importer,$data) { confirm = '%s', notify = '%s', poll = '%s', - site-pubkey = '%s' + `site-pubkey` = '%s' WHERE id=%d AND uid=%d;", dbesc($newloc['name']), dbesc($newloc['photo']), @@ -2355,10 +2359,12 @@ function local_delivery($importer,$data) { dbesc($newloc['confirm']), dbesc($newloc['notify']), dbesc($newloc['poll']), - dbesc($newloc['site-pubkey']), - intval($importer['importer_uid']), - intval($importer['id'])); - + dbesc($newloc['sitepubkey']), + intval($importer['id']), + intval($importer['importer_uid'])); + + if ($x === false) + return 1; // update items $fields = array( 'owner-link' => array($old['url'], $newloc['url']), @@ -2366,12 +2372,15 @@ function local_delivery($importer,$data) { 'owner-avatar' => array($old['photo'], $newloc['photo']), 'author-avatar' => array($old['photo'], $newloc['photo']), ); - foreach ($fields as $n=>$f) + foreach ($fields as $n=>$f){ $x = q("UPDATE item SET `%s`='%s' WHERE `%s`='%s' AND uid=%d", $n, dbesc($f[1]), $n, dbesc($f[0]), intval($importer['importer_uid'])); - + if ($x === false) + return 1; + } + // TODO // merge with current record, current contents have priority // update record, set url-updated diff --git a/include/notifier.php b/include/notifier.php index 88c90a856f..1d2c26fb2d 100644 --- a/include/notifier.php +++ b/include/notifier.php @@ -1,5 +1,4 @@ xmlfy($owner['name']), - '$photo' => xmlfy($owner['photo']), - '$thumb' => xmlfy($owner['thumb']), - '$micro' => xmlfy($owner['micro']), - '$url' => xmlfy($owner['url']), - '$request' => xmlfy($owner['request']), - '$confirm' => xmlfy($owner['confirm']), - '$notify' => xmlfy($owner['notify']), - '$poll' => xmlfy($owner['poll']), - '$site-pubkey' => xmlfy(get_config('system','site_pubkey')), - //'$pubkey' => xmlfy($owner['pubkey']), - //'$prvkey' => xmlfy($owner['prvkey']), + '$name' => xmlify($owner['name']), + '$photo' => xmlify($owner['photo']), + '$thumb' => xmlify($owner['thumb']), + '$micro' => xmlify($owner['micro']), + '$url' => xmlify($owner['url']), + '$request' => xmlify($owner['request']), + '$confirm' => xmlify($owner['confirm']), + '$notify' => xmlify($owner['notify']), + '$poll' => xmlify($owner['poll']), + '$sitepubkey' => xmlify(get_config('system','site_pubkey')), + //'$pubkey' => xmlify($owner['pubkey']), + //'$prvkey' => xmlify($owner['prvkey']), )); - $recipients_relocate = q("SELECT * FROM contacts WHERE uid = %d AND self = 0 AND network = '%s'" , intval($uid), NETWORK_DFRN); - + $recipients_relocate = q("SELECT * FROM contact WHERE uid = %d AND self = 0 AND network = '%s'" , intval($uid), NETWORK_DFRN); } else { @@ -525,7 +532,7 @@ function notifier_run($argv, $argc){ if(count($r)) { foreach($r as $contact) { - if((! $mail) && (! $fsuggest) && (! $followup) && (! $contact['self'])) { + if((! $mail) && (! $fsuggest) && (! $followup) && (!$relocate) && (! $contact['self'])) { if(($contact['network'] === NETWORK_DIASPORA) && ($public_message)) continue; q("insert into deliverq ( `cmd`,`item`,`contact` ) values ('%s', %d, %d )", @@ -562,7 +569,7 @@ function notifier_run($argv, $argc){ // potentially more than one recipient. Start a new process and space them out a bit. // we will deliver single recipient types of message and email recipients here. - if((! $mail) && (! $fsuggest) && (! $followup)) { + if((! $mail) && (! $fsuggest) && (!$relocate) && (! $followup)) { $this_batch[] = $contact['id']; @@ -577,7 +584,7 @@ function notifier_run($argv, $argc){ $deliver_status = 0; - logger("main delivery by notifier: followup=$followup mail=$mail fsuggest=$fsuggest"); + logger("main delivery by notifier: followup=$followup mail=$mail fsuggest=$fsuggest relocate=$relocate"); switch($contact['network']) { case NETWORK_DFRN: @@ -934,6 +941,7 @@ function notifier_run($argv, $argc){ return; } + if (array_search(__file__,get_included_files())===0){ notifier_run($argv,$argc); killme(); diff --git a/include/uimport.php b/include/uimport.php index 9427931687..e43f331dc9 100644 --- a/include/uimport.php +++ b/include/uimport.php @@ -228,7 +228,7 @@ function import_account(&$a, $file) { } // send relocate messages - proc_run('php', 'include/notifier.php', 'relocate' , $newuid); + //proc_run('php', 'include/notifier.php', 'relocate' , $newuid); info(t("Done. You can now login with your username and password")); goaway( $a->get_baseurl() ."/login"); diff --git a/mod/dfrn_notify.php b/mod/dfrn_notify.php index e55da55722..b50602b6bd 100644 --- a/mod/dfrn_notify.php +++ b/mod/dfrn_notify.php @@ -6,7 +6,7 @@ require_once('include/event.php'); function dfrn_notify_post(&$a) { - + logger(__function__, LOGGER_TRACE); $dfrn_id = ((x($_POST,'dfrn_id')) ? notags(trim($_POST['dfrn_id'])) : ''); $dfrn_version = ((x($_POST,'dfrn_version')) ? (float) $_POST['dfrn_version'] : 2.0); $challenge = ((x($_POST,'challenge')) ? notags(trim($_POST['challenge'])) : ''); diff --git a/view/atom_relocate.tpl b/view/atom_relocate.tpl index f7f8db97b1..3976a0037f 100644 --- a/view/atom_relocate.tpl +++ b/view/atom_relocate.tpl @@ -10,7 +10,7 @@ $confirm $notify $poll - $site-pubkey + $sitepubkey From 2093fa8b3fc421bb851bede29c1b4f0ff6c02b59 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Mon, 5 Nov 2012 07:29:55 +0100 Subject: [PATCH 04/16] DE: update to the strings --- view/de/messages.po | 401 ++++++++++++++++++++++---------------------- view/de/strings.php | 13 +- 2 files changed, 209 insertions(+), 205 deletions(-) diff --git a/view/de/messages.po b/view/de/messages.po index 56e5d51a1a..827318d642 100644 --- a/view/de/messages.po +++ b/view/de/messages.po @@ -22,8 +22,8 @@ msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: http://bugs.friendica.com/\n" -"POT-Creation-Date: 2012-10-21 10:00-0700\n" -"PO-Revision-Date: 2012-10-22 12:31+0000\n" +"POT-Creation-Date: 2012-11-03 15:31-0700\n" +"PO-Revision-Date: 2012-11-05 06:28+0000\n" "Last-Translator: bavatar \n" "Language-Team: German (http://www.transifex.com/projects/p/friendica/language/de/)\n" "MIME-Version: 1.0\n" @@ -38,6 +38,7 @@ msgstr "Beitrag erfolgreich veröffentlicht." #: ../../mod/update_notes.php:41 ../../mod/update_community.php:18 #: ../../mod/update_network.php:22 ../../mod/update_profile.php:41 +#: ../../mod/update_display.php:22 msgid "[Embedded content - reload page to view]" msgstr "[Eingebetteter Inhalt - Seite neu laden zum Betrachten]" @@ -60,20 +61,20 @@ msgstr "Konnte den Kontakt nicht aktualisieren." #: ../../mod/wallmessage.php:33 ../../mod/wallmessage.php:79 #: ../../mod/wallmessage.php:103 ../../mod/attach.php:33 #: ../../mod/group.php:19 ../../mod/viewcontacts.php:22 -#: ../../mod/register.php:38 ../../mod/regmod.php:116 ../../mod/item.php:126 -#: ../../mod/item.php:142 ../../mod/mood.php:114 +#: ../../mod/register.php:38 ../../mod/regmod.php:116 ../../mod/item.php:139 +#: ../../mod/item.php:155 ../../mod/mood.php:114 #: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 #: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 #: ../../mod/message.php:38 ../../mod/message.php:168 #: ../../mod/allfriends.php:9 ../../mod/nogroup.php:25 #: ../../mod/wall_upload.php:64 ../../mod/follow.php:9 -#: ../../mod/display.php:141 ../../mod/profiles.php:7 +#: ../../mod/display.php:165 ../../mod/profiles.php:7 #: ../../mod/profiles.php:424 ../../mod/delegate.php:6 #: ../../mod/suggest.php:28 ../../mod/invite.php:13 ../../mod/invite.php:81 #: ../../mod/dfrn_confirm.php:53 ../../addon/facebook/facebook.php:510 #: ../../addon/facebook/facebook.php:516 ../../addon/fbpost/fbpost.php:159 #: ../../addon/fbpost/fbpost.php:165 -#: ../../addon/dav/friendica/layout.fnk.php:354 ../../include/items.php:3913 +#: ../../addon/dav/friendica/layout.fnk.php:354 ../../include/items.php:3914 #: ../../index.php:319 ../../addon.old/facebook/facebook.php:510 #: ../../addon.old/facebook/facebook.php:516 #: ../../addon.old/fbpost/fbpost.php:159 ../../addon.old/fbpost/fbpost.php:165 @@ -146,8 +147,8 @@ msgstr "Neues Foto von dieser URL" #: ../../mod/crepair.php:166 ../../mod/fsuggest.php:107 #: ../../mod/events.php:455 ../../mod/photos.php:1027 #: ../../mod/photos.php:1103 ../../mod/photos.php:1366 -#: ../../mod/photos.php:1406 ../../mod/photos.php:1449 -#: ../../mod/photos.php:1520 ../../mod/install.php:246 +#: ../../mod/photos.php:1406 ../../mod/photos.php:1450 +#: ../../mod/photos.php:1522 ../../mod/install.php:246 #: ../../mod/install.php:284 ../../mod/localtime.php:45 ../../mod/poke.php:199 #: ../../mod/content.php:693 ../../mod/contacts.php:348 #: ../../mod/settings.php:543 ../../mod/settings.php:697 @@ -193,10 +194,10 @@ msgstr "Neues Foto von dieser URL" #: ../../addon/irc/irc.php:55 ../../addon/fromapp/fromapp.php:77 #: ../../addon/blogger/blogger.php:102 ../../addon/posterous/posterous.php:103 #: ../../view/theme/cleanzero/config.php:80 -#: ../../view/theme/diabook/theme.php:642 +#: ../../view/theme/diabook/theme.php:599 #: ../../view/theme/diabook/config.php:152 #: ../../view/theme/quattro/config.php:64 ../../view/theme/dispy/config.php:70 -#: ../../object/Item.php:558 ../../addon.old/fromgplus/fromgplus.php:40 +#: ../../object/Item.php:559 ../../addon.old/fromgplus/fromgplus.php:40 #: ../../addon.old/facebook/facebook.php:619 #: ../../addon.old/snautofollow/snautofollow.php:64 #: ../../addon.old/bg/bg.php:90 ../../addon.old/fbpost/fbpost.php:226 @@ -300,7 +301,7 @@ msgstr "Veranstaltung bearbeiten" msgid "link to source" msgstr "Link zum Originalbeitrag" -#: ../../mod/events.php:347 ../../view/theme/diabook/theme.php:91 +#: ../../mod/events.php:347 ../../view/theme/diabook/theme.php:90 #: ../../include/nav.php:52 ../../boot.php:1701 msgid "Events" msgstr "Veranstaltungen" @@ -374,7 +375,7 @@ msgstr "Veranstaltung teilen" #: ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 ../../mod/editpost.php:142 #: ../../mod/dfrn_request.php:847 ../../mod/settings.php:544 #: ../../mod/settings.php:570 ../../addon/js_upload/js_upload.php:45 -#: ../../include/conversation.php:995 +#: ../../include/conversation.php:1001 #: ../../addon.old/js_upload/js_upload.php:45 msgid "Cancel" msgstr "Abbrechen" @@ -399,8 +400,8 @@ msgstr "Entfernen" #: ../../mod/dfrn_poll.php:99 ../../mod/dfrn_poll.php:530 #, php-format -msgid "%s welcomes %s" -msgstr "%s heißt %s herzlich willkommen" +msgid "%1$s welcomes %2$s" +msgstr "%1$s heißt %2$s herzlich willkommen" #: ../../mod/api.php:76 ../../mod/api.php:102 msgid "Authorize application connection" @@ -450,14 +451,14 @@ msgstr "Fotoalben" #: ../../mod/photos.php:58 ../../mod/photos.php:153 ../../mod/photos.php:1008 #: ../../mod/photos.php:1095 ../../mod/photos.php:1110 -#: ../../mod/photos.php:1562 ../../mod/photos.php:1574 +#: ../../mod/photos.php:1565 ../../mod/photos.php:1577 #: ../../addon/communityhome/communityhome.php:110 -#: ../../view/theme/diabook/theme.php:492 +#: ../../view/theme/diabook/theme.php:485 #: ../../addon.old/communityhome/communityhome.php:110 msgid "Contact Photos" msgstr "Kontaktbilder" -#: ../../mod/photos.php:65 ../../mod/photos.php:1126 ../../mod/photos.php:1612 +#: ../../mod/photos.php:65 ../../mod/photos.php:1126 ../../mod/photos.php:1615 msgid "Upload New Photos" msgstr "Weitere Fotos hochladen" @@ -475,7 +476,7 @@ msgstr "Kontaktinformationen nicht verfügbar" #: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 #: ../../mod/profile_photo.php:305 #: ../../addon/communityhome/communityhome.php:111 -#: ../../view/theme/diabook/theme.php:493 ../../include/user.php:324 +#: ../../view/theme/diabook/theme.php:486 ../../include/user.php:324 #: ../../include/user.php:331 ../../include/user.php:338 #: ../../addon.old/communityhome/communityhome.php:111 msgid "Profile Photos" @@ -494,21 +495,13 @@ msgid "Delete Photo" msgstr "Foto löschen" #: ../../mod/photos.php:606 -msgid "was tagged in a" -msgstr "wurde getaggt in einem" - -#: ../../mod/photos.php:606 ../../mod/like.php:145 ../../mod/subthread.php:87 -#: ../../mod/tagger.php:62 ../../addon/communityhome/communityhome.php:163 -#: ../../view/theme/diabook/theme.php:464 ../../include/text.php:1437 -#: ../../include/diaspora.php:1835 ../../include/conversation.php:125 -#: ../../include/conversation.php:253 -#: ../../addon.old/communityhome/communityhome.php:163 -msgid "photo" -msgstr "Foto" +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "%1$s wurde von %3$s in %2$s getaggt" #: ../../mod/photos.php:606 -msgid "by" -msgstr "von" +msgid "a photo" +msgstr "einem Foto" #: ../../mod/photos.php:711 ../../addon/js_upload/js_upload.php:315 #: ../../addon.old/js_upload/js_upload.php:315 @@ -585,7 +578,7 @@ msgstr "Zeige neueste zuerst" msgid "Show Oldest First" msgstr "Zeige älteste zuerst" -#: ../../mod/photos.php:1146 ../../mod/photos.php:1595 +#: ../../mod/photos.php:1146 ../../mod/photos.php:1598 msgid "View Photo" msgstr "Fotos betrachten" @@ -661,49 +654,49 @@ msgstr "Ich mag das (toggle)" msgid "I don't like this (toggle)" msgstr "Ich mag das nicht (toggle)" -#: ../../mod/photos.php:1386 ../../include/conversation.php:956 +#: ../../mod/photos.php:1386 ../../include/conversation.php:962 msgid "Share" msgstr "Teilen" #: ../../mod/photos.php:1387 ../../mod/editpost.php:118 -#: ../../mod/content.php:482 ../../mod/content.php:845 +#: ../../mod/content.php:482 ../../mod/content.php:846 #: ../../mod/wallmessage.php:152 ../../mod/message.php:293 -#: ../../mod/message.php:481 ../../include/conversation.php:619 -#: ../../include/conversation.php:975 ../../object/Item.php:258 +#: ../../mod/message.php:481 ../../include/conversation.php:624 +#: ../../include/conversation.php:981 ../../object/Item.php:258 msgid "Please wait" msgstr "Bitte warten" -#: ../../mod/photos.php:1403 ../../mod/photos.php:1446 -#: ../../mod/photos.php:1517 ../../mod/content.php:690 -#: ../../object/Item.php:555 +#: ../../mod/photos.php:1403 ../../mod/photos.php:1447 +#: ../../mod/photos.php:1519 ../../mod/content.php:690 +#: ../../object/Item.php:556 msgid "This is you" msgstr "Das bist du" -#: ../../mod/photos.php:1405 ../../mod/photos.php:1448 -#: ../../mod/photos.php:1519 ../../mod/content.php:692 ../../boot.php:585 -#: ../../object/Item.php:557 +#: ../../mod/photos.php:1405 ../../mod/photos.php:1449 +#: ../../mod/photos.php:1521 ../../mod/content.php:692 ../../boot.php:585 +#: ../../object/Item.php:558 msgid "Comment" msgstr "Kommentar" -#: ../../mod/photos.php:1407 ../../mod/photos.php:1450 -#: ../../mod/photos.php:1521 ../../mod/editpost.php:139 -#: ../../mod/content.php:702 ../../include/conversation.php:993 -#: ../../object/Item.php:567 +#: ../../mod/photos.php:1407 ../../mod/photos.php:1451 +#: ../../mod/photos.php:1523 ../../mod/editpost.php:139 +#: ../../mod/content.php:702 ../../include/conversation.php:999 +#: ../../object/Item.php:568 msgid "Preview" msgstr "Vorschau" -#: ../../mod/photos.php:1489 ../../mod/content.php:439 -#: ../../mod/content.php:723 ../../mod/settings.php:606 +#: ../../mod/photos.php:1491 ../../mod/content.php:439 +#: ../../mod/content.php:724 ../../mod/settings.php:606 #: ../../mod/group.php:168 ../../mod/admin.php:696 -#: ../../include/conversation.php:564 ../../object/Item.php:117 +#: ../../include/conversation.php:569 ../../object/Item.php:117 msgid "Delete" msgstr "Löschen" -#: ../../mod/photos.php:1601 +#: ../../mod/photos.php:1604 msgid "View Album" msgstr "Album betrachten" -#: ../../mod/photos.php:1610 +#: ../../mod/photos.php:1613 msgid "Recent Photos" msgstr "Neueste Fotos" @@ -711,7 +704,7 @@ msgstr "Neueste Fotos" msgid "Not available." msgstr "Nicht verfügbar." -#: ../../mod/community.php:32 ../../view/theme/diabook/theme.php:93 +#: ../../mod/community.php:32 ../../view/theme/diabook/theme.php:92 #: ../../include/nav.php:101 msgid "Community" msgstr "Gemeinschaft" @@ -761,96 +754,96 @@ msgstr "Beitrag nicht gefunden" msgid "Edit post" msgstr "Beitrag bearbeiten" -#: ../../mod/editpost.php:88 ../../include/conversation.php:942 +#: ../../mod/editpost.php:88 ../../include/conversation.php:948 msgid "Post to Email" msgstr "An E-Mail senden" -#: ../../mod/editpost.php:103 ../../mod/content.php:710 +#: ../../mod/editpost.php:103 ../../mod/content.php:711 #: ../../mod/settings.php:605 ../../object/Item.php:107 msgid "Edit" msgstr "Bearbeiten" #: ../../mod/editpost.php:104 ../../mod/wallmessage.php:150 #: ../../mod/message.php:291 ../../mod/message.php:478 -#: ../../include/conversation.php:957 +#: ../../include/conversation.php:963 msgid "Upload photo" msgstr "Foto hochladen" -#: ../../mod/editpost.php:105 ../../include/conversation.php:958 +#: ../../mod/editpost.php:105 ../../include/conversation.php:964 msgid "upload photo" msgstr "Bild hochladen" -#: ../../mod/editpost.php:106 ../../include/conversation.php:959 +#: ../../mod/editpost.php:106 ../../include/conversation.php:965 msgid "Attach file" msgstr "Datei anhängen" -#: ../../mod/editpost.php:107 ../../include/conversation.php:960 +#: ../../mod/editpost.php:107 ../../include/conversation.php:966 msgid "attach file" msgstr "Datei anhängen" #: ../../mod/editpost.php:108 ../../mod/wallmessage.php:151 #: ../../mod/message.php:292 ../../mod/message.php:479 -#: ../../include/conversation.php:961 +#: ../../include/conversation.php:967 msgid "Insert web link" msgstr "einen Link einfügen" -#: ../../mod/editpost.php:109 ../../include/conversation.php:962 +#: ../../mod/editpost.php:109 ../../include/conversation.php:968 msgid "web link" msgstr "Weblink" -#: ../../mod/editpost.php:110 ../../include/conversation.php:963 +#: ../../mod/editpost.php:110 ../../include/conversation.php:969 msgid "Insert video link" msgstr "Video-Adresse einfügen" -#: ../../mod/editpost.php:111 ../../include/conversation.php:964 +#: ../../mod/editpost.php:111 ../../include/conversation.php:970 msgid "video link" msgstr "Video-Link" -#: ../../mod/editpost.php:112 ../../include/conversation.php:965 +#: ../../mod/editpost.php:112 ../../include/conversation.php:971 msgid "Insert audio link" msgstr "Audio-Adresse einfügen" -#: ../../mod/editpost.php:113 ../../include/conversation.php:966 +#: ../../mod/editpost.php:113 ../../include/conversation.php:972 msgid "audio link" msgstr "Audio-Link" -#: ../../mod/editpost.php:114 ../../include/conversation.php:967 +#: ../../mod/editpost.php:114 ../../include/conversation.php:973 msgid "Set your location" msgstr "Deinen Standort festlegen" -#: ../../mod/editpost.php:115 ../../include/conversation.php:968 +#: ../../mod/editpost.php:115 ../../include/conversation.php:974 msgid "set location" msgstr "Ort setzen" -#: ../../mod/editpost.php:116 ../../include/conversation.php:969 +#: ../../mod/editpost.php:116 ../../include/conversation.php:975 msgid "Clear browser location" msgstr "Browser-Standort leeren" -#: ../../mod/editpost.php:117 ../../include/conversation.php:970 +#: ../../mod/editpost.php:117 ../../include/conversation.php:976 msgid "clear location" msgstr "Ort löschen" -#: ../../mod/editpost.php:119 ../../include/conversation.php:976 +#: ../../mod/editpost.php:119 ../../include/conversation.php:982 msgid "Permission settings" msgstr "Berechtigungseinstellungen" -#: ../../mod/editpost.php:127 ../../include/conversation.php:985 +#: ../../mod/editpost.php:127 ../../include/conversation.php:991 msgid "CC: email addresses" msgstr "Cc:-E-Mail-Addressen" -#: ../../mod/editpost.php:128 ../../include/conversation.php:986 +#: ../../mod/editpost.php:128 ../../include/conversation.php:992 msgid "Public post" msgstr "Öffentlicher Beitrag" -#: ../../mod/editpost.php:131 ../../include/conversation.php:972 +#: ../../mod/editpost.php:131 ../../include/conversation.php:978 msgid "Set title" msgstr "Titel setzen" -#: ../../mod/editpost.php:133 ../../include/conversation.php:974 +#: ../../mod/editpost.php:133 ../../include/conversation.php:980 msgid "Categories (comma-separated list)" msgstr "Kategorien (kommasepariert)" -#: ../../mod/editpost.php:134 ../../include/conversation.php:988 +#: ../../mod/editpost.php:134 ../../include/conversation.php:994 msgid "Example: bob@example.com, mary@example.com" msgstr "Z.B.: bob@example.com, mary@example.com" @@ -971,7 +964,7 @@ msgstr "Bitte bestätige deine Kontaktanfrage bei %s." msgid "Confirm" msgstr "Bestätigen" -#: ../../mod/dfrn_request.php:715 ../../include/items.php:3292 +#: ../../mod/dfrn_request.php:715 ../../include/items.php:3293 msgid "[Name Withheld]" msgstr "[Name unterdrückt]" @@ -1300,7 +1293,7 @@ msgstr "WICHTIG: Du musst [manuell] einen Cronjob (o.ä.) für den Poller einric #: ../../mod/localtime.php:12 ../../include/event.php:11 #: ../../include/bb2diaspora.php:390 msgid "l F d, Y \\@ g:i A" -msgstr "l F d, Y \\@ g:i A" +msgstr "l, d. F Y\\, H:i" #: ../../mod/localtime.php:24 msgid "Time Conversion" @@ -1393,25 +1386,25 @@ msgstr "Gruppe ist leer" msgid "Group: " msgstr "Gruppe: " -#: ../../mod/content.php:438 ../../mod/content.php:722 -#: ../../include/conversation.php:563 ../../object/Item.php:116 +#: ../../mod/content.php:438 ../../mod/content.php:723 +#: ../../include/conversation.php:568 ../../object/Item.php:116 msgid "Select" msgstr "Auswählen" -#: ../../mod/content.php:455 ../../mod/content.php:815 -#: ../../mod/content.php:816 ../../include/conversation.php:582 +#: ../../mod/content.php:455 ../../mod/content.php:816 +#: ../../mod/content.php:817 ../../include/conversation.php:587 #: ../../object/Item.php:227 ../../object/Item.php:228 #, php-format msgid "View %s's profile @ %s" msgstr "Das Profil von %s auf %s betrachten." -#: ../../mod/content.php:465 ../../mod/content.php:827 -#: ../../include/conversation.php:602 ../../object/Item.php:240 +#: ../../mod/content.php:465 ../../mod/content.php:828 +#: ../../include/conversation.php:607 ../../object/Item.php:240 #, php-format msgid "%s from %s" msgstr "%s von %s" -#: ../../mod/content.php:480 ../../include/conversation.php:617 +#: ../../mod/content.php:480 ../../include/conversation.php:622 msgid "View in context" msgstr "Im Zusammenhang betrachten" @@ -1453,71 +1446,71 @@ msgstr "Weitersagen" msgid "share" msgstr "Teilen" -#: ../../mod/content.php:694 ../../object/Item.php:559 +#: ../../mod/content.php:694 ../../object/Item.php:560 msgid "Bold" msgstr "Fett" -#: ../../mod/content.php:695 ../../object/Item.php:560 +#: ../../mod/content.php:695 ../../object/Item.php:561 msgid "Italic" msgstr "Kursiv" -#: ../../mod/content.php:696 ../../object/Item.php:561 +#: ../../mod/content.php:696 ../../object/Item.php:562 msgid "Underline" msgstr "Unterstrichen" -#: ../../mod/content.php:697 ../../object/Item.php:562 +#: ../../mod/content.php:697 ../../object/Item.php:563 msgid "Quote" msgstr "Zitat" -#: ../../mod/content.php:698 ../../object/Item.php:563 +#: ../../mod/content.php:698 ../../object/Item.php:564 msgid "Code" msgstr "Code" -#: ../../mod/content.php:699 ../../object/Item.php:564 +#: ../../mod/content.php:699 ../../object/Item.php:565 msgid "Image" msgstr "Bild" -#: ../../mod/content.php:700 ../../object/Item.php:565 +#: ../../mod/content.php:700 ../../object/Item.php:566 msgid "Link" msgstr "Verweis" -#: ../../mod/content.php:701 ../../object/Item.php:566 +#: ../../mod/content.php:701 ../../object/Item.php:567 msgid "Video" msgstr "Video" -#: ../../mod/content.php:735 ../../object/Item.php:180 +#: ../../mod/content.php:736 ../../object/Item.php:180 msgid "add star" msgstr "markieren" -#: ../../mod/content.php:736 ../../object/Item.php:181 +#: ../../mod/content.php:737 ../../object/Item.php:181 msgid "remove star" msgstr "Markierung entfernen" -#: ../../mod/content.php:737 ../../object/Item.php:182 +#: ../../mod/content.php:738 ../../object/Item.php:182 msgid "toggle star status" msgstr "Markierung umschalten" -#: ../../mod/content.php:740 ../../object/Item.php:185 +#: ../../mod/content.php:741 ../../object/Item.php:185 msgid "starred" msgstr "markiert" -#: ../../mod/content.php:741 ../../object/Item.php:186 +#: ../../mod/content.php:742 ../../object/Item.php:186 msgid "add tag" msgstr "Tag hinzufügen" -#: ../../mod/content.php:745 ../../object/Item.php:120 +#: ../../mod/content.php:746 ../../object/Item.php:120 msgid "save to folder" msgstr "In Ordner speichern" -#: ../../mod/content.php:817 ../../object/Item.php:229 +#: ../../mod/content.php:818 ../../object/Item.php:229 msgid "to" msgstr "zu" -#: ../../mod/content.php:818 ../../object/Item.php:230 +#: ../../mod/content.php:819 ../../object/Item.php:230 msgid "Wall-to-Wall" msgstr "Wall-to-Wall" -#: ../../mod/content.php:819 ../../object/Item.php:231 +#: ../../mod/content.php:820 ../../object/Item.php:231 msgid "via Wall-To-Wall:" msgstr "via Wall-To-Wall:" @@ -1554,7 +1547,7 @@ msgstr "Netzwerk" msgid "Personal" msgstr "Persönlich" -#: ../../mod/notifications.php:93 ../../view/theme/diabook/theme.php:87 +#: ../../mod/notifications.php:93 ../../view/theme/diabook/theme.php:86 #: ../../include/nav.php:77 ../../include/nav.php:115 msgid "Home" msgstr "Pinnwand" @@ -1999,7 +1992,7 @@ msgstr "du bist Fan von" msgid "Edit contact" msgstr "Kontakt bearbeiten" -#: ../../mod/contacts.php:571 ../../view/theme/diabook/theme.php:89 +#: ../../mod/contacts.php:571 ../../view/theme/diabook/theme.php:88 #: ../../include/nav.php:139 msgid "Contacts" msgstr "Kontakte" @@ -2036,7 +2029,7 @@ msgstr "Anfrage zum Zurücksetzen des Passworts auf %s erhalten" #: ../../addon/facebook/facebook.php:702 #: ../../addon/facebook/facebook.php:1200 ../../addon/fbpost/fbpost.php:661 #: ../../addon/public_server/public_server.php:62 -#: ../../addon/testdrive/testdrive.php:67 ../../include/items.php:3301 +#: ../../addon/testdrive/testdrive.php:67 ../../include/items.php:3302 #: ../../boot.php:799 ../../addon.old/facebook/facebook.php:702 #: ../../addon.old/facebook/facebook.php:1200 #: ../../addon.old/fbpost/fbpost.php:661 @@ -2126,9 +2119,8 @@ msgstr "Konto löschen" #: ../../mod/settings.php:69 ../../mod/newmember.php:22 #: ../../mod/admin.php:785 ../../mod/admin.php:990 #: ../../addon/dav/friendica/layout.fnk.php:225 -#: ../../addon/mathjax/mathjax.php:36 ../../view/theme/diabook/theme.php:537 -#: ../../view/theme/diabook/theme.php:658 ../../include/nav.php:137 -#: ../../addon.old/dav/friendica/layout.fnk.php:225 +#: ../../addon/mathjax/mathjax.php:36 ../../view/theme/diabook/theme.php:614 +#: ../../include/nav.php:137 ../../addon.old/dav/friendica/layout.fnk.php:225 #: ../../addon.old/mathjax/mathjax.php:36 msgid "Settings" msgstr "Einstellungen" @@ -2792,7 +2784,7 @@ msgstr "Kein Empfänger." #: ../../mod/wallmessage.php:123 ../../mod/wallmessage.php:131 #: ../../mod/message.php:242 ../../mod/message.php:250 -#: ../../include/conversation.php:893 ../../include/conversation.php:910 +#: ../../include/conversation.php:898 ../../include/conversation.php:916 msgid "Please enter a link URL:" msgstr "Bitte gib die URL des Links ein:" @@ -2873,7 +2865,7 @@ msgid "" msgstr "Überprüfe die restlichen Einstellungen, insbesondere die Einstellungen zur Privatsphäre. Wenn du dein Profil nicht veröffentlichst, ist das als wenn du deine Telefonnummer nicht ins Telefonbuch einträgst. Im Allgemeinen solltest du es veröffentlichen - außer all deine Freunde und potentiellen Freunde wissen genau, wie sie dich finden können." #: ../../mod/newmember.php:32 ../../mod/profperm.php:103 -#: ../../view/theme/diabook/theme.php:88 ../../include/profile_advanced.php:7 +#: ../../view/theme/diabook/theme.php:87 ../../include/profile_advanced.php:7 #: ../../include/profile_advanced.php:84 ../../include/nav.php:50 #: ../../boot.php:1684 msgid "Profile" @@ -3194,12 +3186,21 @@ msgstr "Registrieren" msgid "People Search" msgstr "Personensuche" +#: ../../mod/like.php:145 ../../mod/subthread.php:87 ../../mod/tagger.php:62 +#: ../../addon/communityhome/communityhome.php:163 +#: ../../view/theme/diabook/theme.php:457 ../../include/text.php:1437 +#: ../../include/diaspora.php:1835 ../../include/conversation.php:125 +#: ../../include/conversation.php:253 +#: ../../addon.old/communityhome/communityhome.php:163 +msgid "photo" +msgstr "Foto" + #: ../../mod/like.php:145 ../../mod/like.php:298 ../../mod/subthread.php:87 #: ../../mod/tagger.php:62 ../../addon/facebook/facebook.php:1598 #: ../../addon/communityhome/communityhome.php:158 #: ../../addon/communityhome/communityhome.php:167 -#: ../../view/theme/diabook/theme.php:459 -#: ../../view/theme/diabook/theme.php:468 ../../include/diaspora.php:1835 +#: ../../view/theme/diabook/theme.php:452 +#: ../../view/theme/diabook/theme.php:461 ../../include/diaspora.php:1835 #: ../../include/conversation.php:120 ../../include/conversation.php:129 #: ../../include/conversation.php:248 ../../include/conversation.php:257 #: ../../addon.old/facebook/facebook.php:1598 @@ -3210,7 +3211,7 @@ msgstr "Status" #: ../../mod/like.php:162 ../../addon/facebook/facebook.php:1602 #: ../../addon/communityhome/communityhome.php:172 -#: ../../view/theme/diabook/theme.php:473 ../../include/diaspora.php:1851 +#: ../../view/theme/diabook/theme.php:466 ../../include/diaspora.php:1851 #: ../../include/conversation.php:136 #: ../../addon.old/facebook/facebook.php:1602 #: ../../addon.old/communityhome/communityhome.php:172 @@ -3224,8 +3225,8 @@ msgid "%1$s doesn't like %2$s's %3$s" msgstr "%1$s mag %2$ss %3$s nicht" #: ../../mod/notice.php:15 ../../mod/viewsrc.php:15 ../../mod/admin.php:159 -#: ../../mod/admin.php:734 ../../mod/admin.php:933 ../../mod/display.php:29 -#: ../../mod/display.php:145 ../../include/items.php:3779 +#: ../../mod/admin.php:734 ../../mod/admin.php:933 ../../mod/display.php:39 +#: ../../mod/display.php:169 ../../include/items.php:3780 msgid "Item not found." msgstr "Beitrag nicht gefunden." @@ -3233,7 +3234,7 @@ msgstr "Beitrag nicht gefunden." msgid "Access denied." msgstr "Zugriff verweigert." -#: ../../mod/fbrowser.php:25 ../../view/theme/diabook/theme.php:90 +#: ../../mod/fbrowser.php:25 ../../view/theme/diabook/theme.php:89 #: ../../include/nav.php:51 ../../boot.php:1691 msgid "Photos" msgstr "Bilder" @@ -3255,43 +3256,43 @@ msgstr "Registrierung für %s wurde zurückgezogen" msgid "Please login." msgstr "Bitte melde dich an." -#: ../../mod/item.php:91 +#: ../../mod/item.php:104 msgid "Unable to locate original post." msgstr "Konnte den Originalbeitrag nicht finden." -#: ../../mod/item.php:275 +#: ../../mod/item.php:288 msgid "Empty post discarded." msgstr "Leerer Beitrag wurde verworfen." -#: ../../mod/item.php:407 ../../mod/wall_upload.php:133 +#: ../../mod/item.php:420 ../../mod/wall_upload.php:133 #: ../../mod/wall_upload.php:142 ../../mod/wall_upload.php:149 #: ../../include/message.php:144 msgid "Wall Photos" msgstr "Pinnwand-Bilder" -#: ../../mod/item.php:820 +#: ../../mod/item.php:833 msgid "System error. Post not saved." msgstr "Systemfehler. Beitrag konnte nicht gespeichert werden." -#: ../../mod/item.php:845 +#: ../../mod/item.php:858 #, php-format msgid "" "This message was sent to you by %s, a member of the Friendica social " "network." msgstr "Diese Nachricht wurde dir von %s geschickt, einem Mitglied des Sozialen Netzwerks Friendica." -#: ../../mod/item.php:847 +#: ../../mod/item.php:860 #, php-format msgid "You may visit them online at %s" msgstr "Du kannst sie online unter %s besuchen" -#: ../../mod/item.php:848 +#: ../../mod/item.php:861 msgid "" "Please contact the sender by replying to this post if you do not wish to " "receive these messages." msgstr "Falls du diese Beiträge nicht erhalten möchtest, kontaktiere bitte den Autor, indem du auf diese Nachricht antwortest." -#: ../../mod/item.php:850 +#: ../../mod/item.php:863 #, php-format msgid "%s posted an update." msgstr "%s hat ein Update veröffentlicht." @@ -3812,7 +3813,7 @@ msgid "" "Provide built-in OStatus (identi.ca, status.net, etc.) compatibility. All " "communications in OStatus are public, so privacy warnings will be " "occasionally displayed." -msgstr "Biete die eingebaute OStatus (identi.ca, status.net, etc.) Unterstützung an. Jede Kommunikation in OStatus ist öffentlich, so Privatsphäre Warnungen werden bei Bedarf angezeigt." +msgstr "Biete die eingebaute OStatus (identi.ca, status.net, etc.) Unterstützung an. Jede Kommunikation in OStatus ist öffentlich, Privatsphäre Warnungen werden nur bei Bedarf angezeigt." #: ../../mod/admin.php:478 msgid "Enable Diaspora support" @@ -4116,7 +4117,7 @@ msgstr "FTP Passwort" msgid "Requested profile is not available." msgstr "Das angefragte Profil ist nicht vorhanden." -#: ../../mod/profile.php:155 ../../mod/display.php:77 +#: ../../mod/profile.php:155 ../../mod/display.php:87 msgid "Access to this profile has been restricted." msgstr "Der Zugriff zu diesem Profil wurde eingeschränkt." @@ -4208,7 +4209,7 @@ msgstr "%1$s folgt %2$s %3$s" msgid "link" msgstr "Link" -#: ../../mod/display.php:138 +#: ../../mod/display.php:162 msgid "Item has been removed." msgstr "Eintrag wurde entfernt." @@ -4533,8 +4534,8 @@ msgstr "sichtbar für jeden" msgid "Edit visibility" msgstr "Sichtbarkeit bearbeiten" -#: ../../mod/filer.php:29 ../../include/conversation.php:897 -#: ../../include/conversation.php:914 +#: ../../mod/filer.php:29 ../../include/conversation.php:902 +#: ../../include/conversation.php:920 msgid "Save to Folder:" msgstr "In diesen Ordner verschieben:" @@ -4626,7 +4627,7 @@ msgstr "Texteingabe (Diaspora Format): " msgid "diaspora2bb: " msgstr "diaspora2bb: " -#: ../../mod/suggest.php:38 ../../view/theme/diabook/theme.php:520 +#: ../../mod/suggest.php:38 ../../view/theme/diabook/theme.php:513 #: ../../include/contact_widgets.php:34 msgid "Friend Suggestions" msgstr "Kontaktvorschläge" @@ -4641,7 +4642,7 @@ msgstr "Keine Vorschläge. Falls der Server frisch aufgesetzt wurde, versuche es msgid "Ignore/Hide" msgstr "Ignorieren/Verbergen" -#: ../../mod/directory.php:49 ../../view/theme/diabook/theme.php:518 +#: ../../mod/directory.php:49 ../../view/theme/diabook/theme.php:511 msgid "Global Directory" msgstr "Weltweites Verzeichnis" @@ -5578,7 +5579,7 @@ msgid "Latest likes" msgstr "Neueste Favoriten" #: ../../addon/communityhome/communityhome.php:155 -#: ../../view/theme/diabook/theme.php:456 ../../include/text.php:1435 +#: ../../view/theme/diabook/theme.php:449 ../../include/text.php:1435 #: ../../include/conversation.php:117 ../../include/conversation.php:245 #: ../../addon.old/communityhome/communityhome.php:155 msgid "event" @@ -7592,137 +7593,135 @@ msgstr "Theme Breite festlegen" msgid "Color scheme" msgstr "Farbschema" -#: ../../view/theme/diabook/theme.php:87 ../../include/nav.php:49 +#: ../../view/theme/diabook/theme.php:86 ../../include/nav.php:49 #: ../../include/nav.php:115 msgid "Your posts and conversations" msgstr "Deine Beiträge und Unterhaltungen" -#: ../../view/theme/diabook/theme.php:88 ../../include/nav.php:50 +#: ../../view/theme/diabook/theme.php:87 ../../include/nav.php:50 msgid "Your profile page" msgstr "Deine Profilseite" -#: ../../view/theme/diabook/theme.php:89 +#: ../../view/theme/diabook/theme.php:88 msgid "Your contacts" msgstr "Deine Kontakte" -#: ../../view/theme/diabook/theme.php:90 ../../include/nav.php:51 +#: ../../view/theme/diabook/theme.php:89 ../../include/nav.php:51 msgid "Your photos" msgstr "Deine Fotos" -#: ../../view/theme/diabook/theme.php:91 ../../include/nav.php:52 +#: ../../view/theme/diabook/theme.php:90 ../../include/nav.php:52 msgid "Your events" msgstr "Deine Ereignisse" -#: ../../view/theme/diabook/theme.php:92 ../../include/nav.php:53 +#: ../../view/theme/diabook/theme.php:91 ../../include/nav.php:53 msgid "Personal notes" msgstr "Persönliche Notizen" -#: ../../view/theme/diabook/theme.php:92 ../../include/nav.php:53 +#: ../../view/theme/diabook/theme.php:91 ../../include/nav.php:53 msgid "Your personal photos" msgstr "Deine privaten Fotos" -#: ../../view/theme/diabook/theme.php:94 -#: ../../view/theme/diabook/theme.php:537 -#: ../../view/theme/diabook/theme.php:632 +#: ../../view/theme/diabook/theme.php:93 #: ../../view/theme/diabook/config.php:163 msgid "Community Pages" msgstr "Foren" -#: ../../view/theme/diabook/theme.php:384 -#: ../../view/theme/diabook/theme.php:634 +#: ../../view/theme/diabook/theme.php:377 +#: ../../view/theme/diabook/theme.php:591 #: ../../view/theme/diabook/config.php:165 msgid "Community Profiles" msgstr "Community-Profile" -#: ../../view/theme/diabook/theme.php:405 -#: ../../view/theme/diabook/theme.php:639 +#: ../../view/theme/diabook/theme.php:398 +#: ../../view/theme/diabook/theme.php:596 #: ../../view/theme/diabook/config.php:170 msgid "Last users" msgstr "Letzte Nutzer" -#: ../../view/theme/diabook/theme.php:434 -#: ../../view/theme/diabook/theme.php:641 +#: ../../view/theme/diabook/theme.php:427 +#: ../../view/theme/diabook/theme.php:598 #: ../../view/theme/diabook/config.php:172 msgid "Last likes" msgstr "Zuletzt gemocht" -#: ../../view/theme/diabook/theme.php:479 -#: ../../view/theme/diabook/theme.php:640 +#: ../../view/theme/diabook/theme.php:472 +#: ../../view/theme/diabook/theme.php:597 #: ../../view/theme/diabook/config.php:171 msgid "Last photos" msgstr "Letzte Fotos" -#: ../../view/theme/diabook/theme.php:516 -#: ../../view/theme/diabook/theme.php:637 +#: ../../view/theme/diabook/theme.php:509 +#: ../../view/theme/diabook/theme.php:594 #: ../../view/theme/diabook/config.php:168 msgid "Find Friends" msgstr "Freunde finden" -#: ../../view/theme/diabook/theme.php:517 +#: ../../view/theme/diabook/theme.php:510 msgid "Local Directory" msgstr "Lokales Verzeichnis" -#: ../../view/theme/diabook/theme.php:519 ../../include/contact_widgets.php:35 +#: ../../view/theme/diabook/theme.php:512 ../../include/contact_widgets.php:35 msgid "Similar Interests" msgstr "Ähnliche Interessen" -#: ../../view/theme/diabook/theme.php:521 ../../include/contact_widgets.php:37 +#: ../../view/theme/diabook/theme.php:514 ../../include/contact_widgets.php:37 msgid "Invite Friends" msgstr "Freunde einladen" -#: ../../view/theme/diabook/theme.php:572 -#: ../../view/theme/diabook/theme.php:633 +#: ../../view/theme/diabook/theme.php:531 +#: ../../view/theme/diabook/theme.php:590 #: ../../view/theme/diabook/config.php:164 msgid "Earth Layers" msgstr "Earth Layers" -#: ../../view/theme/diabook/theme.php:577 +#: ../../view/theme/diabook/theme.php:536 msgid "Set zoomfactor for Earth Layers" msgstr "Zoomfaktor der Earth Layer" -#: ../../view/theme/diabook/theme.php:578 +#: ../../view/theme/diabook/theme.php:537 #: ../../view/theme/diabook/config.php:161 msgid "Set longitude (X) for Earth Layers" msgstr "Longitude (X) der Earth Layer" -#: ../../view/theme/diabook/theme.php:579 +#: ../../view/theme/diabook/theme.php:538 #: ../../view/theme/diabook/config.php:162 msgid "Set latitude (Y) for Earth Layers" msgstr "Latitude (Y) der Earth Layer" +#: ../../view/theme/diabook/theme.php:551 #: ../../view/theme/diabook/theme.php:592 -#: ../../view/theme/diabook/theme.php:635 #: ../../view/theme/diabook/config.php:166 msgid "Help or @NewHere ?" msgstr "Hilfe oder @NewHere" -#: ../../view/theme/diabook/theme.php:599 -#: ../../view/theme/diabook/theme.php:636 +#: ../../view/theme/diabook/theme.php:558 +#: ../../view/theme/diabook/theme.php:593 #: ../../view/theme/diabook/config.php:167 msgid "Connect Services" msgstr "Verbinde Dienste" -#: ../../view/theme/diabook/theme.php:606 -#: ../../view/theme/diabook/theme.php:638 +#: ../../view/theme/diabook/theme.php:565 +#: ../../view/theme/diabook/theme.php:595 msgid "Last Tweets" msgstr "Neueste Tweets" -#: ../../view/theme/diabook/theme.php:609 +#: ../../view/theme/diabook/theme.php:568 #: ../../view/theme/diabook/config.php:159 msgid "Set twitter search term" msgstr "Twitter Suchbegriff" -#: ../../view/theme/diabook/theme.php:629 +#: ../../view/theme/diabook/theme.php:587 #: ../../view/theme/diabook/config.php:146 ../../include/acl_selectors.php:288 msgid "don't show" msgstr "nicht zeigen" -#: ../../view/theme/diabook/theme.php:629 +#: ../../view/theme/diabook/theme.php:587 #: ../../view/theme/diabook/config.php:146 ../../include/acl_selectors.php:287 msgid "show" msgstr "zeigen" -#: ../../view/theme/diabook/theme.php:630 +#: ../../view/theme/diabook/theme.php:588 msgid "Show/hide boxes at right-hand column:" msgstr "Rahmen auf der rechten Seite anzeigen/verbergen" @@ -8673,17 +8672,17 @@ msgstr "Sekunden" msgid "%1$d %2$s ago" msgstr "%1$d %2$s her" -#: ../../include/datetime.php:472 ../../include/items.php:1688 +#: ../../include/datetime.php:472 ../../include/items.php:1689 #, php-format msgid "%s's birthday" msgstr "%ss Geburtstag" -#: ../../include/datetime.php:473 ../../include/items.php:1689 +#: ../../include/datetime.php:473 ../../include/items.php:1690 #, php-format msgid "Happy Birthday %s" msgstr "Herzlichen Glückwunsch %s" -#: ../../include/onepoll.php:409 +#: ../../include/onepoll.php:414 msgid "From: " msgstr "Von: " @@ -8953,15 +8952,15 @@ msgstr "Konnte die Kontaktinformationen nicht empfangen." msgid "following" msgstr "folgen" -#: ../../include/items.php:3299 +#: ../../include/items.php:3300 msgid "A new person is sharing with you at " msgstr "Eine neue Person teilt mit dir auf " -#: ../../include/items.php:3299 +#: ../../include/items.php:3300 msgid "You have a new follower at " msgstr "Du hast einen neuen Kontakt auf " -#: ../../include/items.php:3980 +#: ../../include/items.php:3981 msgid "Archives" msgstr "Archiv" @@ -9055,34 +9054,34 @@ msgstr "Das Sicherheitsmerkmal war nicht korrekt. Das passiert meistens wenn das msgid "stopped following" msgstr "wird nicht mehr gefolgt" -#: ../../include/Contact.php:220 ../../include/conversation.php:790 +#: ../../include/Contact.php:220 ../../include/conversation.php:795 msgid "Poke" msgstr "Anstupsen" -#: ../../include/Contact.php:221 ../../include/conversation.php:784 +#: ../../include/Contact.php:221 ../../include/conversation.php:789 msgid "View Status" msgstr "Pinnwand anschauen" -#: ../../include/Contact.php:222 ../../include/conversation.php:785 +#: ../../include/Contact.php:222 ../../include/conversation.php:790 msgid "View Profile" msgstr "Profil anschauen" -#: ../../include/Contact.php:223 ../../include/conversation.php:786 +#: ../../include/Contact.php:223 ../../include/conversation.php:791 msgid "View Photos" msgstr "Bilder anschauen" #: ../../include/Contact.php:224 ../../include/Contact.php:237 -#: ../../include/conversation.php:787 +#: ../../include/conversation.php:792 msgid "Network Posts" msgstr "Netzwerkbeiträge" #: ../../include/Contact.php:225 ../../include/Contact.php:237 -#: ../../include/conversation.php:788 +#: ../../include/conversation.php:793 msgid "Edit Contact" msgstr "Kontakt bearbeiten" #: ../../include/Contact.php:226 ../../include/Contact.php:237 -#: ../../include/conversation.php:789 +#: ../../include/conversation.php:794 msgid "Send PM" msgstr "Private Nachricht senden" @@ -9100,86 +9099,90 @@ msgstr "Nachricht/Beitrag" msgid "%1$s marked %2$s's %3$s as favorite" msgstr "%1$s hat %2$s\\s %3$s als Favorit markiert" -#: ../../include/conversation.php:594 ../../object/Item.php:218 +#: ../../include/conversation.php:599 ../../object/Item.php:218 msgid "Categories:" msgstr "Kategorien" -#: ../../include/conversation.php:595 ../../object/Item.php:219 +#: ../../include/conversation.php:600 ../../object/Item.php:219 msgid "Filed under:" msgstr "Abgelegt unter:" -#: ../../include/conversation.php:680 +#: ../../include/conversation.php:685 msgid "remove" msgstr "löschen" -#: ../../include/conversation.php:684 +#: ../../include/conversation.php:689 msgid "Delete Selected Items" msgstr "Lösche die markierten Beiträge" -#: ../../include/conversation.php:783 +#: ../../include/conversation.php:788 msgid "Follow Thread" msgstr "Folge der Unterhaltung" -#: ../../include/conversation.php:852 +#: ../../include/conversation.php:857 #, php-format msgid "%s likes this." msgstr "%s mag das." -#: ../../include/conversation.php:852 +#: ../../include/conversation.php:857 #, php-format msgid "%s doesn't like this." msgstr "%s mag das nicht." -#: ../../include/conversation.php:856 +#: ../../include/conversation.php:861 #, php-format msgid "%2$d people like this." msgstr "%2$d Leute mögen das." -#: ../../include/conversation.php:858 +#: ../../include/conversation.php:863 #, php-format msgid "%2$d people don't like this." msgstr "%2$d Leute mögen das nicht." -#: ../../include/conversation.php:864 +#: ../../include/conversation.php:869 msgid "and" msgstr "und" -#: ../../include/conversation.php:867 +#: ../../include/conversation.php:872 #, php-format msgid ", and %d other people" msgstr " und %d andere" -#: ../../include/conversation.php:868 +#: ../../include/conversation.php:873 #, php-format msgid "%s like this." msgstr "%s mögen das." -#: ../../include/conversation.php:868 +#: ../../include/conversation.php:873 #, php-format msgid "%s don't like this." msgstr "%s mögen das nicht." -#: ../../include/conversation.php:892 ../../include/conversation.php:909 +#: ../../include/conversation.php:897 ../../include/conversation.php:915 msgid "Visible to everybody" msgstr "Für jedermann sichtbar" -#: ../../include/conversation.php:894 ../../include/conversation.php:911 +#: ../../include/conversation.php:899 ../../include/conversation.php:917 msgid "Please enter a video link/URL:" msgstr "Bitte Link/URL zum Video einfügen:" -#: ../../include/conversation.php:895 ../../include/conversation.php:912 +#: ../../include/conversation.php:900 ../../include/conversation.php:918 msgid "Please enter an audio link/URL:" msgstr "Bitte Link/URL zum Audio einfügen:" -#: ../../include/conversation.php:896 ../../include/conversation.php:913 +#: ../../include/conversation.php:901 ../../include/conversation.php:919 msgid "Tag term:" msgstr "Tag:" -#: ../../include/conversation.php:898 ../../include/conversation.php:915 +#: ../../include/conversation.php:903 ../../include/conversation.php:921 msgid "Where are you right now?" msgstr "Wo hältst du dich jetzt gerade auf?" -#: ../../include/conversation.php:977 +#: ../../include/conversation.php:904 +msgid "Delete item(s)?" +msgstr "Einträge löschen?" + +#: ../../include/conversation.php:983 msgid "permissions" msgstr "Zugriffsrechte" diff --git a/view/de/strings.php b/view/de/strings.php index 647e4e68f9..26ac10b0c6 100644 --- a/view/de/strings.php +++ b/view/de/strings.php @@ -58,7 +58,7 @@ $a->strings["Tag removed"] = "Tag entfernt"; $a->strings["Remove Item Tag"] = "Gegenstands-Tag entfernen"; $a->strings["Select a tag to remove: "] = "Wähle ein Tag zum Entfernen aus: "; $a->strings["Remove"] = "Entfernen"; -$a->strings["%s welcomes %s"] = "%s heißt %s herzlich willkommen"; +$a->strings["%1\$s welcomes %2\$s"] = "%1\$s heißt %2\$s herzlich willkommen"; $a->strings["Authorize application connection"] = "Verbindung der Applikation autorisieren"; $a->strings["Return to your app and insert this Securty Code:"] = "Gehe zu deiner Anwendung zurück und trage dort folgenden Sicherheitscode ein:"; $a->strings["Please login to continue."] = "Bitte melde dich an um fortzufahren."; @@ -74,9 +74,8 @@ $a->strings["Profile Photos"] = "Profilbilder"; $a->strings["Album not found."] = "Album nicht gefunden."; $a->strings["Delete Album"] = "Album löschen"; $a->strings["Delete Photo"] = "Foto löschen"; -$a->strings["was tagged in a"] = "wurde getaggt in einem"; -$a->strings["photo"] = "Foto"; -$a->strings["by"] = "von"; +$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s wurde von %3\$s in %2\$s getaggt"; +$a->strings["a photo"] = "einem Foto"; $a->strings["Image exceeds size limit of "] = "Die Bildgröße übersteigt das Limit von "; $a->strings["Image file is empty."] = "Bilddatei ist leer."; $a->strings["Unable to process image."] = "Konnte das Bild nicht bearbeiten."; @@ -253,7 +252,7 @@ $a->strings["The database configuration file \".htconfig.php\" could not be writ $a->strings["Errors encountered creating database tables."] = "Fehler aufgetreten während der Erzeugung der Datenbanktabellen."; $a->strings["

What next

"] = "

Wie geht es weiter?

"; $a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "WICHTIG: Du musst [manuell] einen Cronjob (o.ä.) für den Poller einrichten."; -$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; +$a->strings["l F d, Y \\@ g:i A"] = "l, d. F Y\\, H:i"; $a->strings["Time Conversion"] = "Zeitumrechnung"; $a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica bietet diese Funktion an, um das Teilen von Events mit Kontakten zu vereinfachen, deren Zeitzone nicht ermittelt werden kann."; $a->strings["UTC time: %s"] = "UTC Zeit: %s"; @@ -689,6 +688,7 @@ $a->strings["Choose a profile nickname. This must begin with a text character. Y $a->strings["Choose a nickname: "] = "Spitznamen wählen: "; $a->strings["Register"] = "Registrieren"; $a->strings["People Search"] = "Personensuche"; +$a->strings["photo"] = "Foto"; $a->strings["status"] = "Status"; $a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s mag %2\$ss %3\$s"; $a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s mag %2\$ss %3\$s nicht"; @@ -826,7 +826,7 @@ $a->strings["Use PHP UTF8 regular expressions"] = "PHP UTF8 Ausdrücke verwenden $a->strings["Show Community Page"] = "Gemeinschaftsseite anzeigen"; $a->strings["Display a Community page showing all recent public postings on this site."] = "Zeige die Gemeinschaftsseite mit allen öffentlichen Beiträgen auf diesem Server."; $a->strings["Enable OStatus support"] = "OStatus Unterstützung aktivieren"; -$a->strings["Provide built-in OStatus (identi.ca, status.net, etc.) compatibility. All communications in OStatus are public, so privacy warnings will be occasionally displayed."] = "Biete die eingebaute OStatus (identi.ca, status.net, etc.) Unterstützung an. Jede Kommunikation in OStatus ist öffentlich, so Privatsphäre Warnungen werden bei Bedarf angezeigt."; +$a->strings["Provide built-in OStatus (identi.ca, status.net, etc.) compatibility. All communications in OStatus are public, so privacy warnings will be occasionally displayed."] = "Biete die eingebaute OStatus (identi.ca, status.net, etc.) Unterstützung an. Jede Kommunikation in OStatus ist öffentlich, Privatsphäre Warnungen werden nur bei Bedarf angezeigt."; $a->strings["Enable Diaspora support"] = "Diaspora-Support aktivieren"; $a->strings["Provide built-in Diaspora network compatibility."] = "Verwende die eingebaute Diaspora-Verknüpfung."; $a->strings["Only allow Friendica contacts"] = "Nur Friendica-Kontakte erlauben"; @@ -1973,6 +1973,7 @@ $a->strings["Please enter a video link/URL:"] = "Bitte Link/URL zum Video einfü $a->strings["Please enter an audio link/URL:"] = "Bitte Link/URL zum Audio einfügen:"; $a->strings["Tag term:"] = "Tag:"; $a->strings["Where are you right now?"] = "Wo hältst du dich jetzt gerade auf?"; +$a->strings["Delete item(s)?"] = "Einträge löschen?"; $a->strings["permissions"] = "Zugriffsrechte"; $a->strings["Click here to upgrade."] = "Zum Upgraden hier klicken."; $a->strings["This action exceeds the limits set by your subscription plan."] = "Diese Aktion überschreitet die Obergrenze deines Abonnements."; From aa20042bece6cf45bee7c943968fc175d0a73a35 Mon Sep 17 00:00:00 2001 From: Fabrixxm Date: Mon, 5 Nov 2012 09:18:55 +0100 Subject: [PATCH 05/16] moveme: fix contact photos --- include/notifier.php | 18 +++++++++++++----- view/atom_relocate.tpl | 4 ++-- 2 files changed, 15 insertions(+), 7 deletions(-) diff --git a/include/notifier.php b/include/notifier.php index 1d2c26fb2d..c78d2f1a76 100644 --- a/include/notifier.php +++ b/include/notifier.php @@ -42,7 +42,7 @@ require_once('include/html2plain.php'); */ -function notifier_run($argv, $argc){ +function notifier_run(&$argv, &$argc){ global $a, $db; if(is_null($a)){ @@ -422,12 +422,20 @@ function notifier_run($argv, $argc){ set_config('system','site_pubkey', $res['pubkey']); } + $rp = q("SELECT `resource-id` , `scale`, type FROM `photo` + WHERE `profile` = 1 AND `uid` = %d ORDER BY scale;", $uid); + $photos = array(); + $ext = Photo::supportedTypes(); + foreach($rp as $p){ + $photos[$p['scale']] = $a->get_baseurl().'/photo/'.$p['resource-id'].'-'.$p['scale'].'.'.$ext[$p['type']]; + } + unset($rp, $ext); $atom .= replace_macros($sugg_template, array( '$name' => xmlify($owner['name']), - '$photo' => xmlify($owner['photo']), - '$thumb' => xmlify($owner['thumb']), - '$micro' => xmlify($owner['micro']), + '$photo' => xmlify($photos[4]), + '$thumb' => xmlify($photos[5]), + '$micro' => xmlify($photos[6]), '$url' => xmlify($owner['url']), '$request' => xmlify($owner['request']), '$confirm' => xmlify($owner['confirm']), @@ -438,7 +446,7 @@ function notifier_run($argv, $argc){ //'$prvkey' => xmlify($owner['prvkey']), )); $recipients_relocate = q("SELECT * FROM contact WHERE uid = %d AND self = 0 AND network = '%s'" , intval($uid), NETWORK_DFRN); - + unset($photos); } else { if($followup) { diff --git a/view/atom_relocate.tpl b/view/atom_relocate.tpl index 3976a0037f..f7db934d7a 100644 --- a/view/atom_relocate.tpl +++ b/view/atom_relocate.tpl @@ -4,8 +4,8 @@ $url $name $photo - $thumb - $micro + $thumb + $micro $request $confirm $notify From 385ee5a86207106408a20a3d2ec6dbeb3a313238 Mon Sep 17 00:00:00 2001 From: Fabrixxm Date: Mon, 5 Nov 2012 09:28:54 +0100 Subject: [PATCH 06/16] pass $argv & $argc as reference to *_run() functions. --- include/cronhooks.php | 2 +- include/directory.php | 2 +- include/expire.php | 2 +- include/gprobe.php | 2 +- include/onepoll.php | 2 +- include/poller.php | 2 +- include/queue.php | 2 +- util/po2php.php | 2 +- 8 files changed, 8 insertions(+), 8 deletions(-) diff --git a/include/cronhooks.php b/include/cronhooks.php index 37541f013e..27cf642b22 100644 --- a/include/cronhooks.php +++ b/include/cronhooks.php @@ -3,7 +3,7 @@ require_once("boot.php"); -function cronhooks_run($argv, $argc){ +function cronhooks_run(&$argv, &$argc){ global $a, $db; if(is_null($a)) { diff --git a/include/directory.php b/include/directory.php index 45386183c6..356118bb08 100644 --- a/include/directory.php +++ b/include/directory.php @@ -1,7 +1,7 @@ \n\n"; From cef5afc53d5cdc8604449aac4f687866d03cec02 Mon Sep 17 00:00:00 2001 From: Fabrixxm Date: Mon, 5 Nov 2012 04:15:09 -0500 Subject: [PATCH 07/16] moveme: remove debug comment --- include/uimport.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/include/uimport.php b/include/uimport.php index e43f331dc9..9427931687 100644 --- a/include/uimport.php +++ b/include/uimport.php @@ -228,7 +228,7 @@ function import_account(&$a, $file) { } // send relocate messages - //proc_run('php', 'include/notifier.php', 'relocate' , $newuid); + proc_run('php', 'include/notifier.php', 'relocate' , $newuid); info(t("Done. You can now login with your username and password")); goaway( $a->get_baseurl() ."/login"); From b7e121ccf7072858622e1ee544f7530c89556ffe Mon Sep 17 00:00:00 2001 From: zottel Date: Tue, 6 Nov 2012 08:16:08 +0100 Subject: [PATCH 08/16] Forgot to commit the changes (regarding fermionic's comments) in notifier.php --- include/notifier.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/include/notifier.php b/include/notifier.php index a999c3297b..2f4120da25 100644 --- a/include/notifier.php +++ b/include/notifier.php @@ -136,11 +136,15 @@ function notifier_run($argv, $argc){ } elseif($cmd === 'removeme') { $r = q("SELECT * FROM `user` WHERE `uid` = %d LIMIT 1", intval($item_id)); + if (! $r) + return; $user = $r[0]; $r = q("SELECT * FROM `contact` WHERE `uid` = %d AND `self` = 1 LIMIT 1", intval($item_id)); + if (! $r) + return; $self = $r[0]; $r = q("SELECT * FROM `contact` WHERE `self` = 0 AND `uid` = %d", intval($item_id)); - if(! count($r)) + if(! $r) return; require_once('include/Contact.php'); foreach($r as $contact) { From fd4d35b16c5fbebaee2fea412a7f644762fdba89 Mon Sep 17 00:00:00 2001 From: friendica Date: Tue, 6 Nov 2012 01:10:12 -0800 Subject: [PATCH 09/16] set writable for ostatus followers --- boot.php | 2 +- include/items.php | 2 +- util/messages.po | 164 +++++++++++++++++++++++----------------------- 3 files changed, 84 insertions(+), 84 deletions(-) diff --git a/boot.php b/boot.php index 2628c0f3f1..153d404593 100644 --- a/boot.php +++ b/boot.php @@ -11,7 +11,7 @@ require_once('include/cache.php'); require_once('library/Mobile_Detect/Mobile_Detect.php'); define ( 'FRIENDICA_PLATFORM', 'Friendica'); -define ( 'FRIENDICA_VERSION', '3.0.1517' ); +define ( 'FRIENDICA_VERSION', '3.0.1518' ); define ( 'DFRN_PROTOCOL_VERSION', '2.23' ); define ( 'DB_UPDATE_VERSION', 1156 ); diff --git a/include/items.php b/include/items.php index 939cefc3dd..a42e555caf 100755 --- a/include/items.php +++ b/include/items.php @@ -3232,7 +3232,7 @@ function new_follower($importer,$contact,$datarray,$item,$sharing = false) { if(is_array($contact)) { if(($contact['network'] == NETWORK_OSTATUS && $contact['rel'] == CONTACT_IS_SHARING) || ($sharing && $contact['rel'] == CONTACT_IS_FOLLOWER)) { - $r = q("UPDATE `contact` SET `rel` = %d WHERE `id` = %d AND `uid` = %d LIMIT 1", + $r = q("UPDATE `contact` SET `rel` = %d, `writable` = 1 WHERE `id` = %d AND `uid` = %d LIMIT 1", intval(CONTACT_IS_FRIEND), intval($contact['id']), intval($importer['uid']) diff --git a/util/messages.po b/util/messages.po index 7c5b8afa59..ff3924b99a 100644 --- a/util/messages.po +++ b/util/messages.po @@ -6,9 +6,9 @@ #, fuzzy msgid "" msgstr "" -"Project-Id-Version: 3.0.1517\n" +"Project-Id-Version: 3.0.1518\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2012-11-04 10:00-0800\n" +"POT-Creation-Date: 2012-11-05 10:00-0800\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -135,7 +135,7 @@ msgstr "" #: ../../mod/photos.php:1406 ../../mod/photos.php:1450 #: ../../mod/photos.php:1522 ../../mod/install.php:246 #: ../../mod/install.php:284 ../../mod/localtime.php:45 ../../mod/poke.php:199 -#: ../../mod/content.php:693 ../../mod/contacts.php:348 +#: ../../mod/content.php:693 ../../mod/contacts.php:351 #: ../../mod/settings.php:543 ../../mod/settings.php:697 #: ../../mod/settings.php:769 ../../mod/settings.php:976 #: ../../mod/group.php:85 ../../mod/mood.php:137 ../../mod/message.php:294 @@ -1497,7 +1497,7 @@ msgstr "" msgid "via Wall-To-Wall:" msgstr "" -#: ../../mod/home.php:28 ../../addon/communityhome/communityhome.php:179 +#: ../../mod/home.php:30 ../../addon/communityhome/communityhome.php:179 #: ../../addon.old/communityhome/communityhome.php:179 #, php-format msgid "Welcome to %s" @@ -1513,8 +1513,8 @@ msgid "Discard" msgstr "" #: ../../mod/notifications.php:51 ../../mod/notifications.php:163 -#: ../../mod/notifications.php:209 ../../mod/contacts.php:321 -#: ../../mod/contacts.php:375 +#: ../../mod/notifications.php:209 ../../mod/contacts.php:324 +#: ../../mod/contacts.php:378 msgid "Ignore" msgstr "" @@ -1566,7 +1566,7 @@ msgid "suggested by %s" msgstr "" #: ../../mod/notifications.php:156 ../../mod/notifications.php:203 -#: ../../mod/contacts.php:381 +#: ../../mod/contacts.php:384 msgid "Hide this contact from others" msgstr "" @@ -1716,279 +1716,279 @@ msgstr "" msgid "Contact has been unignored" msgstr "" -#: ../../mod/contacts.php:216 +#: ../../mod/contacts.php:219 msgid "Contact has been archived" msgstr "" -#: ../../mod/contacts.php:216 +#: ../../mod/contacts.php:219 msgid "Contact has been unarchived" msgstr "" -#: ../../mod/contacts.php:229 +#: ../../mod/contacts.php:232 msgid "Contact has been removed." msgstr "" -#: ../../mod/contacts.php:263 +#: ../../mod/contacts.php:266 #, php-format msgid "You are mutual friends with %s" msgstr "" -#: ../../mod/contacts.php:267 +#: ../../mod/contacts.php:270 #, php-format msgid "You are sharing with %s" msgstr "" -#: ../../mod/contacts.php:272 +#: ../../mod/contacts.php:275 #, php-format msgid "%s is sharing with you" msgstr "" -#: ../../mod/contacts.php:289 +#: ../../mod/contacts.php:292 msgid "Private communications are not available for this contact." msgstr "" -#: ../../mod/contacts.php:292 +#: ../../mod/contacts.php:295 msgid "Never" msgstr "" -#: ../../mod/contacts.php:296 +#: ../../mod/contacts.php:299 msgid "(Update was successful)" msgstr "" -#: ../../mod/contacts.php:296 +#: ../../mod/contacts.php:299 msgid "(Update was not successful)" msgstr "" -#: ../../mod/contacts.php:298 +#: ../../mod/contacts.php:301 msgid "Suggest friends" msgstr "" -#: ../../mod/contacts.php:302 +#: ../../mod/contacts.php:305 #, php-format msgid "Network type: %s" msgstr "" -#: ../../mod/contacts.php:305 ../../include/contact_widgets.php:190 +#: ../../mod/contacts.php:308 ../../include/contact_widgets.php:190 #, php-format msgid "%d contact in common" msgid_plural "%d contacts in common" msgstr[0] "" msgstr[1] "" -#: ../../mod/contacts.php:310 +#: ../../mod/contacts.php:313 msgid "View all contacts" msgstr "" -#: ../../mod/contacts.php:315 ../../mod/contacts.php:374 +#: ../../mod/contacts.php:318 ../../mod/contacts.php:377 #: ../../mod/admin.php:698 msgid "Unblock" msgstr "" -#: ../../mod/contacts.php:315 ../../mod/contacts.php:374 +#: ../../mod/contacts.php:318 ../../mod/contacts.php:377 #: ../../mod/admin.php:697 msgid "Block" msgstr "" -#: ../../mod/contacts.php:318 +#: ../../mod/contacts.php:321 msgid "Toggle Blocked status" msgstr "" -#: ../../mod/contacts.php:321 ../../mod/contacts.php:375 +#: ../../mod/contacts.php:324 ../../mod/contacts.php:378 msgid "Unignore" msgstr "" -#: ../../mod/contacts.php:324 +#: ../../mod/contacts.php:327 msgid "Toggle Ignored status" msgstr "" -#: ../../mod/contacts.php:328 +#: ../../mod/contacts.php:331 msgid "Unarchive" msgstr "" -#: ../../mod/contacts.php:328 +#: ../../mod/contacts.php:331 msgid "Archive" msgstr "" -#: ../../mod/contacts.php:331 +#: ../../mod/contacts.php:334 msgid "Toggle Archive status" msgstr "" -#: ../../mod/contacts.php:334 +#: ../../mod/contacts.php:337 msgid "Repair" msgstr "" -#: ../../mod/contacts.php:337 +#: ../../mod/contacts.php:340 msgid "Advanced Contact Settings" msgstr "" -#: ../../mod/contacts.php:343 +#: ../../mod/contacts.php:346 msgid "Communications lost with this contact!" msgstr "" -#: ../../mod/contacts.php:346 +#: ../../mod/contacts.php:349 msgid "Contact Editor" msgstr "" -#: ../../mod/contacts.php:349 +#: ../../mod/contacts.php:352 msgid "Profile Visibility" msgstr "" -#: ../../mod/contacts.php:350 +#: ../../mod/contacts.php:353 #, php-format msgid "" "Please choose the profile you would like to display to %s when viewing your " "profile securely." msgstr "" -#: ../../mod/contacts.php:351 +#: ../../mod/contacts.php:354 msgid "Contact Information / Notes" msgstr "" -#: ../../mod/contacts.php:352 +#: ../../mod/contacts.php:355 msgid "Edit contact notes" msgstr "" -#: ../../mod/contacts.php:357 ../../mod/contacts.php:549 +#: ../../mod/contacts.php:360 ../../mod/contacts.php:552 #: ../../mod/viewcontacts.php:62 ../../mod/nogroup.php:40 #, php-format msgid "Visit %s's profile [%s]" msgstr "" -#: ../../mod/contacts.php:358 +#: ../../mod/contacts.php:361 msgid "Block/Unblock contact" msgstr "" -#: ../../mod/contacts.php:359 +#: ../../mod/contacts.php:362 msgid "Ignore contact" msgstr "" -#: ../../mod/contacts.php:360 +#: ../../mod/contacts.php:363 msgid "Repair URL settings" msgstr "" -#: ../../mod/contacts.php:361 +#: ../../mod/contacts.php:364 msgid "View conversations" msgstr "" -#: ../../mod/contacts.php:363 +#: ../../mod/contacts.php:366 msgid "Delete contact" msgstr "" -#: ../../mod/contacts.php:367 +#: ../../mod/contacts.php:370 msgid "Last update:" msgstr "" -#: ../../mod/contacts.php:369 +#: ../../mod/contacts.php:372 msgid "Update public posts" msgstr "" -#: ../../mod/contacts.php:371 ../../mod/admin.php:1170 +#: ../../mod/contacts.php:374 ../../mod/admin.php:1170 msgid "Update now" msgstr "" -#: ../../mod/contacts.php:378 +#: ../../mod/contacts.php:381 msgid "Currently blocked" msgstr "" -#: ../../mod/contacts.php:379 +#: ../../mod/contacts.php:382 msgid "Currently ignored" msgstr "" -#: ../../mod/contacts.php:380 +#: ../../mod/contacts.php:383 msgid "Currently archived" msgstr "" -#: ../../mod/contacts.php:381 +#: ../../mod/contacts.php:384 msgid "" "Replies/likes to your public posts may still be visible" msgstr "" -#: ../../mod/contacts.php:434 +#: ../../mod/contacts.php:437 msgid "Suggestions" msgstr "" -#: ../../mod/contacts.php:437 +#: ../../mod/contacts.php:440 msgid "Suggest potential friends" msgstr "" -#: ../../mod/contacts.php:440 ../../mod/group.php:191 +#: ../../mod/contacts.php:443 ../../mod/group.php:191 msgid "All Contacts" msgstr "" -#: ../../mod/contacts.php:443 +#: ../../mod/contacts.php:446 msgid "Show all contacts" msgstr "" -#: ../../mod/contacts.php:446 +#: ../../mod/contacts.php:449 msgid "Unblocked" msgstr "" -#: ../../mod/contacts.php:449 +#: ../../mod/contacts.php:452 msgid "Only show unblocked contacts" msgstr "" -#: ../../mod/contacts.php:453 +#: ../../mod/contacts.php:456 msgid "Blocked" msgstr "" -#: ../../mod/contacts.php:456 +#: ../../mod/contacts.php:459 msgid "Only show blocked contacts" msgstr "" -#: ../../mod/contacts.php:460 +#: ../../mod/contacts.php:463 msgid "Ignored" msgstr "" -#: ../../mod/contacts.php:463 +#: ../../mod/contacts.php:466 msgid "Only show ignored contacts" msgstr "" -#: ../../mod/contacts.php:467 +#: ../../mod/contacts.php:470 msgid "Archived" msgstr "" -#: ../../mod/contacts.php:470 +#: ../../mod/contacts.php:473 msgid "Only show archived contacts" msgstr "" -#: ../../mod/contacts.php:474 +#: ../../mod/contacts.php:477 msgid "Hidden" msgstr "" -#: ../../mod/contacts.php:477 +#: ../../mod/contacts.php:480 msgid "Only show hidden contacts" msgstr "" -#: ../../mod/contacts.php:525 +#: ../../mod/contacts.php:528 msgid "Mutual Friendship" msgstr "" -#: ../../mod/contacts.php:529 +#: ../../mod/contacts.php:532 msgid "is a fan of yours" msgstr "" -#: ../../mod/contacts.php:533 +#: ../../mod/contacts.php:536 msgid "you are a fan of" msgstr "" -#: ../../mod/contacts.php:550 ../../mod/nogroup.php:41 +#: ../../mod/contacts.php:553 ../../mod/nogroup.php:41 msgid "Edit contact" msgstr "" -#: ../../mod/contacts.php:571 ../../view/theme/diabook/theme.php:88 +#: ../../mod/contacts.php:574 ../../view/theme/diabook/theme.php:88 #: ../../include/nav.php:139 msgid "Contacts" msgstr "" -#: ../../mod/contacts.php:575 +#: ../../mod/contacts.php:578 msgid "Search your contacts" msgstr "" -#: ../../mod/contacts.php:576 ../../mod/directory.php:59 +#: ../../mod/contacts.php:579 ../../mod/directory.php:59 msgid "Finding: " msgstr "" -#: ../../mod/contacts.php:577 ../../mod/directory.php:61 +#: ../../mod/contacts.php:580 ../../mod/directory.php:61 #: ../../include/contact_widgets.php:33 msgid "Find" msgstr "" @@ -6130,7 +6130,7 @@ msgstr "" #: ../../addon/dav/friendica/main.php:279 #: ../../addon/dav/friendica/main.php:280 ../../include/delivery.php:464 -#: ../../include/enotify.php:28 ../../include/notifier.php:710 +#: ../../include/enotify.php:28 ../../include/notifier.php:724 #: ../../addon.old/dav/friendica/main.php:279 #: ../../addon.old/dav/friendica/main.php:280 msgid "noreply" @@ -8122,7 +8122,7 @@ msgstr "" msgid "Finishes:" msgstr "" -#: ../../include/delivery.php:457 ../../include/notifier.php:703 +#: ../../include/delivery.php:457 ../../include/notifier.php:717 msgid "(no subject)" msgstr "" @@ -9035,37 +9035,37 @@ msgid "" "form has been opened for too long (>3 hours) before submitting it." msgstr "" -#: ../../include/Contact.php:111 +#: ../../include/Contact.php:115 msgid "stopped following" msgstr "" -#: ../../include/Contact.php:220 ../../include/conversation.php:795 +#: ../../include/Contact.php:225 ../../include/conversation.php:795 msgid "Poke" msgstr "" -#: ../../include/Contact.php:221 ../../include/conversation.php:789 +#: ../../include/Contact.php:226 ../../include/conversation.php:789 msgid "View Status" msgstr "" -#: ../../include/Contact.php:222 ../../include/conversation.php:790 +#: ../../include/Contact.php:227 ../../include/conversation.php:790 msgid "View Profile" msgstr "" -#: ../../include/Contact.php:223 ../../include/conversation.php:791 +#: ../../include/Contact.php:228 ../../include/conversation.php:791 msgid "View Photos" msgstr "" -#: ../../include/Contact.php:224 ../../include/Contact.php:237 +#: ../../include/Contact.php:229 ../../include/Contact.php:242 #: ../../include/conversation.php:792 msgid "Network Posts" msgstr "" -#: ../../include/Contact.php:225 ../../include/Contact.php:237 +#: ../../include/Contact.php:230 ../../include/Contact.php:242 #: ../../include/conversation.php:793 msgid "Edit Contact" msgstr "" -#: ../../include/Contact.php:226 ../../include/Contact.php:237 +#: ../../include/Contact.php:231 ../../include/Contact.php:242 #: ../../include/conversation.php:794 msgid "Send PM" msgstr "" From 3c61ba7f531f202c255fa7c4dbd4c4a089e90778 Mon Sep 17 00:00:00 2001 From: Thomas Willingham Date: Tue, 6 Nov 2012 15:01:46 +0000 Subject: [PATCH 10/16] Uimport - slightly modify text (better English, not better doco). --- mod/uimport.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/mod/uimport.php b/mod/uimport.php index f5f7366f59..5fe2642fc6 100644 --- a/mod/uimport.php +++ b/mod/uimport.php @@ -41,9 +41,9 @@ function uimport_content(&$a) { '$regbutt' => t('Import'), '$import' => array( 'title' => t("Move account"), - 'text' => t("You can move here an account from another Friendica server.
- You need to export your account form the old server and upload it here. We will create here your old account with all your contacts. We will try also to inform you friends that you moved here.
- This feature is experimental. We can't move here contacts from ostatus network (statusnet/identi.ca) or from diaspora"), + 'text' => t("You can import an account from another Friendica server.
+ You need to export your account from the old server and upload it here. We will recreate your old account here with all your contacts. We will try also to inform your friends that you moved here.
+ This feature is experimental. We can't import contacts from the OStatus network (statusnet/identi.ca) or from diaspora"), 'field' => array('accountfile', t('Account file'),'', t('To export your accont, go to "Settings->Export your porsonal data" and select "Export account"')), ), )); From 999c3439e6897525ff23bcbac9beb6a61f4bb421 Mon Sep 17 00:00:00 2001 From: Zach Prezkuta Date: Tue, 6 Nov 2012 08:43:19 -0700 Subject: [PATCH 11/16] fix mobile photo uploads; better theme control; frost improvements --- boot.php | 33 ++- include/conversation.php | 12 +- include/onepoll.php | 267 +++++++++--------- index.php | 46 ++- mod/wall_upload.php | 8 +- view/field_checkbox.tpl | 2 +- view/theme/frost-mobile/end.tpl | 2 +- view/theme/frost-mobile/field_checkbox.tpl | 2 +- view/theme/frost-mobile/head.tpl | 2 +- .../js/jquery.divgrow-1.3.1.f1.js | 92 ++++++ .../js/jquery.divgrow-1.3.1.f1.min.js | 30 ++ view/theme/frost-mobile/js/main.js | 38 ++- view/theme/frost-mobile/js/main.min.js | 2 +- view/theme/frost-mobile/js/theme.js | 10 +- view/theme/frost-mobile/js/theme.min.js | 2 +- view/theme/frost-mobile/login-style.css | 14 +- view/theme/frost-mobile/login_head.tpl | 2 +- view/theme/frost-mobile/style.css | 50 +++- view/theme/frost-mobile/theme.php | 20 +- view/theme/frost-mobile/wall_thread.tpl | 6 +- view/theme/frost/end.tpl | 4 +- .../theme/frost/js/jquery.divgrow-1.3.1.f1.js | 92 ++++++ .../frost/js/jquery.divgrow-1.3.1.f1.min.js | 30 ++ view/theme/frost/js/main.js | 38 ++- view/theme/frost/js/main.min.js | 2 +- view/theme/frost/js/theme.js | 4 +- view/theme/frost/js/theme.min.js | 2 +- view/theme/frost/login-style.css | 9 + view/theme/frost/login_head.tpl | 2 +- view/theme/frost/style.css | 27 +- view/theme/frost/theme.php | 15 +- view/theme/frost/wall_thread.tpl | 18 +- 32 files changed, 605 insertions(+), 278 deletions(-) create mode 100644 view/theme/frost-mobile/js/jquery.divgrow-1.3.1.f1.js create mode 100644 view/theme/frost-mobile/js/jquery.divgrow-1.3.1.f1.min.js create mode 100644 view/theme/frost/js/jquery.divgrow-1.3.1.f1.js create mode 100644 view/theme/frost/js/jquery.divgrow-1.3.1.f1.min.js diff --git a/boot.php b/boot.php index 4bdf25d410..addc0c107c 100644 --- a/boot.php +++ b/boot.php @@ -361,17 +361,26 @@ if(! class_exists('App')) { // Allow themes to control internal parameters // by changing App values in theme.php - // - // Possibly should make these part of the plugin - // system, but it seems like overkill to invoke - // all the plugin machinery just to change a couple - // of values + public $sourcename = ''; public $videowidth = 425; public $videoheight = 350; public $force_max_items = 0; public $theme_thread_allow = true; + // An array for all theme-controllable parameters + // Mostly unimplemented yet. Only options 'stylesheet' and + // beyond are used. + + public $theme = array( + 'sourcename' => '', + 'videowidth' => 425, + 'videoheight' => 350, + 'force_max_items' => 0, + 'thread_allow' => true, + 'stylesheet' => '' + ); + private $scheme; private $hostname; private $baseurl; @@ -580,6 +589,13 @@ if(! class_exists('App')) { $interval = 40000; $this->page['title'] = $this->config['sitename']; + + /* put the head template at the beginning of page['htmlhead'] + * since the code added by the modules frequently depends on it + * being first + */ + if(!isset($this->page['htmlhead'])) + $this->page['htmlhead'] = ''; $tpl = get_markup_template('head.tpl'); $this->page['htmlhead'] = replace_macros($tpl,array( '$baseurl' => $this->get_baseurl(), // FIXME for z_path!!!! @@ -590,14 +606,16 @@ if(! class_exists('App')) { '$showmore' => t('show more'), '$showfewer' => t('show fewer'), '$update_interval' => $interval - )); + )) . $this->page['htmlhead']; } function init_page_end() { + if(!isset($this->page['end'])) + $this->page['end'] = ''; $tpl = get_markup_template('end.tpl'); $this->page['end'] = replace_macros($tpl,array( '$baseurl' => $this->get_baseurl() // FIXME for z_path!!!! - )); + )) . $this->page['end']; } function set_curl_code($code) { @@ -917,6 +935,7 @@ if(! function_exists('login')) { $tpl = get_markup_template("login.tpl"); $_SESSION['return_url'] = $a->query_string; + $a->module = 'login'; } diff --git a/include/conversation.php b/include/conversation.php index 43d20a4014..1de77feb1b 100644 --- a/include/conversation.php +++ b/include/conversation.php @@ -865,11 +865,15 @@ function format_like($cnt,$arr,$type,$id) { $total = count($arr); if($total >= MAX_LIKERS) $arr = array_slice($arr, 0, MAX_LIKERS - 1); - if($total < MAX_LIKERS) - $arr[count($arr)-1] = t('and') . ' ' . $arr[count($arr)-1]; - $str = implode(', ', $arr); - if($total >= MAX_LIKERS) + if($total < MAX_LIKERS) { + $last = t('and') . ' ' . $arr[count($arr)-1]; + $arr2 = array_slice($arr, 0, -1); + $str = implode(', ', $arr2) . ' ' . $last; + } + if($total >= MAX_LIKERS) { + $str = implode(', ', $arr); $str .= sprintf( t(', and %d other people'), $total - MAX_LIKERS ); + } $str = (($type === 'like') ? sprintf( t('%s like this.'), $str) : sprintf( t('%s don\'t like this.'), $str)); $o .= "\t" . ''; } diff --git a/include/onepoll.php b/include/onepoll.php index 019455e820..a50d234e22 100644 --- a/include/onepoll.php +++ b/include/onepoll.php @@ -294,34 +294,147 @@ function onepoll_run(&$argv, &$argc){ $metas = email_msg_meta($mbox,implode(',',$msgs)); if(count($metas) != count($msgs)) { logger("onepoll: for " . $mailconf[0]['user'] . " there are ". count($msgs) . " messages but received " . count($metas) . " metas", LOGGER_DEBUG); - break; } - $msgs = array_combine($msgs, $metas); + else { + $msgs = array_combine($msgs, $metas); - foreach($msgs as $msg_uid => $meta) { - logger("Mail: Parsing mail ".$msg_uid, LOGGER_DATA); + foreach($msgs as $msg_uid => $meta) { + logger("Mail: Parsing mail ".$msg_uid, LOGGER_DATA); - $datarray = array(); -// $meta = email_msg_meta($mbox,$msg_uid); -// $headers = email_msg_headers($mbox,$msg_uid); + $datarray = array(); + // $meta = email_msg_meta($mbox,$msg_uid); + // $headers = email_msg_headers($mbox,$msg_uid); - $datarray['uri'] = msgid2iri(trim($meta->message_id,'<>')); + $datarray['uri'] = msgid2iri(trim($meta->message_id,'<>')); - // Have we seen it before? - $r = q("SELECT * FROM `item` WHERE `uid` = %d AND `uri` = '%s' LIMIT 1", - intval($importer_uid), - dbesc($datarray['uri']) - ); + // Have we seen it before? + $r = q("SELECT * FROM `item` WHERE `uid` = %d AND `uri` = '%s' LIMIT 1", + intval($importer_uid), + dbesc($datarray['uri']) + ); - if(count($r)) { - logger("Mail: Seen before ".$msg_uid." for ".$mailconf[0]['user'],LOGGER_DEBUG); - if($meta->deleted && ! $r[0]['deleted']) { - q("UPDATE `item` SET `deleted` = 1, `changed` = '%s' WHERE `id` = %d LIMIT 1", - dbesc(datetime_convert()), - intval($r[0]['id']) - ); + if(count($r)) { + logger("Mail: Seen before ".$msg_uid." for ".$mailconf[0]['user'],LOGGER_DEBUG); + if($meta->deleted && ! $r[0]['deleted']) { + q("UPDATE `item` SET `deleted` = 1, `changed` = '%s' WHERE `id` = %d LIMIT 1", + dbesc(datetime_convert()), + intval($r[0]['id']) + ); + } + /*switch ($mailconf[0]['action']) { + case 0: + logger("Mail: Seen before ".$msg_uid." for ".$mailconf[0]['user'].". Doing nothing.", LOGGER_DEBUG); + break; + case 1: + logger("Mail: Deleting ".$msg_uid." for ".$mailconf[0]['user']); + imap_delete($mbox, $msg_uid, FT_UID); + break; + case 2: + logger("Mail: Mark as seen ".$msg_uid." for ".$mailconf[0]['user']); + imap_setflag_full($mbox, $msg_uid, "\\Seen", ST_UID); + break; + case 3: + logger("Mail: Moving ".$msg_uid." to ".$mailconf[0]['movetofolder']." for ".$mailconf[0]['user']); + imap_setflag_full($mbox, $msg_uid, "\\Seen", ST_UID); + if ($mailconf[0]['movetofolder'] != "") + imap_mail_move($mbox, $msg_uid, $mailconf[0]['movetofolder'], FT_UID); + break; + }*/ + continue; } - /*switch ($mailconf[0]['action']) { + + + // look for a 'references' or an 'in-reply-to' header and try to match with a parent item we have locally. + + // $raw_refs = ((x($headers,'references')) ? str_replace("\t",'',$headers['references']) : ''); + $raw_refs = ((property_exists($meta,'references')) ? str_replace("\t",'',$meta->references) : ''); + if(! trim($raw_refs)) + $raw_refs = ((property_exists($meta,'in_reply_to')) ? str_replace("\t",'',$meta->in_reply_to) : ''); + $raw_refs = trim($raw_refs); // Don't allow a blank reference in $refs_arr + + if($raw_refs) { + $refs_arr = explode(' ', $raw_refs); + if(count($refs_arr)) { + for($x = 0; $x < count($refs_arr); $x ++) + $refs_arr[$x] = "'" . msgid2iri(str_replace(array('<','>',' '),array('','',''),dbesc($refs_arr[$x]))) . "'"; + } + $qstr = implode(',',$refs_arr); + $r = q("SELECT `uri` , `parent-uri` FROM `item` WHERE `uri` IN ( $qstr ) AND `uid` = %d LIMIT 1", + intval($importer_uid) + ); + if(count($r)) + $datarray['parent-uri'] = $r[0]['parent-uri']; // Set the parent as the top-level item + // $datarray['parent-uri'] = $r[0]['uri']; + } + + + if(! x($datarray,'parent-uri')) + $datarray['parent-uri'] = $datarray['uri']; + + // Decoding the header + $subject = imap_mime_header_decode($meta->subject); + $datarray['title'] = ""; + foreach($subject as $subpart) + if ($subpart->charset != "default") + $datarray['title'] .= iconv($subpart->charset, 'UTF-8//IGNORE', $subpart->text); + else + $datarray['title'] .= $subpart->text; + + $datarray['title'] = notags(trim($datarray['title'])); + + //$datarray['title'] = notags(trim($meta->subject)); + $datarray['created'] = datetime_convert('UTC','UTC',$meta->date); + + // Is it reply? + $reply = ((substr(strtolower($datarray['title']), 0, 3) == "re:") or + (substr(strtolower($datarray['title']), 0, 3) == "re-") or + (raw_refs != "")); + + $r = email_get_msg($mbox,$msg_uid, $reply); + if(! $r) { + logger("Mail: can't fetch msg ".$msg_uid." for ".$mailconf[0]['user']); + continue; + } + $datarray['body'] = escape_tags($r['body']); + + logger("Mail: Importing ".$msg_uid." for ".$mailconf[0]['user']); + + // some mailing lists have the original author as 'from' - add this sender info to msg body. + // todo: adding a gravatar for the original author would be cool + + if(! stristr($meta->from,$contact['addr'])) { + $from = imap_mime_header_decode($meta->from); + $fromdecoded = ""; + foreach($from as $frompart) + if ($frompart->charset != "default") + $fromdecoded .= iconv($frompart->charset, 'UTF-8//IGNORE', $frompart->text); + else + $fromdecoded .= $frompart->text; + + $datarray['body'] = "[b]".t('From: ') . escape_tags($fromdecoded) . "[/b]\n\n" . $datarray['body']; + } + + $datarray['uid'] = $importer_uid; + $datarray['contact-id'] = $contact['id']; + if($datarray['parent-uri'] === $datarray['uri']) + $datarray['private'] = 1; + if(($contact['network'] === NETWORK_MAIL) && (! get_pconfig($importer_uid,'system','allow_public_email_replies'))) { + $datarray['private'] = 1; + $datarray['allow_cid'] = '<' . $contact['id'] . '>'; + } + $datarray['author-name'] = $contact['name']; + $datarray['author-link'] = 'mailbox'; + $datarray['author-avatar'] = $contact['photo']; + + $stored_item = item_store($datarray); + q("UPDATE `item` SET `last-child` = 0 WHERE `parent-uri` = '%s' AND `uid` = %d", + dbesc($datarray['parent-uri']), + intval($importer_uid) + ); + q("UPDATE `item` SET `last-child` = 1 WHERE `id` = %d LIMIT 1", + intval($stored_item) + ); + switch ($mailconf[0]['action']) { case 0: logger("Mail: Seen before ".$msg_uid." for ".$mailconf[0]['user'].". Doing nothing.", LOGGER_DEBUG); break; @@ -339,119 +452,7 @@ function onepoll_run(&$argv, &$argc){ if ($mailconf[0]['movetofolder'] != "") imap_mail_move($mbox, $msg_uid, $mailconf[0]['movetofolder'], FT_UID); break; - }*/ - continue; - } - - - // look for a 'references' or an 'in-reply-to' header and try to match with a parent item we have locally. - -// $raw_refs = ((x($headers,'references')) ? str_replace("\t",'',$headers['references']) : ''); - $raw_refs = ((property_exists($meta,'references')) ? str_replace("\t",'',$meta->references) : ''); - if(! trim($raw_refs)) - $raw_refs = ((property_exists($meta,'in_reply_to')) ? str_replace("\t",'',$meta->in_reply_to) : ''); - $raw_refs = trim($raw_refs); // Don't allow a blank reference in $refs_arr - - if($raw_refs) { - $refs_arr = explode(' ', $raw_refs); - if(count($refs_arr)) { - for($x = 0; $x < count($refs_arr); $x ++) - $refs_arr[$x] = "'" . msgid2iri(str_replace(array('<','>',' '),array('','',''),dbesc($refs_arr[$x]))) . "'"; } - $qstr = implode(',',$refs_arr); - $r = q("SELECT `uri` , `parent-uri` FROM `item` WHERE `uri` IN ( $qstr ) AND `uid` = %d LIMIT 1", - intval($importer_uid) - ); - if(count($r)) - $datarray['parent-uri'] = $r[0]['parent-uri']; // Set the parent as the top-level item -// $datarray['parent-uri'] = $r[0]['uri']; - } - - - if(! x($datarray,'parent-uri')) - $datarray['parent-uri'] = $datarray['uri']; - - // Decoding the header - $subject = imap_mime_header_decode($meta->subject); - $datarray['title'] = ""; - foreach($subject as $subpart) - if ($subpart->charset != "default") - $datarray['title'] .= iconv($subpart->charset, 'UTF-8//IGNORE', $subpart->text); - else - $datarray['title'] .= $subpart->text; - - $datarray['title'] = notags(trim($datarray['title'])); - - //$datarray['title'] = notags(trim($meta->subject)); - $datarray['created'] = datetime_convert('UTC','UTC',$meta->date); - - // Is it reply? - $reply = ((substr(strtolower($datarray['title']), 0, 3) == "re:") or - (substr(strtolower($datarray['title']), 0, 3) == "re-") or - (raw_refs != "")); - - $r = email_get_msg($mbox,$msg_uid, $reply); - if(! $r) { - logger("Mail: can't fetch msg ".$msg_uid." for ".$mailconf[0]['user']); - continue; - } - $datarray['body'] = escape_tags($r['body']); - - logger("Mail: Importing ".$msg_uid." for ".$mailconf[0]['user']); - - // some mailing lists have the original author as 'from' - add this sender info to msg body. - // todo: adding a gravatar for the original author would be cool - - if(! stristr($meta->from,$contact['addr'])) { - $from = imap_mime_header_decode($meta->from); - $fromdecoded = ""; - foreach($from as $frompart) - if ($frompart->charset != "default") - $fromdecoded .= iconv($frompart->charset, 'UTF-8//IGNORE', $frompart->text); - else - $fromdecoded .= $frompart->text; - - $datarray['body'] = "[b]".t('From: ') . escape_tags($fromdecoded) . "[/b]\n\n" . $datarray['body']; - } - - $datarray['uid'] = $importer_uid; - $datarray['contact-id'] = $contact['id']; - if($datarray['parent-uri'] === $datarray['uri']) - $datarray['private'] = 1; - if(($contact['network'] === NETWORK_MAIL) && (! get_pconfig($importer_uid,'system','allow_public_email_replies'))) { - $datarray['private'] = 1; - $datarray['allow_cid'] = '<' . $contact['id'] . '>'; - } - $datarray['author-name'] = $contact['name']; - $datarray['author-link'] = 'mailbox'; - $datarray['author-avatar'] = $contact['photo']; - - $stored_item = item_store($datarray); - q("UPDATE `item` SET `last-child` = 0 WHERE `parent-uri` = '%s' AND `uid` = %d", - dbesc($datarray['parent-uri']), - intval($importer_uid) - ); - q("UPDATE `item` SET `last-child` = 1 WHERE `id` = %d LIMIT 1", - intval($stored_item) - ); - switch ($mailconf[0]['action']) { - case 0: - logger("Mail: Seen before ".$msg_uid." for ".$mailconf[0]['user'].". Doing nothing.", LOGGER_DEBUG); - break; - case 1: - logger("Mail: Deleting ".$msg_uid." for ".$mailconf[0]['user']); - imap_delete($mbox, $msg_uid, FT_UID); - break; - case 2: - logger("Mail: Mark as seen ".$msg_uid." for ".$mailconf[0]['user']); - imap_setflag_full($mbox, $msg_uid, "\\Seen", ST_UID); - break; - case 3: - logger("Mail: Moving ".$msg_uid." to ".$mailconf[0]['movetofolder']." for ".$mailconf[0]['user']); - imap_setflag_full($mbox, $msg_uid, "\\Seen", ST_UID); - if ($mailconf[0]['movetofolder'] != "") - imap_mail_move($mbox, $msg_uid, $mailconf[0]['movetofolder'], FT_UID); - break; } } } diff --git a/index.php b/index.php index 7d7674530a..bd5b3e396e 100644 --- a/index.php +++ b/index.php @@ -115,19 +115,9 @@ if(! x($_SESSION,'authenticated')) header('X-Account-Management-Status: none'); -/* - * Create the page head after setting the language - * and getting any auth credentials - */ - -$a->init_pagehead(); - -/** - * Build the page ending -- this is stuff that goes right before - * the closing tag - */ - -$a->init_page_end(); +/* set up page['htmlhead'] and page['end'] for the modules to use */ +$a->page['htmlhead'] = ''; +$a->page['end'] = ''; if(! x($_SESSION,'sysmsg')) @@ -300,8 +290,32 @@ if($a->module_loaded) { $a->page['content'] .= $arr['content']; } + if(function_exists(str_replace('-','_',current_theme()) . '_content_loaded')) { + $func = str_replace('-','_',current_theme()) . '_content_loaded'; + $func($a); + } + } + +/* + * Create the page head after setting the language + * and getting any auth credentials + * + * Moved init_pagehead() and init_page_end() to after + * all the module functions have executed so that all + * theme choices made by the modules can take effect + */ + +$a->init_pagehead(); + +/** + * Build the page ending -- this is stuff that goes right before + * the closing tag + */ + +$a->init_page_end(); + // If you're just visiting, let javascript take you home if(x($_SESSION,'visitor_home')) @@ -366,7 +380,11 @@ if($a->module != 'install') { * Build the page - now that we have all the components */ -$a->page['htmlhead'] = replace_macros($a->page['htmlhead'], array('$stylesheet' => current_theme_url())); +if(!$a->theme['stylesheet']) + $stylesheet = current_theme_url(); +else + $stylesheet = $a->theme['stylesheet']; +$a->page['htmlhead'] = replace_macros($a->page['htmlhead'], array('$stylesheet' => $stylesheet)); if($a->is_mobile || $a->is_tablet) { if(isset($_SESSION['show-mobile']) && !$_SESSION['show-mobile']) { diff --git a/mod/wall_upload.php b/mod/wall_upload.php index ee1bf3c14c..17de7cceb7 100644 --- a/mod/wall_upload.php +++ b/mod/wall_upload.php @@ -4,6 +4,8 @@ require_once('Photo.php'); function wall_upload_post(&$a) { + logger("wall upload: starting new upload", LOGGER_DEBUG); + if($a->argc > 1) { if(! x($_FILES,'media')) { $nick = $a->argv[1]; @@ -160,10 +162,12 @@ function wall_upload_post(&$a) { if ($_REQUEST['hush']!='yeah') { /*existing code*/ - if(local_user() && intval(get_pconfig(local_user(),'system','plaintext'))) + if(local_user() && (intval(get_pconfig(local_user(),'system','plaintext')) || x($_REQUEST['nomce'])) ) { echo "\n\n" . '[url=' . $a->get_baseurl() . '/photos/' . $page_owner_nick . '/image/' . $hash . '][img]' . $a->get_baseurl() . "/photo/{$hash}-{$smallest}.".$ph->getExt()."[/img][/url]\n\n"; - else + } + else { echo '

getExt()."\" alt=\"$basename\" />

"; + } /*existing code*/ } else { diff --git a/view/field_checkbox.tpl b/view/field_checkbox.tpl index afab292433..5e170370ab 100644 --- a/view/field_checkbox.tpl +++ b/view/field_checkbox.tpl @@ -1,5 +1,5 @@ -
+
$field.3 diff --git a/view/theme/frost-mobile/end.tpl b/view/theme/frost-mobile/end.tpl index 623b99a240..9183f7a32c 100644 --- a/view/theme/frost-mobile/end.tpl +++ b/view/theme/frost-mobile/end.tpl @@ -5,7 +5,7 @@ --> - + diff --git a/view/theme/frost-mobile/field_checkbox.tpl b/view/theme/frost-mobile/field_checkbox.tpl index 90cc2d6785..9fbf84eac9 100644 --- a/view/theme/frost-mobile/field_checkbox.tpl +++ b/view/theme/frost-mobile/field_checkbox.tpl @@ -1,5 +1,5 @@ -
+

$field.3 diff --git a/view/theme/frost-mobile/head.tpl b/view/theme/frost-mobile/head.tpl index 111f5f6173..3d534300db 100644 --- a/view/theme/frost-mobile/head.tpl +++ b/view/theme/frost-mobile/head.tpl @@ -29,5 +29,5 @@ - + diff --git a/view/theme/frost-mobile/js/jquery.divgrow-1.3.1.f1.js b/view/theme/frost-mobile/js/jquery.divgrow-1.3.1.f1.js new file mode 100644 index 0000000000..e57722d1b6 --- /dev/null +++ b/view/theme/frost-mobile/js/jquery.divgrow-1.3.1.f1.js @@ -0,0 +1,92 @@ +/* +* Copyright (c) 2010 Simon Hibbard +* +* Permission is hereby granted, free of charge, to any person +* obtaining a copy of this software and associated documentation +* files (the "Software"), to deal in the Software without +* restriction, including without limitation the rights to use, +* copy, modify, merge, publish, distribute, sublicense, and/or sell +* copies of the Software, and to permit persons to whom the +* Software is furnished to do so, subject to the following +* conditions: + +* The above copyright notice and this permission notice shall be +* included in all copies or substantial portions of the Software. +* +* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +* EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES +* OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +* NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT +* HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +* WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +* FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR +* OTHER DEALINGS IN THE SOFTWARE. +*/ + +/* +* Version: V1.3.1-f1 +* Release: 22-12-2010 +* Based on jQuery 1.4.2 +* +* 2012-10-29: Modified by Zach Prezkuta to allow dynamic full heights +*/ + +(function ($) { + var divgrowid = 0; + $.fn.divgrow = function (options) { + var options = $.extend({}, { initialHeight: 100, moreText: "+ Show More", lessText: "- Show Less", speed: 1000, showBrackets: true }, options); + + return this.each(function () { + divgrowid++; + + obj = $(this); + + //var fullHeight = obj.height() + 10; + + obj.css('height', options.initialHeight).css('overflow', 'hidden'); + if (options.showBrackets) { + obj.after('

[…]

'); + } + else { + obj.after(''); + } + $("a.divgrow-showmore").html(options.moreText); + + $("." + "divgrow-obj-" + divgrowid).toggle(function () { + //alert(obj.attr('class')); + // Set the height from the elements rel value + //var height = $(this).prevAll("div:first").attr('rel'); + + var fullHeight = $(this).prevAll("div:first")[0].scrollHeight + 10; + $(this).prevAll("div:first").animate({ height: fullHeight + "px" }, options.speed, function () { // Animation complete. + + // Hide the overlay text when expanded, change the link text + if (options.showBrackets) { + $(this).nextAll("p.divgrow-brackets:first").fadeOut(); + } + $(this).nextAll("a.divgrow-showmore:first").html(options.lessText); + + }); + + + }, function () { + + $(this).prevAll("div:first").stop(true, false).animate({ height: options.initialHeight }, options.speed, function () { // Animation complete. + + // show the overlay text while closed, change the link text + if (options.showBrackets) { + $(this).nextAll("p.divgrow-brackets:first").stop(true, false).fadeIn(); + } + $(this).nextAll("a.divgrow-showmore:first").stop(true, false).html(options.moreText); + + }); + }); + + }); + }; +})(jQuery); + + + + + diff --git a/view/theme/frost-mobile/js/jquery.divgrow-1.3.1.f1.min.js b/view/theme/frost-mobile/js/jquery.divgrow-1.3.1.f1.min.js new file mode 100644 index 0000000000..9232430574 --- /dev/null +++ b/view/theme/frost-mobile/js/jquery.divgrow-1.3.1.f1.min.js @@ -0,0 +1,30 @@ +/* +* Copyright (c) 2010 Simon Hibbard +* +* Permission is hereby granted, free of charge, to any person +* obtaining a copy of this software and associated documentation +* files (the "Software"), to deal in the Software without +* restriction, including without limitation the rights to use, +* copy, modify, merge, publish, distribute, sublicense, and/or sell +* copies of the Software, and to permit persons to whom the +* Software is furnished to do so, subject to the following +* conditions: + +* The above copyright notice and this permission notice shall be +* included in all copies or substantial portions of the Software. +* +* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +* EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES +* OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +* NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT +* HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +* WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +* FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR +* OTHER DEALINGS IN THE SOFTWARE. +*//* +* Version: V1.3.1-f1 +* Release: 22-12-2010 +* Based on jQuery 1.4.2 +* +* 2012-10-29: Modified by Zach Prezkuta to allow dynamic full heights +*/(function(e){var t=0;e.fn.divgrow=function(n){var n=e.extend({},{initialHeight:100,moreText:"+ Show More",lessText:"- Show Less",speed:1e3,showBrackets:!0},n);return this.each(function(){t++,obj=e(this),obj.css("height",n.initialHeight).css("overflow","hidden"),n.showBrackets?obj.after('

[…]

"):obj.after('"),e("a.divgrow-showmore").html(n.moreText),e(".divgrow-obj-"+t).toggle(function(){var t=e(this).prevAll("div:first")[0].scrollHeight+10;e(this).prevAll("div:first").animate({height:t+"px"},n.speed,function(){n.showBrackets&&e(this).nextAll("p.divgrow-brackets:first").fadeOut(),e(this).nextAll("a.divgrow-showmore:first").html(n.lessText)})},function(){e(this).prevAll("div:first").stop(!0,!1).animate({height:n.initialHeight},n.speed,function(){n.showBrackets&&e(this).nextAll("p.divgrow-brackets:first").stop(!0,!1).fadeIn(),e(this).nextAll("a.divgrow-showmore:first").stop(!0,!1).html(n.moreText)})})})}})(jQuery); \ No newline at end of file diff --git a/view/theme/frost-mobile/js/main.js b/view/theme/frost-mobile/js/main.js index b751b8398f..a56c313125 100644 --- a/view/theme/frost-mobile/js/main.js +++ b/view/theme/frost-mobile/js/main.js @@ -38,6 +38,8 @@ msie = $j.browser.msie ; + collapseHeight(); + /* setup tooltips *//* $j("a,.tt").each(function(){ var e = $j(this); @@ -333,20 +335,7 @@ }); - var bimgs = $j(".wall-item-body > img").not(function() { return this.complete; }); - var bimgcount = bimgs.length; - - if (bimgcount) { - bimgs.load(function() { - bimgcount--; - if (! bimgcount) { - collapseHeight(); - - } - }); - } else { - collapseHeight(); - } + collapseHeight(); // reset vars for inserting individual items @@ -385,14 +374,18 @@ }); } - function collapseHeight() { - $j(".wall-item-body").each(function() { - if($j(this).height() > 310) { - if(! $j(this).hasClass('divmore')) { - $j(this).divgrow({ initialHeight: 300, showBrackets: false, speed: 0 }); - $j(this).addClass('divmore'); - } - } + function collapseHeight(elems) { + var elemName = '.wall-item-body:not(.divmore)'; + if(typeof elems != 'undefined') { + elemName = elems + ' ' + elemName; + } + $j(elemName).each(function() { + if($j(this).height() > 350) { + $j('html').height($j('html').height()); + $j(this).divgrow({ initialHeight: 300, showBrackets: false, speed: 0 }); + $j(this).addClass('divmore'); + $j('html').height('auto'); + } }); } @@ -542,6 +535,7 @@ else { $j("#collapsed-comments-" + id).show(); $j("#hide-comments-" + id).html(window.showFewer); + collapseHeight("#collapsed-comments-" + id); } } diff --git a/view/theme/frost-mobile/js/main.min.js b/view/theme/frost-mobile/js/main.min.js index 64d52ee006..eb91cd947f 100644 --- a/view/theme/frost-mobile/js/main.min.js +++ b/view/theme/frost-mobile/js/main.min.js @@ -1 +1 @@ -function openClose(e){document.getElementById(e).style.display=="block"?document.getElementById(e).style.display="none":document.getElementById(e).style.display="block"}function openMenu(e){document.getElementById(e).style.display="block"}function closeMenu(e){document.getElementById(e).style.display="none"}function NavUpdate(){if(!stopped){var e="ping"+(localUser!=0?"?f=&uid="+localUser:"");$j.get(e,function(e){$j(e).find("result").each(function(){$j("nav").trigger("nav-update",this),$j("#live-network").length&&(src="network",liveUpdate()),$j("#live-profile").length&&(src="profile",liveUpdate()),$j("#live-community").length&&(src="community",liveUpdate()),$j("#live-notes").length&&(src="notes",liveUpdate()),$j("#live-display").length&&(src="display",liveUpdate()),$j("#live-photos").length&&liking&&(liking=0,window.location.href=window.location.href)})})}timer=setTimeout(NavUpdate,updateInterval)}function liveUpdate(){if(src==null||stopped||!profile_uid){$j(".like-rotator").hide();return}if($j(".comment-edit-text-full").length||in_progress){livetime&&clearTimeout(livetime),livetime=setTimeout(liveUpdate,1e4);return}livetime!=null&&(livetime=null),prev="live-"+src,in_progress=!0;var e=netargs.length?"/"+netargs:"",t="update_"+src+e+"&p="+profile_uid+"&page="+profile_page+"&msie="+(msie?1:0);$j.get(t,function(e){in_progress=!1,$j(".toplevel_item",e).each(function(){var e=$j(this).attr("id");if($j("#"+e).length==0&&profile_page==1)$j("img",this).each(function(){$j(this).attr("src",$j(this).attr("dst"))}),$j("#"+prev).after($j(this));else{var t=$j(".hide-comments-total",this).attr("id");if(typeof t!="undefined"){t=t.split("-")[3];var n=$j("#collapsed-comments-"+t).is(":visible")}$j("img",this).each(function(){$j(this).attr("src",$j(this).attr("dst"))}),$j("html").height($j("html").height()),$j("#"+e).replaceWith($j(this)),typeof t!="undefined"&&n&&showHideComments(t),$j("html").height("auto")}prev=e});var t=$j(".wall-item-body > img").not(function(){return this.complete}),n=t.length;n?t.load(function(){n--,n||collapseHeight()}):collapseHeight(),$j(".like-rotator").hide(),commentBusy&&(commentBusy=!1,$j("body").css("cursor","auto")),$j(".comment-edit-form textarea").contact_autocomplete(baseurl+"/acl")})}function collapseHeight(){$j(".wall-item-body").each(function(){$j(this).height()>310&&($j(this).hasClass("divmore")||($j(this).divgrow({initialHeight:300,showBrackets:!1,speed:0}),$j(this).addClass("divmore")))})}function imgbright(e){$j(e).removeClass("drophide").addClass("drop")}function imgdull(e){$j(e).removeClass("drop").addClass("drophide")}function dolike(e,t){unpause(),$j("#like-rotator-"+e.toString()).show(),$j.get("like/"+e.toString()+"?verb="+t,NavUpdate),liking=1}function dostar(e){e=e.toString(),$j.get("starred/"+e,function(t){t.match(/1/)?($j("#starred-"+e).addClass("starred"),$j("#starred-"+e).removeClass("unstarred"),$j("#star-"+e).addClass("hidden"),$j("#unstar-"+e).removeClass("hidden")):($j("#starred-"+e).addClass("unstarred"),$j("#starred-"+e).removeClass("starred"),$j("#star-"+e).removeClass("hidden"),$j("#unstar-"+e).addClass("hidden"))})}function getPosition(e){var t={x:0,y:0};if(e.touches[0].pageX||e.touches[0].pageY)t.x=e.touches[0].pageX,t.y=e.touches[0].pageY;else if(e.touches[0].clientX||e.touches[0].clientY)t.x=e.touches[0].clientX+(document.documentElement.scrollLeft||document.body.scrollLeft)-document.documentElement.clientLeft,t.y=e.touches[0].clientY+(document.documentElement.scrollTop||document.body.scrollTop)-document.documentElement.clientTop;else if(e.touches[0].x||e.touches[0].y)t.touches[0].x=e.touches[0].x,t.touches[0].y=e.touches[0].y;return t}function lockview(e,t){e=e||window.event,cursor=getPosition(e),lockvisible?lockviewhide():(lockvisible=!0,$j.get("lockview/"+t,function(e){$j("#panel").html(e),$j("#panel").css({left:cursor.x+5,top:cursor.y+5}),$j("#panel").show()}))}function lockviewhide(){lockvisible=!1,$j("#panel").hide()}function post_comment(e){return unpause(),commentBusy=!0,$j("body").css("cursor","wait"),$j("#comment-preview-inp-"+e).val("0"),$j.post("item",$j("#comment-edit-form-"+e).serialize(),function(t){if(t.success){$j("#comment-edit-wrapper-"+e).hide(),$j("#comment-edit-text-"+e).val("");var n=document.getElementById("comment-edit-text-"+e);n&&commentClose(n,e),timer&&clearTimeout(timer),timer=setTimeout(NavUpdate,10)}t.reload&&(window.location.href=t.reload)},"json"),!1}function preview_comment(e){return $j("#comment-preview-inp-"+e).val("1"),$j("#comment-edit-preview-"+e).show(),$j.post("item",$j("#comment-edit-form-"+e).serialize(),function(t){t.preview&&($j("#comment-edit-preview-"+e).html(t.preview),$j("#comment-edit-preview-"+e+" a").click(function(){return!1}))},"json"),!0}function showHideComments(e){$j("#collapsed-comments-"+e).is(":visible")?($j("#collapsed-comments-"+e).hide(),$j("#hide-comments-"+e).html(window.showMore)):($j("#collapsed-comments-"+e).show(),$j("#hide-comments-"+e).html(window.showFewer))}function preview_post(){return $j("#jot-preview").val("1"),$j("#jot-preview-content").show(),tinyMCE.triggerSave(),$j.post("item",$j("#profile-jot-form").serialize(),function(e){e.preview&&($j("#jot-preview-content").html(e.preview),$j("#jot-preview-content a").click(function(){return!1}))},"json"),$j("#jot-preview").val("0"),!0}function unpause(){totStopped=!1,stopped=!1,$j("#pause").html("")}function bin2hex(e){var t,n,r=0,i=[];e+="",r=e.length;for(n=0;n'+e.desc+'
'+e.version+'
'+e.credits+"
")})}var src=null,prev=null,livetime=null,msie=!1,stopped=!1,totStopped=!1,timer=null,pr=0,liking=0,in_progress=!1,langSelect=!1,commentBusy=!1,last_popup_menu=null,last_popup_button=null;$j(function(){function e(e){last_popup_menu&&"#"+last_popup_menu.attr("id")!==$j(e.target).attr("rel")&&(last_popup_menu.hide(),last_popup_menu.attr("id")=="nav-notifications-menu"&&$j(".main-container").show(),last_popup_button.removeClass("selected"),last_popup_menu=null,last_popup_button=null)}$j.ajaxSetup({cache:!1}),msie=$j.browser.msie,$j(".onoff input").each(function(){val=$j(this).val(),id=$j(this).attr("id"),$j("#"+id+"_onoff ."+(val==0?"on":"off")).addClass("hidden")}),$j(".onoff > a").click(function(e){e.preventDefault();var t=$j(this).siblings("input"),n=1-t.val(),r=t.attr("id");$j("#"+r+"_onoff ."+(n==0?"on":"off")).addClass("hidden"),$j("#"+r+"_onoff ."+(n==1?"on":"off")).removeClass("hidden"),t.val(n)}),$j("img[rel^=#]").click(function(t){return e(t),menu=$j($j(this).attr("rel")),t.preventDefault(),t.stopPropagation(),menu.attr("popup")=="false"?!1:(menu.css("display")=="none"?($j(this).parent().addClass("selected"),menu.show(),menu.attr("id")=="nav-notifications-menu"&&$j(".main-container").hide(),last_popup_menu=menu,last_popup_button=$j(this).parent()):($j(this).parent().removeClass("selected"),menu.hide(),menu.attr("id")=="nav-notifications-menu"&&$j(".main-container").show(),last_popup_menu=null,last_popup_button=null),!1)}),$j("html").click(function(t){e(t)});var t=unescape($j("#nav-notifications-template[rel=template]").html()),n=unescape($j("
").append($j("#nav-notifications-see-all").clone()).html()),r=unescape($j("
").append($j("#nav-notifications-mark-all").clone()).html()),i=unescape($j("#nav-notifications-menu").html());$j("nav").bind("nav-update",function(e,s){var o=$j(s).find("invalid").text();o==1&&(window.location.href=window.location.href);var u=$j(s).find("net").text();u==0?(u="",$j("#net-update").removeClass("show")):$j("#net-update").addClass("show"),$j("#net-update").html(u);var a=$j(s).find("home").text();a==0?(a="",$j("#home-update").removeClass("show")):$j("#home-update").addClass("show"),$j("#home-update").html(a);var f=$j(s).find("intro").text();f==0?(f="",$j("#intro-update").removeClass("show")):$j("#intro-update").addClass("show"),$j("#intro-update").html(f);var l=$j(s).find("mail").text();l==0?(l="",$j("#mail-update").removeClass("show")):$j("#mail-update").addClass("show"),$j("#mail-update").html(l);var f=$j(s).find("intro").text();f==0?(f="",$j("#intro-update-li").removeClass("show")):$j("#intro-update-li").addClass("show"),$j("#intro-update-li").html(f);var l=$j(s).find("mail").text();l==0?(l="",$j("#mail-update-li").removeClass("show")):$j("#mail-update-li").addClass("show"),$j("#mail-update-li").html(l);var c=$j(s).find("notif");c.children("note").length==0?$j("#nav-notifications-menu").html(i):(nnm=$j("#nav-notifications-menu"),nnm.html(n+r),c.children("note").each(function(){e=$j(this),text=e.text().format(""+e.attr("name")+""),html=t.format(e.attr("href"),e.attr("photo"),text,e.attr("date"),e.attr("seen")),nnm.append(html)})),notif=c.attr("count"),notif>0?$j("#nav-notifications-linkmenu").addClass("on"):$j("#nav-notifications-linkmenu").removeClass("on"),notif==0?(notif="",$j("#notify-update").removeClass("show")):$j("#notify-update").addClass("show"),$j("#notify-update").html(notif);var h=$j(s).find("sysmsgs");h.children("notice").each(function(){text=$j(this).text(),$j.jGrowl(text,{sticky:!1,theme:"notice",life:1e3})}),h.children("info").each(function(){text=$j(this).text(),$j.jGrowl(text,{sticky:!1,theme:"info",life:1e3})})}),NavUpdate()});var lockvisible=!1;String.prototype.format=function(){var e=this;for(var t=0;t350&&($j("html").height($j("html").height()),$j(this).divgrow({initialHeight:300,showBrackets:!1,speed:0}),$j(this).addClass("divmore"),$j("html").height("auto"))})}function imgbright(e){$j(e).removeClass("drophide").addClass("drop")}function imgdull(e){$j(e).removeClass("drop").addClass("drophide")}function dolike(e,t){unpause(),$j("#like-rotator-"+e.toString()).show(),$j.get("like/"+e.toString()+"?verb="+t,NavUpdate),liking=1}function dostar(e){e=e.toString(),$j.get("starred/"+e,function(t){t.match(/1/)?($j("#starred-"+e).addClass("starred"),$j("#starred-"+e).removeClass("unstarred"),$j("#star-"+e).addClass("hidden"),$j("#unstar-"+e).removeClass("hidden")):($j("#starred-"+e).addClass("unstarred"),$j("#starred-"+e).removeClass("starred"),$j("#star-"+e).removeClass("hidden"),$j("#unstar-"+e).addClass("hidden"))})}function getPosition(e){var t={x:0,y:0};if(e.touches[0].pageX||e.touches[0].pageY)t.x=e.touches[0].pageX,t.y=e.touches[0].pageY;else if(e.touches[0].clientX||e.touches[0].clientY)t.x=e.touches[0].clientX+(document.documentElement.scrollLeft||document.body.scrollLeft)-document.documentElement.clientLeft,t.y=e.touches[0].clientY+(document.documentElement.scrollTop||document.body.scrollTop)-document.documentElement.clientTop;else if(e.touches[0].x||e.touches[0].y)t.touches[0].x=e.touches[0].x,t.touches[0].y=e.touches[0].y;return t}function lockview(e,t){e=e||window.event,cursor=getPosition(e),lockvisible?lockviewhide():(lockvisible=!0,$j.get("lockview/"+t,function(e){$j("#panel").html(e),$j("#panel").css({left:cursor.x+5,top:cursor.y+5}),$j("#panel").show()}))}function lockviewhide(){lockvisible=!1,$j("#panel").hide()}function post_comment(e){return unpause(),commentBusy=!0,$j("body").css("cursor","wait"),$j("#comment-preview-inp-"+e).val("0"),$j.post("item",$j("#comment-edit-form-"+e).serialize(),function(t){if(t.success){$j("#comment-edit-wrapper-"+e).hide(),$j("#comment-edit-text-"+e).val("");var n=document.getElementById("comment-edit-text-"+e);n&&commentClose(n,e),timer&&clearTimeout(timer),timer=setTimeout(NavUpdate,10)}t.reload&&(window.location.href=t.reload)},"json"),!1}function preview_comment(e){return $j("#comment-preview-inp-"+e).val("1"),$j("#comment-edit-preview-"+e).show(),$j.post("item",$j("#comment-edit-form-"+e).serialize(),function(t){t.preview&&($j("#comment-edit-preview-"+e).html(t.preview),$j("#comment-edit-preview-"+e+" a").click(function(){return!1}))},"json"),!0}function showHideComments(e){$j("#collapsed-comments-"+e).is(":visible")?($j("#collapsed-comments-"+e).hide(),$j("#hide-comments-"+e).html(window.showMore)):($j("#collapsed-comments-"+e).show(),$j("#hide-comments-"+e).html(window.showFewer),collapseHeight("#collapsed-comments-"+e))}function preview_post(){return $j("#jot-preview").val("1"),$j("#jot-preview-content").show(),tinyMCE.triggerSave(),$j.post("item",$j("#profile-jot-form").serialize(),function(e){e.preview&&($j("#jot-preview-content").html(e.preview),$j("#jot-preview-content a").click(function(){return!1}))},"json"),$j("#jot-preview").val("0"),!0}function unpause(){totStopped=!1,stopped=!1,$j("#pause").html("")}function bin2hex(e){var t,n,r=0,i=[];e+="",r=e.length;for(n=0;n'+e.desc+'
'+e.version+'
'+e.credits+"
")})}var src=null,prev=null,livetime=null,msie=!1,stopped=!1,totStopped=!1,timer=null,pr=0,liking=0,in_progress=!1,langSelect=!1,commentBusy=!1,last_popup_menu=null,last_popup_button=null;$j(function(){function e(e){last_popup_menu&&"#"+last_popup_menu.attr("id")!==$j(e.target).attr("rel")&&(last_popup_menu.hide(),last_popup_menu.attr("id")=="nav-notifications-menu"&&$j(".main-container").show(),last_popup_button.removeClass("selected"),last_popup_menu=null,last_popup_button=null)}$j.ajaxSetup({cache:!1}),msie=$j.browser.msie,collapseHeight(),$j(".onoff input").each(function(){val=$j(this).val(),id=$j(this).attr("id"),$j("#"+id+"_onoff ."+(val==0?"on":"off")).addClass("hidden")}),$j(".onoff > a").click(function(e){e.preventDefault();var t=$j(this).siblings("input"),n=1-t.val(),r=t.attr("id");$j("#"+r+"_onoff ."+(n==0?"on":"off")).addClass("hidden"),$j("#"+r+"_onoff ."+(n==1?"on":"off")).removeClass("hidden"),t.val(n)}),$j("img[rel^=#]").click(function(t){return e(t),menu=$j($j(this).attr("rel")),t.preventDefault(),t.stopPropagation(),menu.attr("popup")=="false"?!1:(menu.css("display")=="none"?($j(this).parent().addClass("selected"),menu.show(),menu.attr("id")=="nav-notifications-menu"&&$j(".main-container").hide(),last_popup_menu=menu,last_popup_button=$j(this).parent()):($j(this).parent().removeClass("selected"),menu.hide(),menu.attr("id")=="nav-notifications-menu"&&$j(".main-container").show(),last_popup_menu=null,last_popup_button=null),!1)}),$j("html").click(function(t){e(t)});var t=unescape($j("#nav-notifications-template[rel=template]").html()),n=unescape($j("
").append($j("#nav-notifications-see-all").clone()).html()),r=unescape($j("
").append($j("#nav-notifications-mark-all").clone()).html()),i=unescape($j("#nav-notifications-menu").html());$j("nav").bind("nav-update",function(e,s){var o=$j(s).find("invalid").text();o==1&&(window.location.href=window.location.href);var u=$j(s).find("net").text();u==0?(u="",$j("#net-update").removeClass("show")):$j("#net-update").addClass("show"),$j("#net-update").html(u);var a=$j(s).find("home").text();a==0?(a="",$j("#home-update").removeClass("show")):$j("#home-update").addClass("show"),$j("#home-update").html(a);var f=$j(s).find("intro").text();f==0?(f="",$j("#intro-update").removeClass("show")):$j("#intro-update").addClass("show"),$j("#intro-update").html(f);var l=$j(s).find("mail").text();l==0?(l="",$j("#mail-update").removeClass("show")):$j("#mail-update").addClass("show"),$j("#mail-update").html(l);var f=$j(s).find("intro").text();f==0?(f="",$j("#intro-update-li").removeClass("show")):$j("#intro-update-li").addClass("show"),$j("#intro-update-li").html(f);var l=$j(s).find("mail").text();l==0?(l="",$j("#mail-update-li").removeClass("show")):$j("#mail-update-li").addClass("show"),$j("#mail-update-li").html(l);var c=$j(s).find("notif");c.children("note").length==0?$j("#nav-notifications-menu").html(i):(nnm=$j("#nav-notifications-menu"),nnm.html(n+r),c.children("note").each(function(){e=$j(this),text=e.text().format(""+e.attr("name")+""),html=t.format(e.attr("href"),e.attr("photo"),text,e.attr("date"),e.attr("seen")),nnm.append(html)})),notif=c.attr("count"),notif>0?$j("#nav-notifications-linkmenu").addClass("on"):$j("#nav-notifications-linkmenu").removeClass("on"),notif==0?(notif="",$j("#notify-update").removeClass("show")):$j("#notify-update").addClass("show"),$j("#notify-update").html(notif);var h=$j(s).find("sysmsgs");h.children("notice").each(function(){text=$j(this).text(),$j.jGrowl(text,{sticky:!1,theme:"notice",life:1e3})}),h.children("info").each(function(){text=$j(this).text(),$j.jGrowl(text,{sticky:!1,theme:"info",life:1e3})})}),NavUpdate()});var lockvisible=!1;String.prototype.format=function(){var e=this;for(var t=0;t"),r=r.replace("&","&"),r=r.replace(""",'"'),$j("#comment-edit-text-"+t).val(n+r)}function qCommentInsert(e,t){var n=$j("#comment-edit-text-"+t).val();n==window.commentEmptyText&&(n="",$j("#comment-edit-text-"+t).addClass("comment-edit-text-full"),$j("#comment-edit-text-"+t).removeClass("comment-edit-text-empty"),openMenu("comment-edit-submit-wrapper-"+t));var r=$j(e).val();r=r.replace("<","<"),r=r.replace(">",">"),r=r.replace("&","&"),r=r.replace(""",'"'),$j("#comment-edit-text-"+t).val(n+r),$j(e).val("")}function jotVideoURL(){reply=prompt(window.vidURL),reply&&reply.length&&addeditortext("[video]"+reply+"[/video]")}function jotAudioURL(){reply=prompt(window.audURL),reply&&reply.length&&addeditortext("[audio]"+reply+"[/audio]")}function jotGetLocation(){reply=prompt(window.whereAreU,$j("#jot-location").val()),reply&&reply.length&&$j("#jot-location").val(reply)}function jotShare(e){$j("#jot-popup").length!=0&&$j("#jot-popup").show(),$j("#like-rotator-"+e).show(),$j.get("share/"+e,function(t){editor||$j("#profile-jot-text").val(""),initEditor(function(){addeditortext(t),$j("#like-rotator-"+e).hide(),$j(window).scrollTop(0)})})}function linkdropper(e){var t=e.dataTransfer.types.contains("text/uri-list");t&&e.preventDefault()}function showEvent(e){}function itemTag(e){reply=prompt(window.term),reply&&reply.length&&(reply=reply.replace("#",""),reply.length&&(commentBusy=!0,$j("body").css("cursor","wait"),$j.get("tagger/"+e+"?term="+reply,NavUpdate),liking=1))}function itemFiler(e){$j.get("filer/",function(t){var n=$j("#id_term_label",t).text();reply=prompt(n),reply&&reply.length&&(commentBusy=!0,$j("body").css("cursor","wait"),$j.get("filer/"+e+"?term="+reply,NavUpdate),liking=1)})}function jotClearLocation(){$j("#jot-coord").val(""),$j("#profile-nolocation-wrapper").hide()}function addeditortext(e){if(plaintext=="none"){var t=$j("#profile-jot-text").val();$j("#profile-jot-text").val(t+e)}}$j(document).ready(function(){$j("#profile-jot-text").focus(enableOnUser),$j("#profile-jot-text").click(enableOnUser);if(typeof window.AjaxUpload!="undefined")switch(window.ajaxType){case"jot-header":var e=new window.AjaxUpload("wall-image-upload",{action:"wall_upload/"+window.nickname,name:"userfile",onSubmit:function(e,t){$j("#profile-rotator").show()},onComplete:function(e,t){addeditortext(t),$j("#profile-rotator").hide()}}),t=new window.AjaxUpload("wall-file-upload",{action:"wall_attach/"+window.nickname,name:"userfile",onSubmit:function(e,t){$j("#profile-rotator").show()},onComplete:function(e,t){addeditortext(t),$j("#profile-rotator").hide()}});break;case"msg-header":var e=new window.AjaxUpload("prvmail-upload",{action:"wall_upload/"+window.nickname,name:"userfile",onSubmit:function(e,t){$j("#profile-rotator").show()},onComplete:function(e,t){tinyMCE.execCommand("mceInsertRawHTML",!1,t),$j("#profile-rotator").hide()}});break;default:}typeof window.aclInit!="undefined"&&typeof acl=="undefined"&&(acl=new ACL(baseurl+"/acl",[window.allowCID,window.allowGID,window.denyCID,window.denyGID])),window.autoCompleteType=="display-head"&&$j(".comment-wwedit-wrapper textarea").contact_autocomplete(baseurl+"/acl");if(window.aclType=="event_head"){$j("#events-calendar").fullCalendar({events:baseurl+"/events/json/",header:{left:"prev,next today",center:"title",right:"month,agendaWeek,agendaDay"},timeFormat:"H(:mm)",eventClick:function(e,t,n){showEvent(e.id)},eventRender:function(e,t,n){if(e.item["author-name"]==null)return;switch(n.name){case"month":t.find(".fc-event-title").html("{1} : {2}".format(e.item["author-avatar"],e.item["author-name"],e.title));break;case"agendaWeek":t.find(".fc-event-title").html("{1}

{2}

{3}

".format(e.item["author-avatar"],e.item["author-name"],e.item.desc,e.item.location));break;case"agendaDay":t.find(".fc-event-title").html("{1}

{2}

{3}

".format(e.item["author-avatar"],e.item["author-name"],e.item.desc,e.item.location))}}});var n=location.href.replace(baseurl,"").split("/");n.length>=4&&$j("#events-calendar").fullCalendar("gotoDate",n[2],n[3]-1);var r=location.hash.split("-");r.length==2&&r[0]=="#link"&&showEvent(r[1])}(window.aclType=="settings-head"||window.aclType=="photos_head"||window.aclType=="event_head")&&$j("#contact_allow, #contact_deny, #group_allow, #group_deny").change(function(){var e;$j("#contact_allow option:selected, #contact_deny option:selected, #group_allow option:selected, #group_deny option:selected").each(function(){e=$j(this).text(),$j("#jot-perms-icon").removeClass("unlock").addClass("lock"),$j("#jot-public").hide()}),e==null&&($j("#jot-perms-icon").removeClass("lock").addClass("unlock"),$j("#jot-public").show())}).trigger("change");switch(window.autocompleteType){case"msg-header":var i=$j("#recip").autocomplete({serviceUrl:baseurl+"/acl",minChars:2,width:350,onSelect:function(e,t){$j("#recip-complete").val(t)}});break;case"contacts-head":var i=$j("#contacts-search").autocomplete({serviceUrl:baseurl+"/acl",minChars:2,width:350});i.setOptions({params:{type:"a"}});break;default:}$j("#event-share-checkbox").change(function(){$j("#event-share-checkbox").is(":checked")?$j("#acl-wrapper").show():$j("#acl-wrapper").hide()}).trigger("change"),$j(".popupbox").click(function(){var e=$j($j(this).attr("href")).parent();return e.css("display")=="none"?e.show():e.hide(),!1})}),$j(function(){$j("nav").bind("nav-update",function(e,t){var n=$j("#pending-update"),r=$j(t).find("register").text();r=="0"?(r="",n.hide()):n.show(),n.html(r)})});var editor=!1,textlen=0,plaintext="none",ispublic=window.isPublic;switch(window.ajaxType){case"jot-header":function jotGetLink(){reply=prompt(window.linkURL),reply&&reply.length&&(reply=bin2hex(reply),$j("#profile-rotator").show(),$j.get("parse_url?binurl="+reply,function(e){addeditortext(e),$j("#profile-rotator").hide()}))}function linkdrop(e){var t=e.dataTransfer.getData("text/uri-list");e.target.textContent=t,e.preventDefault(),t&&t.length&&(t=bin2hex(t),$j("#profile-rotator").show(),$j.get("parse_url?binurl="+t,function(e){editor||$j("#profile-jot-text").val(""),initEditor(function(){addeditortext(e),$j("#profile-rotator").hide()})}))}break;case"msg-header":case"wallmsg-header":function jotGetLink(){reply=prompt(window.linkURL),reply&&reply.length&&($j("#profile-rotator").show(),$j.get("parse_url?url="+reply,function(e){tinyMCE.execCommand("mceInsertRawHTML",!1,e),$j("#profile-rotator").hide()}))}function linkdrop(e){var t=e.dataTransfer.getData("text/uri-list");e.target.textContent=t,e.preventDefault(),t&&t.length&&($j("#profile-rotator").show(),$j.get("parse_url?url="+t,function(e){tinyMCE.execCommand("mceInsertRawHTML",!1,e),$j("#profile-rotator").hide()}))}break;default:}typeof window.geoTag=="function"&&window.geoTag(); \ No newline at end of file +function insertFormatting(e,t,n){var r=$j("#comment-edit-text-"+n).val();r==e&&(r="",$j("#comment-edit-text-"+n).addClass("comment-edit-text-full"),$j("#comment-edit-text-"+n).removeClass("comment-edit-text-empty"),openMenu("comment-edit-submit-wrapper-"+n),$j("#comment-edit-text-"+n).val(r)),textarea=document.getElementById("comment-edit-text-"+n);if(document.selection)textarea.focus(),selected=document.selection.createRange(),t=="url"?selected.text="["+t+"=http://]"+selected.text+"[/"+t+"]":selected.text="["+t+"]"+selected.text+"[/"+t+"]";else if(textarea.selectionStart||textarea.selectionStart=="0"){var i=textarea.selectionStart,s=textarea.selectionEnd;t=="url"?textarea.value=textarea.value.substring(0,i)+"["+t+"=http://]"+textarea.value.substring(i,s)+"[/"+t+"]"+textarea.value.substring(s,textarea.value.length):textarea.value=textarea.value.substring(0,i)+"["+t+"]"+textarea.value.substring(i,s)+"[/"+t+"]"+textarea.value.substring(s,textarea.value.length)}return!0}function cmtBbOpen(e){$j(".comment-edit-bb-"+e).show()}function cmtBbClose(e){$j(".comment-edit-bb-"+e).hide()}function initEditor(e){if(editor==0){if(plaintext=="none"){$j("#profile-jot-text").css({height:200,color:"#000"}),$j("#profile-jot-text").contact_autocomplete(baseurl+"/acl"),editor=!0,$j("a#jot-perms-icon, a#settings-default-perms-menu").click(function(){var e=$j("#profile-jot-acl-wrapper").parent();return e.css("display")=="none"?e.show():e.hide(),!1}),$j(".jothidden").show(),typeof e!="undefined"&&e();return}}else typeof e!="undefined"&&e()}function enableOnUser(){if(editor)return;$j(this).val(""),initEditor()}function wallInitEditor(){var e=window.editSelect;e!="none"?tinyMCE.init({theme:"advanced",mode:"specific_textareas",editor_selector:/(profile-jot-text|prvmail-text)/,plugins:"bbcode,paste",theme_advanced_buttons1:"bold,italic,underline,undo,redo,link,unlink,image,forecolor",theme_advanced_buttons2:"",theme_advanced_buttons3:"",theme_advanced_toolbar_location:"top",theme_advanced_toolbar_align:"center",theme_advanced_blockformats:"blockquote,code",gecko_spellcheck:!0,paste_text_sticky:!0,entity_encoding:"raw",add_unload_trigger:!1,remove_linebreaks:!1,force_p_newlines:!1,force_br_newlines:!0,forced_root_block:"",convert_urls:!1,content_css:baseurl+"/view/custom_tinymce.css",theme_advanced_path:!1,setup:function(e){e.onInit.add(function(e){e.pasteAsPlainText=!0;var t=e.editorId,n=$j("#"+t);typeof n.attr("tabindex")!="undefined"&&($j("#"+t+"_ifr").attr("tabindex",n.attr("tabindex")),n.attr("tabindex",null))})}}):$j("#prvmail-text").contact_autocomplete(baseurl+"/acl")}function initCrop(){function e(e,t){$("x1").value=e.x1,$("y1").value=e.y1,$("x2").value=e.x2,$("y2").value=e.y2,$("width").value=t.width,$("height").value=t.height}Event.observe(window,"load",function(){new Cropper.ImgWithPreview("croppa",{previewWrap:"previewWrap",minWidth:175,minHeight:175,maxWidth:640,maxHeight:640,ratioDim:{x:100,y:100},displayOnInit:!0,onEndCrop:e})})}function confirmDelete(){return confirm(window.delItem)}function commentOpen(e,t){e.value==window.commentEmptyText&&(e.value="",$j("#comment-edit-text-"+t).addClass("comment-edit-text-full"),$j("#comment-edit-text-"+t).removeClass("comment-edit-text-empty"),$j("#mod-cmnt-wrap-"+t).show(),openMenu("comment-edit-submit-wrapper-"+t))}function commentClose(e,t){e.value==""&&(e.value=window.commentEmptyText,$j("#comment-edit-text-"+t).removeClass("comment-edit-text-full"),$j("#comment-edit-text-"+t).addClass("comment-edit-text-empty"),$j("#mod-cmnt-wrap-"+t).hide(),closeMenu("comment-edit-submit-wrapper-"+t))}function commentInsert(e,t){var n=$j("#comment-edit-text-"+t).val();n==window.commentEmptyText&&(n="",$j("#comment-edit-text-"+t).addClass("comment-edit-text-full"),$j("#comment-edit-text-"+t).removeClass("comment-edit-text-empty"),openMenu("comment-edit-submit-wrapper-"+t));var r=$j(e).html();r=r.replace("<","<"),r=r.replace(">",">"),r=r.replace("&","&"),r=r.replace(""",'"'),$j("#comment-edit-text-"+t).val(n+r)}function qCommentInsert(e,t){var n=$j("#comment-edit-text-"+t).val();n==window.commentEmptyText&&(n="",$j("#comment-edit-text-"+t).addClass("comment-edit-text-full"),$j("#comment-edit-text-"+t).removeClass("comment-edit-text-empty"),openMenu("comment-edit-submit-wrapper-"+t));var r=$j(e).val();r=r.replace("<","<"),r=r.replace(">",">"),r=r.replace("&","&"),r=r.replace(""",'"'),$j("#comment-edit-text-"+t).val(n+r),$j(e).val("")}function jotVideoURL(){reply=prompt(window.vidURL),reply&&reply.length&&addeditortext("[video]"+reply+"[/video]")}function jotAudioURL(){reply=prompt(window.audURL),reply&&reply.length&&addeditortext("[audio]"+reply+"[/audio]")}function jotGetLocation(){reply=prompt(window.whereAreU,$j("#jot-location").val()),reply&&reply.length&&$j("#jot-location").val(reply)}function jotShare(e){$j("#jot-popup").length!=0&&$j("#jot-popup").show(),$j("#like-rotator-"+e).show(),$j.get("share/"+e,function(t){editor||$j("#profile-jot-text").val(""),initEditor(function(){addeditortext(t),$j("#like-rotator-"+e).hide(),$j(window).scrollTop(0)})})}function linkdropper(e){var t=e.dataTransfer.types.contains("text/uri-list");t&&e.preventDefault()}function showEvent(e){}function itemTag(e){reply=prompt(window.term),reply&&reply.length&&(reply=reply.replace("#",""),reply.length&&(commentBusy=!0,$j("body").css("cursor","wait"),$j.get("tagger/"+e+"?term="+reply,NavUpdate),liking=1))}function itemFiler(e){$j.get("filer/",function(t){var n=$j("#id_term_label",t).text();reply=prompt(n),reply&&reply.length&&(commentBusy=!0,$j("body").css("cursor","wait"),$j.get("filer/"+e+"?term="+reply,NavUpdate),liking=1)})}function jotClearLocation(){$j("#jot-coord").val(""),$j("#profile-nolocation-wrapper").hide()}function addeditortext(e){if(plaintext=="none"){var t=$j("#profile-jot-text").val();$j("#profile-jot-text").val(t+e)}}$j(document).ready(function(){$j("#profile-jot-text").focus(enableOnUser),$j("#profile-jot-text").click(enableOnUser);if(typeof window.AjaxUpload!="undefined")switch(window.ajaxType){case"jot-header":var e=new window.AjaxUpload("wall-image-upload",{action:"wall_upload/"+window.nickname+"?nomce=1",name:"userfile",onSubmit:function(e,t){$j("#profile-rotator").show()},onComplete:function(e,t){addeditortext(t),$j("#profile-rotator").hide()}}),t=new window.AjaxUpload("wall-file-upload",{action:"wall_attach/"+window.nickname+"?nomce=1",name:"userfile",onSubmit:function(e,t){$j("#profile-rotator").show()},onComplete:function(e,t){addeditortext(t),$j("#profile-rotator").hide()}});break;case"msg-header":var e=new window.AjaxUpload("prvmail-upload",{action:"wall_upload/"+window.nickname+"?nomce=1",name:"userfile",onSubmit:function(e,t){$j("#profile-rotator").show()},onComplete:function(e,t){tinyMCE.execCommand("mceInsertRawHTML",!1,t),$j("#profile-rotator").hide()}});break;default:}typeof window.aclInit!="undefined"&&typeof acl=="undefined"&&(acl=new ACL(baseurl+"/acl",[window.allowCID,window.allowGID,window.denyCID,window.denyGID])),window.autoCompleteType=="display-head"&&$j(".comment-wwedit-wrapper textarea").contact_autocomplete(baseurl+"/acl");if(window.aclType=="event_head"){$j("#events-calendar").fullCalendar({events:baseurl+"/events/json/",header:{left:"prev,next today",center:"title",right:"month,agendaWeek,agendaDay"},timeFormat:"H(:mm)",eventClick:function(e,t,n){showEvent(e.id)},eventRender:function(e,t,n){if(e.item["author-name"]==null)return;switch(n.name){case"month":t.find(".fc-event-title").html("{1} : {2}".format(e.item["author-avatar"],e.item["author-name"],e.title));break;case"agendaWeek":t.find(".fc-event-title").html("{1}

{2}

{3}

".format(e.item["author-avatar"],e.item["author-name"],e.item.desc,e.item.location));break;case"agendaDay":t.find(".fc-event-title").html("{1}

{2}

{3}

".format(e.item["author-avatar"],e.item["author-name"],e.item.desc,e.item.location))}}});var n=location.href.replace(baseurl,"").split("/");n.length>=4&&$j("#events-calendar").fullCalendar("gotoDate",n[2],n[3]-1);var r=location.hash.split("-");r.length==2&&r[0]=="#link"&&showEvent(r[1])}(window.aclType=="settings-head"||window.aclType=="photos_head"||window.aclType=="event_head")&&$j("#contact_allow, #contact_deny, #group_allow, #group_deny").change(function(){var e;$j("#contact_allow option:selected, #contact_deny option:selected, #group_allow option:selected, #group_deny option:selected").each(function(){e=$j(this).text(),$j("#jot-perms-icon").removeClass("unlock").addClass("lock"),$j("#jot-public").hide()}),e==null&&($j("#jot-perms-icon").removeClass("lock").addClass("unlock"),$j("#jot-public").show())}).trigger("change");switch(window.autocompleteType){case"msg-header":var i=$j("#recip").autocomplete({serviceUrl:baseurl+"/acl",minChars:2,width:350,onSelect:function(e,t){$j("#recip-complete").val(t)}});break;case"contacts-head":var i=$j("#contacts-search").autocomplete({serviceUrl:baseurl+"/acl",minChars:2,width:350});i.setOptions({params:{type:"a"}});break;default:}$j("#event-share-checkbox").change(function(){$j("#event-share-checkbox").is(":checked")?$j("#acl-wrapper").show():$j("#acl-wrapper").hide()}).trigger("change"),$j(".popupbox").click(function(){var e=$j($j(this).attr("href")).parent();return e.css("display")=="none"?e.show():e.hide(),!1})}),$j(function(){$j("nav").bind("nav-update",function(e,t){var n=$j("#pending-update"),r=$j(t).find("register").text();r=="0"?(r="",n.hide()):n.show(),n.html(r)})});var editor=!1,textlen=0,plaintext="none",ispublic=window.isPublic;switch(window.ajaxType){case"jot-header":function jotGetLink(){reply=prompt(window.linkURL),reply&&reply.length&&(reply=bin2hex(reply),$j("#profile-rotator").show(),$j.get("parse_url?binurl="+reply,function(e){addeditortext(e),$j("#profile-rotator").hide()}))}function linkdrop(e){var t=e.dataTransfer.getData("text/uri-list");e.target.textContent=t,e.preventDefault(),t&&t.length&&(t=bin2hex(t),$j("#profile-rotator").show(),$j.get("parse_url?binurl="+t,function(e){editor||$j("#profile-jot-text").val(""),initEditor(function(){addeditortext(e),$j("#profile-rotator").hide()})}))}break;case"msg-header":case"wallmsg-header":function jotGetLink(){reply=prompt(window.linkURL),reply&&reply.length&&($j("#profile-rotator").show(),$j.get("parse_url?url="+reply,function(e){tinyMCE.execCommand("mceInsertRawHTML",!1,e),$j("#profile-rotator").hide()}))}function linkdrop(e){var t=e.dataTransfer.getData("text/uri-list");e.target.textContent=t,e.preventDefault(),t&&t.length&&($j("#profile-rotator").show(),$j.get("parse_url?url="+t,function(e){tinyMCE.execCommand("mceInsertRawHTML",!1,e),$j("#profile-rotator").hide()}))}break;default:}typeof window.geoTag=="function"&&window.geoTag(); \ No newline at end of file diff --git a/view/theme/frost-mobile/login-style.css b/view/theme/frost-mobile/login-style.css index 37661cfbc7..222da2db8b 100644 --- a/view/theme/frost-mobile/login-style.css +++ b/view/theme/frost-mobile/login-style.css @@ -24,15 +24,17 @@ div.jGrowl div.notice { background: #511919 url("../../../images/icons/48/notice.png") no-repeat 5px center; color: #ffffff; padding-left: 58px; + margin: 0px; } div.jGrowl div.info { background: #364e59 url("../../../images/icons/48/info.png") no-repeat 5px center; color: #ffffff; padding-left: 58px; + margin: 0px; } #jGrowl.top-right { top: 15px; - right: 15px; + right: 10px; } .login-button { @@ -75,6 +77,16 @@ div.section-wrapper { margin-left: 50px; } +.field.checkbox label { + margin-left: auto; + float: auto; + /*margin-left: 100px;*/ +} +.field.checkbox input { + width: auto; + margin-left: 30px; +} + #login_openid { margin-top: 50px; } diff --git a/view/theme/frost-mobile/login_head.tpl b/view/theme/frost-mobile/login_head.tpl index 7a5d606cba..47651ad8ad 100644 --- a/view/theme/frost-mobile/login_head.tpl +++ b/view/theme/frost-mobile/login_head.tpl @@ -1,2 +1,2 @@ - + diff --git a/view/theme/frost-mobile/style.css b/view/theme/frost-mobile/style.css index 0fe0efd736..2580f4b788 100644 --- a/view/theme/frost-mobile/style.css +++ b/view/theme/frost-mobile/style.css @@ -65,7 +65,7 @@ img { border :0px; } width: 384px; }*/ -code { +/*code { font-family: Courier, monospace; white-space: pre; display: block; @@ -85,6 +85,24 @@ blockquote { margin-right: 0px; width: 260px; overflow: hidden; +}*/ + +code { + font-family: Courier, monospace; + white-space: pre; + display: block; + overflow: auto; + border: 1px solid #444; + background: #EEE; + color: #444; + padding: 10px; + margin-top: 20px; +} + +blockquote { + background-color: #f4f8f9; + border-left: 4px solid #dae4ee; + padding: 0.4em; } .icollapse-wrapper, .ccollapse-wrapper { @@ -1163,13 +1181,13 @@ input#dfrn-url { /* background: #EEEEEE;*/ } -.wall-item-like, .wall-item-dislike { +.wall-item-like, .wall-item-dislike, .wall-item-boring { font-style: italic; margin-left: 0px; opacity: 0.6; } -.wall-item-like.comment, .wall-item-dislike.comment { +.wall-item-like.comment, .wall-item-dislike.comment, .wall-item-boring.comment { margin-left: 5px; } @@ -1368,10 +1386,19 @@ input#dfrn-url { -webkit-border-radius: 0; } +.wall-item-content blockquote { + margin-left: 0px; + margin-right: 0px; +} + .comment .wall-item-content img { max-width: 280px; } +.comment .wall-item-content ul { + padding-left: 1.5em; +} + .divgrow-showmore { display: block; clear: both; @@ -1411,7 +1438,6 @@ input#dfrn-url { } .wall-item-body code { - width: 260px; overflow: hidden; } @@ -1421,12 +1447,6 @@ input#dfrn-url { /* width: 280px;*/ } -.comment .wall-item-body blockquote { - margin-left: 0px; - margin-right: 0px; - width: 260px; -} - .wall-item-tools { clear: both; /* background-image: url("head.jpg"); @@ -3404,6 +3424,7 @@ aside input[type='text'] { } + .field .onoff { float: left; width: 80px; @@ -3714,6 +3735,7 @@ aside input[type='text'] { background-size: 100% 100%; background-image: url('images/star.png'); background-repeat: no-repeat; + opacity: 0.5; } /*.tagged { background-position: -48px -48px; }*/ @@ -3863,15 +3885,17 @@ div.jGrowl div.notice { background: #511919 url("../../../images/icons/48/notice.png") no-repeat 5px center; color: #ffffff; padding-left: 58px; + margin: 0px; } div.jGrowl div.info { background: #364e59 url("../../../images/icons/48/info.png") no-repeat 5px center; color: #ffffff; padding-left: 58px; + margin: 0px; } #jGrowl.top-right { top: 15px; - right: 15px; + right: 10px; } .qcomment { border: 1px solid #EEE; @@ -4009,7 +4033,7 @@ width:650px; } }*/ -@media only screen and (min-device-width: 768px) +/*@media only screen and (min-device-width: 768px) { .wall-item-body code { width: 700px; @@ -4023,5 +4047,5 @@ width:650px; width: 700px; } -} +}*/ diff --git a/view/theme/frost-mobile/theme.php b/view/theme/frost-mobile/theme.php index b934522c6d..c295a91a65 100644 --- a/view/theme/frost-mobile/theme.php +++ b/view/theme/frost-mobile/theme.php @@ -4,29 +4,27 @@ * Name: Frost--mobile version * Description: Like frosted glass * Credits: Navigation icons taken from http://iconza.com. Other icons taken from http://thenounproject.com, including: Like, Dislike, Black Lock, Unlock, Pencil, Tag, Camera, Paperclip (Marie Coons), Folder (Sergio Calcara), Chain-link (Andrew Fortnum), Speaker (Harold Kim), Quotes (Henry Ryder), Video Camera (Anas Ramadan), and Left Arrow, Right Arrow, and Delete X (all three P.J. Onori). All under Attribution (CC BY 3.0). Others from The Noun Project are public domain or No Rights Reserved (CC0). - * Version: Version 0.2.15 + * Version: Version 0.2.16 * Author: Zach P * Maintainer: Zach P */ $a->theme_info = array(); +$a->sourcename = 'Friendica mobile web'; +$a->videowidth = 250; +$a->videoheight = 200; +$a->theme_thread_allow = false; +$a->force_max_items = 10; -function frost_mobile_init(&$a) { +function frost_mobile_content_loaded(&$a) { // I could do this in style.php, but by having the CSS in a file the browser will cache it, // making pages load faster if( $a->module === 'home' || $a->module === 'login' || $a->module === 'register' || $a->module === 'lostpass' ) { - $a->page['htmlhead'] = str_replace('$stylesheet', $a->get_baseurl() . '/view/theme/frost-mobile/login-style.css', $a->page['htmlhead']); - +// $a->page['htmlhead'] = str_replace('$stylesheet', $a->get_baseurl() . '/view/theme/frost-mobile/login-style.css', $a->page['htmlhead']); + $a->theme['stylesheet'] = $a->get_baseurl() . '/view/theme/frost-mobile/login-style.css'; } if( $a->module === 'login' ) $a->page['end'] .= ''; - - $a->sourcename = 'Friendica mobile web'; - $a->videowidth = 250; - $a->videoheight = 200; - $a->theme_thread_allow = false; - $a->force_max_items = 10; - } diff --git a/view/theme/frost-mobile/wall_thread.tpl b/view/theme/frost-mobile/wall_thread.tpl index 04874997b5..dec5a7183c 100644 --- a/view/theme/frost-mobile/wall_thread.tpl +++ b/view/theme/frost-mobile/wall_thread.tpl @@ -12,7 +12,8 @@ {{ if $item.owner_url }}
- $item.owner_name + $item.owner_name +
$item.wall
{{ endif }} @@ -21,7 +22,8 @@ onmouseout="t$item.id=setTimeout('closeMenu(\'wall-item-photo-menu-button-$item.id\'); closeMenu(\'wall-item-photo-menu-$item.id\');',200)">-->
- $item.name + $item.name + diff --git a/view/theme/frost/style.css b/view/theme/frost/style.css index ede5d7cc76..4878e25310 100644 --- a/view/theme/frost/style.css +++ b/view/theme/frost/style.css @@ -85,6 +85,7 @@ blockquote { } .hide-comments-outer:hover { opacity: 1.0; + border-bottom: 1px solid #DDD; /* manually prevent the border from changing color */ } .hide-comments { margin-left: 5px; @@ -3418,18 +3419,18 @@ aside input[type='text'] { background-repeat: no-repeat; } /*.dislike { background-position: -112px 0px;}*/ -.icon.dislike { +.tool.dislike { display: block; width: 15px; height: 16px;/* 23 24*/ background-size: 100% 100%; background-image: url('images/disapprove-16.png'); background-repeat: no-repeat; opacity: 0.4; } -.icon.dislike:hover { +.tool.dislike:hover { opacity: 1.0; } /*.like { background-position: -128px 0px;}*/ -.icon.like { +.tool.like { display: block; width: 15px; height: 16px;/* 23 24*/ margin-right: 6px; background-size: 100% 100%; @@ -3437,7 +3438,7 @@ aside input[type='text'] { background-repeat: no-repeat; opacity: 0.4; } -.icon.like:hover { +.tool.like:hover { opacity: 1.0; } /*.link { background-position: -144px 0px;}*/ @@ -3466,14 +3467,14 @@ aside input[type='text'] { .pause { background-position: -48px -16px;} .play { background-position: -64px -16px;} /*.pencil { background-position: -80px -16px;}*/ -.icon.pencil { +.tool.pencil { display: block; width: 16px; height: 16px; background-size: 100% 100%; background-image: url('images/pencil-16.png'); background-repeat: no-repeat; opacity: 0.4; } -.icon.pencil:hover { +.tool.pencil:hover { opacity: 1.0; } /*.small-pencil { background-position: -96px -16px;}*/ @@ -3488,14 +3489,14 @@ aside input[type='text'] { opacity: 1.0; } /*.recycle { background-position: -112px -16px;}*/ -.icon.recycle { +.tool.recycle { display: block; width: 16px; height: 16px;/*24 23*/ background-size: 100% 100%; background-image: url('images/recycle-16.png'); background-repeat: no-repeat; opacity: 0.4; } -.icon.recycle:hover { +.tool.recycle:hover { opacity: 1.0; } /*.remote-link { background-position: -128px -16px;}*/ @@ -3556,32 +3557,32 @@ aside input[type='text'] { .off { background-position: 0px -48px; } /*.starred { background-position: -16px -48px; }*/ -.icon.starred { +.tool.starred { display: block; width: 16px; height: 16px; background-size: 100% 100%; background-image: url('images/star-yellow-16.png'); background-repeat: no-repeat; } /*.unstarred { background-position: -32px -48px; }*/ -.icon.unstarred { +.tool.unstarred { display: block; width: 16px; height: 16px; background-size: 100% 100%; background-image: url('images/star-16.png'); background-repeat: no-repeat; opacity: 0.4; } -.icon.unstarred:hover { +.tool.unstarred:hover { opacity: 1.0; } /*.tagged { background-position: -48px -48px; }*/ -.icon.tagged { +.tool.tagged { display: block; width: 16px; height: 16px; background-size: 100% 100%; background-image: url('images/tag-16.png'); background-repeat: no-repeat; opacity: 0.4; } -.icon.tagged:hover { +.tool.tagged:hover { opacity: 1.0; } .yellow { background-position: -64px -48px; } diff --git a/view/theme/frost/theme.php b/view/theme/frost/theme.php index a3d4b0ac96..e515f13c8a 100644 --- a/view/theme/frost/theme.php +++ b/view/theme/frost/theme.php @@ -4,25 +4,26 @@ * Name: Frost * Description: Like frosted glass * Credits: Navigation icons taken from http://iconza.com. Other icons taken from http://thenounproject.com, including: Like, Dislike, Black Lock, Unlock, Pencil, Tag, Camera, Paperclip (Marie Coons), Folder (Sergio Calcara), Chain-link (Andrew Fortnum), Speaker (Harold Kim), Quotes (Henry Ryder), Video Camera (Anas Ramadan), and Left Arrow, Right Arrow, and Delete X (all three P.J. Onori). All under Attribution (CC BY 3.0). Others from The Noun Project are public domain or No Rights Reserved (CC0). - * Version: Version 0.3 + * Version: Version 0.3.1 * Author: Zach P * Maintainer: Zach P */ $a->theme_info = array(); +$a->videowidth = 400; +$a->videoheight = 330; +$a->theme_thread_allow = false; -function frost_init(&$a) { +function frost_content_loaded(&$a) { // I could do this in style.php, but by having the CSS in a file the browser will cache it, // making pages load faster if( $a->module === 'home' || $a->module === 'login' || $a->module === 'register' || $a->module === 'lostpass' ) { - $a->page['htmlhead'] = str_replace('$stylesheet', $a->get_baseurl() . '/view/theme/frost/login-style.css', $a->page['htmlhead']); + //$a->page['htmlhead'] = str_replace('$stylesheet', $a->get_baseurl() . '/view/theme/frost/login-style.css', $a->page['htmlhead']); + $a->theme['stylesheet'] = $a->get_baseurl() . '/view/theme/frost/login-style.css'; } if( $a->module === 'login' ) $a->page['end'] .= ''; - $a->videowidth = 400; - $a->videoheight = 330; - $a->theme_thread_allow = false; - } + diff --git a/view/theme/frost/wall_thread.tpl b/view/theme/frost/wall_thread.tpl index ffc57f00b2..e82657583f 100644 --- a/view/theme/frost/wall_thread.tpl +++ b/view/theme/frost/wall_thread.tpl @@ -12,7 +12,8 @@ {{ if $item.owner_url }}
- $item.owner_name + $item.owner_name +
$item.wall
{{ endif }} @@ -20,7 +21,8 @@ onmouseover="if (typeof t$item.id != 'undefined') clearTimeout(t$item.id); openMenu('wall-item-photo-menu-button-$item.id')" onmouseout="t$item.id=setTimeout('closeMenu(\'wall-item-photo-menu-button-$item.id\'); closeMenu(\'wall-item-photo-menu-$item.id\');',200)"> - $item.name + $item.name + menu
    @@ -63,9 +65,9 @@
    {{ if $item.vote }} {{ endif }} @@ -73,12 +75,12 @@ {{ endif }} {{ if $item.edpost }} - + {{ endif }} {{ if $item.star }} - - + + {{ endif }} {{ if $item.filer }} From bff31a49eb61c089fd9acb7a565a9bb9b60daafe Mon Sep 17 00:00:00 2001 From: Zach Prezkuta Date: Tue, 6 Nov 2012 08:49:03 -0700 Subject: [PATCH 12/16] leaked local change --- view/theme/frost-mobile/style.css | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/view/theme/frost-mobile/style.css b/view/theme/frost-mobile/style.css index 2580f4b788..b38fdceb87 100644 --- a/view/theme/frost-mobile/style.css +++ b/view/theme/frost-mobile/style.css @@ -1181,13 +1181,13 @@ input#dfrn-url { /* background: #EEEEEE;*/ } -.wall-item-like, .wall-item-dislike, .wall-item-boring { +.wall-item-like, .wall-item-dislike { font-style: italic; margin-left: 0px; opacity: 0.6; } -.wall-item-like.comment, .wall-item-dislike.comment, .wall-item-boring.comment { +.wall-item-like.comment, .wall-item-dislike.comment { margin-left: 5px; } From 6454faede1b29c899dae2857cefe28cac9cdfb5a Mon Sep 17 00:00:00 2001 From: Thomas Willingham Date: Tue, 6 Nov 2012 21:17:46 +0000 Subject: [PATCH 13/16] Friendicaland. --- js/country.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/js/country.js b/js/country.js index 70414e1805..a29eca8161 100644 --- a/js/country.js +++ b/js/country.js @@ -275,7 +275,7 @@ aStates[249]="|'Adan|'Ataq|Abyan|Al Bayda'|Al Hudaydah|Al Jawf|Al Mahrah|Al Mahw aStates[250]="|Kosovo|Montenegro|Serbia|Vojvodina"; aStates[251]="|Central|Copperbelt|Eastern|Luapula|Lusaka|North-Western|Northern|Southern|Western"; aStates[252]="|Bulawayo|Harare|ManicalandMashonaland Central|Mashonaland East|Mashonaland West|Masvingo|Matabeleland North|Matabeleland South|Midlands"; -aStates[253]="|Self Hosted|Private Server|Architects Of Sleep|Chaos Friends|DFRN|Distributed Friend Network|ErrLock|Free-Beer.ch|Foojbook|Free-Haven|Friendica.eu|Friendika.me.4.it|Friendika - I Ask Questions|Frndc.com|Hikado|Hipatia|Hungerfreunde|Kaluguran Community|Kak Ste|Karl.Markx.pm|Loozah Social Club|MyFriendica.net|MyFriendNetwork|Oi!|OpenMindSpace|Optimistisch|Pplsnet|Recolutionari.es|SPRACI|Styliztique|Sysfu Social Club|theshi.re|Tumpambae|Uzmiac|Other"; +aStates[253]="|Self Hosted|Private Server|Architects Of Sleep|Chaos Friends|DFRN|Distributed Friend Network|ErrLock|Free-Beer.ch|Foojbook|Free-Haven|Friendica.eu|Friendika.me.4.it|Friendika - I Ask Questions|Frndc.com|Hikado|Hipatia|Hungerfreunde|Kaluguran Community|Kak Ste|Karl.Markx.pm|Loozah Social Club|MyFriendica.net|MyFriendNetwork|Oi!|OpenMindSpace|Optimistisch|Pplsnet|Recolutionari.es|Repatr.de|SPRACI|Styliztique|Sysfu Social Club|theshi.re|Tumpambae|Uzmiac|Other"; /* * gArCountryInfo * (0) Country name From 98958b4fb9f620a4608848f4d30f4029a3e78936 Mon Sep 17 00:00:00 2001 From: Fabrixxm Date: Wed, 7 Nov 2012 09:26:05 -0500 Subject: [PATCH 14/16] fix uexport query for groups and group members --- mod/uexport.php | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/mod/uexport.php b/mod/uexport.php index f216f551fa..85a3fef5b6 100644 --- a/mod/uexport.php +++ b/mod/uexport.php @@ -1,6 +1,5 @@ $v) @@ -102,7 +102,7 @@ function _uexport_multirow($query) { function _uexport_row($query) { $result = array(); $r = q($query); - if(count($r)) { + if ($r) { foreach($r as $rr) foreach($rr as $k => $v) $result[$k] = $v; @@ -128,20 +128,20 @@ function uexport_account($a){ ); $photo = _uexport_multirow( - sprintf( "SELECT * FROM photo WHERE uid = %d AND profile = 1", intval(local_user()) ) + sprintf( "SELECT * FROM `photo` WHERE uid = %d AND profile = 1", intval(local_user()) ) ); foreach ($photo as &$p) $p['data'] = bin2hex($p['data']); $pconfig = _uexport_multirow( - sprintf( "SELECT * FROM pconfig WHERE uid = %d",intval(local_user()) ) + sprintf( "SELECT * FROM `pconfig` WHERE uid = %d",intval(local_user()) ) ); $group = _uexport_multirow( - sprintf( "SELECT * FROM group WHERE uid = %d",intval(local_user()) ) + sprintf( "SELECT * FROM `group` WHERE uid = %d",intval(local_user()) ) ); $group_member = _uexport_multirow( - sprintf( "SELECT * FROM group_member WHERE uid = %d",intval(local_user()) ) + sprintf( "SELECT * FROM `group_member` WHERE uid = %d",intval(local_user()) ) ); $output = array( From 815d48e5e4eb59f99abccc939a65ab1e10cf385e Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Thu, 8 Nov 2012 06:48:49 +0100 Subject: [PATCH 15/16] frost-mobile: on subdirectory installs the login screen image was not found --- view/theme/frost-mobile/default.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/view/theme/frost-mobile/default.php b/view/theme/frost-mobile/default.php index be48165c16..0d72aebbdb 100644 --- a/view/theme/frost-mobile/default.php +++ b/view/theme/frost-mobile/default.php @@ -11,7 +11,7 @@ module === 'home' ) { ?>
    From 225fd777fdc6e276b07df0b702f5a6f69747f2bf Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Thu, 8 Nov 2012 18:54:42 +0100 Subject: [PATCH 16/16] PL: added Polish localization. Tha to Adam Jurkiewicz and the rest of the translation team :-) --- view/pl/follow_notify_eml.tpl | 14 + view/pl/friend_complete_eml.tpl | 22 + view/pl/intro_complete_eml.tpl | 22 + view/pl/lostpass_eml.tpl | 32 + view/pl/messages.po | 9369 +++++++++++++++++++++++++++++++ view/pl/passchanged_eml.tpl | 20 + view/pl/register_open_eml.tpl | 36 + view/pl/register_verify_eml.tpl | 25 + view/pl/request_notify_eml.tpl | 17 + view/pl/strings.php | 2032 +++++++ view/pl/update_fail_eml.tpl | 11 + 11 files changed, 11600 insertions(+) create mode 100644 view/pl/follow_notify_eml.tpl create mode 100644 view/pl/friend_complete_eml.tpl create mode 100644 view/pl/intro_complete_eml.tpl create mode 100644 view/pl/lostpass_eml.tpl create mode 100644 view/pl/messages.po create mode 100644 view/pl/passchanged_eml.tpl create mode 100644 view/pl/register_open_eml.tpl create mode 100644 view/pl/register_verify_eml.tpl create mode 100644 view/pl/request_notify_eml.tpl create mode 100644 view/pl/strings.php create mode 100644 view/pl/update_fail_eml.tpl diff --git a/view/pl/follow_notify_eml.tpl b/view/pl/follow_notify_eml.tpl new file mode 100644 index 0000000000..de3675419b --- /dev/null +++ b/view/pl/follow_notify_eml.tpl @@ -0,0 +1,14 @@ + +Drogi $[myname], + +Masz nowego obserwującego na $[sitename] - '$[requestor]'. + +Możesz odwiedzić jego profil na $[url]. + +Zaloguj się na swoją stronę by potwierdzić lub zignorować/anulować prośbę. + +$[siteurl] + +Pozdrawiam, + + $[sitename] Administrator \ No newline at end of file diff --git a/view/pl/friend_complete_eml.tpl b/view/pl/friend_complete_eml.tpl new file mode 100644 index 0000000000..16cbeeaa1b --- /dev/null +++ b/view/pl/friend_complete_eml.tpl @@ -0,0 +1,22 @@ + +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 new file mode 100644 index 0000000000..a50d0e2d1b --- /dev/null +++ b/view/pl/intro_complete_eml.tpl @@ -0,0 +1,22 @@ + +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/lostpass_eml.tpl b/view/pl/lostpass_eml.tpl new file mode 100644 index 0000000000..9663bf86c4 --- /dev/null +++ b/view/pl/lostpass_eml.tpl @@ -0,0 +1,32 @@ + +$[username], + Ze strony $[sitename] wpłynęła prośba z zresetowanie +hasła. W celu potwierdzenia kliknij w weryfikacyjny link +zamieszczony poniżej, lub wklej go do pasku adresu twojej przeglądarki. + +Jeśli uważasz, że wiadomość nie jest przeznaczona dla ciebie, nie klikaj w linka! +Zignoruj tego emaila i usuń. + +Twoje hasło nie może zostać zmienione zanim nie potwierdzimy +twojego żądania. + +Aby potwierdzić kliknik w link weryfikacyjny: + +$[reset_link] + +Otrzymasz od nas wiadomość zwrotną zawierającą nowe hasło. + +Po zalogowaniu się, będziesz miał możliwość zmiany hasła na takie jakie chcesz. + +Dane do zalogowania: + +Adres strony: $[siteurl] +Login: $[email] + + + + +Z poważaniem, + $[sitename] Administrator + + \ No newline at end of file diff --git a/view/pl/messages.po b/view/pl/messages.po new file mode 100644 index 0000000000..ab0dd274c9 --- /dev/null +++ b/view/pl/messages.po @@ -0,0 +1,9369 @@ +# FRIENDICA Distributed Social Network +# Copyright (C) 2010, 2011 the Friendica Project +# This file is distributed under the same license as the Friendica package. +# +# Translators: +# , 2012. +# , 2012. +# , 2012. +# , 2012. +# , 2012. +# , 2012. +# , 2012. +# , 2012. +# , 2012. +# , 2012. +# , 2012. +# , 2012. +# , 2012. +# , 2012. +msgid "" +msgstr "" +"Project-Id-Version: friendica\n" +"Report-Msgid-Bugs-To: http://bugs.friendica.com/\n" +"POT-Creation-Date: 2012-11-05 10:00-0800\n" +"PO-Revision-Date: 2012-11-07 19:36+0000\n" +"Last-Translator: Lea1995polish \n" +"Language-Team: Polish (http://www.transifex.com/projects/p/friendica/language/pl/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: pl\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" + +#: ../../mod/oexchange.php:25 +msgid "Post successful." +msgstr "Post dodany pomyślnie" + +#: ../../mod/update_notes.php:41 ../../mod/update_community.php:18 +#: ../../mod/update_network.php:22 ../../mod/update_profile.php:41 +#: ../../mod/update_display.php:22 +msgid "[Embedded content - reload page to view]" +msgstr "" + +#: ../../mod/crepair.php:102 +msgid "Contact settings applied." +msgstr "Ustawienia kontaktu zaktualizowane." + +#: ../../mod/crepair.php:104 +msgid "Contact update failed." +msgstr "Nie udało się zaktualizować kontaktu." + +#: ../../mod/crepair.php:115 ../../mod/wall_attach.php:55 +#: ../../mod/fsuggest.php:78 ../../mod/events.php:140 ../../mod/api.php:26 +#: ../../mod/api.php:31 ../../mod/photos.php:132 ../../mod/photos.php:994 +#: ../../mod/editpost.php:10 ../../mod/install.php:151 ../../mod/poke.php:135 +#: ../../mod/notifications.php:66 ../../mod/contacts.php:146 +#: ../../mod/settings.php:86 ../../mod/settings.php:525 +#: ../../mod/settings.php:530 ../../mod/manage.php:90 ../../mod/network.php:6 +#: ../../mod/notes.php:20 ../../mod/wallmessage.php:9 +#: ../../mod/wallmessage.php:33 ../../mod/wallmessage.php:79 +#: ../../mod/wallmessage.php:103 ../../mod/attach.php:33 +#: ../../mod/group.php:19 ../../mod/viewcontacts.php:22 +#: ../../mod/register.php:38 ../../mod/regmod.php:116 ../../mod/item.php:139 +#: ../../mod/item.php:155 ../../mod/mood.php:114 +#: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 +#: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 +#: ../../mod/message.php:38 ../../mod/message.php:168 +#: ../../mod/allfriends.php:9 ../../mod/nogroup.php:25 +#: ../../mod/wall_upload.php:64 ../../mod/follow.php:9 +#: ../../mod/display.php:165 ../../mod/profiles.php:7 +#: ../../mod/profiles.php:424 ../../mod/delegate.php:6 +#: ../../mod/suggest.php:28 ../../mod/invite.php:13 ../../mod/invite.php:81 +#: ../../mod/dfrn_confirm.php:53 ../../addon/facebook/facebook.php:510 +#: ../../addon/facebook/facebook.php:516 ../../addon/fbpost/fbpost.php:159 +#: ../../addon/fbpost/fbpost.php:165 +#: ../../addon/dav/friendica/layout.fnk.php:354 ../../include/items.php:3914 +#: ../../index.php:319 ../../addon.old/facebook/facebook.php:510 +#: ../../addon.old/facebook/facebook.php:516 +#: ../../addon.old/fbpost/fbpost.php:159 ../../addon.old/fbpost/fbpost.php:165 +#: ../../addon.old/dav/friendica/layout.fnk.php:354 +msgid "Permission denied." +msgstr "Brak uprawnień." + +#: ../../mod/crepair.php:129 ../../mod/fsuggest.php:20 +#: ../../mod/fsuggest.php:92 ../../mod/dfrn_confirm.php:118 +msgid "Contact not found." +msgstr "Kontakt nie znaleziony" + +#: ../../mod/crepair.php:135 +msgid "Repair Contact Settings" +msgstr "Napraw ustawienia kontaktów" + +#: ../../mod/crepair.php:137 +msgid "" +"WARNING: This is highly advanced and if you enter incorrect" +" information your communications with this contact may stop working." +msgstr "" + +#: ../../mod/crepair.php:138 +msgid "" +"Please use your browser 'Back' button now if you are " +"uncertain what to do on this page." +msgstr "Jeśli nie jesteś pewien, co zrobić na tej stronie, użyj teraz przycisku 'powrót' na swojej przeglądarce." + +#: ../../mod/crepair.php:144 +msgid "Return to contact editor" +msgstr "Wróć do edytora kontaktów" + +#: ../../mod/crepair.php:148 ../../mod/settings.php:545 +#: ../../mod/settings.php:571 ../../mod/admin.php:692 ../../mod/admin.php:702 +msgid "Name" +msgstr "Imię" + +#: ../../mod/crepair.php:149 +msgid "Account Nickname" +msgstr "Nazwa konta" + +#: ../../mod/crepair.php:150 +msgid "@Tagname - overrides Name/Nickname" +msgstr "" + +#: ../../mod/crepair.php:151 +msgid "Account URL" +msgstr "URL konta" + +#: ../../mod/crepair.php:152 +msgid "Friend Request URL" +msgstr "URL żądajacy znajomości" + +#: ../../mod/crepair.php:153 +msgid "Friend Confirm URL" +msgstr "URL potwierdzający znajomość" + +#: ../../mod/crepair.php:154 +msgid "Notification Endpoint URL" +msgstr "Zgłoszenie Punktu Końcowego URL" + +#: ../../mod/crepair.php:155 +msgid "Poll/Feed URL" +msgstr "Adres Ankiety / RSS" + +#: ../../mod/crepair.php:156 +msgid "New photo from this URL" +msgstr "" + +#: ../../mod/crepair.php:166 ../../mod/fsuggest.php:107 +#: ../../mod/events.php:455 ../../mod/photos.php:1027 +#: ../../mod/photos.php:1103 ../../mod/photos.php:1366 +#: ../../mod/photos.php:1406 ../../mod/photos.php:1450 +#: ../../mod/photos.php:1522 ../../mod/install.php:246 +#: ../../mod/install.php:284 ../../mod/localtime.php:45 ../../mod/poke.php:199 +#: ../../mod/content.php:693 ../../mod/contacts.php:351 +#: ../../mod/settings.php:543 ../../mod/settings.php:697 +#: ../../mod/settings.php:769 ../../mod/settings.php:976 +#: ../../mod/group.php:85 ../../mod/mood.php:137 ../../mod/message.php:294 +#: ../../mod/message.php:480 ../../mod/admin.php:443 ../../mod/admin.php:689 +#: ../../mod/admin.php:826 ../../mod/admin.php:1025 ../../mod/admin.php:1112 +#: ../../mod/profiles.php:594 ../../mod/invite.php:119 +#: ../../addon/fromgplus/fromgplus.php:40 +#: ../../addon/facebook/facebook.php:619 +#: ../../addon/snautofollow/snautofollow.php:64 +#: ../../addon/fbpost/fbpost.php:226 ../../addon/yourls/yourls.php:76 +#: ../../addon/ljpost/ljpost.php:93 ../../addon/nsfw/nsfw.php:88 +#: ../../addon/page/page.php:211 ../../addon/planets/planets.php:158 +#: ../../addon/uhremotestorage/uhremotestorage.php:89 +#: ../../addon/randplace/randplace.php:177 ../../addon/dwpost/dwpost.php:93 +#: ../../addon/remote_permissions/remote_permissions.php:47 +#: ../../addon/remote_permissions/remote_permissions.php:195 +#: ../../addon/startpage/startpage.php:92 +#: ../../addon/geonames/geonames.php:187 +#: ../../addon/forumlist/forumlist.php:175 +#: ../../addon/impressum/impressum.php:83 +#: ../../addon/notimeline/notimeline.php:64 ../../addon/blockem/blockem.php:57 +#: ../../addon/qcomment/qcomment.php:61 +#: ../../addon/openstreetmap/openstreetmap.php:70 +#: ../../addon/group_text/group_text.php:84 +#: ../../addon/libravatar/libravatar.php:99 +#: ../../addon/libertree/libertree.php:90 ../../addon/altpager/altpager.php:87 +#: ../../addon/mathjax/mathjax.php:42 ../../addon/editplain/editplain.php:84 +#: ../../addon/blackout/blackout.php:98 ../../addon/gravatar/gravatar.php:95 +#: ../../addon/pageheader/pageheader.php:55 ../../addon/ijpost/ijpost.php:93 +#: ../../addon/jappixmini/jappixmini.php:307 +#: ../../addon/statusnet/statusnet.php:278 +#: ../../addon/statusnet/statusnet.php:292 +#: ../../addon/statusnet/statusnet.php:318 +#: ../../addon/statusnet/statusnet.php:325 +#: ../../addon/statusnet/statusnet.php:353 +#: ../../addon/statusnet/statusnet.php:576 ../../addon/tumblr/tumblr.php:90 +#: ../../addon/numfriends/numfriends.php:85 ../../addon/gnot/gnot.php:88 +#: ../../addon/wppost/wppost.php:110 ../../addon/showmore/showmore.php:48 +#: ../../addon/piwik/piwik.php:89 ../../addon/twitter/twitter.php:180 +#: ../../addon/twitter/twitter.php:209 ../../addon/twitter/twitter.php:394 +#: ../../addon/irc/irc.php:55 ../../addon/fromapp/fromapp.php:77 +#: ../../addon/blogger/blogger.php:102 ../../addon/posterous/posterous.php:103 +#: ../../view/theme/cleanzero/config.php:80 +#: ../../view/theme/diabook/theme.php:599 +#: ../../view/theme/diabook/config.php:152 +#: ../../view/theme/quattro/config.php:64 ../../view/theme/dispy/config.php:70 +#: ../../object/Item.php:559 ../../addon.old/fromgplus/fromgplus.php:40 +#: ../../addon.old/facebook/facebook.php:619 +#: ../../addon.old/snautofollow/snautofollow.php:64 +#: ../../addon.old/bg/bg.php:90 ../../addon.old/fbpost/fbpost.php:226 +#: ../../addon.old/yourls/yourls.php:76 ../../addon.old/ljpost/ljpost.php:93 +#: ../../addon.old/nsfw/nsfw.php:88 ../../addon.old/page/page.php:211 +#: ../../addon.old/planets/planets.php:158 +#: ../../addon.old/uhremotestorage/uhremotestorage.php:89 +#: ../../addon.old/randplace/randplace.php:177 +#: ../../addon.old/dwpost/dwpost.php:93 ../../addon.old/drpost/drpost.php:110 +#: ../../addon.old/startpage/startpage.php:92 +#: ../../addon.old/geonames/geonames.php:187 +#: ../../addon.old/oembed.old/oembed.php:41 +#: ../../addon.old/forumlist/forumlist.php:175 +#: ../../addon.old/impressum/impressum.php:83 +#: ../../addon.old/notimeline/notimeline.php:64 +#: ../../addon.old/blockem/blockem.php:57 +#: ../../addon.old/qcomment/qcomment.php:61 +#: ../../addon.old/openstreetmap/openstreetmap.php:70 +#: ../../addon.old/group_text/group_text.php:84 +#: ../../addon.old/libravatar/libravatar.php:99 +#: ../../addon.old/libertree/libertree.php:90 +#: ../../addon.old/altpager/altpager.php:87 +#: ../../addon.old/mathjax/mathjax.php:42 +#: ../../addon.old/editplain/editplain.php:84 +#: ../../addon.old/blackout/blackout.php:98 +#: ../../addon.old/gravatar/gravatar.php:95 +#: ../../addon.old/pageheader/pageheader.php:55 +#: ../../addon.old/ijpost/ijpost.php:93 +#: ../../addon.old/jappixmini/jappixmini.php:307 +#: ../../addon.old/statusnet/statusnet.php:278 +#: ../../addon.old/statusnet/statusnet.php:292 +#: ../../addon.old/statusnet/statusnet.php:318 +#: ../../addon.old/statusnet/statusnet.php:325 +#: ../../addon.old/statusnet/statusnet.php:353 +#: ../../addon.old/statusnet/statusnet.php:576 +#: ../../addon.old/tumblr/tumblr.php:90 +#: ../../addon.old/numfriends/numfriends.php:85 +#: ../../addon.old/gnot/gnot.php:88 ../../addon.old/wppost/wppost.php:110 +#: ../../addon.old/showmore/showmore.php:48 ../../addon.old/piwik/piwik.php:89 +#: ../../addon.old/twitter/twitter.php:180 +#: ../../addon.old/twitter/twitter.php:209 +#: ../../addon.old/twitter/twitter.php:394 ../../addon.old/irc/irc.php:55 +#: ../../addon.old/fromapp/fromapp.php:77 +#: ../../addon.old/blogger/blogger.php:102 +#: ../../addon.old/posterous/posterous.php:103 +msgid "Submit" +msgstr "Potwierdź" + +#: ../../mod/help.php:30 +msgid "Help:" +msgstr "Pomoc:" + +#: ../../mod/help.php:34 ../../addon/dav/friendica/layout.fnk.php:225 +#: ../../include/nav.php:86 ../../addon.old/dav/friendica/layout.fnk.php:225 +msgid "Help" +msgstr "Pomoc" + +#: ../../mod/help.php:38 ../../index.php:228 +msgid "Not Found" +msgstr "Nie znaleziono" + +#: ../../mod/help.php:41 ../../index.php:231 +msgid "Page not found." +msgstr "Strona nie znaleziona." + +#: ../../mod/wall_attach.php:69 +#, php-format +msgid "File exceeds size limit of %d" +msgstr "" + +#: ../../mod/wall_attach.php:110 ../../mod/wall_attach.php:121 +msgid "File upload failed." +msgstr "Przesyłanie pliku nie powiodło się." + +#: ../../mod/fsuggest.php:63 +msgid "Friend suggestion sent." +msgstr "Propozycja znajomych wysłana." + +#: ../../mod/fsuggest.php:97 +msgid "Suggest Friends" +msgstr "Zaproponuj znajomych" + +#: ../../mod/fsuggest.php:99 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Zaproponuj znajomych dla %s" + +#: ../../mod/events.php:66 +msgid "Event title and start time are required." +msgstr "" + +#: ../../mod/events.php:279 +msgid "l, F j" +msgstr "d, M d " + +#: ../../mod/events.php:301 +msgid "Edit event" +msgstr "Edytuj wydarzenie" + +#: ../../mod/events.php:323 ../../include/text.php:1185 +msgid "link to source" +msgstr "link do źródła" + +#: ../../mod/events.php:347 ../../view/theme/diabook/theme.php:90 +#: ../../include/nav.php:52 ../../boot.php:1701 +msgid "Events" +msgstr "Wydarzenia" + +#: ../../mod/events.php:348 +msgid "Create New Event" +msgstr "Stwórz nowe wydarzenie" + +#: ../../mod/events.php:349 ../../addon/dav/friendica/layout.fnk.php:263 +#: ../../addon.old/dav/friendica/layout.fnk.php:263 +msgid "Previous" +msgstr "Poprzedni" + +#: ../../mod/events.php:350 ../../mod/install.php:205 +#: ../../addon/dav/friendica/layout.fnk.php:266 +#: ../../addon.old/dav/friendica/layout.fnk.php:266 +msgid "Next" +msgstr "Następny" + +#: ../../mod/events.php:423 +msgid "hour:minute" +msgstr "godzina:minuta" + +#: ../../mod/events.php:433 +msgid "Event details" +msgstr "Szczegóły wydarzenia" + +#: ../../mod/events.php:434 +#, php-format +msgid "Format is %s %s. Starting date and Title are required." +msgstr "" + +#: ../../mod/events.php:436 +msgid "Event Starts:" +msgstr "Rozpoczęcie wydarzenia:" + +#: ../../mod/events.php:436 ../../mod/events.php:450 +msgid "Required" +msgstr "Wymagany" + +#: ../../mod/events.php:439 +msgid "Finish date/time is not known or not relevant" +msgstr "Data/czas zakończenia nie jest znana lub jest nieistotna" + +#: ../../mod/events.php:441 +msgid "Event Finishes:" +msgstr "Zakończenie wydarzenia:" + +#: ../../mod/events.php:444 +msgid "Adjust for viewer timezone" +msgstr "" + +#: ../../mod/events.php:446 +msgid "Description:" +msgstr "Opis:" + +#: ../../mod/events.php:448 ../../mod/directory.php:134 +#: ../../include/event.php:40 ../../include/bb2diaspora.php:412 +#: ../../boot.php:1237 +msgid "Location:" +msgstr "Lokalizacja" + +#: ../../mod/events.php:450 +msgid "Title:" +msgstr "Tytuł:" + +#: ../../mod/events.php:452 +msgid "Share this event" +msgstr "Udostępnij te wydarzenie" + +#: ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 ../../mod/editpost.php:142 +#: ../../mod/dfrn_request.php:847 ../../mod/settings.php:544 +#: ../../mod/settings.php:570 ../../addon/js_upload/js_upload.php:45 +#: ../../include/conversation.php:1001 +#: ../../addon.old/js_upload/js_upload.php:45 +msgid "Cancel" +msgstr "Anuluj" + +#: ../../mod/tagrm.php:41 +msgid "Tag removed" +msgstr "Tag usunięty" + +#: ../../mod/tagrm.php:79 +msgid "Remove Item Tag" +msgstr "Usuń pozycję Tag" + +#: ../../mod/tagrm.php:81 +msgid "Select a tag to remove: " +msgstr "Wybierz tag do usunięcia" + +#: ../../mod/tagrm.php:93 ../../mod/delegate.php:130 +#: ../../addon/dav/common/wdcal_edit.inc.php:468 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:468 +msgid "Remove" +msgstr "Usuń" + +#: ../../mod/dfrn_poll.php:99 ../../mod/dfrn_poll.php:530 +#, php-format +msgid "%1$s welcomes %2$s" +msgstr "" + +#: ../../mod/api.php:76 ../../mod/api.php:102 +msgid "Authorize application connection" +msgstr "" + +#: ../../mod/api.php:77 +msgid "Return to your app and insert this Securty Code:" +msgstr "" + +#: ../../mod/api.php:89 +msgid "Please login to continue." +msgstr "Zaloguj się aby kontynuować." + +#: ../../mod/api.php:104 +msgid "" +"Do you want to authorize this application to access your posts and contacts," +" and/or create new posts for you?" +msgstr "" + +#: ../../mod/api.php:105 ../../mod/dfrn_request.php:835 +#: ../../mod/settings.php:892 ../../mod/settings.php:898 +#: ../../mod/settings.php:906 ../../mod/settings.php:910 +#: ../../mod/settings.php:915 ../../mod/settings.php:921 +#: ../../mod/settings.php:927 ../../mod/settings.php:933 +#: ../../mod/settings.php:963 ../../mod/settings.php:964 +#: ../../mod/settings.php:965 ../../mod/settings.php:966 +#: ../../mod/settings.php:967 ../../mod/register.php:236 +#: ../../mod/profiles.php:574 +msgid "Yes" +msgstr "Tak" + +#: ../../mod/api.php:106 ../../mod/dfrn_request.php:836 +#: ../../mod/settings.php:892 ../../mod/settings.php:898 +#: ../../mod/settings.php:906 ../../mod/settings.php:910 +#: ../../mod/settings.php:915 ../../mod/settings.php:921 +#: ../../mod/settings.php:927 ../../mod/settings.php:933 +#: ../../mod/settings.php:963 ../../mod/settings.php:964 +#: ../../mod/settings.php:965 ../../mod/settings.php:966 +#: ../../mod/settings.php:967 ../../mod/register.php:237 +#: ../../mod/profiles.php:575 +msgid "No" +msgstr "Nie" + +#: ../../mod/photos.php:50 ../../boot.php:1694 +msgid "Photo Albums" +msgstr "Albumy zdjęć" + +#: ../../mod/photos.php:58 ../../mod/photos.php:153 ../../mod/photos.php:1008 +#: ../../mod/photos.php:1095 ../../mod/photos.php:1110 +#: ../../mod/photos.php:1565 ../../mod/photos.php:1577 +#: ../../addon/communityhome/communityhome.php:110 +#: ../../view/theme/diabook/theme.php:485 +#: ../../addon.old/communityhome/communityhome.php:110 +msgid "Contact Photos" +msgstr "Zdjęcia kontaktu" + +#: ../../mod/photos.php:65 ../../mod/photos.php:1126 ../../mod/photos.php:1615 +msgid "Upload New Photos" +msgstr "Wyślij nowe zdjęcie" + +#: ../../mod/photos.php:78 ../../mod/settings.php:23 +msgid "everybody" +msgstr "wszyscy" + +#: ../../mod/photos.php:142 +msgid "Contact information unavailable" +msgstr "Informacje o kontakcie nie dostępne." + +#: ../../mod/photos.php:153 ../../mod/photos.php:675 ../../mod/photos.php:1095 +#: ../../mod/photos.php:1110 ../../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 +#: ../../addon/communityhome/communityhome.php:111 +#: ../../view/theme/diabook/theme.php:486 ../../include/user.php:324 +#: ../../include/user.php:331 ../../include/user.php:338 +#: ../../addon.old/communityhome/communityhome.php:111 +msgid "Profile Photos" +msgstr "Zdjęcia profilowe" + +#: ../../mod/photos.php:163 +msgid "Album not found." +msgstr "Album nie znaleziony" + +#: ../../mod/photos.php:181 ../../mod/photos.php:1104 +msgid "Delete Album" +msgstr "Usuń album" + +#: ../../mod/photos.php:244 ../../mod/photos.php:1367 +msgid "Delete Photo" +msgstr "Usuń zdjęcie" + +#: ../../mod/photos.php:606 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "" + +#: ../../mod/photos.php:606 +msgid "a photo" +msgstr "" + +#: ../../mod/photos.php:711 ../../addon/js_upload/js_upload.php:315 +#: ../../addon.old/js_upload/js_upload.php:315 +msgid "Image exceeds size limit of " +msgstr "obrazek przekracza limit rozmiaru" + +#: ../../mod/photos.php:719 +msgid "Image file is empty." +msgstr "Plik obrazka jest pusty." + +#: ../../mod/photos.php:751 ../../mod/profile_photo.php:153 +#: ../../mod/wall_upload.php:110 +msgid "Unable to process image." +msgstr "Przetwarzanie obrazu nie powiodło się." + +#: ../../mod/photos.php:778 ../../mod/profile_photo.php:301 +#: ../../mod/wall_upload.php:136 +msgid "Image upload failed." +msgstr "Przesyłanie obrazu nie powiodło się" + +#: ../../mod/photos.php:864 ../../mod/community.php:18 +#: ../../mod/dfrn_request.php:760 ../../mod/viewcontacts.php:17 +#: ../../mod/display.php:7 ../../mod/search.php:86 ../../mod/directory.php:31 +msgid "Public access denied." +msgstr "Publiczny dostęp zabroniony" + +#: ../../mod/photos.php:874 +msgid "No photos selected" +msgstr "Nie zaznaczono zdjęć" + +#: ../../mod/photos.php:975 +msgid "Access to this item is restricted." +msgstr "Dostęp do tego obiektu jest ograniczony." + +#: ../../mod/photos.php:1037 +#, php-format +msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." +msgstr "" + +#: ../../mod/photos.php:1040 +#, php-format +msgid "You have used %1$.2f Mbytes of photo storage." +msgstr "" + +#: ../../mod/photos.php:1046 +msgid "Upload Photos" +msgstr "Prześlij zdjęcia" + +#: ../../mod/photos.php:1050 ../../mod/photos.php:1099 +msgid "New album name: " +msgstr "Nazwa nowego albumu:" + +#: ../../mod/photos.php:1051 +msgid "or existing album name: " +msgstr "lub istniejąca nazwa albumu:" + +#: ../../mod/photos.php:1052 +msgid "Do not show a status post for this upload" +msgstr "" + +#: ../../mod/photos.php:1054 ../../mod/photos.php:1362 +msgid "Permissions" +msgstr "Uprawnienia" + +#: ../../mod/photos.php:1114 +msgid "Edit Album" +msgstr "Edytuj album" + +#: ../../mod/photos.php:1120 +msgid "Show Newest First" +msgstr "Najpierw pokaż najnowsze" + +#: ../../mod/photos.php:1122 +msgid "Show Oldest First" +msgstr "Najpierw pokaż najstarsze" + +#: ../../mod/photos.php:1146 ../../mod/photos.php:1598 +msgid "View Photo" +msgstr "Zobacz zdjęcie" + +#: ../../mod/photos.php:1181 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Odmowa dostępu. Dostęp do tych danych może być ograniczony." + +#: ../../mod/photos.php:1183 +msgid "Photo not available" +msgstr "Zdjęcie niedostępne" + +#: ../../mod/photos.php:1239 +msgid "View photo" +msgstr "Zobacz zdjęcie" + +#: ../../mod/photos.php:1239 +msgid "Edit photo" +msgstr "Edytuj zdjęcie" + +#: ../../mod/photos.php:1240 +msgid "Use as profile photo" +msgstr "Ustaw jako zdjęcie profilowe" + +#: ../../mod/photos.php:1246 ../../mod/content.php:603 +#: ../../object/Item.php:103 +msgid "Private Message" +msgstr "Wiadomość prywatna" + +#: ../../mod/photos.php:1265 +msgid "View Full Size" +msgstr "Zobacz w pełnym rozmiarze" + +#: ../../mod/photos.php:1339 +msgid "Tags: " +msgstr "Tagi:" + +#: ../../mod/photos.php:1342 +msgid "[Remove any tag]" +msgstr "[Usunąć znacznik]" + +#: ../../mod/photos.php:1352 +msgid "Rotate CW (right)" +msgstr "" + +#: ../../mod/photos.php:1353 +msgid "Rotate CCW (left)" +msgstr "" + +#: ../../mod/photos.php:1355 +msgid "New album name" +msgstr "Nazwa nowego albumu" + +#: ../../mod/photos.php:1358 +msgid "Caption" +msgstr "Zawartość" + +#: ../../mod/photos.php:1360 +msgid "Add a Tag" +msgstr "Dodaj tag" + +#: ../../mod/photos.php:1364 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "Przykładowo: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" + +#: ../../mod/photos.php:1384 ../../mod/content.php:667 +#: ../../object/Item.php:196 +msgid "I like this (toggle)" +msgstr "Lubię to (zmień)" + +#: ../../mod/photos.php:1385 ../../mod/content.php:668 +#: ../../object/Item.php:197 +msgid "I don't like this (toggle)" +msgstr "Nie lubię (zmień)" + +#: ../../mod/photos.php:1386 ../../include/conversation.php:962 +msgid "Share" +msgstr "Podziel się" + +#: ../../mod/photos.php:1387 ../../mod/editpost.php:118 +#: ../../mod/content.php:482 ../../mod/content.php:846 +#: ../../mod/wallmessage.php:152 ../../mod/message.php:293 +#: ../../mod/message.php:481 ../../include/conversation.php:624 +#: ../../include/conversation.php:981 ../../object/Item.php:258 +msgid "Please wait" +msgstr "Proszę czekać" + +#: ../../mod/photos.php:1403 ../../mod/photos.php:1447 +#: ../../mod/photos.php:1519 ../../mod/content.php:690 +#: ../../object/Item.php:556 +msgid "This is you" +msgstr "To jesteś ty" + +#: ../../mod/photos.php:1405 ../../mod/photos.php:1449 +#: ../../mod/photos.php:1521 ../../mod/content.php:692 ../../boot.php:585 +#: ../../object/Item.php:558 +msgid "Comment" +msgstr "Komentarz" + +#: ../../mod/photos.php:1407 ../../mod/photos.php:1451 +#: ../../mod/photos.php:1523 ../../mod/editpost.php:139 +#: ../../mod/content.php:702 ../../include/conversation.php:999 +#: ../../object/Item.php:568 +msgid "Preview" +msgstr "Podgląd" + +#: ../../mod/photos.php:1491 ../../mod/content.php:439 +#: ../../mod/content.php:724 ../../mod/settings.php:606 +#: ../../mod/group.php:168 ../../mod/admin.php:696 +#: ../../include/conversation.php:569 ../../object/Item.php:117 +msgid "Delete" +msgstr "Usuń" + +#: ../../mod/photos.php:1604 +msgid "View Album" +msgstr "Zobacz album" + +#: ../../mod/photos.php:1613 +msgid "Recent Photos" +msgstr "Ostatnio dodane zdjęcia" + +#: ../../mod/community.php:23 +msgid "Not available." +msgstr "Niedostępne." + +#: ../../mod/community.php:32 ../../view/theme/diabook/theme.php:92 +#: ../../include/nav.php:101 +msgid "Community" +msgstr "Społeczność" + +#: ../../mod/community.php:61 ../../mod/community.php:86 +#: ../../mod/search.php:159 ../../mod/search.php:185 +msgid "No results." +msgstr "Brak wyników." + +#: ../../mod/friendica.php:55 +msgid "This is Friendica, version" +msgstr "" + +#: ../../mod/friendica.php:56 +msgid "running at web location" +msgstr "" + +#: ../../mod/friendica.php:58 +msgid "" +"Please visit Friendica.com to learn " +"more about the Friendica project." +msgstr "" + +#: ../../mod/friendica.php:60 +msgid "Bug reports and issues: please visit" +msgstr "Reportowanie błędów i problemów: proszę odwiedź" + +#: ../../mod/friendica.php:61 +msgid "" +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "" + +#: ../../mod/friendica.php:75 +msgid "Installed plugins/addons/apps:" +msgstr "" + +#: ../../mod/friendica.php:88 +msgid "No installed plugins/addons/apps" +msgstr "Brak zainstalowanych pluginów/dodatków/aplikacji" + +#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 +msgid "Item not found" +msgstr "Artykuł nie znaleziony" + +#: ../../mod/editpost.php:36 +msgid "Edit post" +msgstr "Edytuj post" + +#: ../../mod/editpost.php:88 ../../include/conversation.php:948 +msgid "Post to Email" +msgstr "Wyślij poprzez email" + +#: ../../mod/editpost.php:103 ../../mod/content.php:711 +#: ../../mod/settings.php:605 ../../object/Item.php:107 +msgid "Edit" +msgstr "Edytuj" + +#: ../../mod/editpost.php:104 ../../mod/wallmessage.php:150 +#: ../../mod/message.php:291 ../../mod/message.php:478 +#: ../../include/conversation.php:963 +msgid "Upload photo" +msgstr "Wyślij zdjęcie" + +#: ../../mod/editpost.php:105 ../../include/conversation.php:964 +msgid "upload photo" +msgstr "dodaj zdjęcie" + +#: ../../mod/editpost.php:106 ../../include/conversation.php:965 +msgid "Attach file" +msgstr "Przyłącz plik" + +#: ../../mod/editpost.php:107 ../../include/conversation.php:966 +msgid "attach file" +msgstr "załącz plik" + +#: ../../mod/editpost.php:108 ../../mod/wallmessage.php:151 +#: ../../mod/message.php:292 ../../mod/message.php:479 +#: ../../include/conversation.php:967 +msgid "Insert web link" +msgstr "Wstaw link" + +#: ../../mod/editpost.php:109 ../../include/conversation.php:968 +msgid "web link" +msgstr "" + +#: ../../mod/editpost.php:110 ../../include/conversation.php:969 +msgid "Insert video link" +msgstr "Wstaw link wideo" + +#: ../../mod/editpost.php:111 ../../include/conversation.php:970 +msgid "video link" +msgstr "link do filmu" + +#: ../../mod/editpost.php:112 ../../include/conversation.php:971 +msgid "Insert audio link" +msgstr "Wstaw link audio" + +#: ../../mod/editpost.php:113 ../../include/conversation.php:972 +msgid "audio link" +msgstr "Link audio" + +#: ../../mod/editpost.php:114 ../../include/conversation.php:973 +msgid "Set your location" +msgstr "Ustaw swoje położenie" + +#: ../../mod/editpost.php:115 ../../include/conversation.php:974 +msgid "set location" +msgstr "wybierz lokalizację" + +#: ../../mod/editpost.php:116 ../../include/conversation.php:975 +msgid "Clear browser location" +msgstr "Wyczyść położenie przeglądarki" + +#: ../../mod/editpost.php:117 ../../include/conversation.php:976 +msgid "clear location" +msgstr "wyczyść lokalizację" + +#: ../../mod/editpost.php:119 ../../include/conversation.php:982 +msgid "Permission settings" +msgstr "Ustawienia uprawnień" + +#: ../../mod/editpost.php:127 ../../include/conversation.php:991 +msgid "CC: email addresses" +msgstr "CC: adresy e-mail" + +#: ../../mod/editpost.php:128 ../../include/conversation.php:992 +msgid "Public post" +msgstr "Publiczny post" + +#: ../../mod/editpost.php:131 ../../include/conversation.php:978 +msgid "Set title" +msgstr "Ustaw tytuł" + +#: ../../mod/editpost.php:133 ../../include/conversation.php:980 +msgid "Categories (comma-separated list)" +msgstr "" + +#: ../../mod/editpost.php:134 ../../include/conversation.php:994 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Przykład: bob@example.com, mary@example.com" + +#: ../../mod/dfrn_request.php:93 +msgid "This introduction has already been accepted." +msgstr "To wprowadzenie zostało już zaakceptowane." + +#: ../../mod/dfrn_request.php:118 ../../mod/dfrn_request.php:512 +msgid "Profile location is not valid or does not contain profile information." +msgstr "Położenie profilu jest niepoprawne lub nie zawiera żadnych informacji." + +#: ../../mod/dfrn_request.php:123 ../../mod/dfrn_request.php:517 +msgid "Warning: profile location has no identifiable owner name." +msgstr "Ostrzeżenie: położenie profilu ma taką samą nazwę jak użytkownik." + +#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:519 +msgid "Warning: profile location has no profile photo." +msgstr "Ostrzeżenie: położenie profilu nie zawiera zdjęcia." + +#: ../../mod/dfrn_request.php:128 ../../mod/dfrn_request.php:522 +#, 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 wymagany parametr nie został znaleziony w podanej lokacji" +msgstr[1] "%d wymagane parametry nie zostały znalezione w podanej lokacji" +msgstr[2] "%d wymagany parametr nie został znaleziony w podanej lokacji" + +#: ../../mod/dfrn_request.php:170 +msgid "Introduction complete." +msgstr "wprowadzanie zakończone." + +#: ../../mod/dfrn_request.php:209 +msgid "Unrecoverable protocol error." +msgstr "Nieodwracalny błąd protokołu." + +#: ../../mod/dfrn_request.php:237 +msgid "Profile unavailable." +msgstr "Profil niedostępny." + +#: ../../mod/dfrn_request.php:262 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s otrzymał dziś zbyt wiele żądań połączeń." + +#: ../../mod/dfrn_request.php:263 +msgid "Spam protection measures have been invoked." +msgstr "Ochrona przed spamem została wywołana." + +#: ../../mod/dfrn_request.php:264 +msgid "Friends are advised to please try again in 24 hours." +msgstr "Przyjaciele namawiają do spróbowania za 24h." + +#: ../../mod/dfrn_request.php:326 +msgid "Invalid locator" +msgstr "Niewłaściwy lokalizator " + +#: ../../mod/dfrn_request.php:335 +msgid "Invalid email address." +msgstr "Nieprawidłowy adres email." + +#: ../../mod/dfrn_request.php:361 +msgid "This account has not been configured for email. Request failed." +msgstr "" + +#: ../../mod/dfrn_request.php:457 +msgid "Unable to resolve your name at the provided location." +msgstr "Nie można rozpoznać twojej nazwy w przewidzianym miejscu." + +#: ../../mod/dfrn_request.php:470 +msgid "You have already introduced yourself here." +msgstr "Już się tu przedstawiłeś." + +#: ../../mod/dfrn_request.php:474 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "Widocznie jesteście już znajomymi z %s" + +#: ../../mod/dfrn_request.php:495 +msgid "Invalid profile URL." +msgstr "Zły adres URL profilu." + +#: ../../mod/dfrn_request.php:501 ../../include/follow.php:27 +msgid "Disallowed profile URL." +msgstr "Nie dozwolony adres URL profilu." + +#: ../../mod/dfrn_request.php:570 ../../mod/contacts.php:123 +msgid "Failed to update contact record." +msgstr "Aktualizacja nagrania kontaktu nie powiodła się." + +#: ../../mod/dfrn_request.php:591 +msgid "Your introduction has been sent." +msgstr "Twoje dane zostały wysłane." + +#: ../../mod/dfrn_request.php:644 +msgid "Please login to confirm introduction." +msgstr "Proszę zalogować się do potwierdzenia wstępu." + +#: ../../mod/dfrn_request.php:658 +msgid "" +"Incorrect identity currently logged in. Please login to " +"this profile." +msgstr "" + +#: ../../mod/dfrn_request.php:669 +msgid "Hide this contact" +msgstr "Ukryj kontakt" + +#: ../../mod/dfrn_request.php:672 +#, php-format +msgid "Welcome home %s." +msgstr "Welcome home %s." + +#: ../../mod/dfrn_request.php:673 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "Proszę potwierdzić swój wstęp/prośbę o połączenie do %s." + +#: ../../mod/dfrn_request.php:674 +msgid "Confirm" +msgstr "Potwierdź" + +#: ../../mod/dfrn_request.php:715 ../../include/items.php:3293 +msgid "[Name Withheld]" +msgstr "[Nazwa wstrzymana]" + +#: ../../mod/dfrn_request.php:810 +msgid "" +"Please enter your 'Identity Address' from one of the following supported " +"communications networks:" +msgstr "" + +#: ../../mod/dfrn_request.php:826 +msgid "Connect as an email follower (Coming soon)" +msgstr "" + +#: ../../mod/dfrn_request.php:828 +msgid "" +"If you are not yet a member of the free social web, follow this link to find a public" +" Friendica site and join us today." +msgstr "" + +#: ../../mod/dfrn_request.php:831 +msgid "Friend/Connection Request" +msgstr "Przyjaciel/Prośba o połączenie" + +#: ../../mod/dfrn_request.php:832 +msgid "" +"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " +"testuser@identi.ca" +msgstr "" + +#: ../../mod/dfrn_request.php:833 +msgid "Please answer the following:" +msgstr "Proszę odpowiedzieć na poniższe:" + +#: ../../mod/dfrn_request.php:834 +#, php-format +msgid "Does %s know you?" +msgstr "Czy %s Cię zna?" + +#: ../../mod/dfrn_request.php:837 +msgid "Add a personal note:" +msgstr "Dodaj osobistą notkę:" + +#: ../../mod/dfrn_request.php:839 ../../include/contact_selectors.php:76 +msgid "Friendica" +msgstr "Friendica" + +#: ../../mod/dfrn_request.php:840 +msgid "StatusNet/Federated Social Web" +msgstr "" + +#: ../../mod/dfrn_request.php:841 ../../mod/settings.php:640 +#: ../../include/contact_selectors.php:80 +msgid "Diaspora" +msgstr "" + +#: ../../mod/dfrn_request.php:842 +#, php-format +msgid "" +" - please do not use this form. Instead, enter %s into your Diaspora search" +" bar." +msgstr "" + +#: ../../mod/dfrn_request.php:843 +msgid "Your Identity Address:" +msgstr "Twój zidentyfikowany adres:" + +#: ../../mod/dfrn_request.php:846 +msgid "Submit Request" +msgstr "Wyślij zgłoszenie" + +#: ../../mod/install.php:117 +msgid "Friendica Social Communications Server - Setup" +msgstr "" + +#: ../../mod/install.php:123 +msgid "Could not connect to database." +msgstr "Nie można nawiązać połączenia z bazą danych" + +#: ../../mod/install.php:127 +msgid "Could not create table." +msgstr "" + +#: ../../mod/install.php:133 +msgid "Your Friendica site database has been installed." +msgstr "" + +#: ../../mod/install.php:138 +msgid "" +"You may need to import the file \"database.sql\" manually using phpmyadmin " +"or mysql." +msgstr "Może być konieczne zaimportowanie pliku \"database.sql\" ręcznie, używając phpmyadmin lub mysql." + +#: ../../mod/install.php:139 ../../mod/install.php:204 +#: ../../mod/install.php:488 +msgid "Please see the file \"INSTALL.txt\"." +msgstr "Proszę przejrzeć plik \"INSTALL.txt\"." + +#: ../../mod/install.php:201 +msgid "System check" +msgstr "" + +#: ../../mod/install.php:206 +msgid "Check again" +msgstr "Sprawdź ponownie" + +#: ../../mod/install.php:225 +msgid "Database connection" +msgstr "" + +#: ../../mod/install.php:226 +msgid "" +"In order to install Friendica we need to know how to connect to your " +"database." +msgstr "" + +#: ../../mod/install.php:227 +msgid "" +"Please contact your hosting provider or site administrator if you have " +"questions about these settings." +msgstr "Proszę skontaktuj się ze swoim dostawcą usług hostingowych bądź administratorem strony jeśli masz pytania co do tych ustawień ." + +#: ../../mod/install.php:228 +msgid "" +"The database you specify below should already exist. If it does not, please " +"create it before continuing." +msgstr "Wymieniona przez Ciebie baza danych powinna już istnieć. Jeżeli nie, utwórz ją przed kontynuacją." + +#: ../../mod/install.php:232 +msgid "Database Server Name" +msgstr "Baza danych - Nazwa serwera" + +#: ../../mod/install.php:233 +msgid "Database Login Name" +msgstr "Baza danych - Nazwa loginu" + +#: ../../mod/install.php:234 +msgid "Database Login Password" +msgstr "Baza danych - Hasło loginu" + +#: ../../mod/install.php:235 +msgid "Database Name" +msgstr "Baza danych - Nazwa" + +#: ../../mod/install.php:236 ../../mod/install.php:275 +msgid "Site administrator email address" +msgstr "" + +#: ../../mod/install.php:236 ../../mod/install.php:275 +msgid "" +"Your account email address must match this in order to use the web admin " +"panel." +msgstr "" + +#: ../../mod/install.php:240 ../../mod/install.php:278 +msgid "Please select a default timezone for your website" +msgstr "Proszę wybrać domyślną strefę czasową dla swojej strony" + +#: ../../mod/install.php:265 +msgid "Site settings" +msgstr "Ustawienia strony" + +#: ../../mod/install.php:318 +msgid "Could not find a command line version of PHP in the web server PATH." +msgstr "Nie można znaleźć wersji PHP komendy w serwerze PATH" + +#: ../../mod/install.php:319 +msgid "" +"If you don't have a command line version of PHP installed on server, you " +"will not be able to run background polling via cron. See 'Activating scheduled tasks'" +msgstr "" + +#: ../../mod/install.php:323 +msgid "PHP executable path" +msgstr "" + +#: ../../mod/install.php:323 +msgid "" +"Enter full path to php executable. You can leave this blank to continue the " +"installation." +msgstr "" + +#: ../../mod/install.php:328 +msgid "Command line PHP" +msgstr "" + +#: ../../mod/install.php:337 +msgid "" +"The command line version of PHP on your system does not have " +"\"register_argc_argv\" enabled." +msgstr "Wersja linii poleceń PHP w twoim systemie nie ma aktywowanego \"register_argc_argv\"." + +#: ../../mod/install.php:338 +msgid "This is required for message delivery to work." +msgstr "To jest wymagane do dostarczenia wiadomości do pracy." + +#: ../../mod/install.php:340 +msgid "PHP register_argc_argv" +msgstr "" + +#: ../../mod/install.php:361 +msgid "" +"Error: the \"openssl_pkey_new\" function on this system is not able to " +"generate encryption keys" +msgstr "Błąd : funkcja systemu \"openssl_pkey_new\" nie jest w stanie wygenerować klucza szyfrującego ." + +#: ../../mod/install.php:362 +msgid "" +"If running under Windows, please see " +"\"http://www.php.net/manual/en/openssl.installation.php\"." +msgstr "Jeśli korzystasz z Windowsa, proszę odwiedzić \"http://www.php.net/manual/en/openssl.installation.php\"." + +#: ../../mod/install.php:364 +msgid "Generate encryption keys" +msgstr "" + +#: ../../mod/install.php:371 +msgid "libCurl PHP module" +msgstr "" + +#: ../../mod/install.php:372 +msgid "GD graphics PHP module" +msgstr "" + +#: ../../mod/install.php:373 +msgid "OpenSSL PHP module" +msgstr "" + +#: ../../mod/install.php:374 +msgid "mysqli PHP module" +msgstr "" + +#: ../../mod/install.php:375 +msgid "mb_string PHP module" +msgstr "" + +#: ../../mod/install.php:380 ../../mod/install.php:382 +msgid "Apache mod_rewrite module" +msgstr "" + +#: ../../mod/install.php:380 +msgid "" +"Error: Apache webserver mod-rewrite module is required but not installed." +msgstr "" + +#: ../../mod/install.php:388 +msgid "Error: libCURL PHP module required but not installed." +msgstr "Błąd: libCURL PHP wymagany moduł, lecz nie zainstalowany." + +#: ../../mod/install.php:392 +msgid "" +"Error: GD graphics PHP module with JPEG support required but not installed." +msgstr "" + +#: ../../mod/install.php:396 +msgid "Error: openssl PHP module required but not installed." +msgstr "Błąd: openssl PHP wymagany moduł, lecz nie zainstalowany." + +#: ../../mod/install.php:400 +msgid "Error: mysqli PHP module required but not installed." +msgstr "Błąd: mysqli PHP wymagany moduł, lecz nie zainstalowany." + +#: ../../mod/install.php:404 +msgid "Error: mb_string PHP module required but not installed." +msgstr "" + +#: ../../mod/install.php:421 +msgid "" +"The web installer needs to be able to create a file called \".htconfig.php\"" +" in the top folder of your web server and it is unable to do so." +msgstr "" + +#: ../../mod/install.php:422 +msgid "" +"This is most often a permission setting, as the web server may not be able " +"to write files in your folder - even if you can." +msgstr "" + +#: ../../mod/install.php:423 +msgid "" +"At the end of this procedure, we will give you a text to save in a file " +"named .htconfig.php in your Friendica top folder." +msgstr "" + +#: ../../mod/install.php:424 +msgid "" +"You can alternatively skip this procedure and perform a manual installation." +" Please see the file \"INSTALL.txt\" for instructions." +msgstr "" + +#: ../../mod/install.php:427 +msgid ".htconfig.php is writable" +msgstr "" + +#: ../../mod/install.php:439 +msgid "" +"Url rewrite in .htaccess is not working. Check your server configuration." +msgstr "" + +#: ../../mod/install.php:441 +msgid "Url rewrite is working" +msgstr "" + +#: ../../mod/install.php:451 +msgid "" +"The database configuration file \".htconfig.php\" could not be written. " +"Please use the enclosed text to create a configuration file in your web " +"server root." +msgstr "" + +#: ../../mod/install.php:475 +msgid "Errors encountered creating database tables." +msgstr "Zostały napotkane błędy przy tworzeniu tabeli bazy danych." + +#: ../../mod/install.php:486 +msgid "

    What next

    " +msgstr "" + +#: ../../mod/install.php:487 +msgid "" +"IMPORTANT: You will need to [manually] setup a scheduled task for the " +"poller." +msgstr "" + +#: ../../mod/localtime.php:12 ../../include/event.php:11 +#: ../../include/bb2diaspora.php:390 +msgid "l F d, Y \\@ g:i A" +msgstr "" + +#: ../../mod/localtime.php:24 +msgid "Time Conversion" +msgstr "Zmiana czasu" + +#: ../../mod/localtime.php:26 +msgid "" +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "" + +#: ../../mod/localtime.php:30 +#, php-format +msgid "UTC time: %s" +msgstr "" + +#: ../../mod/localtime.php:33 +#, php-format +msgid "Current timezone: %s" +msgstr "Obecna strefa czasowa: %s" + +#: ../../mod/localtime.php:36 +#, php-format +msgid "Converted localtime: %s" +msgstr "" + +#: ../../mod/localtime.php:41 +msgid "Please select your timezone:" +msgstr "Wybierz swoją strefę czasową:" + +#: ../../mod/poke.php:192 +msgid "Poke/Prod" +msgstr "" + +#: ../../mod/poke.php:193 +msgid "poke, prod or do other things to somebody" +msgstr "" + +#: ../../mod/poke.php:194 +msgid "Recipient" +msgstr "" + +#: ../../mod/poke.php:195 +msgid "Choose what you wish to do to recipient" +msgstr "" + +#: ../../mod/poke.php:198 +msgid "Make this post private" +msgstr "Zrób ten post prywatnym" + +#: ../../mod/match.php:12 +msgid "Profile Match" +msgstr "Profil zgodny " + +#: ../../mod/match.php:20 +msgid "No keywords to match. Please add keywords to your default profile." +msgstr "Brak słów-kluczy do wyszukania. Dodaj słowa-klucze do swojego domyślnego profilu." + +#: ../../mod/match.php:57 +msgid "is interested in:" +msgstr "interesuje się:" + +#: ../../mod/match.php:58 ../../mod/suggest.php:59 +#: ../../include/contact_widgets.php:9 ../../boot.php:1175 +msgid "Connect" +msgstr "Połącz" + +#: ../../mod/match.php:65 ../../mod/dirfind.php:60 +msgid "No matches" +msgstr "brak dopasowań" + +#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 +msgid "Remote privacy information not available." +msgstr "Dane prywatne nie są dostępne zdalnie " + +#: ../../mod/lockview.php:48 +#: ../../addon/remote_permissions/remote_permissions.php:123 +msgid "Visible to:" +msgstr "Widoczne dla:" + +#: ../../mod/content.php:119 ../../mod/network.php:544 +msgid "No such group" +msgstr "Nie ma takiej grupy" + +#: ../../mod/content.php:130 ../../mod/network.php:555 +msgid "Group is empty" +msgstr "Grupa jest pusta" + +#: ../../mod/content.php:134 ../../mod/network.php:559 +msgid "Group: " +msgstr "Grupa:" + +#: ../../mod/content.php:438 ../../mod/content.php:723 +#: ../../include/conversation.php:568 ../../object/Item.php:116 +msgid "Select" +msgstr "Wybierz" + +#: ../../mod/content.php:455 ../../mod/content.php:816 +#: ../../mod/content.php:817 ../../include/conversation.php:587 +#: ../../object/Item.php:227 ../../object/Item.php:228 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Pokaż %s's profil @ %s" + +#: ../../mod/content.php:465 ../../mod/content.php:828 +#: ../../include/conversation.php:607 ../../object/Item.php:240 +#, php-format +msgid "%s from %s" +msgstr "%s od %s" + +#: ../../mod/content.php:480 ../../include/conversation.php:622 +msgid "View in context" +msgstr "" + +#: ../../mod/content.php:586 ../../object/Item.php:277 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] " %d komentarz" +msgstr[1] " %d komentarzy" +msgstr[2] " %d komentarzy" + +#: ../../mod/content.php:588 ../../include/text.php:1441 +#: ../../object/Item.php:279 ../../object/Item.php:292 +msgid "comment" +msgid_plural "comments" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "komentarz" + +#: ../../mod/content.php:589 ../../addon/page/page.php:77 +#: ../../addon/page/page.php:111 ../../addon/showmore/showmore.php:119 +#: ../../include/contact_widgets.php:195 ../../boot.php:586 +#: ../../object/Item.php:280 ../../addon.old/page/page.php:77 +#: ../../addon.old/page/page.php:111 ../../addon.old/showmore/showmore.php:119 +msgid "show more" +msgstr "Pokaż więcej" + +#: ../../mod/content.php:667 ../../object/Item.php:196 +msgid "like" +msgstr "polub" + +#: ../../mod/content.php:668 ../../object/Item.php:197 +msgid "dislike" +msgstr "Nie lubię" + +#: ../../mod/content.php:670 ../../object/Item.php:199 +msgid "Share this" +msgstr "Udostępnij to" + +#: ../../mod/content.php:670 ../../object/Item.php:199 +msgid "share" +msgstr "udostępnij" + +#: ../../mod/content.php:694 ../../object/Item.php:560 +msgid "Bold" +msgstr "Pogrubienie" + +#: ../../mod/content.php:695 ../../object/Item.php:561 +msgid "Italic" +msgstr "Kursywa" + +#: ../../mod/content.php:696 ../../object/Item.php:562 +msgid "Underline" +msgstr "Podkreślenie" + +#: ../../mod/content.php:697 ../../object/Item.php:563 +msgid "Quote" +msgstr "Cytat" + +#: ../../mod/content.php:698 ../../object/Item.php:564 +msgid "Code" +msgstr "Kod" + +#: ../../mod/content.php:699 ../../object/Item.php:565 +msgid "Image" +msgstr "Obraz" + +#: ../../mod/content.php:700 ../../object/Item.php:566 +msgid "Link" +msgstr "Link" + +#: ../../mod/content.php:701 ../../object/Item.php:567 +msgid "Video" +msgstr "Video" + +#: ../../mod/content.php:736 ../../object/Item.php:180 +msgid "add star" +msgstr "dodaj gwiazdkę" + +#: ../../mod/content.php:737 ../../object/Item.php:181 +msgid "remove star" +msgstr "anuluj gwiazdkę" + +#: ../../mod/content.php:738 ../../object/Item.php:182 +msgid "toggle star status" +msgstr "" + +#: ../../mod/content.php:741 ../../object/Item.php:185 +msgid "starred" +msgstr "" + +#: ../../mod/content.php:742 ../../object/Item.php:186 +msgid "add tag" +msgstr "dodaj tag" + +#: ../../mod/content.php:746 ../../object/Item.php:120 +msgid "save to folder" +msgstr "zapisz w folderze" + +#: ../../mod/content.php:818 ../../object/Item.php:229 +msgid "to" +msgstr "do" + +#: ../../mod/content.php:819 ../../object/Item.php:230 +msgid "Wall-to-Wall" +msgstr "" + +#: ../../mod/content.php:820 ../../object/Item.php:231 +msgid "via Wall-To-Wall:" +msgstr "" + +#: ../../mod/home.php:30 ../../addon/communityhome/communityhome.php:179 +#: ../../addon.old/communityhome/communityhome.php:179 +#, php-format +msgid "Welcome to %s" +msgstr "Witamy w %s" + +#: ../../mod/notifications.php:26 +msgid "Invalid request identifier." +msgstr "Niewłaściwy identyfikator wymagania." + +#: ../../mod/notifications.php:35 ../../mod/notifications.php:164 +#: ../../mod/notifications.php:210 +msgid "Discard" +msgstr "Odrzuć" + +#: ../../mod/notifications.php:51 ../../mod/notifications.php:163 +#: ../../mod/notifications.php:209 ../../mod/contacts.php:324 +#: ../../mod/contacts.php:378 +msgid "Ignore" +msgstr "Ignoruj" + +#: ../../mod/notifications.php:78 +msgid "System" +msgstr "System" + +#: ../../mod/notifications.php:83 ../../include/nav.php:113 +msgid "Network" +msgstr "Sieć" + +#: ../../mod/notifications.php:88 ../../mod/network.php:407 +msgid "Personal" +msgstr "" + +#: ../../mod/notifications.php:93 ../../view/theme/diabook/theme.php:86 +#: ../../include/nav.php:77 ../../include/nav.php:115 +msgid "Home" +msgstr "Dom" + +#: ../../mod/notifications.php:98 ../../include/nav.php:121 +msgid "Introductions" +msgstr "" + +#: ../../mod/notifications.php:103 ../../mod/message.php:176 +#: ../../include/nav.php:128 +msgid "Messages" +msgstr "Wiadomości" + +#: ../../mod/notifications.php:122 +msgid "Show Ignored Requests" +msgstr "Pokaż ignorowane żądania" + +#: ../../mod/notifications.php:122 +msgid "Hide Ignored Requests" +msgstr "Ukryj ignorowane żądania" + +#: ../../mod/notifications.php:148 ../../mod/notifications.php:194 +msgid "Notification type: " +msgstr "Typ zawiadomień:" + +#: ../../mod/notifications.php:149 +msgid "Friend Suggestion" +msgstr "Propozycja znajomych" + +#: ../../mod/notifications.php:151 +#, php-format +msgid "suggested by %s" +msgstr "zaproponowane przez %s" + +#: ../../mod/notifications.php:156 ../../mod/notifications.php:203 +#: ../../mod/contacts.php:384 +msgid "Hide this contact from others" +msgstr "Ukryj ten kontakt przed innymi" + +#: ../../mod/notifications.php:157 ../../mod/notifications.php:204 +msgid "Post a new friend activity" +msgstr "" + +#: ../../mod/notifications.php:157 ../../mod/notifications.php:204 +msgid "if applicable" +msgstr "jeśli odpowiednie" + +#: ../../mod/notifications.php:160 ../../mod/notifications.php:207 +#: ../../mod/admin.php:694 +msgid "Approve" +msgstr "Zatwierdź" + +#: ../../mod/notifications.php:180 +msgid "Claims to be known to you: " +msgstr "Twierdzi, że go znasz:" + +#: ../../mod/notifications.php:180 +msgid "yes" +msgstr "tak" + +#: ../../mod/notifications.php:180 +msgid "no" +msgstr "nie" + +#: ../../mod/notifications.php:187 +msgid "Approve as: " +msgstr "Zatwierdź jako:" + +#: ../../mod/notifications.php:188 +msgid "Friend" +msgstr "Znajomy" + +#: ../../mod/notifications.php:189 +msgid "Sharer" +msgstr "" + +#: ../../mod/notifications.php:189 +msgid "Fan/Admirer" +msgstr "Fan" + +#: ../../mod/notifications.php:195 +msgid "Friend/Connect Request" +msgstr "Prośba o dodanie do przyjaciół/powiązanych" + +#: ../../mod/notifications.php:195 +msgid "New Follower" +msgstr "Nowy obserwator" + +#: ../../mod/notifications.php:216 +msgid "No introductions." +msgstr "Brak wstępu." + +#: ../../mod/notifications.php:219 ../../include/nav.php:122 +msgid "Notifications" +msgstr "Powiadomienia" + +#: ../../mod/notifications.php:256 ../../mod/notifications.php:381 +#: ../../mod/notifications.php:468 +#, php-format +msgid "%s liked %s's post" +msgstr "%s polubił wpis %s" + +#: ../../mod/notifications.php:265 ../../mod/notifications.php:390 +#: ../../mod/notifications.php:477 +#, php-format +msgid "%s disliked %s's post" +msgstr "%s przestał lubić post %s" + +#: ../../mod/notifications.php:279 ../../mod/notifications.php:404 +#: ../../mod/notifications.php:491 +#, php-format +msgid "%s is now friends with %s" +msgstr "%s jest teraz znajomym %s" + +#: ../../mod/notifications.php:286 ../../mod/notifications.php:411 +#, php-format +msgid "%s created a new post" +msgstr "%s dodał nowy wpis" + +#: ../../mod/notifications.php:287 ../../mod/notifications.php:412 +#: ../../mod/notifications.php:500 +#, php-format +msgid "%s commented on %s's post" +msgstr "%s skomentował wpis %s" + +#: ../../mod/notifications.php:301 +msgid "No more network notifications." +msgstr "" + +#: ../../mod/notifications.php:305 +msgid "Network Notifications" +msgstr "" + +#: ../../mod/notifications.php:331 ../../mod/notify.php:61 +msgid "No more system notifications." +msgstr "" + +#: ../../mod/notifications.php:335 ../../mod/notify.php:65 +msgid "System Notifications" +msgstr "" + +#: ../../mod/notifications.php:426 +msgid "No more personal notifications." +msgstr "" + +#: ../../mod/notifications.php:430 +msgid "Personal Notifications" +msgstr "" + +#: ../../mod/notifications.php:507 +msgid "No more home notifications." +msgstr "" + +#: ../../mod/notifications.php:511 +msgid "Home Notifications" +msgstr "" + +#: ../../mod/contacts.php:84 ../../mod/contacts.php:164 +msgid "Could not access contact record." +msgstr "Nie można uzyskać dostępu do rejestru kontaktów." + +#: ../../mod/contacts.php:98 +msgid "Could not locate selected profile." +msgstr "Nie można znaleźć wybranego profilu." + +#: ../../mod/contacts.php:121 +msgid "Contact updated." +msgstr "Kontakt zaktualizowany" + +#: ../../mod/contacts.php:186 +msgid "Contact has been blocked" +msgstr "Kontakt został zablokowany" + +#: ../../mod/contacts.php:186 +msgid "Contact has been unblocked" +msgstr "Kontakt został odblokowany" + +#: ../../mod/contacts.php:200 +msgid "Contact has been ignored" +msgstr "Kontakt jest ignorowany" + +#: ../../mod/contacts.php:200 +msgid "Contact has been unignored" +msgstr "Kontakt nie jest ignorowany" + +#: ../../mod/contacts.php:219 +msgid "Contact has been archived" +msgstr "" + +#: ../../mod/contacts.php:219 +msgid "Contact has been unarchived" +msgstr "" + +#: ../../mod/contacts.php:232 +msgid "Contact has been removed." +msgstr "Kontakt został usunięty." + +#: ../../mod/contacts.php:266 +#, php-format +msgid "You are mutual friends with %s" +msgstr "Jesteś już znajomym z %s" + +#: ../../mod/contacts.php:270 +#, php-format +msgid "You are sharing with %s" +msgstr "" + +#: ../../mod/contacts.php:275 +#, php-format +msgid "%s is sharing with you" +msgstr "" + +#: ../../mod/contacts.php:292 +msgid "Private communications are not available for this contact." +msgstr "Prywatna rozmowa jest niemożliwa dla tego kontaktu" + +#: ../../mod/contacts.php:295 +msgid "Never" +msgstr "Nigdy" + +#: ../../mod/contacts.php:299 +msgid "(Update was successful)" +msgstr "(Aktualizacja przebiegła pomyślnie)" + +#: ../../mod/contacts.php:299 +msgid "(Update was not successful)" +msgstr "(Aktualizacja nie powiodła się)" + +#: ../../mod/contacts.php:301 +msgid "Suggest friends" +msgstr "Osoby, które możesz znać" + +#: ../../mod/contacts.php:305 +#, php-format +msgid "Network type: %s" +msgstr "" + +#: ../../mod/contacts.php:308 ../../include/contact_widgets.php:190 +#, php-format +msgid "%d contact in common" +msgid_plural "%d contacts in common" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ../../mod/contacts.php:313 +msgid "View all contacts" +msgstr "Zobacz wszystkie kontakty" + +#: ../../mod/contacts.php:318 ../../mod/contacts.php:377 +#: ../../mod/admin.php:698 +msgid "Unblock" +msgstr "Odblokuj" + +#: ../../mod/contacts.php:318 ../../mod/contacts.php:377 +#: ../../mod/admin.php:697 +msgid "Block" +msgstr "Zablokuj" + +#: ../../mod/contacts.php:321 +msgid "Toggle Blocked status" +msgstr "" + +#: ../../mod/contacts.php:324 ../../mod/contacts.php:378 +msgid "Unignore" +msgstr "Odblokuj" + +#: ../../mod/contacts.php:327 +msgid "Toggle Ignored status" +msgstr "" + +#: ../../mod/contacts.php:331 +msgid "Unarchive" +msgstr "" + +#: ../../mod/contacts.php:331 +msgid "Archive" +msgstr "Archiwum" + +#: ../../mod/contacts.php:334 +msgid "Toggle Archive status" +msgstr "" + +#: ../../mod/contacts.php:337 +msgid "Repair" +msgstr "Napraw" + +#: ../../mod/contacts.php:340 +msgid "Advanced Contact Settings" +msgstr "Zaawansowane ustawienia kontaktów" + +#: ../../mod/contacts.php:346 +msgid "Communications lost with this contact!" +msgstr "" + +#: ../../mod/contacts.php:349 +msgid "Contact Editor" +msgstr "Edytor kontaktów" + +#: ../../mod/contacts.php:352 +msgid "Profile Visibility" +msgstr "Widoczność profilu" + +#: ../../mod/contacts.php:353 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Wybierz profil, który chcesz bezpiecznie wyświetlić %s" + +#: ../../mod/contacts.php:354 +msgid "Contact Information / Notes" +msgstr "Informacja o kontakcie / Notka" + +#: ../../mod/contacts.php:355 +msgid "Edit contact notes" +msgstr "" + +#: ../../mod/contacts.php:360 ../../mod/contacts.php:552 +#: ../../mod/viewcontacts.php:62 ../../mod/nogroup.php:40 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Obejrzyj %s's profil [%s]" + +#: ../../mod/contacts.php:361 +msgid "Block/Unblock contact" +msgstr "Zablokuj/odblokuj kontakt" + +#: ../../mod/contacts.php:362 +msgid "Ignore contact" +msgstr "Ignoruj kontakt" + +#: ../../mod/contacts.php:363 +msgid "Repair URL settings" +msgstr "" + +#: ../../mod/contacts.php:364 +msgid "View conversations" +msgstr "Zobacz rozmowę" + +#: ../../mod/contacts.php:366 +msgid "Delete contact" +msgstr "Usuń kontakt" + +#: ../../mod/contacts.php:370 +msgid "Last update:" +msgstr "Ostatnia aktualizacja:" + +#: ../../mod/contacts.php:372 +msgid "Update public posts" +msgstr "" + +#: ../../mod/contacts.php:374 ../../mod/admin.php:1170 +msgid "Update now" +msgstr "Aktualizuj teraz" + +#: ../../mod/contacts.php:381 +msgid "Currently blocked" +msgstr "Obecnie zablokowany" + +#: ../../mod/contacts.php:382 +msgid "Currently ignored" +msgstr "Obecnie zignorowany" + +#: ../../mod/contacts.php:383 +msgid "Currently archived" +msgstr "" + +#: ../../mod/contacts.php:384 +msgid "" +"Replies/likes to your public posts may still be visible" +msgstr "" + +#: ../../mod/contacts.php:437 +msgid "Suggestions" +msgstr "Sugestie" + +#: ../../mod/contacts.php:440 +msgid "Suggest potential friends" +msgstr "Sugerowani znajomi" + +#: ../../mod/contacts.php:443 ../../mod/group.php:191 +msgid "All Contacts" +msgstr "Wszystkie kontakty" + +#: ../../mod/contacts.php:446 +msgid "Show all contacts" +msgstr "Pokaż wszystkie kontakty" + +#: ../../mod/contacts.php:449 +msgid "Unblocked" +msgstr "Odblokowany" + +#: ../../mod/contacts.php:452 +msgid "Only show unblocked contacts" +msgstr "Pokaż tylko odblokowane kontakty" + +#: ../../mod/contacts.php:456 +msgid "Blocked" +msgstr "Zablokowany" + +#: ../../mod/contacts.php:459 +msgid "Only show blocked contacts" +msgstr "Pokaż tylko zablokowane kontakty" + +#: ../../mod/contacts.php:463 +msgid "Ignored" +msgstr "Zignorowany" + +#: ../../mod/contacts.php:466 +msgid "Only show ignored contacts" +msgstr "Pokaż tylko ignorowane kontakty" + +#: ../../mod/contacts.php:470 +msgid "Archived" +msgstr "" + +#: ../../mod/contacts.php:473 +msgid "Only show archived contacts" +msgstr "Pokaż tylko zarchiwizowane kontakty" + +#: ../../mod/contacts.php:477 +msgid "Hidden" +msgstr "Ukryty" + +#: ../../mod/contacts.php:480 +msgid "Only show hidden contacts" +msgstr "Pokaż tylko ukryte kontakty" + +#: ../../mod/contacts.php:528 +msgid "Mutual Friendship" +msgstr "Wzajemna przyjaźń" + +#: ../../mod/contacts.php:532 +msgid "is a fan of yours" +msgstr "jest twoim fanem" + +#: ../../mod/contacts.php:536 +msgid "you are a fan of" +msgstr "jesteś fanem" + +#: ../../mod/contacts.php:553 ../../mod/nogroup.php:41 +msgid "Edit contact" +msgstr "Edytuj kontakt" + +#: ../../mod/contacts.php:574 ../../view/theme/diabook/theme.php:88 +#: ../../include/nav.php:139 +msgid "Contacts" +msgstr "Kontakty" + +#: ../../mod/contacts.php:578 +msgid "Search your contacts" +msgstr "Wyszukaj w kontaktach" + +#: ../../mod/contacts.php:579 ../../mod/directory.php:59 +msgid "Finding: " +msgstr "Znalezione:" + +#: ../../mod/contacts.php:580 ../../mod/directory.php:61 +#: ../../include/contact_widgets.php:33 +msgid "Find" +msgstr "Znajdź" + +#: ../../mod/lostpass.php:16 +msgid "No valid account found." +msgstr "Nie znaleziono ważnego konta." + +#: ../../mod/lostpass.php:32 +msgid "Password reset request issued. Check your email." +msgstr "Prośba o zresetowanie hasła została zatwierdzona. Sprawdź swój adres email." + +#: ../../mod/lostpass.php:43 +#, php-format +msgid "Password reset requested at %s" +msgstr "Prośba o reset hasła na %s" + +#: ../../mod/lostpass.php:45 ../../mod/lostpass.php:107 +#: ../../mod/register.php:90 ../../mod/register.php:144 +#: ../../mod/regmod.php:54 ../../mod/dfrn_confirm.php:752 +#: ../../addon/facebook/facebook.php:702 +#: ../../addon/facebook/facebook.php:1200 ../../addon/fbpost/fbpost.php:661 +#: ../../addon/public_server/public_server.php:62 +#: ../../addon/testdrive/testdrive.php:67 ../../include/items.php:3302 +#: ../../boot.php:799 ../../addon.old/facebook/facebook.php:702 +#: ../../addon.old/facebook/facebook.php:1200 +#: ../../addon.old/fbpost/fbpost.php:661 +#: ../../addon.old/public_server/public_server.php:62 +#: ../../addon.old/testdrive/testdrive.php:67 +msgid "Administrator" +msgstr "Administrator" + +#: ../../mod/lostpass.php:65 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "Prośba nie może być zweryfikowana. (Mogłeś już ją poprzednio wysłać.) Reset hasła nie powiódł się." + +#: ../../mod/lostpass.php:83 ../../boot.php:936 +msgid "Password Reset" +msgstr "Zresetuj hasło" + +#: ../../mod/lostpass.php:84 +msgid "Your password has been reset as requested." +msgstr "Twoje hasło zostało zresetowane na twoje życzenie." + +#: ../../mod/lostpass.php:85 +msgid "Your new password is" +msgstr "Twoje nowe hasło to" + +#: ../../mod/lostpass.php:86 +msgid "Save or copy your new password - and then" +msgstr "Zapisz lub skopiuj swoje nowe hasło - i wtedy" + +#: ../../mod/lostpass.php:87 +msgid "click here to login" +msgstr "Kliknij tutaj aby zalogować" + +#: ../../mod/lostpass.php:88 +msgid "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Twoje hasło może być zmienione w Ustawieniach po udanym zalogowaniu." + +#: ../../mod/lostpass.php:119 +msgid "Forgot your Password?" +msgstr "Zapomniałeś hasła?" + +#: ../../mod/lostpass.php:120 +msgid "" +"Enter your email address and submit to have your password reset. Then check " +"your email for further instructions." +msgstr "Wpisz swój adres email i wyślij, aby zresetować hasło. Później sprawdź swojego emaila w celu uzyskania dalszych instrukcji." + +#: ../../mod/lostpass.php:121 +msgid "Nickname or Email: " +msgstr "Pseudonim lub Email:" + +#: ../../mod/lostpass.php:122 +msgid "Reset" +msgstr "Zresetuj" + +#: ../../mod/settings.php:30 ../../include/nav.php:137 +msgid "Account settings" +msgstr "Ustawienia konta" + +#: ../../mod/settings.php:35 +msgid "Display settings" +msgstr "Wyświetl ustawienia" + +#: ../../mod/settings.php:41 +msgid "Connector settings" +msgstr "" + +#: ../../mod/settings.php:46 +msgid "Plugin settings" +msgstr "Ustawienia wtyczek" + +#: ../../mod/settings.php:51 +msgid "Connected apps" +msgstr "" + +#: ../../mod/settings.php:56 +msgid "Export personal data" +msgstr "Eksportuje dane personalne" + +#: ../../mod/settings.php:61 +msgid "Remove account" +msgstr "Usuń konto" + +#: ../../mod/settings.php:69 ../../mod/newmember.php:22 +#: ../../mod/admin.php:785 ../../mod/admin.php:990 +#: ../../addon/dav/friendica/layout.fnk.php:225 +#: ../../addon/mathjax/mathjax.php:36 ../../view/theme/diabook/theme.php:614 +#: ../../include/nav.php:137 ../../addon.old/dav/friendica/layout.fnk.php:225 +#: ../../addon.old/mathjax/mathjax.php:36 +msgid "Settings" +msgstr "Ustawienia" + +#: ../../mod/settings.php:113 +msgid "Missing some important data!" +msgstr "Brakuje ważnych danych!" + +#: ../../mod/settings.php:116 ../../mod/settings.php:569 +msgid "Update" +msgstr "Zaktualizuj" + +#: ../../mod/settings.php:221 +msgid "Failed to connect with email account using the settings provided." +msgstr "" + +#: ../../mod/settings.php:226 +msgid "Email settings updated." +msgstr "" + +#: ../../mod/settings.php:290 +msgid "Passwords do not match. Password unchanged." +msgstr "Hasło nie pasuje. Hasło nie zmienione." + +#: ../../mod/settings.php:295 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "Brak hasła niedozwolony. Hasło nie zmienione." + +#: ../../mod/settings.php:306 +msgid "Password changed." +msgstr "Hasło zostało zmianione." + +#: ../../mod/settings.php:308 +msgid "Password update failed. Please try again." +msgstr "Aktualizacja hasła nie powiodła się. Proszę spróbować ponownie." + +#: ../../mod/settings.php:373 +msgid " Please use a shorter name." +msgstr "Proszę użyć krótszej nazwy." + +#: ../../mod/settings.php:375 +msgid " Name too short." +msgstr "Za krótka nazwa." + +#: ../../mod/settings.php:381 +msgid " Not valid email." +msgstr "Zły email." + +#: ../../mod/settings.php:383 +msgid " Cannot change to that email." +msgstr "Nie mogę zmienić na ten email." + +#: ../../mod/settings.php:437 +msgid "Private forum has no privacy permissions. Using default privacy group." +msgstr "" + +#: ../../mod/settings.php:441 +msgid "Private forum has no privacy permissions and no default privacy group." +msgstr "" + +#: ../../mod/settings.php:471 ../../addon/facebook/facebook.php:495 +#: ../../addon/fbpost/fbpost.php:144 +#: ../../addon/remote_permissions/remote_permissions.php:204 +#: ../../addon/impressum/impressum.php:78 +#: ../../addon/openstreetmap/openstreetmap.php:80 +#: ../../addon/mathjax/mathjax.php:66 ../../addon/piwik/piwik.php:105 +#: ../../addon/twitter/twitter.php:389 +#: ../../addon.old/facebook/facebook.php:495 +#: ../../addon.old/fbpost/fbpost.php:144 +#: ../../addon.old/impressum/impressum.php:78 +#: ../../addon.old/openstreetmap/openstreetmap.php:80 +#: ../../addon.old/mathjax/mathjax.php:66 ../../addon.old/piwik/piwik.php:105 +#: ../../addon.old/twitter/twitter.php:389 +msgid "Settings updated." +msgstr "Zaktualizowano ustawienia." + +#: ../../mod/settings.php:542 ../../mod/settings.php:568 +#: ../../mod/settings.php:604 +msgid "Add application" +msgstr "Dodaj aplikacje" + +#: ../../mod/settings.php:546 ../../mod/settings.php:572 +#: ../../addon/statusnet/statusnet.php:570 +#: ../../addon.old/statusnet/statusnet.php:570 +msgid "Consumer Key" +msgstr "" + +#: ../../mod/settings.php:547 ../../mod/settings.php:573 +#: ../../addon/statusnet/statusnet.php:569 +#: ../../addon.old/statusnet/statusnet.php:569 +msgid "Consumer Secret" +msgstr "" + +#: ../../mod/settings.php:548 ../../mod/settings.php:574 +msgid "Redirect" +msgstr "Przekierowanie" + +#: ../../mod/settings.php:549 ../../mod/settings.php:575 +msgid "Icon url" +msgstr "" + +#: ../../mod/settings.php:560 +msgid "You can't edit this application." +msgstr "Nie możesz edytować tej aplikacji." + +#: ../../mod/settings.php:603 +msgid "Connected Apps" +msgstr "Powiązane aplikacje" + +#: ../../mod/settings.php:607 +msgid "Client key starts with" +msgstr "" + +#: ../../mod/settings.php:608 +msgid "No name" +msgstr "Bez nazwy" + +#: ../../mod/settings.php:609 +msgid "Remove authorization" +msgstr "Odwołaj upoważnienie" + +#: ../../mod/settings.php:620 +msgid "No Plugin settings configured" +msgstr "Ustawienia wtyczki nieskonfigurowane" + +#: ../../mod/settings.php:628 ../../addon/widgets/widgets.php:123 +#: ../../addon.old/widgets/widgets.php:123 +msgid "Plugin Settings" +msgstr "Ustawienia wtyczki" + +#: ../../mod/settings.php:640 ../../mod/settings.php:641 +#, php-format +msgid "Built-in support for %s connectivity is %s" +msgstr "" + +#: ../../mod/settings.php:640 ../../mod/settings.php:641 +msgid "enabled" +msgstr "włączony" + +#: ../../mod/settings.php:640 ../../mod/settings.php:641 +msgid "disabled" +msgstr "wyłączony" + +#: ../../mod/settings.php:641 +msgid "StatusNet" +msgstr "" + +#: ../../mod/settings.php:673 +msgid "Email access is disabled on this site." +msgstr "Dostęp do e-maila nie jest w pełni sprawny na tej stronie" + +#: ../../mod/settings.php:679 +msgid "Connector Settings" +msgstr "" + +#: ../../mod/settings.php:684 +msgid "Email/Mailbox Setup" +msgstr "Ustawienia emaila/skrzynki mailowej" + +#: ../../mod/settings.php:685 +msgid "" +"If you wish to communicate with email contacts using this service " +"(optional), please specify how to connect to your mailbox." +msgstr "" + +#: ../../mod/settings.php:686 +msgid "Last successful email check:" +msgstr "Ostatni sprawdzony e-mail:" + +#: ../../mod/settings.php:688 +msgid "IMAP server name:" +msgstr "Nazwa serwera IMAP:" + +#: ../../mod/settings.php:689 +msgid "IMAP port:" +msgstr "Port IMAP:" + +#: ../../mod/settings.php:690 +msgid "Security:" +msgstr "Ochrona:" + +#: ../../mod/settings.php:690 ../../mod/settings.php:695 +#: ../../addon/dav/common/wdcal_edit.inc.php:191 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:191 +msgid "None" +msgstr "Brak" + +#: ../../mod/settings.php:691 +msgid "Email login name:" +msgstr "Login emaila:" + +#: ../../mod/settings.php:692 +msgid "Email password:" +msgstr "Hasło emaila:" + +#: ../../mod/settings.php:693 +msgid "Reply-to address:" +msgstr "Odpowiedz na adres:" + +#: ../../mod/settings.php:694 +msgid "Send public posts to all email contacts:" +msgstr "Wyślij publiczny post do wszystkich kontaktów e-mail" + +#: ../../mod/settings.php:695 +msgid "Action after import:" +msgstr "" + +#: ../../mod/settings.php:695 +msgid "Mark as seen" +msgstr "Oznacz jako przeczytane" + +#: ../../mod/settings.php:695 +msgid "Move to folder" +msgstr "Przenieś do folderu" + +#: ../../mod/settings.php:696 +msgid "Move to folder:" +msgstr "Przenieś do folderu:" + +#: ../../mod/settings.php:727 ../../mod/admin.php:402 +msgid "No special theme for mobile devices" +msgstr "" + +#: ../../mod/settings.php:767 +msgid "Display Settings" +msgstr "Wyświetl ustawienia" + +#: ../../mod/settings.php:773 ../../mod/settings.php:784 +msgid "Display Theme:" +msgstr "Wyświetl motyw:" + +#: ../../mod/settings.php:774 +msgid "Mobile Theme:" +msgstr "" + +#: ../../mod/settings.php:775 +msgid "Update browser every xx seconds" +msgstr "Odświeżaj stronę co xx sekund" + +#: ../../mod/settings.php:775 +msgid "Minimum of 10 seconds, no maximum" +msgstr "Dolny limit 10 sekund, brak górnego limitu" + +#: ../../mod/settings.php:776 +msgid "Number of items to display per page:" +msgstr "" + +#: ../../mod/settings.php:776 +msgid "Maximum of 100 items" +msgstr "Maksymalnie 100 elementów" + +#: ../../mod/settings.php:777 +msgid "Don't show emoticons" +msgstr "Nie pokazuj emotikonek" + +#: ../../mod/settings.php:853 +msgid "Normal Account Page" +msgstr "" + +#: ../../mod/settings.php:854 +msgid "This account is a normal personal profile" +msgstr "To konto jest normalnym osobistym profilem" + +#: ../../mod/settings.php:857 +msgid "Soapbox Page" +msgstr "" + +#: ../../mod/settings.php:858 +msgid "Automatically approve all connection/friend requests as read-only fans" +msgstr "Automatycznie zatwierdzaj wszystkie żądania połączenia/przyłączenia do znajomych jako fanów 'tylko do odczytu'" + +#: ../../mod/settings.php:861 +msgid "Community Forum/Celebrity Account" +msgstr "" + +#: ../../mod/settings.php:862 +msgid "" +"Automatically approve all connection/friend requests as read-write fans" +msgstr "" + +#: ../../mod/settings.php:865 +msgid "Automatic Friend Page" +msgstr "" + +#: ../../mod/settings.php:866 +msgid "Automatically approve all connection/friend requests as friends" +msgstr "Automatycznie traktuj wszystkie prośby o połączenia/zaproszenia do grona przyjaciół, jako przyjaciół" + +#: ../../mod/settings.php:869 +msgid "Private Forum [Experimental]" +msgstr "" + +#: ../../mod/settings.php:870 +msgid "Private forum - approved members only" +msgstr "" + +#: ../../mod/settings.php:882 +msgid "OpenID:" +msgstr "" + +#: ../../mod/settings.php:882 +msgid "(Optional) Allow this OpenID to login to this account." +msgstr "" + +#: ../../mod/settings.php:892 +msgid "Publish your default profile in your local site directory?" +msgstr "" + +#: ../../mod/settings.php:898 +msgid "Publish your default profile in the global social directory?" +msgstr "" + +#: ../../mod/settings.php:906 +msgid "Hide your contact/friend list from viewers of your default profile?" +msgstr "Ukryć listę znajomych przed odwiedzającymi Twój profil?" + +#: ../../mod/settings.php:910 +msgid "Hide your profile details from unknown viewers?" +msgstr "Ukryć szczegóły twojego profilu przed nieznajomymi ?" + +#: ../../mod/settings.php:915 +msgid "Allow friends to post to your profile page?" +msgstr "Zezwól na dodawanie postów na twoim profilu przez znajomych" + +#: ../../mod/settings.php:921 +msgid "Allow friends to tag your posts?" +msgstr "Zezwól na oznaczanie twoich postów przez znajomych" + +#: ../../mod/settings.php:927 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "" + +#: ../../mod/settings.php:933 +msgid "Permit unknown people to send you private mail?" +msgstr "" + +#: ../../mod/settings.php:941 +msgid "Profile is not published." +msgstr "Profil nie jest opublikowany" + +#: ../../mod/settings.php:944 ../../mod/profile_photo.php:248 +msgid "or" +msgstr "lub" + +#: ../../mod/settings.php:949 +msgid "Your Identity Address is" +msgstr "Twój adres identyfikacyjny to" + +#: ../../mod/settings.php:960 +msgid "Automatically expire posts after this many days:" +msgstr "" + +#: ../../mod/settings.php:960 +msgid "If empty, posts will not expire. Expired posts will be deleted" +msgstr "" + +#: ../../mod/settings.php:961 +msgid "Advanced expiration settings" +msgstr "" + +#: ../../mod/settings.php:962 +msgid "Advanced Expiration" +msgstr "" + +#: ../../mod/settings.php:963 +msgid "Expire posts:" +msgstr "Wygasające posty:" + +#: ../../mod/settings.php:964 +msgid "Expire personal notes:" +msgstr "Wygasające notatki osobiste:" + +#: ../../mod/settings.php:965 +msgid "Expire starred posts:" +msgstr "" + +#: ../../mod/settings.php:966 +msgid "Expire photos:" +msgstr "Wygasające zdjęcia:" + +#: ../../mod/settings.php:967 +msgid "Only expire posts by others:" +msgstr "" + +#: ../../mod/settings.php:974 +msgid "Account Settings" +msgstr "Ustawienia konta" + +#: ../../mod/settings.php:982 +msgid "Password Settings" +msgstr "Ustawienia hasła" + +#: ../../mod/settings.php:983 +msgid "New Password:" +msgstr "Nowe hasło:" + +#: ../../mod/settings.php:984 +msgid "Confirm:" +msgstr "Potwierdź:" + +#: ../../mod/settings.php:984 +msgid "Leave password fields blank unless changing" +msgstr "Pozostaw pola hasła puste, chyba że chcesz je zmienić." + +#: ../../mod/settings.php:988 +msgid "Basic Settings" +msgstr "Ustawienia podstawowe" + +#: ../../mod/settings.php:989 ../../include/profile_advanced.php:15 +msgid "Full Name:" +msgstr "Imię i nazwisko:" + +#: ../../mod/settings.php:990 +msgid "Email Address:" +msgstr "Adres email:" + +#: ../../mod/settings.php:991 +msgid "Your Timezone:" +msgstr "Twoja strefa czasowa:" + +#: ../../mod/settings.php:992 +msgid "Default Post Location:" +msgstr "Standardowa lokalizacja wiadomości:" + +#: ../../mod/settings.php:993 +msgid "Use Browser Location:" +msgstr "Użyj położenia przeglądarki:" + +#: ../../mod/settings.php:996 +msgid "Security and Privacy Settings" +msgstr "Ustawienia bezpieczeństwa i prywatności" + +#: ../../mod/settings.php:998 +msgid "Maximum Friend Requests/Day:" +msgstr "Maksymalna liczba zaproszeń do grona przyjaciół na dzień:" + +#: ../../mod/settings.php:998 ../../mod/settings.php:1017 +msgid "(to prevent spam abuse)" +msgstr "(aby zapobiec spamowaniu)" + +#: ../../mod/settings.php:999 +msgid "Default Post Permissions" +msgstr "" + +#: ../../mod/settings.php:1000 +msgid "(click to open/close)" +msgstr "(kliknij by otworzyć/zamknąć)" + +#: ../../mod/settings.php:1017 +msgid "Maximum private messages per day from unknown people:" +msgstr "" + +#: ../../mod/settings.php:1020 +msgid "Notification Settings" +msgstr "Ustawienia powiadomień" + +#: ../../mod/settings.php:1021 +msgid "By default post a status message when:" +msgstr "" + +#: ../../mod/settings.php:1022 +msgid "accepting a friend request" +msgstr "" + +#: ../../mod/settings.php:1023 +msgid "joining a forum/community" +msgstr "" + +#: ../../mod/settings.php:1024 +msgid "making an interesting profile change" +msgstr "" + +#: ../../mod/settings.php:1025 +msgid "Send a notification email when:" +msgstr "Wyślij powiadmonienia na email, kiedy:" + +#: ../../mod/settings.php:1026 +msgid "You receive an introduction" +msgstr "Otrzymałeś zaproszenie" + +#: ../../mod/settings.php:1027 +msgid "Your introductions are confirmed" +msgstr "Dane zatwierdzone" + +#: ../../mod/settings.php:1028 +msgid "Someone writes on your profile wall" +msgstr "Ktoś pisze na twojej ścianie profilowej" + +#: ../../mod/settings.php:1029 +msgid "Someone writes a followup comment" +msgstr "Ktoś pisze komentarz nawiązujący." + +#: ../../mod/settings.php:1030 +msgid "You receive a private message" +msgstr "Otrzymałeś prywatną wiadomość" + +#: ../../mod/settings.php:1031 +msgid "You receive a friend suggestion" +msgstr "Otrzymane propozycje znajomych" + +#: ../../mod/settings.php:1032 +msgid "You are tagged in a post" +msgstr "" + +#: ../../mod/settings.php:1033 +msgid "You are poked/prodded/etc. in a post" +msgstr "" + +#: ../../mod/settings.php:1036 +msgid "Advanced Account/Page Type Settings" +msgstr "" + +#: ../../mod/settings.php:1037 +msgid "Change the behaviour of this account for special situations" +msgstr "" + +#: ../../mod/manage.php:94 +msgid "Manage Identities and/or Pages" +msgstr "" + +#: ../../mod/manage.php:97 +msgid "" +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "" + +#: ../../mod/manage.php:99 +msgid "Select an identity to manage: " +msgstr "" + +#: ../../mod/network.php:181 +msgid "Search Results For:" +msgstr "Szukaj wyników dla:" + +#: ../../mod/network.php:221 ../../mod/search.php:18 +msgid "Remove term" +msgstr "" + +#: ../../mod/network.php:230 ../../mod/search.php:27 +msgid "Saved Searches" +msgstr "" + +#: ../../mod/network.php:231 ../../include/group.php:275 +msgid "add" +msgstr "dodaj" + +#: ../../mod/network.php:394 +msgid "Commented Order" +msgstr "" + +#: ../../mod/network.php:397 +msgid "Sort by Comment Date" +msgstr "Sortuj po dacie komentarza" + +#: ../../mod/network.php:400 +msgid "Posted Order" +msgstr "" + +#: ../../mod/network.php:403 +msgid "Sort by Post Date" +msgstr "Sortuj po dacie posta" + +#: ../../mod/network.php:410 +msgid "Posts that mention or involve you" +msgstr "" + +#: ../../mod/network.php:413 +msgid "New" +msgstr "Nowy" + +#: ../../mod/network.php:416 +msgid "Activity Stream - by date" +msgstr "" + +#: ../../mod/network.php:419 +msgid "Starred" +msgstr "" + +#: ../../mod/network.php:422 +msgid "Favourite Posts" +msgstr "Ulubione posty" + +#: ../../mod/network.php:425 +msgid "Shared Links" +msgstr "Współdzielone linki" + +#: ../../mod/network.php:428 +msgid "Interesting Links" +msgstr "Interesujące linki" + +#: ../../mod/network.php:496 +#, php-format +msgid "Warning: This group contains %s member from an insecure network." +msgid_plural "" +"Warning: This group contains %s members from an insecure network." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ../../mod/network.php:499 +msgid "Private messages to this group are at risk of public disclosure." +msgstr "Prywatne wiadomości do tej grupy mogą zostać publicznego ujawnienia" + +#: ../../mod/network.php:569 +msgid "Contact: " +msgstr "Kontakt: " + +#: ../../mod/network.php:571 +msgid "Private messages to this person are at risk of public disclosure." +msgstr "Prywatne wiadomości do tej osoby mogą zostać publicznie ujawnione " + +#: ../../mod/network.php:576 +msgid "Invalid contact." +msgstr "Zły kontakt" + +#: ../../mod/notes.php:44 ../../boot.php:1708 +msgid "Personal Notes" +msgstr "Osobiste notatki" + +#: ../../mod/notes.php:63 ../../mod/filer.php:30 +#: ../../addon/facebook/facebook.php:770 +#: ../../addon/privacy_image_cache/privacy_image_cache.php:263 +#: ../../addon/fbpost/fbpost.php:267 +#: ../../addon/dav/friendica/layout.fnk.php:441 +#: ../../addon/dav/friendica/layout.fnk.php:488 ../../include/text.php:681 +#: ../../addon.old/facebook/facebook.php:770 +#: ../../addon.old/privacy_image_cache/privacy_image_cache.php:263 +#: ../../addon.old/fbpost/fbpost.php:267 +#: ../../addon.old/dav/friendica/layout.fnk.php:441 +#: ../../addon.old/dav/friendica/layout.fnk.php:488 +msgid "Save" +msgstr "Zapisz" + +#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 +#, php-format +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "" + +#: ../../mod/wallmessage.php:56 ../../mod/message.php:59 +msgid "No recipient selected." +msgstr "Nie wybrano odbiorcy." + +#: ../../mod/wallmessage.php:59 +msgid "Unable to check your home location." +msgstr "" + +#: ../../mod/wallmessage.php:62 ../../mod/message.php:66 +msgid "Message could not be sent." +msgstr "Wiadomość nie może zostać wysłana" + +#: ../../mod/wallmessage.php:65 ../../mod/message.php:69 +msgid "Message collection failure." +msgstr "" + +#: ../../mod/wallmessage.php:68 ../../mod/message.php:72 +msgid "Message sent." +msgstr "Wysłano." + +#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 +msgid "No recipient." +msgstr "" + +#: ../../mod/wallmessage.php:123 ../../mod/wallmessage.php:131 +#: ../../mod/message.php:242 ../../mod/message.php:250 +#: ../../include/conversation.php:898 ../../include/conversation.php:916 +msgid "Please enter a link URL:" +msgstr "Proszę wpisać adres URL:" + +#: ../../mod/wallmessage.php:138 ../../mod/message.php:278 +msgid "Send Private Message" +msgstr "Wyślij prywatną wiadomość" + +#: ../../mod/wallmessage.php:139 +#, php-format +msgid "" +"If you wish for %s to respond, please check that the privacy settings on " +"your site allow private mail from unknown senders." +msgstr "" + +#: ../../mod/wallmessage.php:140 ../../mod/message.php:279 +#: ../../mod/message.php:469 +msgid "To:" +msgstr "Do:" + +#: ../../mod/wallmessage.php:141 ../../mod/message.php:284 +#: ../../mod/message.php:471 +msgid "Subject:" +msgstr "Temat:" + +#: ../../mod/wallmessage.php:147 ../../mod/message.php:288 +#: ../../mod/message.php:474 ../../mod/invite.php:113 +msgid "Your message:" +msgstr "Twoja wiadomość:" + +#: ../../mod/newmember.php:6 +msgid "Welcome to Friendica" +msgstr "Witamy na Friendica" + +#: ../../mod/newmember.php:8 +msgid "New Member Checklist" +msgstr "Lista nowych członków" + +#: ../../mod/newmember.php:12 +msgid "" +"We would like to offer some tips and links to help make your experience " +"enjoyable. Click any item to visit the relevant page. A link to this page " +"will be visible from your home page for two weeks after your initial " +"registration and then will quietly disappear." +msgstr "" + +#: ../../mod/newmember.php:14 +msgid "Getting Started" +msgstr "" + +#: ../../mod/newmember.php:18 +msgid "Friendica Walk-Through" +msgstr "" + +#: ../../mod/newmember.php:18 +msgid "" +"On your Quick Start page - find a brief introduction to your " +"profile and network tabs, make some new connections, and find some groups to" +" join." +msgstr "" + +#: ../../mod/newmember.php:26 +msgid "Go to Your Settings" +msgstr "Idź do swoich ustawień" + +#: ../../mod/newmember.php:26 +msgid "" +"On your Settings page - change your initial password. Also make a " +"note of your Identity Address. This looks just like an email address - and " +"will be useful in making friends on the free social web." +msgstr "" + +#: ../../mod/newmember.php:28 +msgid "" +"Review the other settings, particularly the privacy settings. An unpublished" +" directory listing is like having an unlisted phone number. In general, you " +"should probably publish your listing - unless all of your friends and " +"potential friends know exactly how to find you." +msgstr "" + +#: ../../mod/newmember.php:32 ../../mod/profperm.php:103 +#: ../../view/theme/diabook/theme.php:87 ../../include/profile_advanced.php:7 +#: ../../include/profile_advanced.php:84 ../../include/nav.php:50 +#: ../../boot.php:1684 +msgid "Profile" +msgstr "Profil" + +#: ../../mod/newmember.php:36 ../../mod/profile_photo.php:244 +msgid "Upload Profile Photo" +msgstr "Wyślij zdjęcie profilowe" + +#: ../../mod/newmember.php:36 +msgid "" +"Upload a profile photo if you have not done so already. Studies have shown " +"that people with real photos of themselves are ten times more likely to make" +" friends than people who do not." +msgstr "Dodaj swoje zdjęcie profilowe jeśli jeszcze tego nie zrobiłeś. Twoje szanse na zwiększenie liczby znajomych rosną dziesięciokrotnie, kiedy na tym zdjęciu jesteś ty." + +#: ../../mod/newmember.php:38 +msgid "Edit Your Profile" +msgstr "Edytuj własny profil" + +#: ../../mod/newmember.php:38 +msgid "" +"Edit your default profile to your liking. Review the " +"settings for hiding your list of friends and hiding the profile from unknown" +" visitors." +msgstr "" + +#: ../../mod/newmember.php:40 +msgid "Profile Keywords" +msgstr "Słowa kluczowe profilu" + +#: ../../mod/newmember.php:40 +msgid "" +"Set some public keywords for your default profile which describe your " +"interests. We may be able to find other people with similar interests and " +"suggest friendships." +msgstr "" + +#: ../../mod/newmember.php:44 +msgid "Connecting" +msgstr "Łączę się..." + +#: ../../mod/newmember.php:49 ../../mod/newmember.php:51 +#: ../../addon/facebook/facebook.php:728 ../../addon/fbpost/fbpost.php:239 +#: ../../include/contact_selectors.php:81 +#: ../../addon.old/facebook/facebook.php:728 +#: ../../addon.old/fbpost/fbpost.php:239 +msgid "Facebook" +msgstr "Facebook" + +#: ../../mod/newmember.php:49 +msgid "" +"Authorise the Facebook Connector if you currently have a Facebook account " +"and we will (optionally) import all your Facebook friends and conversations." +msgstr "" + +#: ../../mod/newmember.php:51 +msgid "" +"If this is your own personal server, installing the Facebook addon " +"may ease your transition to the free social web." +msgstr "" + +#: ../../mod/newmember.php:56 +msgid "Importing Emails" +msgstr "Importuję emaile..." + +#: ../../mod/newmember.php:56 +msgid "" +"Enter your email access information on your Connector Settings page if you " +"wish to import and interact with friends or mailing lists from your email " +"INBOX" +msgstr "" + +#: ../../mod/newmember.php:58 +msgid "Go to Your Contacts Page" +msgstr "Idź do strony z Twoimi kontaktami" + +#: ../../mod/newmember.php:58 +msgid "" +"Your Contacts page is your gateway to managing friendships and connecting " +"with friends on other networks. Typically you enter their address or site " +"URL in the Add New Contact dialog." +msgstr "" + +#: ../../mod/newmember.php:60 +msgid "Go to Your Site's Directory" +msgstr "" + +#: ../../mod/newmember.php:60 +msgid "" +"The Directory page lets you find other people in this network or other " +"federated sites. Look for a Connect or Follow link on " +"their profile page. Provide your own Identity Address if requested." +msgstr "" + +#: ../../mod/newmember.php:62 +msgid "Finding New People" +msgstr "Poszukiwanie Nowych Ludzi" + +#: ../../mod/newmember.php:62 +msgid "" +"On the side panel of the Contacts page are several tools to find new " +"friends. We can match people by interest, look up people by name or " +"interest, and provide suggestions based on network relationships. On a brand" +" new site, friend suggestions will usually begin to be populated within 24 " +"hours." +msgstr "" + +#: ../../mod/newmember.php:66 ../../include/group.php:270 +msgid "Groups" +msgstr "Grupy" + +#: ../../mod/newmember.php:70 +msgid "Group Your Contacts" +msgstr "Grupuj Swoje kontakty" + +#: ../../mod/newmember.php:70 +msgid "" +"Once you have made some friends, organize them into private conversation " +"groups from the sidebar of your Contacts page and then you can interact with" +" each group privately on your Network page." +msgstr "" + +#: ../../mod/newmember.php:73 +msgid "Why Aren't My Posts Public?" +msgstr "Dlaczego moje posty nie są publiczne?" + +#: ../../mod/newmember.php:73 +msgid "" +"Friendica respects your privacy. By default, your posts will only show up to" +" people you've added as friends. For more information, see the help section " +"from the link above." +msgstr "" + +#: ../../mod/newmember.php:78 +msgid "Getting Help" +msgstr "Otrzymywanie pomocy" + +#: ../../mod/newmember.php:82 +msgid "Go to the Help Section" +msgstr "Idź do części o pomocy" + +#: ../../mod/newmember.php:82 +msgid "" +"Our help pages may be consulted for detail on other program" +" features and resources." +msgstr "" + +#: ../../mod/attach.php:8 +msgid "Item not available." +msgstr "Element nie dostępny." + +#: ../../mod/attach.php:20 +msgid "Item was not found." +msgstr "Element nie znaleziony." + +#: ../../mod/group.php:29 +msgid "Group created." +msgstr "Grupa utworzona." + +#: ../../mod/group.php:35 +msgid "Could not create group." +msgstr "Nie mogę stworzyć grupy" + +#: ../../mod/group.php:47 ../../mod/group.php:137 +msgid "Group not found." +msgstr "Nie znaleziono grupy" + +#: ../../mod/group.php:60 +msgid "Group name changed." +msgstr "Nazwa grupy zmieniona" + +#: ../../mod/group.php:72 ../../mod/profperm.php:19 ../../index.php:318 +msgid "Permission denied" +msgstr "Odmowa dostępu" + +#: ../../mod/group.php:90 +msgid "Create a group of contacts/friends." +msgstr "Stwórz grupę znajomych." + +#: ../../mod/group.php:91 ../../mod/group.php:177 +msgid "Group Name: " +msgstr "Nazwa grupy: " + +#: ../../mod/group.php:110 +msgid "Group removed." +msgstr "Grupa usunięta." + +#: ../../mod/group.php:112 +msgid "Unable to remove group." +msgstr "Nie można usunąć grupy." + +#: ../../mod/group.php:176 +msgid "Group Editor" +msgstr "Edytor grupy" + +#: ../../mod/group.php:189 +msgid "Members" +msgstr "Członkowie" + +#: ../../mod/group.php:221 ../../mod/profperm.php:105 +msgid "Click on a contact to add or remove." +msgstr "Kliknij na kontakt w celu dodania lub usunięcia." + +#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 +msgid "Invalid profile identifier." +msgstr "Nieprawidłowa nazwa użytkownika." + +#: ../../mod/profperm.php:101 +msgid "Profile Visibility Editor" +msgstr "Ustawienia widoczności profilu" + +#: ../../mod/profperm.php:114 +msgid "Visible To" +msgstr "Widoczne dla" + +#: ../../mod/profperm.php:130 +msgid "All Contacts (with secure profile access)" +msgstr "Wszystkie kontakty (z bezpiecznym dostępem do profilu)" + +#: ../../mod/viewcontacts.php:39 +msgid "No contacts." +msgstr "brak kontaktów" + +#: ../../mod/viewcontacts.php:76 ../../include/text.php:618 +msgid "View Contacts" +msgstr "widok kontaktów" + +#: ../../mod/register.php:88 ../../mod/regmod.php:52 +#, php-format +msgid "Registration details for %s" +msgstr "Szczegóły rejestracji dla %s" + +#: ../../mod/register.php:96 +msgid "" +"Registration successful. Please check your email for further instructions." +msgstr "Rejestracja zakończona pomyślnie. Dalsze instrukcje zostały wysłane na twojego e-maila." + +#: ../../mod/register.php:100 +msgid "Failed to send email message. Here is the message that failed." +msgstr "" + +#: ../../mod/register.php:105 +msgid "Your registration can not be processed." +msgstr "Twoja rejestracja nie może zostać przeprowadzona. " + +#: ../../mod/register.php:142 +#, php-format +msgid "Registration request at %s" +msgstr "Prośba o rejestrację u %s" + +#: ../../mod/register.php:151 +msgid "Your registration is pending approval by the site owner." +msgstr "Twoja rejestracja oczekuje na zaakceptowanie przez właściciela witryny." + +#: ../../mod/register.php:189 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "" + +#: ../../mod/register.php:217 +msgid "" +"You may (optionally) fill in this form via OpenID by supplying your OpenID " +"and clicking 'Register'." +msgstr "" + +#: ../../mod/register.php:218 +msgid "" +"If you are not familiar with OpenID, please leave that field blank and fill " +"in the rest of the items." +msgstr "Jeśli nie jesteś zaznajomiony z OpenID, zostaw to pole puste i uzupełnij resztę elementów." + +#: ../../mod/register.php:219 +msgid "Your OpenID (optional): " +msgstr "Twój OpenID (opcjonalnie):" + +#: ../../mod/register.php:233 +msgid "Include your profile in member directory?" +msgstr "Czy dołączyć twój profil do katalogu członków?" + +#: ../../mod/register.php:255 +msgid "Membership on this site is by invitation only." +msgstr "Członkostwo na tej stronie możliwe tylko dzięki zaproszeniu." + +#: ../../mod/register.php:256 +msgid "Your invitation ID: " +msgstr "" + +#: ../../mod/register.php:259 ../../mod/admin.php:444 +msgid "Registration" +msgstr "Rejestracja" + +#: ../../mod/register.php:267 +msgid "Your Full Name (e.g. Joe Smith): " +msgstr "Imię i nazwisko (np. Jan Kowalski):" + +#: ../../mod/register.php:268 +msgid "Your Email Address: " +msgstr "Twój adres email:" + +#: ../../mod/register.php:269 +msgid "" +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be " +"'nickname@$sitename'." +msgstr "Wybierz login. Login musi zaczynać się literą. Adres twojego profilu na tej stronie będzie wyglądać następująco 'login@$nazwastrony'." + +#: ../../mod/register.php:270 +msgid "Choose a nickname: " +msgstr "Wybierz pseudonim:" + +#: ../../mod/register.php:273 ../../include/nav.php:81 ../../boot.php:898 +msgid "Register" +msgstr "Zarejestruj" + +#: ../../mod/dirfind.php:26 +msgid "People Search" +msgstr "Szukaj osób" + +#: ../../mod/like.php:145 ../../mod/subthread.php:87 ../../mod/tagger.php:62 +#: ../../addon/communityhome/communityhome.php:163 +#: ../../view/theme/diabook/theme.php:457 ../../include/text.php:1437 +#: ../../include/diaspora.php:1835 ../../include/conversation.php:125 +#: ../../include/conversation.php:253 +#: ../../addon.old/communityhome/communityhome.php:163 +msgid "photo" +msgstr "zdjęcie" + +#: ../../mod/like.php:145 ../../mod/like.php:298 ../../mod/subthread.php:87 +#: ../../mod/tagger.php:62 ../../addon/facebook/facebook.php:1598 +#: ../../addon/communityhome/communityhome.php:158 +#: ../../addon/communityhome/communityhome.php:167 +#: ../../view/theme/diabook/theme.php:452 +#: ../../view/theme/diabook/theme.php:461 ../../include/diaspora.php:1835 +#: ../../include/conversation.php:120 ../../include/conversation.php:129 +#: ../../include/conversation.php:248 ../../include/conversation.php:257 +#: ../../addon.old/facebook/facebook.php:1598 +#: ../../addon.old/communityhome/communityhome.php:158 +#: ../../addon.old/communityhome/communityhome.php:167 +msgid "status" +msgstr "status" + +#: ../../mod/like.php:162 ../../addon/facebook/facebook.php:1602 +#: ../../addon/communityhome/communityhome.php:172 +#: ../../view/theme/diabook/theme.php:466 ../../include/diaspora.php:1851 +#: ../../include/conversation.php:136 +#: ../../addon.old/facebook/facebook.php:1602 +#: ../../addon.old/communityhome/communityhome.php:172 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s lubi %2$s's %3$s" + +#: ../../mod/like.php:164 ../../include/conversation.php:139 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s nie lubi %2$s's %3$s" + +#: ../../mod/notice.php:15 ../../mod/viewsrc.php:15 ../../mod/admin.php:159 +#: ../../mod/admin.php:734 ../../mod/admin.php:933 ../../mod/display.php:39 +#: ../../mod/display.php:169 ../../include/items.php:3780 +msgid "Item not found." +msgstr "Element nie znaleziony." + +#: ../../mod/viewsrc.php:7 +msgid "Access denied." +msgstr "Brak dostępu" + +#: ../../mod/fbrowser.php:25 ../../view/theme/diabook/theme.php:89 +#: ../../include/nav.php:51 ../../boot.php:1691 +msgid "Photos" +msgstr "Zdjęcia" + +#: ../../mod/fbrowser.php:96 +msgid "Files" +msgstr "Pliki" + +#: ../../mod/regmod.php:61 +msgid "Account approved." +msgstr "Konto zatwierdzone." + +#: ../../mod/regmod.php:98 +#, php-format +msgid "Registration revoked for %s" +msgstr "Rejestracja dla %s odwołana" + +#: ../../mod/regmod.php:110 +msgid "Please login." +msgstr "Proszę się zalogować." + +#: ../../mod/item.php:104 +msgid "Unable to locate original post." +msgstr "Nie można zlokalizować oryginalnej wiadomości." + +#: ../../mod/item.php:288 +msgid "Empty post discarded." +msgstr "Pusty wpis wyrzucony." + +#: ../../mod/item.php:420 ../../mod/wall_upload.php:133 +#: ../../mod/wall_upload.php:142 ../../mod/wall_upload.php:149 +#: ../../include/message.php:144 +msgid "Wall Photos" +msgstr "Tablica zdjęć" + +#: ../../mod/item.php:833 +msgid "System error. Post not saved." +msgstr "Błąd. Post niezapisany." + +#: ../../mod/item.php:858 +#, php-format +msgid "" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "Wiadomość została wysłana do ciebie od %s , członka portalu Friendica" + +#: ../../mod/item.php:860 +#, php-format +msgid "You may visit them online at %s" +msgstr "Możesz ich odwiedzić online u %s" + +#: ../../mod/item.php:861 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "Skontaktuj się z nadawcą odpowiadając na ten post jeśli nie chcesz otrzymywać tych wiadomości." + +#: ../../mod/item.php:863 +#, php-format +msgid "%s posted an update." +msgstr "%s zaktualizował wpis." + +#: ../../mod/mood.php:62 ../../include/conversation.php:226 +#, php-format +msgid "%1$s is currently %2$s" +msgstr "" + +#: ../../mod/mood.php:133 +msgid "Mood" +msgstr "Nastrój" + +#: ../../mod/mood.php:134 +msgid "Set your current mood and tell your friends" +msgstr "Wskaż swój obecny nastrój i powiedz o tym znajomym" + +#: ../../mod/profile_photo.php:44 +msgid "Image uploaded but image cropping failed." +msgstr "Obrazek załadowany, ale oprawanie powiodła się." + +#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 +#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 +#, php-format +msgid "Image size reduction [%s] failed." +msgstr "Redukcja rozmiaru obrazka [%s] nie powiodła się." + +#: ../../mod/profile_photo.php:118 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "" + +#: ../../mod/profile_photo.php:128 +msgid "Unable to process image" +msgstr "Nie udało się przetworzyć obrazu." + +#: ../../mod/profile_photo.php:144 ../../mod/wall_upload.php:88 +#, php-format +msgid "Image exceeds size limit of %d" +msgstr "Rozmiar obrazka przekracza limit %d" + +#: ../../mod/profile_photo.php:242 +msgid "Upload File:" +msgstr "Wyślij plik:" + +#: ../../mod/profile_photo.php:243 +msgid "Select a profile:" +msgstr "Wybierz profil:" + +#: ../../mod/profile_photo.php:245 +#: ../../addon/dav/friendica/layout.fnk.php:152 +#: ../../addon.old/dav/friendica/layout.fnk.php:152 +msgid "Upload" +msgstr "Załaduj" + +#: ../../mod/profile_photo.php:248 +msgid "skip this step" +msgstr "Pomiń ten krok" + +#: ../../mod/profile_photo.php:248 +msgid "select a photo from your photo albums" +msgstr "wybierz zdjęcie z twojego albumu" + +#: ../../mod/profile_photo.php:262 +msgid "Crop Image" +msgstr "Przytnij zdjęcie" + +#: ../../mod/profile_photo.php:263 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Proszę dostosować oprawę obrazka w celu optymalizacji oglądania." + +#: ../../mod/profile_photo.php:265 +msgid "Done Editing" +msgstr "Zakończ Edycję " + +#: ../../mod/profile_photo.php:299 +msgid "Image uploaded successfully." +msgstr "Zdjęcie wczytano pomyślnie " + +#: ../../mod/hcard.php:10 +msgid "No profile" +msgstr "Brak profilu" + +#: ../../mod/removeme.php:45 ../../mod/removeme.php:48 +msgid "Remove My Account" +msgstr "Usuń konto" + +#: ../../mod/removeme.php:46 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "Kompletne usunięcie konta. Jeżeli zostanie wykonane, konto nie może zostać odzyskane." + +#: ../../mod/removeme.php:47 +msgid "Please enter your password for verification:" +msgstr "Wprowadź hasło w celu weryfikacji." + +#: ../../mod/message.php:9 ../../include/nav.php:131 +msgid "New Message" +msgstr "Nowa wiadomość" + +#: ../../mod/message.php:63 +msgid "Unable to locate contact information." +msgstr "Niezdolny do uzyskania informacji kontaktowych." + +#: ../../mod/message.php:191 +msgid "Message deleted." +msgstr "Wiadomość usunięta." + +#: ../../mod/message.php:221 +msgid "Conversation removed." +msgstr "Rozmowa usunięta." + +#: ../../mod/message.php:327 +msgid "No messages." +msgstr "Brak wiadomości." + +#: ../../mod/message.php:334 +#, php-format +msgid "Unknown sender - %s" +msgstr "" + +#: ../../mod/message.php:337 +#, php-format +msgid "You and %s" +msgstr "Ty i %s" + +#: ../../mod/message.php:340 +#, php-format +msgid "%s and You" +msgstr "%s i ty" + +#: ../../mod/message.php:350 ../../mod/message.php:462 +msgid "Delete conversation" +msgstr "Usuń rozmowę" + +#: ../../mod/message.php:353 +msgid "D, d M Y - g:i A" +msgstr "D, d M R - g:m AM/PM" + +#: ../../mod/message.php:356 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ../../mod/message.php:391 +msgid "Message not available." +msgstr "Wiadomość nie jest dostępna." + +#: ../../mod/message.php:444 +msgid "Delete message" +msgstr "Usuń wiadomość" + +#: ../../mod/message.php:464 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "" + +#: ../../mod/message.php:468 +msgid "Send Reply" +msgstr "Odpowiedz" + +#: ../../mod/allfriends.php:34 +#, php-format +msgid "Friends of %s" +msgstr "Znajomy %s" + +#: ../../mod/allfriends.php:40 +msgid "No friends to display." +msgstr "Brak znajomych do wyświetlenia" + +#: ../../mod/admin.php:55 +msgid "Theme settings updated." +msgstr "" + +#: ../../mod/admin.php:96 ../../mod/admin.php:442 +msgid "Site" +msgstr "Strona" + +#: ../../mod/admin.php:97 ../../mod/admin.php:688 ../../mod/admin.php:701 +msgid "Users" +msgstr "Użytkownicy" + +#: ../../mod/admin.php:98 ../../mod/admin.php:783 ../../mod/admin.php:825 +msgid "Plugins" +msgstr "Wtyczki" + +#: ../../mod/admin.php:99 ../../mod/admin.php:988 ../../mod/admin.php:1024 +msgid "Themes" +msgstr "Temat" + +#: ../../mod/admin.php:100 +msgid "DB updates" +msgstr "" + +#: ../../mod/admin.php:115 ../../mod/admin.php:122 ../../mod/admin.php:1111 +msgid "Logs" +msgstr "" + +#: ../../mod/admin.php:120 ../../include/nav.php:146 +msgid "Admin" +msgstr "Administator" + +#: ../../mod/admin.php:121 +msgid "Plugin Features" +msgstr "Polecane wtyczki" + +#: ../../mod/admin.php:123 +msgid "User registrations waiting for confirmation" +msgstr "" + +#: ../../mod/admin.php:183 ../../mod/admin.php:669 +msgid "Normal Account" +msgstr "Konto normalne" + +#: ../../mod/admin.php:184 ../../mod/admin.php:670 +msgid "Soapbox Account" +msgstr "" + +#: ../../mod/admin.php:185 ../../mod/admin.php:671 +msgid "Community/Celebrity Account" +msgstr "Konto społeczności/gwiazdy" + +#: ../../mod/admin.php:186 ../../mod/admin.php:672 +msgid "Automatic Friend Account" +msgstr "" + +#: ../../mod/admin.php:187 +msgid "Blog Account" +msgstr "" + +#: ../../mod/admin.php:188 +msgid "Private Forum" +msgstr "" + +#: ../../mod/admin.php:207 +msgid "Message queues" +msgstr "" + +#: ../../mod/admin.php:212 ../../mod/admin.php:441 ../../mod/admin.php:687 +#: ../../mod/admin.php:782 ../../mod/admin.php:824 ../../mod/admin.php:987 +#: ../../mod/admin.php:1023 ../../mod/admin.php:1110 +msgid "Administration" +msgstr "Administracja" + +#: ../../mod/admin.php:213 +msgid "Summary" +msgstr "Skrót" + +#: ../../mod/admin.php:215 +msgid "Registered users" +msgstr "Zarejestrowani użytkownicy" + +#: ../../mod/admin.php:217 +msgid "Pending registrations" +msgstr "" + +#: ../../mod/admin.php:218 +msgid "Version" +msgstr "Wersja" + +#: ../../mod/admin.php:220 +msgid "Active plugins" +msgstr "" + +#: ../../mod/admin.php:373 +msgid "Site settings updated." +msgstr "Ustawienia strony zaktualizowane" + +#: ../../mod/admin.php:428 +msgid "Closed" +msgstr "" + +#: ../../mod/admin.php:429 +msgid "Requires approval" +msgstr "" + +#: ../../mod/admin.php:430 +msgid "Open" +msgstr "Otwórz" + +#: ../../mod/admin.php:434 +msgid "No SSL policy, links will track page SSL state" +msgstr "" + +#: ../../mod/admin.php:435 +msgid "Force all links to use SSL" +msgstr "" + +#: ../../mod/admin.php:436 +msgid "Self-signed certificate, use SSL for local links only (discouraged)" +msgstr "" + +#: ../../mod/admin.php:445 +msgid "File upload" +msgstr "Plik załadowano" + +#: ../../mod/admin.php:446 +msgid "Policies" +msgstr "" + +#: ../../mod/admin.php:447 +msgid "Advanced" +msgstr "Zaawansowany" + +#: ../../mod/admin.php:451 ../../addon/statusnet/statusnet.php:567 +#: ../../addon.old/statusnet/statusnet.php:567 +msgid "Site name" +msgstr "Nazwa strony" + +#: ../../mod/admin.php:452 +msgid "Banner/Logo" +msgstr "Logo" + +#: ../../mod/admin.php:453 +msgid "System language" +msgstr "Język systemu" + +#: ../../mod/admin.php:454 +msgid "System theme" +msgstr "" + +#: ../../mod/admin.php:454 +msgid "" +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "" + +#: ../../mod/admin.php:455 +msgid "Mobile system theme" +msgstr "" + +#: ../../mod/admin.php:455 +msgid "Theme for mobile devices" +msgstr "" + +#: ../../mod/admin.php:456 +msgid "SSL link policy" +msgstr "" + +#: ../../mod/admin.php:456 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "" + +#: ../../mod/admin.php:457 +msgid "Maximum image size" +msgstr "Maksymalny rozmiar zdjęcia" + +#: ../../mod/admin.php:457 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "" + +#: ../../mod/admin.php:458 +msgid "Maximum image length" +msgstr "Maksymalna długość obrazu" + +#: ../../mod/admin.php:458 +msgid "" +"Maximum length in pixels of the longest side of uploaded images. Default is " +"-1, which means no limits." +msgstr "Maksymalna długość najdłuższej strony przesyłanego obrazu w pikselach.\nDomyślnie jest to -1, co oznacza brak limitu." + +#: ../../mod/admin.php:459 +msgid "JPEG image quality" +msgstr "jakość obrazu JPEG" + +#: ../../mod/admin.php:459 +msgid "" +"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " +"100, which is full quality." +msgstr "" + +#: ../../mod/admin.php:461 +msgid "Register policy" +msgstr "" + +#: ../../mod/admin.php:462 +msgid "Register text" +msgstr "" + +#: ../../mod/admin.php:462 +msgid "Will be displayed prominently on the registration page." +msgstr "" + +#: ../../mod/admin.php:463 +msgid "Accounts abandoned after x days" +msgstr "Konto porzucone od x dni." + +#: ../../mod/admin.php:463 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "" + +#: ../../mod/admin.php:464 +msgid "Allowed friend domains" +msgstr "" + +#: ../../mod/admin.php:464 +msgid "" +"Comma separated list of domains which are allowed to establish friendships " +"with this site. Wildcards are accepted. Empty to allow any domains" +msgstr "" + +#: ../../mod/admin.php:465 +msgid "Allowed email domains" +msgstr "" + +#: ../../mod/admin.php:465 +msgid "" +"Comma separated list of domains which are allowed in email addresses for " +"registrations to this site. Wildcards are accepted. Empty to allow any " +"domains" +msgstr "" + +#: ../../mod/admin.php:466 +msgid "Block public" +msgstr "" + +#: ../../mod/admin.php:466 +msgid "" +"Check to block public access to all otherwise public personal pages on this " +"site unless you are currently logged in." +msgstr "" + +#: ../../mod/admin.php:467 +msgid "Force publish" +msgstr "" + +#: ../../mod/admin.php:467 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "" + +#: ../../mod/admin.php:468 +msgid "Global directory update URL" +msgstr "" + +#: ../../mod/admin.php:468 +msgid "" +"URL to update the global directory. If this is not set, the global directory" +" is completely unavailable to the application." +msgstr "" + +#: ../../mod/admin.php:469 +msgid "Allow threaded items" +msgstr "" + +#: ../../mod/admin.php:469 +msgid "Allow infinite level threading for items on this site." +msgstr "" + +#: ../../mod/admin.php:470 +msgid "Private posts by default for new users" +msgstr "" + +#: ../../mod/admin.php:470 +msgid "" +"Set default post permissions for all new members to the default privacy " +"group rather than public." +msgstr "" + +#: ../../mod/admin.php:472 +msgid "Block multiple registrations" +msgstr "" + +#: ../../mod/admin.php:472 +msgid "Disallow users to register additional accounts for use as pages." +msgstr "" + +#: ../../mod/admin.php:473 +msgid "OpenID support" +msgstr "" + +#: ../../mod/admin.php:473 +msgid "OpenID support for registration and logins." +msgstr "" + +#: ../../mod/admin.php:474 +msgid "Fullname check" +msgstr "" + +#: ../../mod/admin.php:474 +msgid "" +"Force users to register with a space between firstname and lastname in Full " +"name, as an antispam measure" +msgstr "" + +#: ../../mod/admin.php:475 +msgid "UTF-8 Regular expressions" +msgstr "" + +#: ../../mod/admin.php:475 +msgid "Use PHP UTF8 regular expressions" +msgstr "" + +#: ../../mod/admin.php:476 +msgid "Show Community Page" +msgstr "Pokaż stronę społeczności" + +#: ../../mod/admin.php:476 +msgid "" +"Display a Community page showing all recent public postings on this site." +msgstr "" + +#: ../../mod/admin.php:477 +msgid "Enable OStatus support" +msgstr "" + +#: ../../mod/admin.php:477 +msgid "" +"Provide built-in OStatus (identi.ca, status.net, etc.) compatibility. All " +"communications in OStatus are public, so privacy warnings will be " +"occasionally displayed." +msgstr "" + +#: ../../mod/admin.php:478 +msgid "Enable Diaspora support" +msgstr "" + +#: ../../mod/admin.php:478 +msgid "Provide built-in Diaspora network compatibility." +msgstr "" + +#: ../../mod/admin.php:479 +msgid "Only allow Friendica contacts" +msgstr "" + +#: ../../mod/admin.php:479 +msgid "" +"All contacts must use Friendica protocols. All other built-in communication " +"protocols disabled." +msgstr "" + +#: ../../mod/admin.php:480 +msgid "Verify SSL" +msgstr "" + +#: ../../mod/admin.php:480 +msgid "" +"If you wish, you can turn on strict certificate checking. This will mean you" +" cannot connect (at all) to self-signed SSL sites." +msgstr "" + +#: ../../mod/admin.php:481 +msgid "Proxy user" +msgstr "Użytkownik proxy" + +#: ../../mod/admin.php:482 +msgid "Proxy URL" +msgstr "" + +#: ../../mod/admin.php:483 +msgid "Network timeout" +msgstr "" + +#: ../../mod/admin.php:483 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "" + +#: ../../mod/admin.php:484 +msgid "Delivery interval" +msgstr "" + +#: ../../mod/admin.php:484 +msgid "" +"Delay background delivery processes by this many seconds to reduce system " +"load. Recommend: 4-5 for shared hosts, 2-3 for virtual private servers. 0-1 " +"for large dedicated servers." +msgstr "" + +#: ../../mod/admin.php:485 +msgid "Poll interval" +msgstr "" + +#: ../../mod/admin.php:485 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "" + +#: ../../mod/admin.php:486 +msgid "Maximum Load Average" +msgstr "" + +#: ../../mod/admin.php:486 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "" + +#: ../../mod/admin.php:503 +msgid "Update has been marked successful" +msgstr "" + +#: ../../mod/admin.php:513 +#, php-format +msgid "Executing %s failed. Check system logs." +msgstr "" + +#: ../../mod/admin.php:516 +#, php-format +msgid "Update %s was successfully applied." +msgstr "" + +#: ../../mod/admin.php:520 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "" + +#: ../../mod/admin.php:523 +#, php-format +msgid "Update function %s could not be found." +msgstr "" + +#: ../../mod/admin.php:538 +msgid "No failed updates." +msgstr "Brak błędów aktualizacji." + +#: ../../mod/admin.php:542 +msgid "Failed Updates" +msgstr "Błąd aktualizacji" + +#: ../../mod/admin.php:543 +msgid "" +"This does not include updates prior to 1139, which did not return a status." +msgstr "" + +#: ../../mod/admin.php:544 +msgid "Mark success (if update was manually applied)" +msgstr "" + +#: ../../mod/admin.php:545 +msgid "Attempt to execute this update step automatically" +msgstr "" + +#: ../../mod/admin.php:570 +#, php-format +msgid "%s user blocked/unblocked" +msgid_plural "%s users blocked/unblocked" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ../../mod/admin.php:577 +#, php-format +msgid "%s user deleted" +msgid_plural "%s users deleted" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ../../mod/admin.php:616 +#, php-format +msgid "User '%s' deleted" +msgstr "Użytkownik '%s' usunięty" + +#: ../../mod/admin.php:624 +#, php-format +msgid "User '%s' unblocked" +msgstr "Użytkownik '%s' odblokowany" + +#: ../../mod/admin.php:624 +#, php-format +msgid "User '%s' blocked" +msgstr "Użytkownik '%s' zablokowany" + +#: ../../mod/admin.php:690 +msgid "select all" +msgstr "Zaznacz wszystko" + +#: ../../mod/admin.php:691 +msgid "User registrations waiting for confirm" +msgstr "zarejestrowany użytkownik czeka na potwierdzenie" + +#: ../../mod/admin.php:692 +msgid "Request date" +msgstr "Data prośby" + +#: ../../mod/admin.php:692 ../../mod/admin.php:702 +#: ../../include/contact_selectors.php:79 +msgid "Email" +msgstr "E-mail" + +#: ../../mod/admin.php:693 +msgid "No registrations." +msgstr "brak rejestracji" + +#: ../../mod/admin.php:695 +msgid "Deny" +msgstr "Odmów" + +#: ../../mod/admin.php:699 +msgid "Site admin" +msgstr "Administracja stroną" + +#: ../../mod/admin.php:702 +msgid "Register date" +msgstr "Data rejestracji" + +#: ../../mod/admin.php:702 +msgid "Last login" +msgstr "Ostatnie logowanie" + +#: ../../mod/admin.php:702 +msgid "Last item" +msgstr "Ostatni element" + +#: ../../mod/admin.php:702 +msgid "Account" +msgstr "Konto" + +#: ../../mod/admin.php:704 +msgid "" +"Selected users will be deleted!\\n\\nEverything these users had posted on " +"this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Zaznaczeni użytkownicy zostaną usunięci!\\n\\nWszystko co zamieścili na tej stronie będzie trwale skasowane!\\n\\nJesteś pewien?" + +#: ../../mod/admin.php:705 +msgid "" +"The user {0} will be deleted!\\n\\nEverything this user has posted on this " +"site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Użytkownik {0} zostanie usunięty!\\n\\nWszystko co zamieścił na tej stronie będzie trwale skasowane!\\n\\nJesteś pewien?" + +#: ../../mod/admin.php:746 +#, php-format +msgid "Plugin %s disabled." +msgstr "Wtyczka %s wyłączona." + +#: ../../mod/admin.php:750 +#, php-format +msgid "Plugin %s enabled." +msgstr "Wtyczka %s właczona." + +#: ../../mod/admin.php:760 ../../mod/admin.php:958 +msgid "Disable" +msgstr "Wyłącz" + +#: ../../mod/admin.php:762 ../../mod/admin.php:960 +msgid "Enable" +msgstr "Zezwól" + +#: ../../mod/admin.php:784 ../../mod/admin.php:989 +msgid "Toggle" +msgstr "" + +#: ../../mod/admin.php:792 ../../mod/admin.php:999 +msgid "Author: " +msgstr "Autor: " + +#: ../../mod/admin.php:793 ../../mod/admin.php:1000 +msgid "Maintainer: " +msgstr "" + +#: ../../mod/admin.php:922 +msgid "No themes found." +msgstr "Nie znaleziono tematu." + +#: ../../mod/admin.php:981 +msgid "Screenshot" +msgstr "Zrzut ekranu" + +#: ../../mod/admin.php:1029 +msgid "[Experimental]" +msgstr "[Eksperymentalne]" + +#: ../../mod/admin.php:1030 +msgid "[Unsupported]" +msgstr "[Niewspieralne]" + +#: ../../mod/admin.php:1057 +msgid "Log settings updated." +msgstr "" + +#: ../../mod/admin.php:1113 +msgid "Clear" +msgstr "" + +#: ../../mod/admin.php:1119 +msgid "Debugging" +msgstr "" + +#: ../../mod/admin.php:1120 +msgid "Log file" +msgstr "" + +#: ../../mod/admin.php:1120 +msgid "" +"Must be writable by web server. Relative to your Friendica top-level " +"directory." +msgstr "" + +#: ../../mod/admin.php:1121 +msgid "Log level" +msgstr "" + +#: ../../mod/admin.php:1171 +msgid "Close" +msgstr "Zamknij" + +#: ../../mod/admin.php:1177 +msgid "FTP Host" +msgstr "" + +#: ../../mod/admin.php:1178 +msgid "FTP Path" +msgstr "" + +#: ../../mod/admin.php:1179 +msgid "FTP User" +msgstr "" + +#: ../../mod/admin.php:1180 +msgid "FTP Password" +msgstr "FTP Hasło" + +#: ../../mod/profile.php:21 ../../boot.php:1085 +msgid "Requested profile is not available." +msgstr "Żądany profil jest niedostępny" + +#: ../../mod/profile.php:155 ../../mod/display.php:87 +msgid "Access to this profile has been restricted." +msgstr "Ograniczony dostęp do tego konta" + +#: ../../mod/profile.php:180 +msgid "Tips for New Members" +msgstr "Wskazówki dla nowych użytkowników" + +#: ../../mod/ping.php:238 +msgid "{0} wants to be your friend" +msgstr "{0} chce być Twoim znajomym" + +#: ../../mod/ping.php:243 +msgid "{0} sent you a message" +msgstr "{0} wysyła Ci wiadomość" + +#: ../../mod/ping.php:248 +msgid "{0} requested registration" +msgstr "" + +#: ../../mod/ping.php:254 +#, php-format +msgid "{0} commented %s's post" +msgstr "{0} skomentował %s wpis" + +#: ../../mod/ping.php:259 +#, php-format +msgid "{0} liked %s's post" +msgstr "{0} polubił wpis %s" + +#: ../../mod/ping.php:264 +#, php-format +msgid "{0} disliked %s's post" +msgstr "{0} przestał lubić post %s" + +#: ../../mod/ping.php:269 +#, php-format +msgid "{0} is now friends with %s" +msgstr "{0} jest teraz znajomym %s" + +#: ../../mod/ping.php:274 +msgid "{0} posted" +msgstr "" + +#: ../../mod/ping.php:279 +#, php-format +msgid "{0} tagged %s's post with #%s" +msgstr "" + +#: ../../mod/ping.php:285 +msgid "{0} mentioned you in a post" +msgstr "{0} wspomniał Cię w swoim wpisie" + +#: ../../mod/nogroup.php:58 +msgid "Contacts who are not members of a group" +msgstr "" + +#: ../../mod/openid.php:24 +msgid "OpenID protocol error. No ID returned." +msgstr "" + +#: ../../mod/openid.php:53 +msgid "" +"Account not found and OpenID registration is not permitted on this site." +msgstr "" + +#: ../../mod/openid.php:93 ../../include/auth.php:98 +#: ../../include/auth.php:161 +msgid "Login failed." +msgstr "Niepowodzenie logowania" + +#: ../../mod/follow.php:27 +msgid "Contact added" +msgstr "Kontakt dodany" + +#: ../../mod/common.php:42 +msgid "Common Friends" +msgstr "Wspólni znajomi" + +#: ../../mod/common.php:78 +msgid "No contacts in common." +msgstr "" + +#: ../../mod/subthread.php:103 +#, php-format +msgid "%1$s is following %2$s's %3$s" +msgstr "" + +#: ../../mod/share.php:28 +msgid "link" +msgstr "" + +#: ../../mod/display.php:162 +msgid "Item has been removed." +msgstr "Przedmiot został usunięty" + +#: ../../mod/apps.php:4 +msgid "Applications" +msgstr "Aplikacje" + +#: ../../mod/apps.php:7 +msgid "No installed applications." +msgstr "Brak zainstalowanych aplikacji." + +#: ../../mod/search.php:96 ../../include/text.php:678 +#: ../../include/text.php:679 ../../include/nav.php:91 +msgid "Search" +msgstr "Szukaj" + +#: ../../mod/profiles.php:21 ../../mod/profiles.php:434 +#: ../../mod/profiles.php:548 ../../mod/dfrn_confirm.php:62 +msgid "Profile not found." +msgstr "Nie znaleziono profilu." + +#: ../../mod/profiles.php:31 +msgid "Profile Name is required." +msgstr "Nazwa Profilu jest wymagana" + +#: ../../mod/profiles.php:171 +msgid "Marital Status" +msgstr "" + +#: ../../mod/profiles.php:175 +msgid "Romantic Partner" +msgstr "" + +#: ../../mod/profiles.php:179 +msgid "Likes" +msgstr "" + +#: ../../mod/profiles.php:183 +msgid "Dislikes" +msgstr "" + +#: ../../mod/profiles.php:187 +msgid "Work/Employment" +msgstr "" + +#: ../../mod/profiles.php:190 +msgid "Religion" +msgstr "Religia" + +#: ../../mod/profiles.php:194 +msgid "Political Views" +msgstr "Poglądy polityczne" + +#: ../../mod/profiles.php:198 +msgid "Gender" +msgstr "Płeć" + +#: ../../mod/profiles.php:202 +msgid "Sexual Preference" +msgstr "Orientacja seksualna" + +#: ../../mod/profiles.php:206 +msgid "Homepage" +msgstr "" + +#: ../../mod/profiles.php:210 +msgid "Interests" +msgstr "Zainteresowania" + +#: ../../mod/profiles.php:214 +msgid "Address" +msgstr "Adres" + +#: ../../mod/profiles.php:221 ../../addon/dav/common/wdcal_edit.inc.php:183 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:183 +msgid "Location" +msgstr "Położenie" + +#: ../../mod/profiles.php:304 +msgid "Profile updated." +msgstr "Konto zaktualizowane." + +#: ../../mod/profiles.php:371 +msgid " and " +msgstr " i " + +#: ../../mod/profiles.php:379 +msgid "public profile" +msgstr "profil publiczny" + +#: ../../mod/profiles.php:382 +#, php-format +msgid "%1$s changed %2$s to “%3$s”" +msgstr "" + +#: ../../mod/profiles.php:383 +#, php-format +msgid " - Visit %1$s's %2$s" +msgstr "" + +#: ../../mod/profiles.php:386 +#, php-format +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "" + +#: ../../mod/profiles.php:453 +msgid "Profile deleted." +msgstr "Konto usunięte." + +#: ../../mod/profiles.php:471 ../../mod/profiles.php:505 +msgid "Profile-" +msgstr "Profil-" + +#: ../../mod/profiles.php:490 ../../mod/profiles.php:532 +msgid "New profile created." +msgstr "Utworzono nowy profil." + +#: ../../mod/profiles.php:511 +msgid "Profile unavailable to clone." +msgstr "Nie można powileić profilu " + +#: ../../mod/profiles.php:573 +msgid "Hide your contact/friend list from viewers of this profile?" +msgstr "Czy chcesz ukryć listę kontaktów dla przeglądających to konto?" + +#: ../../mod/profiles.php:593 +msgid "Edit Profile Details" +msgstr "Edytuj profil." + +#: ../../mod/profiles.php:595 +msgid "View this profile" +msgstr "Zobacz ten profil" + +#: ../../mod/profiles.php:596 +msgid "Create a new profile using these settings" +msgstr "Stwórz nowy profil wykorzystując te ustawienia" + +#: ../../mod/profiles.php:597 +msgid "Clone this profile" +msgstr "Sklonuj ten profil" + +#: ../../mod/profiles.php:598 +msgid "Delete this profile" +msgstr "Usuń ten profil" + +#: ../../mod/profiles.php:599 +msgid "Profile Name:" +msgstr "Nazwa profilu :" + +#: ../../mod/profiles.php:600 +msgid "Your Full Name:" +msgstr "Twoje imię i nazwisko:" + +#: ../../mod/profiles.php:601 +msgid "Title/Description:" +msgstr "Tytuł/Opis :" + +#: ../../mod/profiles.php:602 +msgid "Your Gender:" +msgstr "Twoja płeć:" + +#: ../../mod/profiles.php:603 +#, php-format +msgid "Birthday (%s):" +msgstr "Urodziny (%s):" + +#: ../../mod/profiles.php:604 +msgid "Street Address:" +msgstr "Ulica:" + +#: ../../mod/profiles.php:605 +msgid "Locality/City:" +msgstr "Miejscowość/Miasto :" + +#: ../../mod/profiles.php:606 +msgid "Postal/Zip Code:" +msgstr "Kod Pocztowy :" + +#: ../../mod/profiles.php:607 +msgid "Country:" +msgstr "Kraj:" + +#: ../../mod/profiles.php:608 +msgid "Region/State:" +msgstr "Region / Stan :" + +#: ../../mod/profiles.php:609 +msgid " Marital Status:" +msgstr " Stan :" + +#: ../../mod/profiles.php:610 +msgid "Who: (if applicable)" +msgstr "Kto: (jeśli dotyczy)" + +#: ../../mod/profiles.php:611 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "Przykłady : cathy123, Cathy Williams, cathy@example.com" + +#: ../../mod/profiles.php:612 +msgid "Since [date]:" +msgstr "Od [data]:" + +#: ../../mod/profiles.php:613 ../../include/profile_advanced.php:46 +msgid "Sexual Preference:" +msgstr "Interesują mnie:" + +#: ../../mod/profiles.php:614 +msgid "Homepage URL:" +msgstr "Strona główna URL:" + +#: ../../mod/profiles.php:615 ../../include/profile_advanced.php:50 +msgid "Hometown:" +msgstr "Miasto rodzinne:" + +#: ../../mod/profiles.php:616 ../../include/profile_advanced.php:54 +msgid "Political Views:" +msgstr "Poglądy polityczne:" + +#: ../../mod/profiles.php:617 +msgid "Religious Views:" +msgstr "Poglądy religijne:" + +#: ../../mod/profiles.php:618 +msgid "Public Keywords:" +msgstr "Publiczne słowa kluczowe :" + +#: ../../mod/profiles.php:619 +msgid "Private Keywords:" +msgstr "Prywatne słowa kluczowe :" + +#: ../../mod/profiles.php:620 ../../include/profile_advanced.php:62 +msgid "Likes:" +msgstr "Lubi:" + +#: ../../mod/profiles.php:621 ../../include/profile_advanced.php:64 +msgid "Dislikes:" +msgstr "" + +#: ../../mod/profiles.php:622 +msgid "Example: fishing photography software" +msgstr "" + +#: ../../mod/profiles.php:623 +msgid "(Used for suggesting potential friends, can be seen by others)" +msgstr "(Używany do sugerowania potencjalnych znajomych, jest widoczny dla innych)" + +#: ../../mod/profiles.php:624 +msgid "(Used for searching profiles, never shown to others)" +msgstr "(Używany do wyszukiwania profili, niepokazywany innym)" + +#: ../../mod/profiles.php:625 +msgid "Tell us about yourself..." +msgstr "Napisz o sobie..." + +#: ../../mod/profiles.php:626 +msgid "Hobbies/Interests" +msgstr "Zainteresowania" + +#: ../../mod/profiles.php:627 +msgid "Contact information and Social Networks" +msgstr "Informacje kontaktowe i Sieci Społeczne" + +#: ../../mod/profiles.php:628 +msgid "Musical interests" +msgstr "Muzyka" + +#: ../../mod/profiles.php:629 +msgid "Books, literature" +msgstr "Literatura" + +#: ../../mod/profiles.php:630 +msgid "Television" +msgstr "Telewizja" + +#: ../../mod/profiles.php:631 +msgid "Film/dance/culture/entertainment" +msgstr "Film/taniec/kultura/rozrywka" + +#: ../../mod/profiles.php:632 +msgid "Love/romance" +msgstr "Miłość/romans" + +#: ../../mod/profiles.php:633 +msgid "Work/employment" +msgstr "Praca/zatrudnienie" + +#: ../../mod/profiles.php:634 +msgid "School/education" +msgstr "Szkoła/edukacja" + +#: ../../mod/profiles.php:639 +msgid "" +"This is your public profile.
    It may " +"be visible to anybody using the internet." +msgstr "To jest Twój publiczny profil.
    Może zostać wyświetlony przez każdego kto używa internetu." + +#: ../../mod/profiles.php:649 ../../mod/directory.php:111 +msgid "Age: " +msgstr "Wiek: " + +#: ../../mod/profiles.php:688 +msgid "Edit/Manage Profiles" +msgstr "Edytuj/Zarządzaj Profilami" + +#: ../../mod/profiles.php:689 ../../boot.php:1203 +msgid "Change profile photo" +msgstr "Zmień zdjęcie profilowe" + +#: ../../mod/profiles.php:690 ../../boot.php:1204 +msgid "Create New Profile" +msgstr "Stwórz nowy profil" + +#: ../../mod/profiles.php:701 ../../boot.php:1214 +msgid "Profile Image" +msgstr "Obraz profilowy" + +#: ../../mod/profiles.php:703 ../../boot.php:1217 +msgid "visible to everybody" +msgstr "widoczne dla wszystkich" + +#: ../../mod/profiles.php:704 ../../boot.php:1218 +msgid "Edit visibility" +msgstr "Edytuj widoczność" + +#: ../../mod/filer.php:29 ../../include/conversation.php:902 +#: ../../include/conversation.php:920 +msgid "Save to Folder:" +msgstr "Zapisz w folderze:" + +#: ../../mod/filer.php:29 +msgid "- select -" +msgstr "- wybierz -" + +#: ../../mod/tagger.php:95 ../../include/conversation.php:265 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "" + +#: ../../mod/delegate.php:95 +msgid "No potential page delegates located." +msgstr "" + +#: ../../mod/delegate.php:121 +msgid "Delegate Page Management" +msgstr "" + +#: ../../mod/delegate.php:123 +msgid "" +"Delegates are able to manage all aspects of this account/page except for " +"basic account settings. Please do not delegate your personal account to " +"anybody that you do not trust completely." +msgstr "" + +#: ../../mod/delegate.php:124 +msgid "Existing Page Managers" +msgstr "" + +#: ../../mod/delegate.php:126 +msgid "Existing Page Delegates" +msgstr "" + +#: ../../mod/delegate.php:128 +msgid "Potential Delegates" +msgstr "" + +#: ../../mod/delegate.php:131 +msgid "Add" +msgstr "Dodaj" + +#: ../../mod/delegate.php:132 +msgid "No entries." +msgstr "Brak wpisów." + +#: ../../mod/babel.php:17 +msgid "Source (bbcode) text:" +msgstr "" + +#: ../../mod/babel.php:23 +msgid "Source (Diaspora) text to convert to BBcode:" +msgstr "" + +#: ../../mod/babel.php:31 +msgid "Source input: " +msgstr "" + +#: ../../mod/babel.php:35 +msgid "bb2html: " +msgstr "" + +#: ../../mod/babel.php:39 +msgid "bb2html2bb: " +msgstr "" + +#: ../../mod/babel.php:43 +msgid "bb2md: " +msgstr "" + +#: ../../mod/babel.php:47 +msgid "bb2md2html: " +msgstr "" + +#: ../../mod/babel.php:51 +msgid "bb2dia2bb: " +msgstr "" + +#: ../../mod/babel.php:55 +msgid "bb2md2html2bb: " +msgstr "" + +#: ../../mod/babel.php:65 +msgid "Source input (Diaspora format): " +msgstr "" + +#: ../../mod/babel.php:70 +msgid "diaspora2bb: " +msgstr "" + +#: ../../mod/suggest.php:38 ../../view/theme/diabook/theme.php:513 +#: ../../include/contact_widgets.php:34 +msgid "Friend Suggestions" +msgstr "Osoby, które możesz znać" + +#: ../../mod/suggest.php:44 +msgid "" +"No suggestions available. If this is a new site, please try again in 24 " +"hours." +msgstr "" + +#: ../../mod/suggest.php:61 +msgid "Ignore/Hide" +msgstr "Ignoruj/Ukryj" + +#: ../../mod/directory.php:49 ../../view/theme/diabook/theme.php:511 +msgid "Global Directory" +msgstr "Globalne Położenie" + +#: ../../mod/directory.php:57 +msgid "Find on this site" +msgstr "Znajdź na tej stronie" + +#: ../../mod/directory.php:60 +msgid "Site Directory" +msgstr "Katalog Strony" + +#: ../../mod/directory.php:114 +msgid "Gender: " +msgstr "Płeć: " + +#: ../../mod/directory.php:136 ../../include/profile_advanced.php:17 +#: ../../boot.php:1239 +msgid "Gender:" +msgstr "Płeć:" + +#: ../../mod/directory.php:138 ../../include/profile_advanced.php:37 +#: ../../boot.php:1242 +msgid "Status:" +msgstr "Status" + +#: ../../mod/directory.php:140 ../../include/profile_advanced.php:48 +#: ../../boot.php:1244 +msgid "Homepage:" +msgstr "Strona główna:" + +#: ../../mod/directory.php:142 ../../include/profile_advanced.php:58 +msgid "About:" +msgstr "O:" + +#: ../../mod/directory.php:180 +msgid "No entries (some entries may be hidden)." +msgstr "Brak odwiedzin (niektóre odwiedziny mogą być ukryte)." + +#: ../../mod/invite.php:35 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s : Niepoprawny adres email." + +#: ../../mod/invite.php:59 +msgid "Please join us on Friendica" +msgstr "Dołącz do nas na Friendica" + +#: ../../mod/invite.php:69 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s : Dostarczenie wiadomości nieudane." + +#: ../../mod/invite.php:73 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d wiadomość wysłana." +msgstr[1] "%d wiadomości wysłane." +msgstr[2] "%d wysłano ." + +#: ../../mod/invite.php:92 +msgid "You have no more invitations available" +msgstr "Nie masz więcej zaproszeń" + +#: ../../mod/invite.php:100 +#, php-format +msgid "" +"Visit %s for a list of public sites that you can join. Friendica members on " +"other sites can all connect with each other, as well as with members of many" +" other social networks." +msgstr "" + +#: ../../mod/invite.php:102 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "" + +#: ../../mod/invite.php:103 +#, php-format +msgid "" +"Friendica sites all inter-connect to create a huge privacy-enhanced social " +"web that is owned and controlled by its members. They can also connect with " +"many traditional social networks. See %s for a list of alternate Friendica " +"sites you can join." +msgstr "" + +#: ../../mod/invite.php:106 +msgid "" +"Our apologies. This system is not currently configured to connect with other" +" public sites or invite members." +msgstr "" + +#: ../../mod/invite.php:111 +msgid "Send invitations" +msgstr "Wyślij zaproszenia" + +#: ../../mod/invite.php:112 +msgid "Enter email addresses, one per line:" +msgstr "Wprowadź adresy email, jeden na linijkę:" + +#: ../../mod/invite.php:114 +msgid "" +"You are cordially invited to join me and other close friends on Friendica - " +"and help us to create a better social web." +msgstr "" + +#: ../../mod/invite.php:116 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "" + +#: ../../mod/invite.php:116 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "Gdy już się zarejestrujesz, skontaktuj się ze mną przez moją stronkę profilową :" + +#: ../../mod/invite.php:118 +msgid "" +"For more information about the Friendica project and why we feel it is " +"important, please visit http://friendica.com" +msgstr "" + +#: ../../mod/dfrn_confirm.php:119 +msgid "" +"This may occasionally happen if contact was requested by both persons and it" +" has already been approved." +msgstr "" + +#: ../../mod/dfrn_confirm.php:237 +msgid "Response from remote site was not understood." +msgstr "Odpowiedź do zdalnej strony nie została zrozumiana" + +#: ../../mod/dfrn_confirm.php:246 +msgid "Unexpected response from remote site: " +msgstr "Nieoczekiwana odpowiedź od strony zdalnej" + +#: ../../mod/dfrn_confirm.php:254 +msgid "Confirmation completed successfully." +msgstr "Potwierdzenie ukończone poprawnie" + +#: ../../mod/dfrn_confirm.php:256 ../../mod/dfrn_confirm.php:270 +#: ../../mod/dfrn_confirm.php:277 +msgid "Remote site reported: " +msgstr "" + +#: ../../mod/dfrn_confirm.php:268 +msgid "Temporary failure. Please wait and try again." +msgstr "Tymczasowo uszkodzone. Proszę poczekać i spróbować później." + +#: ../../mod/dfrn_confirm.php:275 +msgid "Introduction failed or was revoked." +msgstr "" + +#: ../../mod/dfrn_confirm.php:420 +msgid "Unable to set contact photo." +msgstr "Nie można ustawić zdjęcia kontaktu." + +#: ../../mod/dfrn_confirm.php:477 ../../include/diaspora.php:619 +#: ../../include/conversation.php:171 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s jest teraz znajomym z %2$s" + +#: ../../mod/dfrn_confirm.php:562 +#, php-format +msgid "No user record found for '%s' " +msgstr "Nie znaleziono użytkownika dla '%s'" + +#: ../../mod/dfrn_confirm.php:572 +msgid "Our site encryption key is apparently messed up." +msgstr "" + +#: ../../mod/dfrn_confirm.php:583 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "" + +#: ../../mod/dfrn_confirm.php:604 +msgid "Contact record was not found for you on our site." +msgstr "Nie znaleziono kontaktu na naszej stronie" + +#: ../../mod/dfrn_confirm.php:618 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "" + +#: ../../mod/dfrn_confirm.php:638 +msgid "" +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "" + +#: ../../mod/dfrn_confirm.php:649 +msgid "Unable to set your contact credentials on our system." +msgstr "" + +#: ../../mod/dfrn_confirm.php:716 +msgid "Unable to update your contact profile details on our system" +msgstr "" + +#: ../../mod/dfrn_confirm.php:750 +#, php-format +msgid "Connection accepted at %s" +msgstr "Połączenie zaakceptowane %s" + +#: ../../mod/dfrn_confirm.php:799 +#, php-format +msgid "%1$s has joined %2$s" +msgstr "" + +#: ../../addon/fromgplus/fromgplus.php:29 +#: ../../addon.old/fromgplus/fromgplus.php:29 +msgid "Google+ Import Settings" +msgstr "" + +#: ../../addon/fromgplus/fromgplus.php:32 +#: ../../addon.old/fromgplus/fromgplus.php:32 +msgid "Enable Google+ Import" +msgstr "" + +#: ../../addon/fromgplus/fromgplus.php:35 +#: ../../addon.old/fromgplus/fromgplus.php:35 +msgid "Google Account ID" +msgstr "" + +#: ../../addon/fromgplus/fromgplus.php:55 +#: ../../addon.old/fromgplus/fromgplus.php:55 +msgid "Google+ Import Settings saved." +msgstr "" + +#: ../../addon/facebook/facebook.php:523 +#: ../../addon.old/facebook/facebook.php:523 +msgid "Facebook disabled" +msgstr "Facebook wyłączony" + +#: ../../addon/facebook/facebook.php:528 +#: ../../addon.old/facebook/facebook.php:528 +msgid "Updating contacts" +msgstr "Aktualizacja kontaktów" + +#: ../../addon/facebook/facebook.php:551 ../../addon/fbpost/fbpost.php:192 +#: ../../addon.old/facebook/facebook.php:551 +#: ../../addon.old/fbpost/fbpost.php:192 +msgid "Facebook API key is missing." +msgstr "" + +#: ../../addon/facebook/facebook.php:558 +#: ../../addon.old/facebook/facebook.php:558 +msgid "Facebook Connect" +msgstr "Połącz konto z kontem Facebook" + +#: ../../addon/facebook/facebook.php:564 +#: ../../addon.old/facebook/facebook.php:564 +msgid "Install Facebook connector for this account." +msgstr "Zainstaluj wtyczkę Facebook " + +#: ../../addon/facebook/facebook.php:571 +#: ../../addon.old/facebook/facebook.php:571 +msgid "Remove Facebook connector" +msgstr "Usuń wtyczkę Facebook" + +#: ../../addon/facebook/facebook.php:576 ../../addon/fbpost/fbpost.php:217 +#: ../../addon.old/facebook/facebook.php:576 +#: ../../addon.old/fbpost/fbpost.php:217 +msgid "" +"Re-authenticate [This is necessary whenever your Facebook password is " +"changed.]" +msgstr "" + +#: ../../addon/facebook/facebook.php:583 ../../addon/fbpost/fbpost.php:224 +#: ../../addon.old/facebook/facebook.php:583 +#: ../../addon.old/fbpost/fbpost.php:224 +msgid "Post to Facebook by default" +msgstr "Domyślnie opublikuj na stronie Facebook" + +#: ../../addon/facebook/facebook.php:589 +#: ../../addon.old/facebook/facebook.php:589 +msgid "" +"Facebook friend linking has been disabled on this site. The following " +"settings will have no effect." +msgstr "" + +#: ../../addon/facebook/facebook.php:593 +#: ../../addon.old/facebook/facebook.php:593 +msgid "" +"Facebook friend linking has been disabled on this site. If you disable it, " +"you will be unable to re-enable it." +msgstr "" + +#: ../../addon/facebook/facebook.php:596 +#: ../../addon.old/facebook/facebook.php:596 +msgid "Link all your Facebook friends and conversations on this website" +msgstr "Połącz wszystkie twoje kontakty i konwersacje na tej stronie z serwisem Facebook" + +#: ../../addon/facebook/facebook.php:598 +#: ../../addon.old/facebook/facebook.php:598 +msgid "" +"Facebook conversations consist of your profile wall and your friend" +" stream." +msgstr "" + +#: ../../addon/facebook/facebook.php:599 +#: ../../addon.old/facebook/facebook.php:599 +msgid "On this website, your Facebook friend stream is only visible to you." +msgstr "" + +#: ../../addon/facebook/facebook.php:600 +#: ../../addon.old/facebook/facebook.php:600 +msgid "" +"The following settings determine the privacy of your Facebook profile wall " +"on this website." +msgstr "" + +#: ../../addon/facebook/facebook.php:604 +#: ../../addon.old/facebook/facebook.php:604 +msgid "" +"On this website your Facebook profile wall conversations will only be " +"visible to you" +msgstr "" + +#: ../../addon/facebook/facebook.php:609 +#: ../../addon.old/facebook/facebook.php:609 +msgid "Do not import your Facebook profile wall conversations" +msgstr "" + +#: ../../addon/facebook/facebook.php:611 +#: ../../addon.old/facebook/facebook.php:611 +msgid "" +"If you choose to link conversations and leave both of these boxes unchecked," +" your Facebook profile wall will be merged with your profile wall on this " +"website and your privacy settings on this website will be used to determine " +"who may see the conversations." +msgstr "" + +#: ../../addon/facebook/facebook.php:616 +#: ../../addon.old/facebook/facebook.php:616 +msgid "Comma separated applications to ignore" +msgstr "" + +#: ../../addon/facebook/facebook.php:700 +#: ../../addon.old/facebook/facebook.php:700 +msgid "Problems with Facebook Real-Time Updates" +msgstr "" + +#: ../../addon/facebook/facebook.php:729 +#: ../../addon.old/facebook/facebook.php:729 +msgid "Facebook Connector Settings" +msgstr "Ustawienia połączenia z Facebook" + +#: ../../addon/facebook/facebook.php:744 ../../addon/fbpost/fbpost.php:255 +#: ../../addon.old/facebook/facebook.php:744 +#: ../../addon.old/fbpost/fbpost.php:255 +msgid "Facebook API Key" +msgstr "Facebook API Key" + +#: ../../addon/facebook/facebook.php:754 ../../addon/fbpost/fbpost.php:262 +#: ../../addon.old/facebook/facebook.php:754 +#: ../../addon.old/fbpost/fbpost.php:262 +msgid "" +"Error: it appears that you have specified the App-ID and -Secret in your " +".htconfig.php file. As long as they are specified there, they cannot be set " +"using this form.

    " +msgstr "" + +#: ../../addon/facebook/facebook.php:759 +#: ../../addon.old/facebook/facebook.php:759 +msgid "" +"Error: the given API Key seems to be incorrect (the application access token" +" could not be retrieved)." +msgstr "" + +#: ../../addon/facebook/facebook.php:761 +#: ../../addon.old/facebook/facebook.php:761 +msgid "The given API Key seems to work correctly." +msgstr "" + +#: ../../addon/facebook/facebook.php:763 +#: ../../addon.old/facebook/facebook.php:763 +msgid "" +"The correctness of the API Key could not be detected. Something strange's " +"going on." +msgstr "" + +#: ../../addon/facebook/facebook.php:766 ../../addon/fbpost/fbpost.php:264 +#: ../../addon.old/facebook/facebook.php:766 +#: ../../addon.old/fbpost/fbpost.php:264 +msgid "App-ID / API-Key" +msgstr "" + +#: ../../addon/facebook/facebook.php:767 ../../addon/fbpost/fbpost.php:265 +#: ../../addon.old/facebook/facebook.php:767 +#: ../../addon.old/fbpost/fbpost.php:265 +msgid "Application secret" +msgstr "" + +#: ../../addon/facebook/facebook.php:768 +#: ../../addon.old/facebook/facebook.php:768 +#, php-format +msgid "Polling Interval in minutes (minimum %1$s minutes)" +msgstr "" + +#: ../../addon/facebook/facebook.php:769 +#: ../../addon.old/facebook/facebook.php:769 +msgid "" +"Synchronize comments (no comments on Facebook are missed, at the cost of " +"increased system load)" +msgstr "" + +#: ../../addon/facebook/facebook.php:773 +#: ../../addon.old/facebook/facebook.php:773 +msgid "Real-Time Updates" +msgstr "" + +#: ../../addon/facebook/facebook.php:777 +#: ../../addon.old/facebook/facebook.php:777 +msgid "Real-Time Updates are activated." +msgstr "" + +#: ../../addon/facebook/facebook.php:778 +#: ../../addon.old/facebook/facebook.php:778 +msgid "Deactivate Real-Time Updates" +msgstr "" + +#: ../../addon/facebook/facebook.php:780 +#: ../../addon.old/facebook/facebook.php:780 +msgid "Real-Time Updates not activated." +msgstr "" + +#: ../../addon/facebook/facebook.php:780 +#: ../../addon.old/facebook/facebook.php:780 +msgid "Activate Real-Time Updates" +msgstr "" + +#: ../../addon/facebook/facebook.php:799 ../../addon/fbpost/fbpost.php:282 +#: ../../addon/dav/friendica/layout.fnk.php:361 +#: ../../addon.old/facebook/facebook.php:799 +#: ../../addon.old/fbpost/fbpost.php:282 +#: ../../addon.old/dav/friendica/layout.fnk.php:361 +msgid "The new values have been saved." +msgstr "" + +#: ../../addon/facebook/facebook.php:823 ../../addon/fbpost/fbpost.php:301 +#: ../../addon.old/facebook/facebook.php:823 +#: ../../addon.old/fbpost/fbpost.php:301 +msgid "Post to Facebook" +msgstr "Post na Facebook" + +#: ../../addon/facebook/facebook.php:921 ../../addon/fbpost/fbpost.php:399 +#: ../../addon.old/facebook/facebook.php:921 +#: ../../addon.old/fbpost/fbpost.php:399 +msgid "" +"Post to Facebook cancelled because of multi-network access permission " +"conflict." +msgstr "Publikacja na stronie Facebook nie powiodła się z powodu braku dostępu do sieci" + +#: ../../addon/facebook/facebook.php:1149 ../../addon/fbpost/fbpost.php:610 +#: ../../addon.old/facebook/facebook.php:1149 +#: ../../addon.old/fbpost/fbpost.php:610 +msgid "View on Friendica" +msgstr "Zobacz na Friendice" + +#: ../../addon/facebook/facebook.php:1182 ../../addon/fbpost/fbpost.php:643 +#: ../../addon.old/facebook/facebook.php:1182 +#: ../../addon.old/fbpost/fbpost.php:643 +msgid "Facebook post failed. Queued for retry." +msgstr "" + +#: ../../addon/facebook/facebook.php:1222 ../../addon/fbpost/fbpost.php:683 +#: ../../addon.old/facebook/facebook.php:1222 +#: ../../addon.old/fbpost/fbpost.php:683 +msgid "Your Facebook connection became invalid. Please Re-authenticate." +msgstr "" + +#: ../../addon/facebook/facebook.php:1223 ../../addon/fbpost/fbpost.php:684 +#: ../../addon.old/facebook/facebook.php:1223 +#: ../../addon.old/fbpost/fbpost.php:684 +msgid "Facebook connection became invalid" +msgstr "" + +#: ../../addon/facebook/facebook.php:1224 ../../addon/fbpost/fbpost.php:685 +#: ../../addon.old/facebook/facebook.php:1224 +#: ../../addon.old/fbpost/fbpost.php:685 +#, php-format +msgid "" +"Hi %1$s,\n" +"\n" +"The connection between your accounts on %2$s and Facebook became invalid. This usually happens after you change your Facebook-password. To enable the connection again, you have to %3$sre-authenticate the Facebook-connector%4$s." +msgstr "" + +#: ../../addon/snautofollow/snautofollow.php:32 +#: ../../addon.old/snautofollow/snautofollow.php:32 +msgid "StatusNet AutoFollow settings updated." +msgstr "" + +#: ../../addon/snautofollow/snautofollow.php:56 +#: ../../addon.old/snautofollow/snautofollow.php:56 +msgid "StatusNet AutoFollow Settings" +msgstr "" + +#: ../../addon/snautofollow/snautofollow.php:58 +#: ../../addon.old/snautofollow/snautofollow.php:58 +msgid "Automatically follow any StatusNet followers/mentioners" +msgstr "" + +#: ../../addon/privacy_image_cache/privacy_image_cache.php:260 +#: ../../addon.old/privacy_image_cache/privacy_image_cache.php:260 +msgid "Lifetime of the cache (in hours)" +msgstr "" + +#: ../../addon/privacy_image_cache/privacy_image_cache.php:265 +#: ../../addon.old/privacy_image_cache/privacy_image_cache.php:265 +msgid "Cache Statistics" +msgstr "" + +#: ../../addon/privacy_image_cache/privacy_image_cache.php:268 +#: ../../addon.old/privacy_image_cache/privacy_image_cache.php:268 +msgid "Number of items" +msgstr "Numery elementów" + +#: ../../addon/privacy_image_cache/privacy_image_cache.php:270 +#: ../../addon.old/privacy_image_cache/privacy_image_cache.php:270 +msgid "Size of the cache" +msgstr "" + +#: ../../addon/privacy_image_cache/privacy_image_cache.php:272 +#: ../../addon.old/privacy_image_cache/privacy_image_cache.php:272 +msgid "Delete the whole cache" +msgstr "" + +#: ../../addon/fbpost/fbpost.php:172 ../../addon.old/fbpost/fbpost.php:172 +msgid "Facebook Post disabled" +msgstr "" + +#: ../../addon/fbpost/fbpost.php:199 ../../addon.old/fbpost/fbpost.php:199 +msgid "Facebook Post" +msgstr "Wpis z Facebooka" + +#: ../../addon/fbpost/fbpost.php:205 ../../addon.old/fbpost/fbpost.php:205 +msgid "Install Facebook Post connector for this account." +msgstr "" + +#: ../../addon/fbpost/fbpost.php:212 ../../addon.old/fbpost/fbpost.php:212 +msgid "Remove Facebook Post connector" +msgstr "" + +#: ../../addon/fbpost/fbpost.php:240 ../../addon.old/fbpost/fbpost.php:240 +msgid "Facebook Post Settings" +msgstr "Ustawienia wpisu z Facebooka" + +#: ../../addon/widgets/widget_like.php:58 +#: ../../addon.old/widgets/widget_like.php:58 +#, php-format +msgid "%d person likes this" +msgid_plural "%d people like this" +msgstr[0] " %d osoba lubi to" +msgstr[1] " %d osób lubi to" +msgstr[2] " %d osób lubi to" + +#: ../../addon/widgets/widget_like.php:61 +#: ../../addon.old/widgets/widget_like.php:61 +#, php-format +msgid "%d person doesn't like this" +msgid_plural "%d people don't like this" +msgstr[0] " %d osoba nie lubi tego" +msgstr[1] " %d osób tego nie lubi" +msgstr[2] " %d osób tego nie lubi" + +#: ../../addon/widgets/widget_friendheader.php:40 +#: ../../addon.old/widgets/widget_friendheader.php:40 +msgid "Get added to this list!" +msgstr "" + +#: ../../addon/widgets/widgets.php:56 ../../addon.old/widgets/widgets.php:56 +msgid "Generate new key" +msgstr "Stwórz nowy klucz" + +#: ../../addon/widgets/widgets.php:59 ../../addon.old/widgets/widgets.php:59 +msgid "Widgets key" +msgstr "" + +#: ../../addon/widgets/widgets.php:61 ../../addon.old/widgets/widgets.php:61 +msgid "Widgets available" +msgstr "" + +#: ../../addon/widgets/widget_friends.php:40 +#: ../../addon.old/widgets/widget_friends.php:40 +msgid "Connect on Friendica!" +msgstr "Połączono z Friendica!" + +#: ../../addon/morepokes/morepokes.php:19 +#: ../../addon.old/morepokes/morepokes.php:19 +msgid "bitchslap" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:19 +#: ../../addon.old/morepokes/morepokes.php:19 +msgid "bitchslapped" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:20 +#: ../../addon.old/morepokes/morepokes.php:20 +msgid "shag" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:20 +#: ../../addon.old/morepokes/morepokes.php:20 +msgid "shagged" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:21 +#: ../../addon.old/morepokes/morepokes.php:21 +msgid "do something obscenely biological to" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:21 +#: ../../addon.old/morepokes/morepokes.php:21 +msgid "did something obscenely biological to" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:22 +#: ../../addon.old/morepokes/morepokes.php:22 +msgid "point out the poke feature to" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:22 +#: ../../addon.old/morepokes/morepokes.php:22 +msgid "pointed out the poke feature to" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:23 +#: ../../addon.old/morepokes/morepokes.php:23 +msgid "declare undying love for" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:23 +#: ../../addon.old/morepokes/morepokes.php:23 +msgid "declared undying love for" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:24 +#: ../../addon.old/morepokes/morepokes.php:24 +msgid "patent" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:24 +#: ../../addon.old/morepokes/morepokes.php:24 +msgid "patented" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:25 +#: ../../addon.old/morepokes/morepokes.php:25 +msgid "stroke beard" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:25 +#: ../../addon.old/morepokes/morepokes.php:25 +msgid "stroked their beard at" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:26 +#: ../../addon.old/morepokes/morepokes.php:26 +msgid "" +"bemoan the declining standards of modern secondary and tertiary education to" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:26 +#: ../../addon.old/morepokes/morepokes.php:26 +msgid "" +"bemoans the declining standards of modern secondary and tertiary education " +"to" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:27 +#: ../../addon.old/morepokes/morepokes.php:27 +msgid "hug" +msgstr "przytul" + +#: ../../addon/morepokes/morepokes.php:27 +#: ../../addon.old/morepokes/morepokes.php:27 +msgid "hugged" +msgstr "przytulony" + +#: ../../addon/morepokes/morepokes.php:28 +#: ../../addon.old/morepokes/morepokes.php:28 +msgid "kiss" +msgstr "pocałuj" + +#: ../../addon/morepokes/morepokes.php:28 +#: ../../addon.old/morepokes/morepokes.php:28 +msgid "kissed" +msgstr "pocałowany" + +#: ../../addon/morepokes/morepokes.php:29 +#: ../../addon.old/morepokes/morepokes.php:29 +msgid "raise eyebrows at" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:29 +#: ../../addon.old/morepokes/morepokes.php:29 +msgid "raised their eyebrows at" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:30 +#: ../../addon.old/morepokes/morepokes.php:30 +msgid "insult" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:30 +#: ../../addon.old/morepokes/morepokes.php:30 +msgid "insulted" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:31 +#: ../../addon.old/morepokes/morepokes.php:31 +msgid "praise" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:31 +#: ../../addon.old/morepokes/morepokes.php:31 +msgid "praised" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:32 +#: ../../addon.old/morepokes/morepokes.php:32 +msgid "be dubious of" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:32 +#: ../../addon.old/morepokes/morepokes.php:32 +msgid "was dubious of" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:33 +#: ../../addon.old/morepokes/morepokes.php:33 +msgid "eat" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:33 +#: ../../addon.old/morepokes/morepokes.php:33 +msgid "ate" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:34 +#: ../../addon.old/morepokes/morepokes.php:34 +msgid "giggle and fawn at" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:34 +#: ../../addon.old/morepokes/morepokes.php:34 +msgid "giggled and fawned at" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:35 +#: ../../addon.old/morepokes/morepokes.php:35 +msgid "doubt" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:35 +#: ../../addon.old/morepokes/morepokes.php:35 +msgid "doubted" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:36 +#: ../../addon.old/morepokes/morepokes.php:36 +msgid "glare" +msgstr "" + +#: ../../addon/morepokes/morepokes.php:36 +#: ../../addon.old/morepokes/morepokes.php:36 +msgid "glared at" +msgstr "" + +#: ../../addon/yourls/yourls.php:55 ../../addon.old/yourls/yourls.php:55 +msgid "YourLS Settings" +msgstr "" + +#: ../../addon/yourls/yourls.php:57 ../../addon.old/yourls/yourls.php:57 +msgid "URL: http://" +msgstr "" + +#: ../../addon/yourls/yourls.php:62 ../../addon.old/yourls/yourls.php:62 +msgid "Username:" +msgstr "Nazwa użytkownika:" + +#: ../../addon/yourls/yourls.php:67 ../../addon.old/yourls/yourls.php:67 +msgid "Password:" +msgstr "Hasło:" + +#: ../../addon/yourls/yourls.php:72 ../../addon.old/yourls/yourls.php:72 +msgid "Use SSL " +msgstr "" + +#: ../../addon/yourls/yourls.php:92 ../../addon.old/yourls/yourls.php:92 +msgid "yourls Settings saved." +msgstr "" + +#: ../../addon/ljpost/ljpost.php:39 ../../addon.old/ljpost/ljpost.php:39 +msgid "Post to LiveJournal" +msgstr "Post do LiveJournal" + +#: ../../addon/ljpost/ljpost.php:70 ../../addon.old/ljpost/ljpost.php:70 +msgid "LiveJournal Post Settings" +msgstr "Ustawienia postów do LiveJournal" + +#: ../../addon/ljpost/ljpost.php:72 ../../addon.old/ljpost/ljpost.php:72 +msgid "Enable LiveJournal Post Plugin" +msgstr "" + +#: ../../addon/ljpost/ljpost.php:77 ../../addon.old/ljpost/ljpost.php:77 +msgid "LiveJournal username" +msgstr "Nazwa użytkownika do LiveJournal" + +#: ../../addon/ljpost/ljpost.php:82 ../../addon.old/ljpost/ljpost.php:82 +msgid "LiveJournal password" +msgstr "Hasło do LiveJournal" + +#: ../../addon/ljpost/ljpost.php:87 ../../addon.old/ljpost/ljpost.php:87 +msgid "Post to LiveJournal by default" +msgstr "" + +#: ../../addon/nsfw/nsfw.php:78 ../../addon.old/nsfw/nsfw.php:78 +msgid "Not Safe For Work (General Purpose Content Filter) settings" +msgstr "" + +#: ../../addon/nsfw/nsfw.php:80 ../../addon.old/nsfw/nsfw.php:80 +msgid "" +"This plugin looks in posts for the words/text you specify below, and " +"collapses any content containing those keywords so it is not displayed at " +"inappropriate times, such as sexual innuendo that may be improper in a work " +"setting. It is polite and recommended to tag any content containing nudity " +"with #NSFW. This filter can also match any other word/text you specify, and" +" can thereby be used as a general purpose content filter." +msgstr "" + +#: ../../addon/nsfw/nsfw.php:81 ../../addon.old/nsfw/nsfw.php:81 +msgid "Enable Content filter" +msgstr "" + +#: ../../addon/nsfw/nsfw.php:84 ../../addon.old/nsfw/nsfw.php:84 +msgid "Comma separated list of keywords to hide" +msgstr "" + +#: ../../addon/nsfw/nsfw.php:89 ../../addon.old/nsfw/nsfw.php:89 +msgid "Use /expression/ to provide regular expressions" +msgstr "" + +#: ../../addon/nsfw/nsfw.php:105 ../../addon.old/nsfw/nsfw.php:105 +msgid "NSFW Settings saved." +msgstr "" + +#: ../../addon/nsfw/nsfw.php:157 ../../addon.old/nsfw/nsfw.php:157 +#, php-format +msgid "%s - Click to open/close" +msgstr "" + +#: ../../addon/page/page.php:62 ../../addon/page/page.php:92 +#: ../../addon/forumlist/forumlist.php:60 ../../addon.old/page/page.php:62 +#: ../../addon.old/page/page.php:92 ../../addon.old/forumlist/forumlist.php:60 +msgid "Forums" +msgstr "" + +#: ../../addon/page/page.php:130 ../../addon/forumlist/forumlist.php:94 +#: ../../addon.old/page/page.php:130 +#: ../../addon.old/forumlist/forumlist.php:94 +msgid "Forums:" +msgstr "" + +#: ../../addon/page/page.php:166 ../../addon.old/page/page.php:166 +msgid "Page settings updated." +msgstr "" + +#: ../../addon/page/page.php:195 ../../addon.old/page/page.php:195 +msgid "Page Settings" +msgstr "" + +#: ../../addon/page/page.php:197 ../../addon.old/page/page.php:197 +msgid "How many forums to display on sidebar without paging" +msgstr "" + +#: ../../addon/page/page.php:200 ../../addon.old/page/page.php:200 +msgid "Randomise Page/Forum list" +msgstr "" + +#: ../../addon/page/page.php:203 ../../addon.old/page/page.php:203 +msgid "Show pages/forums on profile page" +msgstr "" + +#: ../../addon/planets/planets.php:150 ../../addon.old/planets/planets.php:150 +msgid "Planets Settings" +msgstr "" + +#: ../../addon/planets/planets.php:152 ../../addon.old/planets/planets.php:152 +msgid "Enable Planets Plugin" +msgstr "" + +#: ../../addon/communityhome/communityhome.php:28 +#: ../../addon/communityhome/communityhome.php:34 +#: ../../addon/communityhome/twillingham/communityhome.php:28 +#: ../../addon/communityhome/twillingham/communityhome.php:34 +#: ../../include/nav.php:64 ../../boot.php:923 +#: ../../addon.old/communityhome/communityhome.php:28 +#: ../../addon.old/communityhome/communityhome.php:34 +#: ../../addon.old/communityhome/twillingham/communityhome.php:28 +#: ../../addon.old/communityhome/twillingham/communityhome.php:34 +msgid "Login" +msgstr "Login" + +#: ../../addon/communityhome/communityhome.php:29 +#: ../../addon/communityhome/twillingham/communityhome.php:29 +#: ../../addon.old/communityhome/communityhome.php:29 +#: ../../addon.old/communityhome/twillingham/communityhome.php:29 +msgid "OpenID" +msgstr "" + +#: ../../addon/communityhome/communityhome.php:38 +#: ../../addon/communityhome/twillingham/communityhome.php:38 +#: ../../addon.old/communityhome/communityhome.php:38 +#: ../../addon.old/communityhome/twillingham/communityhome.php:38 +msgid "Latest users" +msgstr "Ostatni użytkownicy" + +#: ../../addon/communityhome/communityhome.php:81 +#: ../../addon/communityhome/twillingham/communityhome.php:81 +#: ../../addon.old/communityhome/communityhome.php:81 +#: ../../addon.old/communityhome/twillingham/communityhome.php:81 +msgid "Most active users" +msgstr "najaktywniejsi użytkownicy" + +#: ../../addon/communityhome/communityhome.php:98 +#: ../../addon.old/communityhome/communityhome.php:98 +msgid "Latest photos" +msgstr "Ostatnie zdjęcia" + +#: ../../addon/communityhome/communityhome.php:133 +#: ../../addon.old/communityhome/communityhome.php:133 +msgid "Latest likes" +msgstr "Ostatnie polubienia" + +#: ../../addon/communityhome/communityhome.php:155 +#: ../../view/theme/diabook/theme.php:449 ../../include/text.php:1435 +#: ../../include/conversation.php:117 ../../include/conversation.php:245 +#: ../../addon.old/communityhome/communityhome.php:155 +msgid "event" +msgstr "wydarzenie" + +#: ../../addon/dav/common/wdcal_backend.inc.php:92 +#: ../../addon/dav/common/wdcal_backend.inc.php:166 +#: ../../addon/dav/common/wdcal_backend.inc.php:178 +#: ../../addon/dav/common/wdcal_backend.inc.php:206 +#: ../../addon/dav/common/wdcal_backend.inc.php:214 +#: ../../addon/dav/common/wdcal_backend.inc.php:229 +#: ../../addon.old/dav/common/wdcal_backend.inc.php:92 +#: ../../addon.old/dav/common/wdcal_backend.inc.php:166 +#: ../../addon.old/dav/common/wdcal_backend.inc.php:178 +#: ../../addon.old/dav/common/wdcal_backend.inc.php:206 +#: ../../addon.old/dav/common/wdcal_backend.inc.php:214 +#: ../../addon.old/dav/common/wdcal_backend.inc.php:229 +msgid "No access" +msgstr "Brak dostępu" + +#: ../../addon/dav/common/wdcal_edit.inc.php:30 +#: ../../addon/dav/common/wdcal_edit.inc.php:738 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:30 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:738 +msgid "Could not open component for editing" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:140 +#: ../../addon/dav/friendica/layout.fnk.php:143 +#: ../../addon/dav/friendica/layout.fnk.php:422 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:140 +#: ../../addon.old/dav/friendica/layout.fnk.php:143 +#: ../../addon.old/dav/friendica/layout.fnk.php:422 +msgid "Go back to the calendar" +msgstr "Wróć do kalendarza" + +#: ../../addon/dav/common/wdcal_edit.inc.php:144 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:144 +msgid "Event data" +msgstr "Data wydarzenia" + +#: ../../addon/dav/common/wdcal_edit.inc.php:146 +#: ../../addon/dav/friendica/main.php:239 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:146 +#: ../../addon.old/dav/friendica/main.php:239 +msgid "Calendar" +msgstr "Kalendarz" + +#: ../../addon/dav/common/wdcal_edit.inc.php:163 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:163 +msgid "Special color" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:169 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:169 +msgid "Subject" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:173 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:173 +msgid "Starts" +msgstr "Zaczyna się" + +#: ../../addon/dav/common/wdcal_edit.inc.php:178 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:178 +msgid "Ends" +msgstr "Kończy się" + +#: ../../addon/dav/common/wdcal_edit.inc.php:185 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:185 +msgid "Description" +msgstr "Opis" + +#: ../../addon/dav/common/wdcal_edit.inc.php:188 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:188 +msgid "Recurrence" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:190 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:190 +msgid "Frequency" +msgstr "często" + +#: ../../addon/dav/common/wdcal_edit.inc.php:194 +#: ../../include/contact_selectors.php:59 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:194 +msgid "Daily" +msgstr "Dziennie" + +#: ../../addon/dav/common/wdcal_edit.inc.php:197 +#: ../../include/contact_selectors.php:60 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:197 +msgid "Weekly" +msgstr "Tygodniowo" + +#: ../../addon/dav/common/wdcal_edit.inc.php:200 +#: ../../include/contact_selectors.php:61 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:200 +msgid "Monthly" +msgstr "Miesięcznie" + +#: ../../addon/dav/common/wdcal_edit.inc.php:203 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:203 +msgid "Yearly" +msgstr "raz na rok" + +#: ../../addon/dav/common/wdcal_edit.inc.php:214 +#: ../../include/datetime.php:288 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:214 +msgid "days" +msgstr "dni" + +#: ../../addon/dav/common/wdcal_edit.inc.php:215 +#: ../../include/datetime.php:287 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:215 +msgid "weeks" +msgstr "tygodnie" + +#: ../../addon/dav/common/wdcal_edit.inc.php:216 +#: ../../include/datetime.php:286 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:216 +msgid "months" +msgstr "miesiące" + +#: ../../addon/dav/common/wdcal_edit.inc.php:217 +#: ../../include/datetime.php:285 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:217 +msgid "years" +msgstr "lata" + +#: ../../addon/dav/common/wdcal_edit.inc.php:218 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:218 +msgid "Interval" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:218 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:218 +msgid "All %select% %time%" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:222 +#: ../../addon/dav/common/wdcal_edit.inc.php:260 +#: ../../addon/dav/common/wdcal_edit.inc.php:481 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:222 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:260 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:481 +msgid "Days" +msgstr "Dni" + +#: ../../addon/dav/common/wdcal_edit.inc.php:231 +#: ../../addon/dav/common/wdcal_edit.inc.php:254 +#: ../../addon/dav/common/wdcal_edit.inc.php:270 +#: ../../addon/dav/common/wdcal_edit.inc.php:293 +#: ../../addon/dav/common/wdcal_edit.inc.php:305 ../../include/text.php:915 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:231 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:254 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:270 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:293 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:305 +msgid "Sunday" +msgstr "Niedziela" + +#: ../../addon/dav/common/wdcal_edit.inc.php:235 +#: ../../addon/dav/common/wdcal_edit.inc.php:274 +#: ../../addon/dav/common/wdcal_edit.inc.php:308 ../../include/text.php:915 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:235 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:274 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:308 +msgid "Monday" +msgstr "Poniedziałek" + +#: ../../addon/dav/common/wdcal_edit.inc.php:238 +#: ../../addon/dav/common/wdcal_edit.inc.php:277 ../../include/text.php:915 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:238 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:277 +msgid "Tuesday" +msgstr "Wtorek" + +#: ../../addon/dav/common/wdcal_edit.inc.php:241 +#: ../../addon/dav/common/wdcal_edit.inc.php:280 ../../include/text.php:915 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:241 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:280 +msgid "Wednesday" +msgstr "Środa" + +#: ../../addon/dav/common/wdcal_edit.inc.php:244 +#: ../../addon/dav/common/wdcal_edit.inc.php:283 ../../include/text.php:915 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:244 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:283 +msgid "Thursday" +msgstr "Czwartek" + +#: ../../addon/dav/common/wdcal_edit.inc.php:247 +#: ../../addon/dav/common/wdcal_edit.inc.php:286 ../../include/text.php:915 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:247 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:286 +msgid "Friday" +msgstr "Piątek" + +#: ../../addon/dav/common/wdcal_edit.inc.php:250 +#: ../../addon/dav/common/wdcal_edit.inc.php:289 ../../include/text.php:915 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:250 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:289 +msgid "Saturday" +msgstr "Sobota" + +#: ../../addon/dav/common/wdcal_edit.inc.php:297 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:297 +msgid "First day of week:" +msgstr "Pierwszy dzień tygodnia:" + +#: ../../addon/dav/common/wdcal_edit.inc.php:350 +#: ../../addon/dav/common/wdcal_edit.inc.php:373 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:350 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:373 +msgid "Day of month" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:354 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:354 +msgid "#num#th of each month" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:357 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:357 +msgid "#num#th-last of each month" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:360 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:360 +msgid "#num#th #wkday# of each month" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:363 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:363 +msgid "#num#th-last #wkday# of each month" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:372 +#: ../../addon/dav/friendica/layout.fnk.php:255 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:372 +#: ../../addon.old/dav/friendica/layout.fnk.php:255 +msgid "Month" +msgstr "Miesiąc" + +#: ../../addon/dav/common/wdcal_edit.inc.php:377 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:377 +msgid "#num#th of the given month" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:380 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:380 +msgid "#num#th-last of the given month" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:383 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:383 +msgid "#num#th #wkday# of the given month" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:386 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:386 +msgid "#num#th-last #wkday# of the given month" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:413 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:413 +msgid "Repeat until" +msgstr "Powtarzaj do" + +#: ../../addon/dav/common/wdcal_edit.inc.php:417 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:417 +msgid "Infinite" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:420 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:420 +msgid "Until the following date" +msgstr "Do tej daty" + +#: ../../addon/dav/common/wdcal_edit.inc.php:423 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:423 +msgid "Number of times" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:429 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:429 +msgid "Exceptions" +msgstr "Wyjątki" + +#: ../../addon/dav/common/wdcal_edit.inc.php:432 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:432 +msgid "none" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:449 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:449 +msgid "Notification" +msgstr "Powiadomienie" + +#: ../../addon/dav/common/wdcal_edit.inc.php:466 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:466 +msgid "Notify by" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:469 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:469 +msgid "E-Mail" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:470 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:470 +msgid "On Friendica / Display" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:474 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:474 +msgid "Time" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:478 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:478 +msgid "Hours" +msgstr "Godzin" + +#: ../../addon/dav/common/wdcal_edit.inc.php:479 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:479 +msgid "Minutes" +msgstr "Minut" + +#: ../../addon/dav/common/wdcal_edit.inc.php:480 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:480 +msgid "Seconds" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:482 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:482 +msgid "Weeks" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:485 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:485 +msgid "before the" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:486 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:486 +msgid "start of the event" +msgstr "rozpoczęcie wydarzenia" + +#: ../../addon/dav/common/wdcal_edit.inc.php:487 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:487 +msgid "end of the event" +msgstr "zakończenie wydarzenia" + +#: ../../addon/dav/common/wdcal_edit.inc.php:492 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:492 +msgid "Add a notification" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:687 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:687 +msgid "The event #name# will start at #date" +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:696 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:696 +msgid "#name# is about to begin." +msgstr "" + +#: ../../addon/dav/common/wdcal_edit.inc.php:769 +#: ../../addon.old/dav/common/wdcal_edit.inc.php:769 +msgid "Saved" +msgstr "Zapisano" + +#: ../../addon/dav/common/wdcal_configuration.php:148 +#: ../../addon.old/dav/common/wdcal_configuration.php:148 +msgid "U.S. Time Format (mm/dd/YYYY)" +msgstr "Amerykański format daty (mm/dd/YYYY)" + +#: ../../addon/dav/common/wdcal_configuration.php:243 +#: ../../addon.old/dav/common/wdcal_configuration.php:243 +msgid "German Time Format (dd.mm.YYYY)" +msgstr "Niemiecki format daty (dd.mm.YYYY)" + +#: ../../addon/dav/common/dav_caldav_backend_private.inc.php:39 +#: ../../addon.old/dav/common/dav_caldav_backend_private.inc.php:39 +msgid "Private Events" +msgstr "Prywatne wydarzenia" + +#: ../../addon/dav/common/dav_carddav_backend_private.inc.php:46 +#: ../../addon.old/dav/common/dav_carddav_backend_private.inc.php:46 +msgid "Private Addressbooks" +msgstr "" + +#: ../../addon/dav/friendica/dav_caldav_backend_virtual_friendica.inc.php:36 +#: ../../addon.old/dav/friendica/dav_caldav_backend_virtual_friendica.inc.php:36 +msgid "Friendica-Native events" +msgstr "" + +#: ../../addon/dav/friendica/dav_carddav_backend_virtual_friendica.inc.php:36 +#: ../../addon/dav/friendica/dav_carddav_backend_virtual_friendica.inc.php:59 +#: ../../addon.old/dav/friendica/dav_carddav_backend_virtual_friendica.inc.php:36 +#: ../../addon.old/dav/friendica/dav_carddav_backend_virtual_friendica.inc.php:59 +msgid "Friendica-Contacts" +msgstr "Kontakty friendica" + +#: ../../addon/dav/friendica/dav_carddav_backend_virtual_friendica.inc.php:60 +#: ../../addon.old/dav/friendica/dav_carddav_backend_virtual_friendica.inc.php:60 +msgid "Your Friendica-Contacts" +msgstr "Twoje kontakty friendica" + +#: ../../addon/dav/friendica/layout.fnk.php:99 +#: ../../addon/dav/friendica/layout.fnk.php:136 +#: ../../addon.old/dav/friendica/layout.fnk.php:99 +#: ../../addon.old/dav/friendica/layout.fnk.php:136 +msgid "" +"Something went wrong when trying to import the file. Sorry. Maybe some " +"events were imported anyway." +msgstr "" + +#: ../../addon/dav/friendica/layout.fnk.php:131 +#: ../../addon.old/dav/friendica/layout.fnk.php:131 +msgid "Something went wrong when trying to import the file. Sorry." +msgstr "" + +#: ../../addon/dav/friendica/layout.fnk.php:134 +#: ../../addon.old/dav/friendica/layout.fnk.php:134 +msgid "The ICS-File has been imported." +msgstr "" + +#: ../../addon/dav/friendica/layout.fnk.php:138 +#: ../../addon.old/dav/friendica/layout.fnk.php:138 +msgid "No file was uploaded." +msgstr "" + +#: ../../addon/dav/friendica/layout.fnk.php:147 +#: ../../addon.old/dav/friendica/layout.fnk.php:147 +msgid "Import a ICS-file" +msgstr "" + +#: ../../addon/dav/friendica/layout.fnk.php:150 +#: ../../addon.old/dav/friendica/layout.fnk.php:150 +msgid "ICS-File" +msgstr "" + +#: ../../addon/dav/friendica/layout.fnk.php:151 +#: ../../addon.old/dav/friendica/layout.fnk.php:151 +msgid "Overwrite all #num# existing events" +msgstr "" + +#: ../../addon/dav/friendica/layout.fnk.php:228 +#: ../../addon.old/dav/friendica/layout.fnk.php:228 +msgid "New event" +msgstr "Nowe wydarzenie" + +#: ../../addon/dav/friendica/layout.fnk.php:232 +#: ../../addon.old/dav/friendica/layout.fnk.php:232 +msgid "Today" +msgstr "Dzisiaj" + +#: ../../addon/dav/friendica/layout.fnk.php:241 +#: ../../addon.old/dav/friendica/layout.fnk.php:241 +msgid "Day" +msgstr "Dzień" + +#: ../../addon/dav/friendica/layout.fnk.php:248 +#: ../../addon.old/dav/friendica/layout.fnk.php:248 +msgid "Week" +msgstr "Tydzień" + +#: ../../addon/dav/friendica/layout.fnk.php:260 +#: ../../addon.old/dav/friendica/layout.fnk.php:260 +msgid "Reload" +msgstr "Załaduj ponownie" + +#: ../../addon/dav/friendica/layout.fnk.php:271 +#: ../../addon.old/dav/friendica/layout.fnk.php:271 +msgid "Date" +msgstr "Data" + +#: ../../addon/dav/friendica/layout.fnk.php:313 +#: ../../addon.old/dav/friendica/layout.fnk.php:313 +msgid "Error" +msgstr "Błąd" + +#: ../../addon/dav/friendica/layout.fnk.php:380 +#: ../../addon.old/dav/friendica/layout.fnk.php:380 +msgid "The calendar has been updated." +msgstr "" + +#: ../../addon/dav/friendica/layout.fnk.php:393 +#: ../../addon.old/dav/friendica/layout.fnk.php:393 +msgid "The new calendar has been created." +msgstr "" + +#: ../../addon/dav/friendica/layout.fnk.php:417 +#: ../../addon.old/dav/friendica/layout.fnk.php:417 +msgid "The calendar has been deleted." +msgstr "" + +#: ../../addon/dav/friendica/layout.fnk.php:424 +#: ../../addon.old/dav/friendica/layout.fnk.php:424 +msgid "Calendar Settings" +msgstr "Ustawienia kalendarza" + +#: ../../addon/dav/friendica/layout.fnk.php:430 +#: ../../addon.old/dav/friendica/layout.fnk.php:430 +msgid "Date format" +msgstr "Format daty" + +#: ../../addon/dav/friendica/layout.fnk.php:439 +#: ../../addon.old/dav/friendica/layout.fnk.php:439 +msgid "Time zone" +msgstr "Strefa czasowa" + +#: ../../addon/dav/friendica/layout.fnk.php:445 +#: ../../addon.old/dav/friendica/layout.fnk.php:445 +msgid "Calendars" +msgstr "Kalendarze" + +#: ../../addon/dav/friendica/layout.fnk.php:487 +#: ../../addon.old/dav/friendica/layout.fnk.php:487 +msgid "Create a new calendar" +msgstr "Stwórz nowy kalendarz" + +#: ../../addon/dav/friendica/layout.fnk.php:496 +#: ../../addon.old/dav/friendica/layout.fnk.php:496 +msgid "Limitations" +msgstr "Ograniczenie" + +#: ../../addon/dav/friendica/layout.fnk.php:500 +#: ../../addon/libravatar/libravatar.php:82 +#: ../../addon.old/dav/friendica/layout.fnk.php:500 +#: ../../addon.old/libravatar/libravatar.php:82 +msgid "Warning" +msgstr "Ostrzeżenie" + +#: ../../addon/dav/friendica/layout.fnk.php:504 +#: ../../addon.old/dav/friendica/layout.fnk.php:504 +msgid "Synchronization (iPhone, Thunderbird Lightning, Android, ...)" +msgstr "Synchronizacja (iPhone, Thunderbird Lightning, Android, ...)" + +#: ../../addon/dav/friendica/layout.fnk.php:511 +#: ../../addon.old/dav/friendica/layout.fnk.php:511 +msgid "Synchronizing this calendar with the iPhone" +msgstr "Zsynchronizuj kalendarz z iPhone" + +#: ../../addon/dav/friendica/layout.fnk.php:522 +#: ../../addon.old/dav/friendica/layout.fnk.php:522 +msgid "Synchronizing your Friendica-Contacts with the iPhone" +msgstr "Zsynchronizuj kontakty friendica z iPhone" + +#: ../../addon/dav/friendica/main.php:202 +#: ../../addon.old/dav/friendica/main.php:202 +msgid "" +"The current version of this plugin has not been set up correctly. Please " +"contact the system administrator of your installation of friendica to fix " +"this." +msgstr "" + +#: ../../addon/dav/friendica/main.php:242 +#: ../../addon.old/dav/friendica/main.php:242 +msgid "Extended calendar with CalDAV-support" +msgstr "" + +#: ../../addon/dav/friendica/main.php:279 +#: ../../addon/dav/friendica/main.php:280 ../../include/delivery.php:464 +#: ../../include/enotify.php:28 ../../include/notifier.php:724 +#: ../../addon.old/dav/friendica/main.php:279 +#: ../../addon.old/dav/friendica/main.php:280 +msgid "noreply" +msgstr "brak odpowiedzi" + +#: ../../addon/dav/friendica/main.php:282 +#: ../../addon.old/dav/friendica/main.php:282 +msgid "Notification: " +msgstr "Potwierdzeni:" + +#: ../../addon/dav/friendica/main.php:309 +#: ../../addon.old/dav/friendica/main.php:309 +msgid "The database tables have been installed." +msgstr "" + +#: ../../addon/dav/friendica/main.php:310 +#: ../../addon.old/dav/friendica/main.php:310 +msgid "An error occurred during the installation." +msgstr "" + +#: ../../addon/dav/friendica/main.php:316 +#: ../../addon.old/dav/friendica/main.php:316 +msgid "The database tables have been updated." +msgstr "" + +#: ../../addon/dav/friendica/main.php:317 +#: ../../addon.old/dav/friendica/main.php:317 +msgid "An error occurred during the update." +msgstr "" + +#: ../../addon/dav/friendica/main.php:333 +#: ../../addon.old/dav/friendica/main.php:333 +msgid "No system-wide settings yet." +msgstr "" + +#: ../../addon/dav/friendica/main.php:336 +#: ../../addon.old/dav/friendica/main.php:336 +msgid "Database status" +msgstr "" + +#: ../../addon/dav/friendica/main.php:339 +#: ../../addon.old/dav/friendica/main.php:339 +msgid "Installed" +msgstr "Zainstalowany" + +#: ../../addon/dav/friendica/main.php:343 +#: ../../addon.old/dav/friendica/main.php:343 +msgid "Upgrade needed" +msgstr "Wymaga uaktualnienia" + +#: ../../addon/dav/friendica/main.php:343 +#: ../../addon.old/dav/friendica/main.php:343 +msgid "" +"Please back up all calendar data (the tables beginning with dav_*) before " +"proceeding. While all calendar events should be converted to the new " +"database structure, it's always safe to have a backup. Below, you can have a" +" look at the database-queries that will be made when pressing the " +"'update'-button." +msgstr "" + +#: ../../addon/dav/friendica/main.php:343 +#: ../../addon.old/dav/friendica/main.php:343 +msgid "Upgrade" +msgstr "Uaktualnienie" + +#: ../../addon/dav/friendica/main.php:346 +#: ../../addon.old/dav/friendica/main.php:346 +msgid "Not installed" +msgstr "Nie zainstalowany" + +#: ../../addon/dav/friendica/main.php:346 +#: ../../addon.old/dav/friendica/main.php:346 +msgid "Install" +msgstr "Zainstaluj" + +#: ../../addon/dav/friendica/main.php:350 +#: ../../addon.old/dav/friendica/main.php:350 +msgid "Unknown" +msgstr "Nieznany" + +#: ../../addon/dav/friendica/main.php:350 +#: ../../addon.old/dav/friendica/main.php:350 +msgid "" +"Something really went wrong. I cannot recover from this state automatically," +" sorry. Please go to the database backend, back up the data, and delete all " +"tables beginning with 'dav_' manually. Afterwards, this installation routine" +" should be able to reinitialize the tables automatically." +msgstr "" + +#: ../../addon/dav/friendica/main.php:355 +#: ../../addon.old/dav/friendica/main.php:355 +msgid "Troubleshooting" +msgstr "Rozwiązywanie problemów" + +#: ../../addon/dav/friendica/main.php:356 +#: ../../addon.old/dav/friendica/main.php:356 +msgid "Manual creation of the database tables:" +msgstr "" + +#: ../../addon/dav/friendica/main.php:357 +#: ../../addon.old/dav/friendica/main.php:357 +msgid "Show SQL-statements" +msgstr "" + +#: ../../addon/dav/friendica/calendar.friendica.fnk.php:206 +#: ../../addon.old/dav/friendica/calendar.friendica.fnk.php:206 +msgid "Private Calendar" +msgstr "Kalendarz prywatny" + +#: ../../addon/dav/friendica/calendar.friendica.fnk.php:207 +#: ../../addon.old/dav/friendica/calendar.friendica.fnk.php:207 +msgid "Friendica Events: Mine" +msgstr "Wydarzenia Friendici: Moje" + +#: ../../addon/dav/friendica/calendar.friendica.fnk.php:208 +#: ../../addon.old/dav/friendica/calendar.friendica.fnk.php:208 +msgid "Friendica Events: Contacts" +msgstr "Wydarzenia Friendici: Kontakty" + +#: ../../addon/dav/friendica/calendar.friendica.fnk.php:248 +#: ../../addon.old/dav/friendica/calendar.friendica.fnk.php:248 +msgid "Private Addresses" +msgstr "" + +#: ../../addon/dav/friendica/calendar.friendica.fnk.php:249 +#: ../../addon.old/dav/friendica/calendar.friendica.fnk.php:249 +msgid "Friendica Contacts" +msgstr "Kontakty Friendica" + +#: ../../addon/uhremotestorage/uhremotestorage.php:84 +#: ../../addon.old/uhremotestorage/uhremotestorage.php:84 +#, php-format +msgid "" +"Allow to use your friendica id (%s) to connecto to external unhosted-enabled" +" storage (like ownCloud). See RemoteStorage" +" WebFinger" +msgstr "" + +#: ../../addon/uhremotestorage/uhremotestorage.php:85 +#: ../../addon.old/uhremotestorage/uhremotestorage.php:85 +msgid "Template URL (with {category})" +msgstr "" + +#: ../../addon/uhremotestorage/uhremotestorage.php:86 +#: ../../addon.old/uhremotestorage/uhremotestorage.php:86 +msgid "OAuth end-point" +msgstr "" + +#: ../../addon/uhremotestorage/uhremotestorage.php:87 +#: ../../addon.old/uhremotestorage/uhremotestorage.php:87 +msgid "Api" +msgstr "" + +#: ../../addon/membersince/membersince.php:18 +#: ../../addon.old/membersince/membersince.php:18 +msgid "Member since:" +msgstr "Data dołączenia:" + +#: ../../addon/tictac/tictac.php:20 ../../addon.old/tictac/tictac.php:20 +msgid "Three Dimensional Tic-Tac-Toe" +msgstr "" + +#: ../../addon/tictac/tictac.php:53 ../../addon.old/tictac/tictac.php:53 +msgid "3D Tic-Tac-Toe" +msgstr "" + +#: ../../addon/tictac/tictac.php:58 ../../addon.old/tictac/tictac.php:58 +msgid "New game" +msgstr "Nowa gra" + +#: ../../addon/tictac/tictac.php:59 ../../addon.old/tictac/tictac.php:59 +msgid "New game with handicap" +msgstr "Nowa gra z utrudnieniem" + +#: ../../addon/tictac/tictac.php:60 ../../addon.old/tictac/tictac.php:60 +msgid "" +"Three dimensional tic-tac-toe is just like the traditional game except that " +"it is played on multiple levels simultaneously. " +msgstr "" + +#: ../../addon/tictac/tictac.php:61 ../../addon.old/tictac/tictac.php:61 +msgid "" +"In this case there are three levels. You win by getting three in a row on " +"any level, as well as up, down, and diagonally across the different levels." +msgstr "" + +#: ../../addon/tictac/tictac.php:63 ../../addon.old/tictac/tictac.php:63 +msgid "" +"The handicap game disables the center position on the middle level because " +"the player claiming this square often has an unfair advantage." +msgstr "" + +#: ../../addon/tictac/tictac.php:182 ../../addon.old/tictac/tictac.php:182 +msgid "You go first..." +msgstr "Ty pierwszy..." + +#: ../../addon/tictac/tictac.php:187 ../../addon.old/tictac/tictac.php:187 +msgid "I'm going first this time..." +msgstr "Zaczynam..." + +#: ../../addon/tictac/tictac.php:193 ../../addon.old/tictac/tictac.php:193 +msgid "You won!" +msgstr "Wygrałeś!" + +#: ../../addon/tictac/tictac.php:199 ../../addon/tictac/tictac.php:224 +#: ../../addon.old/tictac/tictac.php:199 ../../addon.old/tictac/tictac.php:224 +msgid "\"Cat\" game!" +msgstr "Gra \"Kot\"!" + +#: ../../addon/tictac/tictac.php:222 ../../addon.old/tictac/tictac.php:222 +msgid "I won!" +msgstr "Wygrałem!" + +#: ../../addon/randplace/randplace.php:169 +#: ../../addon.old/randplace/randplace.php:169 +msgid "Randplace Settings" +msgstr "" + +#: ../../addon/randplace/randplace.php:171 +#: ../../addon.old/randplace/randplace.php:171 +msgid "Enable Randplace Plugin" +msgstr "" + +#: ../../addon/dwpost/dwpost.php:39 ../../addon.old/dwpost/dwpost.php:39 +msgid "Post to Dreamwidth" +msgstr "" + +#: ../../addon/dwpost/dwpost.php:70 ../../addon.old/dwpost/dwpost.php:70 +msgid "Dreamwidth Post Settings" +msgstr "" + +#: ../../addon/dwpost/dwpost.php:72 ../../addon.old/dwpost/dwpost.php:72 +msgid "Enable dreamwidth Post Plugin" +msgstr "" + +#: ../../addon/dwpost/dwpost.php:77 ../../addon.old/dwpost/dwpost.php:77 +msgid "dreamwidth username" +msgstr "" + +#: ../../addon/dwpost/dwpost.php:82 ../../addon.old/dwpost/dwpost.php:82 +msgid "dreamwidth password" +msgstr "" + +#: ../../addon/dwpost/dwpost.php:87 ../../addon.old/dwpost/dwpost.php:87 +msgid "Post to dreamwidth by default" +msgstr "" + +#: ../../addon/remote_permissions/remote_permissions.php:44 +msgid "Remote Permissions Settings" +msgstr "" + +#: ../../addon/remote_permissions/remote_permissions.php:45 +msgid "" +"Allow recipients of your private posts to see the other recipients of the " +"posts" +msgstr "" + +#: ../../addon/remote_permissions/remote_permissions.php:57 +msgid "Remote Permissions settings updated." +msgstr "" + +#: ../../addon/remote_permissions/remote_permissions.php:177 +msgid "Visible to" +msgstr "Widoczne dla" + +#: ../../addon/remote_permissions/remote_permissions.php:177 +msgid "may only be a partial list" +msgstr "" + +#: ../../addon/remote_permissions/remote_permissions.php:196 +msgid "Global" +msgstr "Ogólne" + +#: ../../addon/remote_permissions/remote_permissions.php:196 +msgid "The posts of every user on this server show the post recipients" +msgstr "" + +#: ../../addon/remote_permissions/remote_permissions.php:197 +msgid "Individual" +msgstr "Indywidualne" + +#: ../../addon/remote_permissions/remote_permissions.php:197 +msgid "Each user chooses whether his/her posts show the post recipients" +msgstr "" + +#: ../../addon/startpage/startpage.php:83 +#: ../../addon.old/startpage/startpage.php:83 +msgid "Startpage Settings" +msgstr "Ustawienia strony startowej" + +#: ../../addon/startpage/startpage.php:85 +#: ../../addon.old/startpage/startpage.php:85 +msgid "Home page to load after login - leave blank for profile wall" +msgstr "" + +#: ../../addon/startpage/startpage.php:88 +#: ../../addon.old/startpage/startpage.php:88 +msgid "Examples: "network" or "notifications/system"" +msgstr "" + +#: ../../addon/geonames/geonames.php:143 +#: ../../addon.old/geonames/geonames.php:143 +msgid "Geonames settings updated." +msgstr "" + +#: ../../addon/geonames/geonames.php:179 +#: ../../addon.old/geonames/geonames.php:179 +msgid "Geonames Settings" +msgstr "" + +#: ../../addon/geonames/geonames.php:181 +#: ../../addon.old/geonames/geonames.php:181 +msgid "Enable Geonames Plugin" +msgstr "" + +#: ../../addon/public_server/public_server.php:126 +#: ../../addon/testdrive/testdrive.php:94 +#: ../../addon.old/public_server/public_server.php:126 +#: ../../addon.old/testdrive/testdrive.php:94 +#, php-format +msgid "Your account on %s will expire in a few days." +msgstr "" + +#: ../../addon/public_server/public_server.php:127 +#: ../../addon.old/public_server/public_server.php:127 +msgid "Your Friendica account is about to expire." +msgstr "" + +#: ../../addon/public_server/public_server.php:128 +#: ../../addon.old/public_server/public_server.php:128 +#, php-format +msgid "" +"Hi %1$s,\n" +"\n" +"Your account on %2$s will expire in less than five days. You may keep your account by logging in at least once every 30 days" +msgstr "" + +#: ../../addon/js_upload/js_upload.php:43 +#: ../../addon.old/js_upload/js_upload.php:43 +msgid "Upload a file" +msgstr "Załaduj plik" + +#: ../../addon/js_upload/js_upload.php:44 +#: ../../addon.old/js_upload/js_upload.php:44 +msgid "Drop files here to upload" +msgstr "Wrzuć tu pliki by je załadować" + +#: ../../addon/js_upload/js_upload.php:46 +#: ../../addon.old/js_upload/js_upload.php:46 +msgid "Failed" +msgstr "Niepowodzenie" + +#: ../../addon/js_upload/js_upload.php:297 +#: ../../addon.old/js_upload/js_upload.php:297 +msgid "No files were uploaded." +msgstr "Nie załadowano żadnych plików." + +#: ../../addon/js_upload/js_upload.php:303 +#: ../../addon.old/js_upload/js_upload.php:303 +msgid "Uploaded file is empty" +msgstr "Wysłany plik jest pusty" + +#: ../../addon/js_upload/js_upload.php:326 +#: ../../addon.old/js_upload/js_upload.php:326 +msgid "File has an invalid extension, it should be one of " +msgstr "Pilk ma nieprawidłowe rozszerzenie, powinien być jednym z" + +#: ../../addon/js_upload/js_upload.php:337 +#: ../../addon.old/js_upload/js_upload.php:337 +msgid "Upload was cancelled, or server error encountered" +msgstr "Przesyłanie zostało anulowane lub wystąpił błąd serwera." + +#: ../../addon/forumlist/forumlist.php:63 +#: ../../addon.old/forumlist/forumlist.php:63 +msgid "show/hide" +msgstr "pokaż/ukryj" + +#: ../../addon/forumlist/forumlist.php:77 +#: ../../addon.old/forumlist/forumlist.php:77 +msgid "No forum subscriptions" +msgstr "" + +#: ../../addon/forumlist/forumlist.php:131 +#: ../../addon.old/forumlist/forumlist.php:131 +msgid "Forumlist settings updated." +msgstr "" + +#: ../../addon/forumlist/forumlist.php:159 +#: ../../addon.old/forumlist/forumlist.php:159 +msgid "Forumlist Settings" +msgstr "" + +#: ../../addon/forumlist/forumlist.php:161 +#: ../../addon.old/forumlist/forumlist.php:161 +msgid "Randomise forum list" +msgstr "" + +#: ../../addon/forumlist/forumlist.php:164 +#: ../../addon.old/forumlist/forumlist.php:164 +msgid "Show forums on profile page" +msgstr "" + +#: ../../addon/forumlist/forumlist.php:167 +#: ../../addon.old/forumlist/forumlist.php:167 +msgid "Show forums on network page" +msgstr "" + +#: ../../addon/impressum/impressum.php:37 +#: ../../addon.old/impressum/impressum.php:37 +msgid "Impressum" +msgstr "" + +#: ../../addon/impressum/impressum.php:50 +#: ../../addon/impressum/impressum.php:52 +#: ../../addon/impressum/impressum.php:84 +#: ../../addon.old/impressum/impressum.php:50 +#: ../../addon.old/impressum/impressum.php:52 +#: ../../addon.old/impressum/impressum.php:84 +msgid "Site Owner" +msgstr "Właściciel strony" + +#: ../../addon/impressum/impressum.php:50 +#: ../../addon/impressum/impressum.php:88 +#: ../../addon.old/impressum/impressum.php:50 +#: ../../addon.old/impressum/impressum.php:88 +msgid "Email Address" +msgstr "Adres e-mail" + +#: ../../addon/impressum/impressum.php:55 +#: ../../addon/impressum/impressum.php:86 +#: ../../addon.old/impressum/impressum.php:55 +#: ../../addon.old/impressum/impressum.php:86 +msgid "Postal Address" +msgstr "Adres pocztowy" + +#: ../../addon/impressum/impressum.php:61 +#: ../../addon.old/impressum/impressum.php:61 +msgid "" +"The impressum addon needs to be configured!
    Please add at least the " +"owner variable to your config file. For other variables please " +"refer to the README file of the addon." +msgstr "" + +#: ../../addon/impressum/impressum.php:84 +#: ../../addon.old/impressum/impressum.php:84 +msgid "The page operators name." +msgstr "" + +#: ../../addon/impressum/impressum.php:85 +#: ../../addon.old/impressum/impressum.php:85 +msgid "Site Owners Profile" +msgstr "Profil właściciela strony" + +#: ../../addon/impressum/impressum.php:85 +#: ../../addon.old/impressum/impressum.php:85 +msgid "Profile address of the operator." +msgstr "" + +#: ../../addon/impressum/impressum.php:86 +#: ../../addon.old/impressum/impressum.php:86 +msgid "How to contact the operator via snail mail. You can use BBCode here." +msgstr "" + +#: ../../addon/impressum/impressum.php:87 +#: ../../addon.old/impressum/impressum.php:87 +msgid "Notes" +msgstr "Notatki" + +#: ../../addon/impressum/impressum.php:87 +#: ../../addon.old/impressum/impressum.php:87 +msgid "" +"Additional notes that are displayed beneath the contact information. You can" +" use BBCode here." +msgstr "" + +#: ../../addon/impressum/impressum.php:88 +#: ../../addon.old/impressum/impressum.php:88 +msgid "How to contact the operator via email. (will be displayed obfuscated)" +msgstr "" + +#: ../../addon/impressum/impressum.php:89 +#: ../../addon.old/impressum/impressum.php:89 +msgid "Footer note" +msgstr "Notka w stopce" + +#: ../../addon/impressum/impressum.php:89 +#: ../../addon.old/impressum/impressum.php:89 +msgid "Text for the footer. You can use BBCode here." +msgstr "" + +#: ../../addon/buglink/buglink.php:15 ../../addon.old/buglink/buglink.php:15 +msgid "Report Bug" +msgstr "" + +#: ../../addon/notimeline/notimeline.php:32 +#: ../../addon.old/notimeline/notimeline.php:32 +msgid "No Timeline settings updated." +msgstr "" + +#: ../../addon/notimeline/notimeline.php:56 +#: ../../addon.old/notimeline/notimeline.php:56 +msgid "No Timeline Settings" +msgstr "Brak ustawień Osi czasu" + +#: ../../addon/notimeline/notimeline.php:58 +#: ../../addon.old/notimeline/notimeline.php:58 +msgid "Disable Archive selector on profile wall" +msgstr "" + +#: ../../addon/blockem/blockem.php:51 ../../addon.old/blockem/blockem.php:51 +msgid "\"Blockem\" Settings" +msgstr "" + +#: ../../addon/blockem/blockem.php:53 ../../addon.old/blockem/blockem.php:53 +msgid "Comma separated profile URLS to block" +msgstr "" + +#: ../../addon/blockem/blockem.php:70 ../../addon.old/blockem/blockem.php:70 +msgid "BLOCKEM Settings saved." +msgstr "" + +#: ../../addon/blockem/blockem.php:105 ../../addon.old/blockem/blockem.php:105 +#, php-format +msgid "Blocked %s - Click to open/close" +msgstr "" + +#: ../../addon/blockem/blockem.php:160 ../../addon.old/blockem/blockem.php:160 +msgid "Unblock Author" +msgstr "Odblokuj autora" + +#: ../../addon/blockem/blockem.php:162 ../../addon.old/blockem/blockem.php:162 +msgid "Block Author" +msgstr "Zablokuj autora" + +#: ../../addon/blockem/blockem.php:194 ../../addon.old/blockem/blockem.php:194 +msgid "blockem settings updated" +msgstr "" + +#: ../../addon/qcomment/qcomment.php:51 +#: ../../addon.old/qcomment/qcomment.php:51 +msgid ":-)" +msgstr ":-)" + +#: ../../addon/qcomment/qcomment.php:51 +#: ../../addon.old/qcomment/qcomment.php:51 +msgid ":-(" +msgstr ":-(" + +#: ../../addon/qcomment/qcomment.php:51 +#: ../../addon.old/qcomment/qcomment.php:51 +msgid "lol" +msgstr "lol" + +#: ../../addon/qcomment/qcomment.php:54 +#: ../../addon.old/qcomment/qcomment.php:54 +msgid "Quick Comment Settings" +msgstr "Ustawienia szybkiego komentowania" + +#: ../../addon/qcomment/qcomment.php:56 +#: ../../addon.old/qcomment/qcomment.php:56 +msgid "" +"Quick comments are found near comment boxes, sometimes hidden. Click them to" +" provide simple replies." +msgstr "" + +#: ../../addon/qcomment/qcomment.php:57 +#: ../../addon.old/qcomment/qcomment.php:57 +msgid "Enter quick comments, one per line" +msgstr "" + +#: ../../addon/qcomment/qcomment.php:75 +#: ../../addon.old/qcomment/qcomment.php:75 +msgid "Quick Comment settings saved." +msgstr "" + +#: ../../addon/openstreetmap/openstreetmap.php:71 +#: ../../addon.old/openstreetmap/openstreetmap.php:71 +msgid "Tile Server URL" +msgstr "" + +#: ../../addon/openstreetmap/openstreetmap.php:71 +#: ../../addon.old/openstreetmap/openstreetmap.php:71 +msgid "" +"A list of public tile servers" +msgstr "" + +#: ../../addon/openstreetmap/openstreetmap.php:72 +#: ../../addon.old/openstreetmap/openstreetmap.php:72 +msgid "Default zoom" +msgstr "Domyślne przybliżenie" + +#: ../../addon/openstreetmap/openstreetmap.php:72 +#: ../../addon.old/openstreetmap/openstreetmap.php:72 +msgid "The default zoom level. (1:world, 18:highest)" +msgstr "" + +#: ../../addon/group_text/group_text.php:46 +#: ../../addon/editplain/editplain.php:46 +#: ../../addon.old/group_text/group_text.php:46 +#: ../../addon.old/editplain/editplain.php:46 +msgid "Editplain settings updated." +msgstr "" + +#: ../../addon/group_text/group_text.php:76 +#: ../../addon.old/group_text/group_text.php:76 +msgid "Group Text" +msgstr "" + +#: ../../addon/group_text/group_text.php:78 +#: ../../addon.old/group_text/group_text.php:78 +msgid "Use a text only (non-image) group selector in the \"group edit\" menu" +msgstr "" + +#: ../../addon/libravatar/libravatar.php:14 +#: ../../addon.old/libravatar/libravatar.php:14 +msgid "Could NOT install Libravatar successfully.
    It requires PHP >= 5.3" +msgstr "" + +#: ../../addon/libravatar/libravatar.php:73 +#: ../../addon/gravatar/gravatar.php:71 +#: ../../addon.old/libravatar/libravatar.php:73 +#: ../../addon.old/gravatar/gravatar.php:71 +msgid "generic profile image" +msgstr "generuj obraz profilowy" + +#: ../../addon/libravatar/libravatar.php:74 +#: ../../addon/gravatar/gravatar.php:72 +#: ../../addon.old/libravatar/libravatar.php:74 +#: ../../addon.old/gravatar/gravatar.php:72 +msgid "random geometric pattern" +msgstr "przypadkowy wzorzec geometryczny" + +#: ../../addon/libravatar/libravatar.php:75 +#: ../../addon/gravatar/gravatar.php:73 +#: ../../addon.old/libravatar/libravatar.php:75 +#: ../../addon.old/gravatar/gravatar.php:73 +msgid "monster face" +msgstr "monster face" + +#: ../../addon/libravatar/libravatar.php:76 +#: ../../addon/gravatar/gravatar.php:74 +#: ../../addon.old/libravatar/libravatar.php:76 +#: ../../addon.old/gravatar/gravatar.php:74 +msgid "computer generated face" +msgstr "" + +#: ../../addon/libravatar/libravatar.php:77 +#: ../../addon/gravatar/gravatar.php:75 +#: ../../addon.old/libravatar/libravatar.php:77 +#: ../../addon.old/gravatar/gravatar.php:75 +msgid "retro arcade style face" +msgstr "" + +#: ../../addon/libravatar/libravatar.php:83 +#: ../../addon.old/libravatar/libravatar.php:83 +#, php-format +msgid "Your PHP version %s is lower than the required PHP >= 5.3." +msgstr "" + +#: ../../addon/libravatar/libravatar.php:84 +#: ../../addon.old/libravatar/libravatar.php:84 +msgid "This addon is not functional on your server." +msgstr "" + +#: ../../addon/libravatar/libravatar.php:93 +#: ../../addon/gravatar/gravatar.php:89 +#: ../../addon.old/libravatar/libravatar.php:93 +#: ../../addon.old/gravatar/gravatar.php:89 +msgid "Information" +msgstr "" + +#: ../../addon/libravatar/libravatar.php:93 +#: ../../addon.old/libravatar/libravatar.php:93 +msgid "" +"Gravatar addon is installed. Please disable the Gravatar addon.
    The " +"Libravatar addon will fall back to Gravatar if nothing was found at " +"Libravatar." +msgstr "" + +#: ../../addon/libravatar/libravatar.php:100 +#: ../../addon/gravatar/gravatar.php:96 +#: ../../addon.old/libravatar/libravatar.php:100 +#: ../../addon.old/gravatar/gravatar.php:96 +msgid "Default avatar image" +msgstr "Domyślny awatar" + +#: ../../addon/libravatar/libravatar.php:100 +#: ../../addon.old/libravatar/libravatar.php:100 +msgid "Select default avatar image if none was found. See README" +msgstr "" + +#: ../../addon/libravatar/libravatar.php:112 +#: ../../addon.old/libravatar/libravatar.php:112 +msgid "Libravatar settings updated." +msgstr "" + +#: ../../addon/libertree/libertree.php:36 +#: ../../addon.old/libertree/libertree.php:36 +msgid "Post to libertree" +msgstr "" + +#: ../../addon/libertree/libertree.php:67 +#: ../../addon.old/libertree/libertree.php:67 +msgid "libertree Post Settings" +msgstr "" + +#: ../../addon/libertree/libertree.php:69 +#: ../../addon.old/libertree/libertree.php:69 +msgid "Enable Libertree Post Plugin" +msgstr "" + +#: ../../addon/libertree/libertree.php:74 +#: ../../addon.old/libertree/libertree.php:74 +msgid "Libertree API token" +msgstr "" + +#: ../../addon/libertree/libertree.php:79 +#: ../../addon.old/libertree/libertree.php:79 +msgid "Libertree site URL" +msgstr "" + +#: ../../addon/libertree/libertree.php:84 +#: ../../addon.old/libertree/libertree.php:84 +msgid "Post to Libertree by default" +msgstr "" + +#: ../../addon/altpager/altpager.php:46 +#: ../../addon.old/altpager/altpager.php:46 +msgid "Altpager settings updated." +msgstr "" + +#: ../../addon/altpager/altpager.php:79 +#: ../../addon.old/altpager/altpager.php:79 +msgid "Alternate Pagination Setting" +msgstr "" + +#: ../../addon/altpager/altpager.php:81 +#: ../../addon.old/altpager/altpager.php:81 +msgid "Use links to \"newer\" and \"older\" pages in place of page numbers?" +msgstr "" + +#: ../../addon/mathjax/mathjax.php:37 ../../addon.old/mathjax/mathjax.php:37 +msgid "" +"The MathJax addon renders mathematical formulae written using the LaTeX " +"syntax surrounded by the usual $$ or an eqnarray block in the postings of " +"your wall,network tab and private mail." +msgstr "" + +#: ../../addon/mathjax/mathjax.php:38 ../../addon.old/mathjax/mathjax.php:38 +msgid "Use the MathJax renderer" +msgstr "" + +#: ../../addon/mathjax/mathjax.php:74 ../../addon.old/mathjax/mathjax.php:74 +msgid "MathJax Base URL" +msgstr "" + +#: ../../addon/mathjax/mathjax.php:74 ../../addon.old/mathjax/mathjax.php:74 +msgid "" +"The URL for the javascript file that should be included to use MathJax. Can " +"be either the MathJax CDN or another installation of MathJax." +msgstr "" + +#: ../../addon/editplain/editplain.php:76 +#: ../../addon.old/editplain/editplain.php:76 +msgid "Editplain Settings" +msgstr "" + +#: ../../addon/editplain/editplain.php:78 +#: ../../addon.old/editplain/editplain.php:78 +msgid "Disable richtext status editor" +msgstr "" + +#: ../../addon/gravatar/gravatar.php:89 +#: ../../addon.old/gravatar/gravatar.php:89 +msgid "" +"Libravatar addon is installed, too. Please disable Libravatar addon or this " +"Gravatar addon.
    The Libravatar addon will fall back to Gravatar if " +"nothing was found at Libravatar." +msgstr "" + +#: ../../addon/gravatar/gravatar.php:96 +#: ../../addon.old/gravatar/gravatar.php:96 +msgid "Select default avatar image if none was found at Gravatar. See README" +msgstr "" + +#: ../../addon/gravatar/gravatar.php:97 +#: ../../addon.old/gravatar/gravatar.php:97 +msgid "Rating of images" +msgstr "" + +#: ../../addon/gravatar/gravatar.php:97 +#: ../../addon.old/gravatar/gravatar.php:97 +msgid "Select the appropriate avatar rating for your site. See README" +msgstr "" + +#: ../../addon/gravatar/gravatar.php:111 +#: ../../addon.old/gravatar/gravatar.php:111 +msgid "Gravatar settings updated." +msgstr "Zaktualizowane ustawienie Gravatara" + +#: ../../addon/testdrive/testdrive.php:95 +#: ../../addon.old/testdrive/testdrive.php:95 +msgid "Your Friendica test account is about to expire." +msgstr "" + +#: ../../addon/testdrive/testdrive.php:96 +#: ../../addon.old/testdrive/testdrive.php:96 +#, php-format +msgid "" +"Hi %1$s,\n" +"\n" +"Your test account on %2$s will expire in less than five days. We hope you enjoyed this test drive and use this opportunity to find a permanent Friendica website for your integrated social communications. A list of public sites is available at http://dir.friendica.com/siteinfo - and for more information on setting up your own Friendica server please see the Friendica project website at http://friendica.com." +msgstr "" + +#: ../../addon/pageheader/pageheader.php:50 +#: ../../addon.old/pageheader/pageheader.php:50 +msgid "\"pageheader\" Settings" +msgstr "" + +#: ../../addon/pageheader/pageheader.php:68 +#: ../../addon.old/pageheader/pageheader.php:68 +msgid "pageheader Settings saved." +msgstr "" + +#: ../../addon/ijpost/ijpost.php:39 ../../addon.old/ijpost/ijpost.php:39 +msgid "Post to Insanejournal" +msgstr "" + +#: ../../addon/ijpost/ijpost.php:70 ../../addon.old/ijpost/ijpost.php:70 +msgid "InsaneJournal Post Settings" +msgstr "" + +#: ../../addon/ijpost/ijpost.php:72 ../../addon.old/ijpost/ijpost.php:72 +msgid "Enable InsaneJournal Post Plugin" +msgstr "" + +#: ../../addon/ijpost/ijpost.php:77 ../../addon.old/ijpost/ijpost.php:77 +msgid "InsaneJournal username" +msgstr "" + +#: ../../addon/ijpost/ijpost.php:82 ../../addon.old/ijpost/ijpost.php:82 +msgid "InsaneJournal password" +msgstr "" + +#: ../../addon/ijpost/ijpost.php:87 ../../addon.old/ijpost/ijpost.php:87 +msgid "Post to InsaneJournal by default" +msgstr "" + +#: ../../addon/jappixmini/jappixmini.php:266 +#: ../../addon.old/jappixmini/jappixmini.php:266 +msgid "Jappix Mini addon settings" +msgstr "" + +#: ../../addon/jappixmini/jappixmini.php:268 +#: ../../addon.old/jappixmini/jappixmini.php:268 +msgid "Activate addon" +msgstr "" + +#: ../../addon/jappixmini/jappixmini.php:271 +#: ../../addon.old/jappixmini/jappixmini.php:271 +msgid "" +"Do not insert the Jappixmini Chat-Widget into the webinterface" +msgstr "" + +#: ../../addon/jappixmini/jappixmini.php:274 +#: ../../addon.old/jappixmini/jappixmini.php:274 +msgid "Jabber username" +msgstr "" + +#: ../../addon/jappixmini/jappixmini.php:277 +#: ../../addon.old/jappixmini/jappixmini.php:277 +msgid "Jabber server" +msgstr "" + +#: ../../addon/jappixmini/jappixmini.php:281 +#: ../../addon.old/jappixmini/jappixmini.php:281 +msgid "Jabber BOSH host" +msgstr "" + +#: ../../addon/jappixmini/jappixmini.php:285 +#: ../../addon.old/jappixmini/jappixmini.php:285 +msgid "Jabber password" +msgstr "Hasło Jabber" + +#: ../../addon/jappixmini/jappixmini.php:290 +#: ../../addon.old/jappixmini/jappixmini.php:290 +msgid "Encrypt Jabber password with Friendica password (recommended)" +msgstr "" + +#: ../../addon/jappixmini/jappixmini.php:293 +#: ../../addon.old/jappixmini/jappixmini.php:293 +msgid "Friendica password" +msgstr "Hasło Friendica" + +#: ../../addon/jappixmini/jappixmini.php:296 +#: ../../addon.old/jappixmini/jappixmini.php:296 +msgid "Approve subscription requests from Friendica contacts automatically" +msgstr "" + +#: ../../addon/jappixmini/jappixmini.php:299 +#: ../../addon.old/jappixmini/jappixmini.php:299 +msgid "Subscribe to Friendica contacts automatically" +msgstr "" + +#: ../../addon/jappixmini/jappixmini.php:302 +#: ../../addon.old/jappixmini/jappixmini.php:302 +msgid "Purge internal list of jabber addresses of contacts" +msgstr "" + +#: ../../addon/jappixmini/jappixmini.php:308 +#: ../../addon.old/jappixmini/jappixmini.php:308 +msgid "Add contact" +msgstr "Dodaj kontakt" + +#: ../../addon/viewsrc/viewsrc.php:37 ../../addon.old/viewsrc/viewsrc.php:37 +msgid "View Source" +msgstr "Podgląd źródła" + +#: ../../addon/statusnet/statusnet.php:134 +#: ../../addon.old/statusnet/statusnet.php:134 +msgid "Post to StatusNet" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:176 +#: ../../addon.old/statusnet/statusnet.php:176 +msgid "" +"Please contact your site administrator.
    The provided API URL is not " +"valid." +msgstr "" + +#: ../../addon/statusnet/statusnet.php:204 +#: ../../addon.old/statusnet/statusnet.php:204 +msgid "We could not contact the StatusNet API with the Path you entered." +msgstr "" + +#: ../../addon/statusnet/statusnet.php:232 +#: ../../addon.old/statusnet/statusnet.php:232 +msgid "StatusNet settings updated." +msgstr "Ustawienia StatusNet zaktualizowane" + +#: ../../addon/statusnet/statusnet.php:257 +#: ../../addon.old/statusnet/statusnet.php:257 +msgid "StatusNet Posting Settings" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:271 +#: ../../addon.old/statusnet/statusnet.php:271 +msgid "Globally Available StatusNet OAuthKeys" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:272 +#: ../../addon.old/statusnet/statusnet.php:272 +msgid "" +"There are preconfigured OAuth key pairs for some StatusNet servers " +"available. If you are useing one of them, please use these credentials. If " +"not feel free to connect to any other StatusNet instance (see below)." +msgstr "" + +#: ../../addon/statusnet/statusnet.php:280 +#: ../../addon.old/statusnet/statusnet.php:280 +msgid "Provide your own OAuth Credentials" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:281 +#: ../../addon.old/statusnet/statusnet.php:281 +msgid "" +"No consumer key pair for StatusNet found. Register your Friendica Account as" +" an desktop client on your StatusNet account, copy the consumer key pair " +"here and enter the API base root.
    Before you register your own OAuth " +"key pair ask the administrator if there is already a key pair for this " +"Friendica installation at your favorited StatusNet installation." +msgstr "" + +#: ../../addon/statusnet/statusnet.php:283 +#: ../../addon.old/statusnet/statusnet.php:283 +msgid "OAuth Consumer Key" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:286 +#: ../../addon.old/statusnet/statusnet.php:286 +msgid "OAuth Consumer Secret" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:289 +#: ../../addon.old/statusnet/statusnet.php:289 +msgid "Base API Path (remember the trailing /)" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:310 +#: ../../addon.old/statusnet/statusnet.php:310 +msgid "" +"To connect to your StatusNet account click the button below to get a " +"security code from StatusNet which you have to copy into the input box below" +" and submit the form. Only your public posts will be posted" +" to StatusNet." +msgstr "Aby uzyskać połączenie z kontem w serwisie StatusNet naciśnij przycisk poniżej aby otrzymać kod bezpieczeństwa od StatusNet, który musisz skopiować do pola poniżej i wysłać formularz. Tylko twoje publiczne posty będą publikowane na StatusNet." + +#: ../../addon/statusnet/statusnet.php:311 +#: ../../addon.old/statusnet/statusnet.php:311 +msgid "Log in with StatusNet" +msgstr "Zaloguj się przez StatusNet" + +#: ../../addon/statusnet/statusnet.php:313 +#: ../../addon.old/statusnet/statusnet.php:313 +msgid "Copy the security code from StatusNet here" +msgstr "Tutaj skopiuj kod bezpieczeństwa z StatusNet" + +#: ../../addon/statusnet/statusnet.php:319 +#: ../../addon.old/statusnet/statusnet.php:319 +msgid "Cancel Connection Process" +msgstr "Anuluj proces łączenia" + +#: ../../addon/statusnet/statusnet.php:321 +#: ../../addon.old/statusnet/statusnet.php:321 +msgid "Current StatusNet API is" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:322 +#: ../../addon.old/statusnet/statusnet.php:322 +msgid "Cancel StatusNet Connection" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:333 ../../addon/twitter/twitter.php:189 +#: ../../addon.old/statusnet/statusnet.php:333 +#: ../../addon.old/twitter/twitter.php:189 +msgid "Currently connected to: " +msgstr "Obecnie połączone z:" + +#: ../../addon/statusnet/statusnet.php:334 +#: ../../addon.old/statusnet/statusnet.php:334 +msgid "" +"If enabled all your public postings can be posted to the " +"associated StatusNet account. You can choose to do so by default (here) or " +"for every posting separately in the posting options when writing the entry." +msgstr "" + +#: ../../addon/statusnet/statusnet.php:336 +#: ../../addon.old/statusnet/statusnet.php:336 +msgid "" +"Note: Due your privacy settings (Hide your profile " +"details from unknown viewers?) the link potentially included in public " +"postings relayed to StatusNet will lead the visitor to a blank page " +"informing the visitor that the access to your profile has been restricted." +msgstr "" + +#: ../../addon/statusnet/statusnet.php:339 +#: ../../addon.old/statusnet/statusnet.php:339 +msgid "Allow posting to StatusNet" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:342 +#: ../../addon.old/statusnet/statusnet.php:342 +msgid "Send public postings to StatusNet by default" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:345 +#: ../../addon.old/statusnet/statusnet.php:345 +msgid "Send linked #-tags and @-names to StatusNet" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:350 ../../addon/twitter/twitter.php:206 +#: ../../addon.old/statusnet/statusnet.php:350 +#: ../../addon.old/twitter/twitter.php:206 +msgid "Clear OAuth configuration" +msgstr "" + +#: ../../addon/statusnet/statusnet.php:568 +#: ../../addon.old/statusnet/statusnet.php:568 +msgid "API URL" +msgstr "" + +#: ../../addon/infiniteimprobabilitydrive/infiniteimprobabilitydrive.php:19 +#: ../../addon.old/infiniteimprobabilitydrive/infiniteimprobabilitydrive.php:19 +msgid "Infinite Improbability Drive" +msgstr "" + +#: ../../addon/tumblr/tumblr.php:36 ../../addon.old/tumblr/tumblr.php:36 +msgid "Post to Tumblr" +msgstr "" + +#: ../../addon/tumblr/tumblr.php:67 ../../addon.old/tumblr/tumblr.php:67 +msgid "Tumblr Post Settings" +msgstr "" + +#: ../../addon/tumblr/tumblr.php:69 ../../addon.old/tumblr/tumblr.php:69 +msgid "Enable Tumblr Post Plugin" +msgstr "" + +#: ../../addon/tumblr/tumblr.php:74 ../../addon.old/tumblr/tumblr.php:74 +msgid "Tumblr login" +msgstr "" + +#: ../../addon/tumblr/tumblr.php:79 ../../addon.old/tumblr/tumblr.php:79 +msgid "Tumblr password" +msgstr "" + +#: ../../addon/tumblr/tumblr.php:84 ../../addon.old/tumblr/tumblr.php:84 +msgid "Post to Tumblr by default" +msgstr "" + +#: ../../addon/numfriends/numfriends.php:46 +#: ../../addon.old/numfriends/numfriends.php:46 +msgid "Numfriends settings updated." +msgstr "" + +#: ../../addon/numfriends/numfriends.php:77 +#: ../../addon.old/numfriends/numfriends.php:77 +msgid "Numfriends Settings" +msgstr "" + +#: ../../addon/numfriends/numfriends.php:79 ../../addon.old/bg/bg.php:84 +#: ../../addon.old/numfriends/numfriends.php:79 +msgid "How many contacts to display on profile sidebar" +msgstr "" + +#: ../../addon/gnot/gnot.php:48 ../../addon.old/gnot/gnot.php:48 +msgid "Gnot settings updated." +msgstr "" + +#: ../../addon/gnot/gnot.php:79 ../../addon.old/gnot/gnot.php:79 +msgid "Gnot Settings" +msgstr "" + +#: ../../addon/gnot/gnot.php:81 ../../addon.old/gnot/gnot.php:81 +msgid "" +"Allows threading of email comment notifications on Gmail and anonymising the" +" subject line." +msgstr "" + +#: ../../addon/gnot/gnot.php:82 ../../addon.old/gnot/gnot.php:82 +msgid "Enable this plugin/addon?" +msgstr "" + +#: ../../addon/gnot/gnot.php:97 ../../addon.old/gnot/gnot.php:97 +#, php-format +msgid "[Friendica:Notify] Comment to conversation #%d" +msgstr "" + +#: ../../addon/wppost/wppost.php:42 ../../addon.old/wppost/wppost.php:42 +msgid "Post to Wordpress" +msgstr "Opublikuj na Wordpress" + +#: ../../addon/wppost/wppost.php:76 ../../addon.old/wppost/wppost.php:76 +msgid "WordPress Post Settings" +msgstr "" + +#: ../../addon/wppost/wppost.php:78 ../../addon.old/wppost/wppost.php:78 +msgid "Enable WordPress Post Plugin" +msgstr "" + +#: ../../addon/wppost/wppost.php:83 ../../addon.old/wppost/wppost.php:83 +msgid "WordPress username" +msgstr "nazwa użytkownika WordPress" + +#: ../../addon/wppost/wppost.php:88 ../../addon.old/wppost/wppost.php:88 +msgid "WordPress password" +msgstr "hasło WordPress" + +#: ../../addon/wppost/wppost.php:93 ../../addon.old/wppost/wppost.php:93 +msgid "WordPress API URL" +msgstr "" + +#: ../../addon/wppost/wppost.php:98 ../../addon.old/wppost/wppost.php:98 +msgid "Post to WordPress by default" +msgstr "" + +#: ../../addon/wppost/wppost.php:103 ../../addon.old/wppost/wppost.php:103 +msgid "Provide a backlink to the Friendica post" +msgstr "" + +#: ../../addon/wppost/wppost.php:201 ../../addon/blogger/blogger.php:172 +#: ../../addon/posterous/posterous.php:189 +#: ../../addon.old/drpost/drpost.php:184 ../../addon.old/wppost/wppost.php:201 +#: ../../addon.old/blogger/blogger.php:172 +#: ../../addon.old/posterous/posterous.php:189 +msgid "Post from Friendica" +msgstr "" + +#: ../../addon/wppost/wppost.php:207 ../../addon.old/wppost/wppost.php:207 +msgid "Read the original post and comment stream on Friendica" +msgstr "" + +#: ../../addon/showmore/showmore.php:38 +#: ../../addon.old/showmore/showmore.php:38 +msgid "\"Show more\" Settings" +msgstr "\"Pokaż więcej\" ustawień" + +#: ../../addon/showmore/showmore.php:41 +#: ../../addon.old/showmore/showmore.php:41 +msgid "Enable Show More" +msgstr "" + +#: ../../addon/showmore/showmore.php:44 +#: ../../addon.old/showmore/showmore.php:44 +msgid "Cutting posts after how much characters" +msgstr "" + +#: ../../addon/showmore/showmore.php:65 +#: ../../addon.old/showmore/showmore.php:65 +msgid "Show More Settings saved." +msgstr "" + +#: ../../addon/piwik/piwik.php:79 ../../addon.old/piwik/piwik.php:79 +msgid "" +"This website is tracked using the Piwik " +"analytics tool." +msgstr "" + +#: ../../addon/piwik/piwik.php:82 ../../addon.old/piwik/piwik.php:82 +#, php-format +msgid "" +"If you do not want that your visits are logged this way you can" +" set a cookie to prevent Piwik from tracking further visits of the site " +"(opt-out)." +msgstr "" + +#: ../../addon/piwik/piwik.php:90 ../../addon.old/piwik/piwik.php:90 +msgid "Piwik Base URL" +msgstr "" + +#: ../../addon/piwik/piwik.php:90 ../../addon.old/piwik/piwik.php:90 +msgid "" +"Absolute path to your Piwik installation. (without protocol (http/s), with " +"trailing slash)" +msgstr "" + +#: ../../addon/piwik/piwik.php:91 ../../addon.old/piwik/piwik.php:91 +msgid "Site ID" +msgstr "" + +#: ../../addon/piwik/piwik.php:92 ../../addon.old/piwik/piwik.php:92 +msgid "Show opt-out cookie link?" +msgstr "" + +#: ../../addon/piwik/piwik.php:93 ../../addon.old/piwik/piwik.php:93 +msgid "Asynchronous tracking" +msgstr "" + +#: ../../addon/twitter/twitter.php:73 ../../addon.old/twitter/twitter.php:73 +msgid "Post to Twitter" +msgstr "Post na Twitter" + +#: ../../addon/twitter/twitter.php:122 ../../addon.old/twitter/twitter.php:122 +msgid "Twitter settings updated." +msgstr "" + +#: ../../addon/twitter/twitter.php:146 ../../addon.old/twitter/twitter.php:146 +msgid "Twitter Posting Settings" +msgstr "Ustawienia wpisów z Twittera" + +#: ../../addon/twitter/twitter.php:153 ../../addon.old/twitter/twitter.php:153 +msgid "" +"No consumer key pair for Twitter found. Please contact your site " +"administrator." +msgstr "Nie znaleziono pary dla Twittera. Proszę skontaktować się z admininstratorem strony." + +#: ../../addon/twitter/twitter.php:172 ../../addon.old/twitter/twitter.php:172 +msgid "" +"At this Friendica instance the Twitter plugin was enabled but you have not " +"yet connected your account to your Twitter account. To do so click the " +"button below to get a PIN from Twitter which you have to copy into the input" +" box below and submit the form. Only your public posts will" +" be posted to Twitter." +msgstr "" + +#: ../../addon/twitter/twitter.php:173 ../../addon.old/twitter/twitter.php:173 +msgid "Log in with Twitter" +msgstr "Zaloguj się przez Twitter" + +#: ../../addon/twitter/twitter.php:175 ../../addon.old/twitter/twitter.php:175 +msgid "Copy the PIN from Twitter here" +msgstr "Skopiuj tutaj PIN z Twittera" + +#: ../../addon/twitter/twitter.php:190 ../../addon.old/twitter/twitter.php:190 +msgid "" +"If enabled all your public postings can be posted to the " +"associated Twitter account. You can choose to do so by default (here) or for" +" every posting separately in the posting options when writing the entry." +msgstr "" + +#: ../../addon/twitter/twitter.php:192 ../../addon.old/twitter/twitter.php:192 +msgid "" +"Note: Due your privacy settings (Hide your profile " +"details from unknown viewers?) the link potentially included in public " +"postings relayed to Twitter will lead the visitor to a blank page informing " +"the visitor that the access to your profile has been restricted." +msgstr "" + +#: ../../addon/twitter/twitter.php:195 ../../addon.old/twitter/twitter.php:195 +msgid "Allow posting to Twitter" +msgstr "Zezwól na opublikowanie w serwisie Twitter" + +#: ../../addon/twitter/twitter.php:198 ../../addon.old/twitter/twitter.php:198 +msgid "Send public postings to Twitter by default" +msgstr "" + +#: ../../addon/twitter/twitter.php:201 ../../addon.old/twitter/twitter.php:201 +msgid "Send linked #-tags and @-names to Twitter" +msgstr "" + +#: ../../addon/twitter/twitter.php:396 ../../addon.old/twitter/twitter.php:396 +msgid "Consumer key" +msgstr "" + +#: ../../addon/twitter/twitter.php:397 ../../addon.old/twitter/twitter.php:397 +msgid "Consumer secret" +msgstr "" + +#: ../../addon/irc/irc.php:44 ../../addon.old/irc/irc.php:44 +msgid "IRC Settings" +msgstr "Ustawienia IRC" + +#: ../../addon/irc/irc.php:46 ../../addon.old/irc/irc.php:46 +msgid "Channel(s) to auto connect (comma separated)" +msgstr "" + +#: ../../addon/irc/irc.php:51 ../../addon.old/irc/irc.php:51 +msgid "Popular Channels (comma separated)" +msgstr "" + +#: ../../addon/irc/irc.php:69 ../../addon.old/irc/irc.php:69 +msgid "IRC settings saved." +msgstr "Zapisano ustawienia IRC." + +#: ../../addon/irc/irc.php:74 ../../addon.old/irc/irc.php:74 +msgid "IRC Chatroom" +msgstr "IRC Chatroom" + +#: ../../addon/irc/irc.php:96 ../../addon.old/irc/irc.php:96 +msgid "Popular Channels" +msgstr "Popularne kanały" + +#: ../../addon/fromapp/fromapp.php:38 ../../addon.old/fromapp/fromapp.php:38 +msgid "Fromapp settings updated." +msgstr "" + +#: ../../addon/fromapp/fromapp.php:64 ../../addon.old/fromapp/fromapp.php:64 +msgid "FromApp Settings" +msgstr "" + +#: ../../addon/fromapp/fromapp.php:66 ../../addon.old/fromapp/fromapp.php:66 +msgid "" +"The application name you would like to show your posts originating from." +msgstr "" + +#: ../../addon/fromapp/fromapp.php:70 ../../addon.old/fromapp/fromapp.php:70 +msgid "Use this application name even if another application was used." +msgstr "" + +#: ../../addon/blogger/blogger.php:42 ../../addon.old/blogger/blogger.php:42 +msgid "Post to blogger" +msgstr "Post na blogger" + +#: ../../addon/blogger/blogger.php:74 ../../addon.old/blogger/blogger.php:74 +msgid "Blogger Post Settings" +msgstr "Ustawienia postów na Blogger" + +#: ../../addon/blogger/blogger.php:76 ../../addon.old/blogger/blogger.php:76 +msgid "Enable Blogger Post Plugin" +msgstr "" + +#: ../../addon/blogger/blogger.php:81 ../../addon.old/blogger/blogger.php:81 +msgid "Blogger username" +msgstr "Nazwa użytkownika na Blogger" + +#: ../../addon/blogger/blogger.php:86 ../../addon.old/blogger/blogger.php:86 +msgid "Blogger password" +msgstr "Hasło do Blogger" + +#: ../../addon/blogger/blogger.php:91 ../../addon.old/blogger/blogger.php:91 +msgid "Blogger API URL" +msgstr "" + +#: ../../addon/blogger/blogger.php:96 ../../addon.old/blogger/blogger.php:96 +msgid "Post to Blogger by default" +msgstr "" + +#: ../../addon/posterous/posterous.php:37 +#: ../../addon.old/posterous/posterous.php:37 +msgid "Post to Posterous" +msgstr "" + +#: ../../addon/posterous/posterous.php:70 +#: ../../addon.old/posterous/posterous.php:70 +msgid "Posterous Post Settings" +msgstr "" + +#: ../../addon/posterous/posterous.php:72 +#: ../../addon.old/posterous/posterous.php:72 +msgid "Enable Posterous Post Plugin" +msgstr "" + +#: ../../addon/posterous/posterous.php:77 +#: ../../addon.old/posterous/posterous.php:77 +msgid "Posterous login" +msgstr "" + +#: ../../addon/posterous/posterous.php:82 +#: ../../addon.old/posterous/posterous.php:82 +msgid "Posterous password" +msgstr "" + +#: ../../addon/posterous/posterous.php:87 +#: ../../addon.old/posterous/posterous.php:87 +msgid "Posterous site ID" +msgstr "" + +#: ../../addon/posterous/posterous.php:92 +#: ../../addon.old/posterous/posterous.php:92 +msgid "Posterous API token" +msgstr "" + +#: ../../addon/posterous/posterous.php:97 +#: ../../addon.old/posterous/posterous.php:97 +msgid "Post to Posterous by default" +msgstr "" + +#: ../../view/theme/cleanzero/config.php:82 +#: ../../view/theme/diabook/config.php:154 +#: ../../view/theme/quattro/config.php:66 ../../view/theme/dispy/config.php:72 +msgid "Theme settings" +msgstr "Ustawienia motywu" + +#: ../../view/theme/cleanzero/config.php:83 +msgid "Set resize level for images in posts and comments (width and height)" +msgstr "" + +#: ../../view/theme/cleanzero/config.php:84 +#: ../../view/theme/diabook/config.php:155 +#: ../../view/theme/dispy/config.php:73 +msgid "Set font-size for posts and comments" +msgstr "Ustaw rozmiar fontów dla postów i komentarzy" + +#: ../../view/theme/cleanzero/config.php:85 +msgid "Set theme width" +msgstr "" + +#: ../../view/theme/cleanzero/config.php:86 +#: ../../view/theme/quattro/config.php:68 +msgid "Color scheme" +msgstr "" + +#: ../../view/theme/diabook/theme.php:86 ../../include/nav.php:49 +#: ../../include/nav.php:115 +msgid "Your posts and conversations" +msgstr "Twoje posty i rozmowy" + +#: ../../view/theme/diabook/theme.php:87 ../../include/nav.php:50 +msgid "Your profile page" +msgstr "Twoja strona profilowa" + +#: ../../view/theme/diabook/theme.php:88 +msgid "Your contacts" +msgstr "Twoje kontakty" + +#: ../../view/theme/diabook/theme.php:89 ../../include/nav.php:51 +msgid "Your photos" +msgstr "Twoje zdjęcia" + +#: ../../view/theme/diabook/theme.php:90 ../../include/nav.php:52 +msgid "Your events" +msgstr "Twoje wydarzenia" + +#: ../../view/theme/diabook/theme.php:91 ../../include/nav.php:53 +msgid "Personal notes" +msgstr "Osobiste notatki" + +#: ../../view/theme/diabook/theme.php:91 ../../include/nav.php:53 +msgid "Your personal photos" +msgstr "Twoje osobiste zdjęcia" + +#: ../../view/theme/diabook/theme.php:93 +#: ../../view/theme/diabook/config.php:163 +msgid "Community Pages" +msgstr "Strony społecznościowe" + +#: ../../view/theme/diabook/theme.php:377 +#: ../../view/theme/diabook/theme.php:591 +#: ../../view/theme/diabook/config.php:165 +msgid "Community Profiles" +msgstr "" + +#: ../../view/theme/diabook/theme.php:398 +#: ../../view/theme/diabook/theme.php:596 +#: ../../view/theme/diabook/config.php:170 +msgid "Last users" +msgstr "Ostatni użytkownicy" + +#: ../../view/theme/diabook/theme.php:427 +#: ../../view/theme/diabook/theme.php:598 +#: ../../view/theme/diabook/config.php:172 +msgid "Last likes" +msgstr "" + +#: ../../view/theme/diabook/theme.php:472 +#: ../../view/theme/diabook/theme.php:597 +#: ../../view/theme/diabook/config.php:171 +msgid "Last photos" +msgstr "Ostatnie zdjęcia" + +#: ../../view/theme/diabook/theme.php:509 +#: ../../view/theme/diabook/theme.php:594 +#: ../../view/theme/diabook/config.php:168 +msgid "Find Friends" +msgstr "Znajdź znajomych" + +#: ../../view/theme/diabook/theme.php:510 +msgid "Local Directory" +msgstr "" + +#: ../../view/theme/diabook/theme.php:512 ../../include/contact_widgets.php:35 +msgid "Similar Interests" +msgstr "Podobne zainteresowania" + +#: ../../view/theme/diabook/theme.php:514 ../../include/contact_widgets.php:37 +msgid "Invite Friends" +msgstr "Zaproś znajomych" + +#: ../../view/theme/diabook/theme.php:531 +#: ../../view/theme/diabook/theme.php:590 +#: ../../view/theme/diabook/config.php:164 +msgid "Earth Layers" +msgstr "" + +#: ../../view/theme/diabook/theme.php:536 +msgid "Set zoomfactor for Earth Layers" +msgstr "" + +#: ../../view/theme/diabook/theme.php:537 +#: ../../view/theme/diabook/config.php:161 +msgid "Set longitude (X) for Earth Layers" +msgstr "" + +#: ../../view/theme/diabook/theme.php:538 +#: ../../view/theme/diabook/config.php:162 +msgid "Set latitude (Y) for Earth Layers" +msgstr "" + +#: ../../view/theme/diabook/theme.php:551 +#: ../../view/theme/diabook/theme.php:592 +#: ../../view/theme/diabook/config.php:166 +msgid "Help or @NewHere ?" +msgstr "" + +#: ../../view/theme/diabook/theme.php:558 +#: ../../view/theme/diabook/theme.php:593 +#: ../../view/theme/diabook/config.php:167 +msgid "Connect Services" +msgstr "" + +#: ../../view/theme/diabook/theme.php:565 +#: ../../view/theme/diabook/theme.php:595 +msgid "Last Tweets" +msgstr "Ostatnie Tweetnięcie" + +#: ../../view/theme/diabook/theme.php:568 +#: ../../view/theme/diabook/config.php:159 +msgid "Set twitter search term" +msgstr "" + +#: ../../view/theme/diabook/theme.php:587 +#: ../../view/theme/diabook/config.php:146 ../../include/acl_selectors.php:288 +msgid "don't show" +msgstr "nie pokazuj" + +#: ../../view/theme/diabook/theme.php:587 +#: ../../view/theme/diabook/config.php:146 ../../include/acl_selectors.php:287 +msgid "show" +msgstr "pokaż" + +#: ../../view/theme/diabook/theme.php:588 +msgid "Show/hide boxes at right-hand column:" +msgstr "" + +#: ../../view/theme/diabook/config.php:156 +#: ../../view/theme/dispy/config.php:74 +msgid "Set line-height for posts and comments" +msgstr "" + +#: ../../view/theme/diabook/config.php:157 +msgid "Set resolution for middle column" +msgstr "" + +#: ../../view/theme/diabook/config.php:158 +msgid "Set color scheme" +msgstr "Zestaw kolorów" + +#: ../../view/theme/diabook/config.php:160 +msgid "Set zoomfactor for Earth Layer" +msgstr "" + +#: ../../view/theme/diabook/config.php:169 +msgid "Last tweets" +msgstr "Ostatnie tweetnięcie" + +#: ../../view/theme/quattro/config.php:67 +msgid "Alignment" +msgstr "" + +#: ../../view/theme/quattro/config.php:67 +msgid "Left" +msgstr "Lewo" + +#: ../../view/theme/quattro/config.php:67 +msgid "Center" +msgstr "Środek" + +#: ../../view/theme/quattro/config.php:69 +msgid "Posts font size" +msgstr "" + +#: ../../view/theme/quattro/config.php:70 +msgid "Textareas font size" +msgstr "" + +#: ../../view/theme/dispy/config.php:75 +msgid "Set colour scheme" +msgstr "Zestaw kolorów" + +#: ../../include/profile_advanced.php:22 +msgid "j F, Y" +msgstr "d M, R" + +#: ../../include/profile_advanced.php:23 +msgid "j F" +msgstr "d M" + +#: ../../include/profile_advanced.php:30 +msgid "Birthday:" +msgstr "Urodziny:" + +#: ../../include/profile_advanced.php:34 +msgid "Age:" +msgstr "Wiek:" + +#: ../../include/profile_advanced.php:43 +#, php-format +msgid "for %1$d %2$s" +msgstr "od %1$d %2$s" + +#: ../../include/profile_advanced.php:52 +msgid "Tags:" +msgstr "Tagi:" + +#: ../../include/profile_advanced.php:56 +msgid "Religion:" +msgstr "Religia:" + +#: ../../include/profile_advanced.php:60 +msgid "Hobbies/Interests:" +msgstr "Hobby/Zainteresowania:" + +#: ../../include/profile_advanced.php:67 +msgid "Contact information and Social Networks:" +msgstr "" + +#: ../../include/profile_advanced.php:69 +msgid "Musical interests:" +msgstr "Zainteresowania muzyczne:" + +#: ../../include/profile_advanced.php:71 +msgid "Books, literature:" +msgstr "Książki, literatura:" + +#: ../../include/profile_advanced.php:73 +msgid "Television:" +msgstr "Telewizja:" + +#: ../../include/profile_advanced.php:75 +msgid "Film/dance/culture/entertainment:" +msgstr "" + +#: ../../include/profile_advanced.php:77 +msgid "Love/Romance:" +msgstr "Miłość/Romans:" + +#: ../../include/profile_advanced.php:79 +msgid "Work/employment:" +msgstr "Praca/zatrudnienie:" + +#: ../../include/profile_advanced.php:81 +msgid "School/education:" +msgstr "Szkoła/edukacja:" + +#: ../../include/contact_selectors.php:32 +msgid "Unknown | Not categorised" +msgstr "Nieznany | Bez kategori" + +#: ../../include/contact_selectors.php:33 +msgid "Block immediately" +msgstr "Zablokować natychmiast " + +#: ../../include/contact_selectors.php:34 +msgid "Shady, spammer, self-marketer" +msgstr "" + +#: ../../include/contact_selectors.php:35 +msgid "Known to me, but no opinion" +msgstr "Znam, ale nie mam zdania" + +#: ../../include/contact_selectors.php:36 +msgid "OK, probably harmless" +msgstr "Ok, bez problemów" + +#: ../../include/contact_selectors.php:37 +msgid "Reputable, has my trust" +msgstr "Zaufane, ma moje poparcie" + +#: ../../include/contact_selectors.php:56 +msgid "Frequently" +msgstr "Jak najczęściej" + +#: ../../include/contact_selectors.php:57 +msgid "Hourly" +msgstr "Godzinowo" + +#: ../../include/contact_selectors.php:58 +msgid "Twice daily" +msgstr "Dwa razy dziennie" + +#: ../../include/contact_selectors.php:77 +msgid "OStatus" +msgstr "" + +#: ../../include/contact_selectors.php:78 +msgid "RSS/Atom" +msgstr "" + +#: ../../include/contact_selectors.php:82 +msgid "Zot!" +msgstr "" + +#: ../../include/contact_selectors.php:83 +msgid "LinkedIn" +msgstr "" + +#: ../../include/contact_selectors.php:84 +msgid "XMPP/IM" +msgstr "" + +#: ../../include/contact_selectors.php:85 +msgid "MySpace" +msgstr "MySpace" + +#: ../../include/profile_selectors.php:6 +msgid "Male" +msgstr "Mężczyzna" + +#: ../../include/profile_selectors.php:6 +msgid "Female" +msgstr "Kobieta" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Male" +msgstr "Aktualnie Mężczyzna" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Female" +msgstr "Aktualnie Kobieta" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Male" +msgstr "Bardziej Mężczyzna" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Female" +msgstr "Bardziej Kobieta" + +#: ../../include/profile_selectors.php:6 +msgid "Transgender" +msgstr "Transpłciowy" + +#: ../../include/profile_selectors.php:6 +msgid "Intersex" +msgstr "Międzypłciowy" + +#: ../../include/profile_selectors.php:6 +msgid "Transsexual" +msgstr "Transseksualista" + +#: ../../include/profile_selectors.php:6 +msgid "Hermaphrodite" +msgstr "Hermafrodyta" + +#: ../../include/profile_selectors.php:6 +msgid "Neuter" +msgstr "Bezpłciowy" + +#: ../../include/profile_selectors.php:6 +msgid "Non-specific" +msgstr "" + +#: ../../include/profile_selectors.php:6 +msgid "Other" +msgstr "Inne" + +#: ../../include/profile_selectors.php:6 +msgid "Undecided" +msgstr "Niezdecydowany" + +#: ../../include/profile_selectors.php:23 +msgid "Males" +msgstr "Mężczyźni" + +#: ../../include/profile_selectors.php:23 +msgid "Females" +msgstr "Kobiety" + +#: ../../include/profile_selectors.php:23 +msgid "Gay" +msgstr "Gej" + +#: ../../include/profile_selectors.php:23 +msgid "Lesbian" +msgstr "Lesbijka" + +#: ../../include/profile_selectors.php:23 +msgid "No Preference" +msgstr "Brak preferencji" + +#: ../../include/profile_selectors.php:23 +msgid "Bisexual" +msgstr "Biseksualny" + +#: ../../include/profile_selectors.php:23 +msgid "Autosexual" +msgstr "" + +#: ../../include/profile_selectors.php:23 +msgid "Abstinent" +msgstr "Abstynent" + +#: ../../include/profile_selectors.php:23 +msgid "Virgin" +msgstr "Dziewica" + +#: ../../include/profile_selectors.php:23 +msgid "Deviant" +msgstr "Zboczeniec" + +#: ../../include/profile_selectors.php:23 +msgid "Fetish" +msgstr "Fetysz" + +#: ../../include/profile_selectors.php:23 +msgid "Oodles" +msgstr "Nadmiar" + +#: ../../include/profile_selectors.php:23 +msgid "Nonsexual" +msgstr "Nieseksualny" + +#: ../../include/profile_selectors.php:42 +msgid "Single" +msgstr "Singiel" + +#: ../../include/profile_selectors.php:42 +msgid "Lonely" +msgstr "Samotny" + +#: ../../include/profile_selectors.php:42 +msgid "Available" +msgstr "Dostępny" + +#: ../../include/profile_selectors.php:42 +msgid "Unavailable" +msgstr "Niedostępny" + +#: ../../include/profile_selectors.php:42 +msgid "Has crush" +msgstr "" + +#: ../../include/profile_selectors.php:42 +msgid "Infatuated" +msgstr "" + +#: ../../include/profile_selectors.php:42 +msgid "Dating" +msgstr "Randki" + +#: ../../include/profile_selectors.php:42 +msgid "Unfaithful" +msgstr "Niewierny" + +#: ../../include/profile_selectors.php:42 +msgid "Sex Addict" +msgstr "Uzależniony od seksu" + +#: ../../include/profile_selectors.php:42 ../../include/user.php:278 +#: ../../include/user.php:282 +msgid "Friends" +msgstr "Przyjaciele" + +#: ../../include/profile_selectors.php:42 +msgid "Friends/Benefits" +msgstr "Przyjaciele/Korzyści" + +#: ../../include/profile_selectors.php:42 +msgid "Casual" +msgstr "Przypadkowy" + +#: ../../include/profile_selectors.php:42 +msgid "Engaged" +msgstr "Zaręczeni" + +#: ../../include/profile_selectors.php:42 +msgid "Married" +msgstr "Małżeństwo" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily married" +msgstr "" + +#: ../../include/profile_selectors.php:42 +msgid "Partners" +msgstr "Partnerzy" + +#: ../../include/profile_selectors.php:42 +msgid "Cohabiting" +msgstr "Konkubinat" + +#: ../../include/profile_selectors.php:42 +msgid "Common law" +msgstr "" + +#: ../../include/profile_selectors.php:42 +msgid "Happy" +msgstr "Szczęśliwy" + +#: ../../include/profile_selectors.php:42 +msgid "Not looking" +msgstr "" + +#: ../../include/profile_selectors.php:42 +msgid "Swinger" +msgstr "Swinger" + +#: ../../include/profile_selectors.php:42 +msgid "Betrayed" +msgstr "Zdradzony" + +#: ../../include/profile_selectors.php:42 +msgid "Separated" +msgstr "W separacji" + +#: ../../include/profile_selectors.php:42 +msgid "Unstable" +msgstr "Niestabilny" + +#: ../../include/profile_selectors.php:42 +msgid "Divorced" +msgstr "Rozwiedzeni" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily divorced" +msgstr "" + +#: ../../include/profile_selectors.php:42 +msgid "Widowed" +msgstr "Wdowiec" + +#: ../../include/profile_selectors.php:42 +msgid "Uncertain" +msgstr "Nieokreślony" + +#: ../../include/profile_selectors.php:42 +msgid "It's complicated" +msgstr "To skomplikowane" + +#: ../../include/profile_selectors.php:42 +msgid "Don't care" +msgstr "Nie obchodzi mnie to" + +#: ../../include/profile_selectors.php:42 +msgid "Ask me" +msgstr "Zapytaj mnie " + +#: ../../include/event.php:20 ../../include/bb2diaspora.php:396 +msgid "Starts:" +msgstr "" + +#: ../../include/event.php:30 ../../include/bb2diaspora.php:404 +msgid "Finishes:" +msgstr "Wykończenia:" + +#: ../../include/delivery.php:457 ../../include/notifier.php:717 +msgid "(no subject)" +msgstr "(bez tematu)" + +#: ../../include/Scrape.php:583 +msgid " on Last.fm" +msgstr "" + +#: ../../include/text.php:243 +msgid "prev" +msgstr "poprzedni" + +#: ../../include/text.php:245 +msgid "first" +msgstr "pierwszy" + +#: ../../include/text.php:274 +msgid "last" +msgstr "ostatni" + +#: ../../include/text.php:277 +msgid "next" +msgstr "następny" + +#: ../../include/text.php:295 +msgid "newer" +msgstr "" + +#: ../../include/text.php:299 +msgid "older" +msgstr "" + +#: ../../include/text.php:597 +msgid "No contacts" +msgstr "Brak kontaktów" + +#: ../../include/text.php:606 +#, php-format +msgid "%d Contact" +msgid_plural "%d Contacts" +msgstr[0] "%d kontakt" +msgstr[1] "%d kontaktów" +msgstr[2] "%d kontakty" + +#: ../../include/text.php:719 +msgid "poke" +msgstr "zaczep" + +#: ../../include/text.php:719 ../../include/conversation.php:210 +msgid "poked" +msgstr "zaczepiony" + +#: ../../include/text.php:720 +msgid "ping" +msgstr "" + +#: ../../include/text.php:720 +msgid "pinged" +msgstr "" + +#: ../../include/text.php:721 +msgid "prod" +msgstr "" + +#: ../../include/text.php:721 +msgid "prodded" +msgstr "" + +#: ../../include/text.php:722 +msgid "slap" +msgstr "spoliczkuj" + +#: ../../include/text.php:722 +msgid "slapped" +msgstr "spoliczkowany" + +#: ../../include/text.php:723 +msgid "finger" +msgstr "dotknąć" + +#: ../../include/text.php:723 +msgid "fingered" +msgstr "dotknięty" + +#: ../../include/text.php:724 +msgid "rebuff" +msgstr "odprawiać" + +#: ../../include/text.php:724 +msgid "rebuffed" +msgstr "odprawiony" + +#: ../../include/text.php:736 +msgid "happy" +msgstr "szczęśliwy" + +#: ../../include/text.php:737 +msgid "sad" +msgstr "smutny" + +#: ../../include/text.php:738 +msgid "mellow" +msgstr "spokojny" + +#: ../../include/text.php:739 +msgid "tired" +msgstr "zmęczony" + +#: ../../include/text.php:740 +msgid "perky" +msgstr "pewny siebie" + +#: ../../include/text.php:741 +msgid "angry" +msgstr "wściekły" + +#: ../../include/text.php:742 +msgid "stupified" +msgstr "odurzony" + +#: ../../include/text.php:743 +msgid "puzzled" +msgstr "zdziwiony" + +#: ../../include/text.php:744 +msgid "interested" +msgstr "interesujący" + +#: ../../include/text.php:745 +msgid "bitter" +msgstr "zajadły" + +#: ../../include/text.php:746 +msgid "cheerful" +msgstr "wesoły" + +#: ../../include/text.php:747 +msgid "alive" +msgstr "żywy" + +#: ../../include/text.php:748 +msgid "annoyed" +msgstr "irytujący" + +#: ../../include/text.php:749 +msgid "anxious" +msgstr "zazdrosny" + +#: ../../include/text.php:750 +msgid "cranky" +msgstr "zepsuty" + +#: ../../include/text.php:751 +msgid "disturbed" +msgstr "przeszkadzający" + +#: ../../include/text.php:752 +msgid "frustrated" +msgstr "rozbity" + +#: ../../include/text.php:753 +msgid "motivated" +msgstr "zmotywowany" + +#: ../../include/text.php:754 +msgid "relaxed" +msgstr "zrelaksowany" + +#: ../../include/text.php:755 +msgid "surprised" +msgstr "zaskoczony" + +#: ../../include/text.php:919 +msgid "January" +msgstr "Styczeń" + +#: ../../include/text.php:919 +msgid "February" +msgstr "Luty" + +#: ../../include/text.php:919 +msgid "March" +msgstr "Marzec" + +#: ../../include/text.php:919 +msgid "April" +msgstr "Kwiecień" + +#: ../../include/text.php:919 +msgid "May" +msgstr "Maj" + +#: ../../include/text.php:919 +msgid "June" +msgstr "Czerwiec" + +#: ../../include/text.php:919 +msgid "July" +msgstr "Lipiec" + +#: ../../include/text.php:919 +msgid "August" +msgstr "Sierpień" + +#: ../../include/text.php:919 +msgid "September" +msgstr "Wrzesień" + +#: ../../include/text.php:919 +msgid "October" +msgstr "Październik" + +#: ../../include/text.php:919 +msgid "November" +msgstr "Listopad" + +#: ../../include/text.php:919 +msgid "December" +msgstr "Grudzień" + +#: ../../include/text.php:1005 +msgid "bytes" +msgstr "bajty" + +#: ../../include/text.php:1032 ../../include/text.php:1044 +msgid "Click to open/close" +msgstr "Kliknij aby otworzyć/zamknąć" + +#: ../../include/text.php:1217 ../../include/user.php:236 +msgid "default" +msgstr "" + +#: ../../include/text.php:1229 +msgid "Select an alternate language" +msgstr "" + +#: ../../include/text.php:1439 +msgid "activity" +msgstr "aktywność" + +#: ../../include/text.php:1442 +msgid "post" +msgstr "post" + +#: ../../include/text.php:1597 +msgid "Item filed" +msgstr "" + +#: ../../include/diaspora.php:702 +msgid "Sharing notification from Diaspora network" +msgstr "" + +#: ../../include/diaspora.php:2222 +msgid "Attachments:" +msgstr "Załączniki:" + +#: ../../include/network.php:849 +msgid "view full size" +msgstr "Zobacz pełen rozmiar" + +#: ../../include/oembed.php:137 +msgid "Embedded content" +msgstr "" + +#: ../../include/oembed.php:146 +msgid "Embedding disabled" +msgstr "" + +#: ../../include/group.php:25 +msgid "" +"A deleted group with this name was revived. Existing item permissions " +"may apply to this group and any future members. If this is " +"not what you intended, please create another group with a different name." +msgstr "" + +#: ../../include/group.php:207 +msgid "Default privacy group for new contacts" +msgstr "Domyślne ustawienia prywatności dla nowych kontaktów" + +#: ../../include/group.php:226 +msgid "Everybody" +msgstr "Wszyscy" + +#: ../../include/group.php:249 +msgid "edit" +msgstr "edytuj" + +#: ../../include/group.php:271 +msgid "Edit group" +msgstr "Edytuj grupy" + +#: ../../include/group.php:272 +msgid "Create a new group" +msgstr "Stwórz nową grupę" + +#: ../../include/group.php:273 +msgid "Contacts not in any group" +msgstr "Kontakt nie jest w żadnej grupie" + +#: ../../include/nav.php:46 ../../boot.php:922 +msgid "Logout" +msgstr "Wyloguj się" + +#: ../../include/nav.php:46 +msgid "End this session" +msgstr "Zakończ sesję" + +#: ../../include/nav.php:49 ../../boot.php:1677 +msgid "Status" +msgstr "Status" + +#: ../../include/nav.php:64 +msgid "Sign in" +msgstr "Zaloguj się" + +#: ../../include/nav.php:77 +msgid "Home Page" +msgstr "Strona startowa" + +#: ../../include/nav.php:81 +msgid "Create an account" +msgstr "Załóż konto" + +#: ../../include/nav.php:86 +msgid "Help and documentation" +msgstr "" + +#: ../../include/nav.php:89 +msgid "Apps" +msgstr "Aplikacje" + +#: ../../include/nav.php:89 +msgid "Addon applications, utilities, games" +msgstr "" + +#: ../../include/nav.php:91 +msgid "Search site content" +msgstr "Przeszukaj zawartość strony" + +#: ../../include/nav.php:101 +msgid "Conversations on this site" +msgstr "Rozmowy na tej stronie" + +#: ../../include/nav.php:103 +msgid "Directory" +msgstr "" + +#: ../../include/nav.php:103 +msgid "People directory" +msgstr "" + +#: ../../include/nav.php:113 +msgid "Conversations from your friends" +msgstr "" + +#: ../../include/nav.php:121 +msgid "Friend Requests" +msgstr "Podania o przyjęcie do grona znajomych" + +#: ../../include/nav.php:123 +msgid "See all notifications" +msgstr "" + +#: ../../include/nav.php:124 +msgid "Mark all system notifications seen" +msgstr "" + +#: ../../include/nav.php:128 +msgid "Private mail" +msgstr "Prywatne maile" + +#: ../../include/nav.php:129 +msgid "Inbox" +msgstr "Odebrane" + +#: ../../include/nav.php:130 +msgid "Outbox" +msgstr "Wysłane" + +#: ../../include/nav.php:134 +msgid "Manage" +msgstr "Zarządzaj" + +#: ../../include/nav.php:134 +msgid "Manage other pages" +msgstr "Zarządzaj innymi stronami" + +#: ../../include/nav.php:138 ../../boot.php:1197 +msgid "Profiles" +msgstr "Profile" + +#: ../../include/nav.php:138 ../../boot.php:1197 +msgid "Manage/edit profiles" +msgstr "Zarządzaj profilami" + +#: ../../include/nav.php:139 +msgid "Manage/edit friends and contacts" +msgstr "" + +#: ../../include/nav.php:146 +msgid "Site setup and configuration" +msgstr "" + +#: ../../include/nav.php:170 +msgid "Nothing new here" +msgstr "Brak nowych zdarzeń" + +#: ../../include/contact_widgets.php:6 +msgid "Add New Contact" +msgstr "Dodaj nowy kontakt" + +#: ../../include/contact_widgets.php:7 +msgid "Enter address or web location" +msgstr "" + +#: ../../include/contact_widgets.php:8 +msgid "Example: bob@example.com, http://example.com/barbara" +msgstr "Przykład: bob@przykład.com, http://przykład.com/barbara" + +#: ../../include/contact_widgets.php:23 +#, php-format +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "%d zaproszenie dostępne" +msgstr[1] "%d zaproszeń dostępnych" +msgstr[2] "%d zaproszenia dostępne" + +#: ../../include/contact_widgets.php:29 +msgid "Find People" +msgstr "Znajdź ludzi" + +#: ../../include/contact_widgets.php:30 +msgid "Enter name or interest" +msgstr "Wpisz nazwę lub zainteresowanie" + +#: ../../include/contact_widgets.php:31 +msgid "Connect/Follow" +msgstr "Połącz/Obserwuj" + +#: ../../include/contact_widgets.php:32 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "Przykładowo: Jan Kowalski, Wędkarstwo" + +#: ../../include/contact_widgets.php:36 +msgid "Random Profile" +msgstr "Domyślny profil" + +#: ../../include/contact_widgets.php:68 +msgid "Networks" +msgstr "Sieci" + +#: ../../include/contact_widgets.php:71 +msgid "All Networks" +msgstr "Wszystkie Sieci" + +#: ../../include/contact_widgets.php:98 +msgid "Saved Folders" +msgstr "" + +#: ../../include/contact_widgets.php:101 ../../include/contact_widgets.php:129 +msgid "Everything" +msgstr "Wszystko" + +#: ../../include/contact_widgets.php:126 +msgid "Categories" +msgstr "Kategorie" + +#: ../../include/auth.php:35 +msgid "Logged out." +msgstr "Wyloguj" + +#: ../../include/auth.php:114 +msgid "" +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "" + +#: ../../include/auth.php:114 +msgid "The error message was:" +msgstr "" + +#: ../../include/datetime.php:43 ../../include/datetime.php:45 +msgid "Miscellaneous" +msgstr "" + +#: ../../include/datetime.php:153 ../../include/datetime.php:285 +msgid "year" +msgstr "rok" + +#: ../../include/datetime.php:158 ../../include/datetime.php:286 +msgid "month" +msgstr "miesiąc" + +#: ../../include/datetime.php:163 ../../include/datetime.php:288 +msgid "day" +msgstr "dzień" + +#: ../../include/datetime.php:276 +msgid "never" +msgstr "nigdy" + +#: ../../include/datetime.php:282 +msgid "less than a second ago" +msgstr "mniej niż sekundę temu" + +#: ../../include/datetime.php:287 +msgid "week" +msgstr "tydzień" + +#: ../../include/datetime.php:289 +msgid "hour" +msgstr "godzina" + +#: ../../include/datetime.php:289 +msgid "hours" +msgstr "godziny" + +#: ../../include/datetime.php:290 +msgid "minute" +msgstr "minuta" + +#: ../../include/datetime.php:290 +msgid "minutes" +msgstr "minuty" + +#: ../../include/datetime.php:291 +msgid "second" +msgstr "sekunda" + +#: ../../include/datetime.php:291 +msgid "seconds" +msgstr "sekundy" + +#: ../../include/datetime.php:300 +#, php-format +msgid "%1$d %2$s ago" +msgstr "" + +#: ../../include/datetime.php:472 ../../include/items.php:1689 +#, php-format +msgid "%s's birthday" +msgstr "" + +#: ../../include/datetime.php:473 ../../include/items.php:1690 +#, php-format +msgid "Happy Birthday %s" +msgstr "" + +#: ../../include/onepoll.php:414 +msgid "From: " +msgstr "Z:" + +#: ../../include/bbcode.php:185 ../../include/bbcode.php:406 +msgid "Image/photo" +msgstr "Obrazek/zdjęcie" + +#: ../../include/bbcode.php:371 ../../include/bbcode.php:391 +msgid "$1 wrote:" +msgstr "" + +#: ../../include/bbcode.php:410 ../../include/bbcode.php:411 +msgid "Encrypted content" +msgstr "" + +#: ../../include/dba.php:41 +#, php-format +msgid "Cannot locate DNS info for database server '%s'" +msgstr "" + +#: ../../include/message.php:15 ../../include/message.php:171 +msgid "[no subject]" +msgstr "[bez tematu]" + +#: ../../include/acl_selectors.php:286 +msgid "Visible to everybody" +msgstr "Widoczny dla wszystkich" + +#: ../../include/enotify.php:16 +msgid "Friendica Notification" +msgstr "" + +#: ../../include/enotify.php:19 +msgid "Thank You," +msgstr "Dziękuję," + +#: ../../include/enotify.php:21 +#, php-format +msgid "%s Administrator" +msgstr "%s administrator" + +#: ../../include/enotify.php:40 +#, php-format +msgid "%s " +msgstr "" + +#: ../../include/enotify.php:44 +#, php-format +msgid "[Friendica:Notify] New mail received at %s" +msgstr "" + +#: ../../include/enotify.php:46 +#, php-format +msgid "%1$s sent you a new private message at %2$s." +msgstr "" + +#: ../../include/enotify.php:47 +#, php-format +msgid "%1$s sent you %2$s." +msgstr "%1$s wysyła ci %2$s" + +#: ../../include/enotify.php:47 +msgid "a private message" +msgstr "prywatna wiadomość" + +#: ../../include/enotify.php:48 +#, php-format +msgid "Please visit %s to view and/or reply to your private messages." +msgstr "" + +#: ../../include/enotify.php:89 +#, php-format +msgid "%1$s commented on [url=%2$s]a %3$s[/url]" +msgstr "" + +#: ../../include/enotify.php:96 +#, php-format +msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" +msgstr "" + +#: ../../include/enotify.php:104 +#, php-format +msgid "%1$s commented on [url=%2$s]your %3$s[/url]" +msgstr "" + +#: ../../include/enotify.php:114 +#, php-format +msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" +msgstr "" + +#: ../../include/enotify.php:115 +#, php-format +msgid "%s commented on an item/conversation you have been following." +msgstr "" + +#: ../../include/enotify.php:118 ../../include/enotify.php:133 +#: ../../include/enotify.php:146 ../../include/enotify.php:164 +#: ../../include/enotify.php:177 +#, php-format +msgid "Please visit %s to view and/or reply to the conversation." +msgstr "" + +#: ../../include/enotify.php:125 +#, php-format +msgid "[Friendica:Notify] %s posted to your profile wall" +msgstr "" + +#: ../../include/enotify.php:127 +#, php-format +msgid "%1$s posted to your profile wall at %2$s" +msgstr "" + +#: ../../include/enotify.php:129 +#, php-format +msgid "%1$s posted to [url=%2$s]your wall[/url]" +msgstr "" + +#: ../../include/enotify.php:140 +#, php-format +msgid "[Friendica:Notify] %s tagged you" +msgstr "" + +#: ../../include/enotify.php:141 +#, php-format +msgid "%1$s tagged you at %2$s" +msgstr "" + +#: ../../include/enotify.php:142 +#, php-format +msgid "%1$s [url=%2$s]tagged you[/url]." +msgstr "" + +#: ../../include/enotify.php:154 +#, php-format +msgid "[Friendica:Notify] %1$s poked you" +msgstr "" + +#: ../../include/enotify.php:155 +#, php-format +msgid "%1$s poked you at %2$s" +msgstr "" + +#: ../../include/enotify.php:156 +#, php-format +msgid "%1$s [url=%2$s]poked you[/url]." +msgstr "" + +#: ../../include/enotify.php:171 +#, php-format +msgid "[Friendica:Notify] %s tagged your post" +msgstr "" + +#: ../../include/enotify.php:172 +#, php-format +msgid "%1$s tagged your post at %2$s" +msgstr "" + +#: ../../include/enotify.php:173 +#, php-format +msgid "%1$s tagged [url=%2$s]your post[/url]" +msgstr "" + +#: ../../include/enotify.php:184 +msgid "[Friendica:Notify] Introduction received" +msgstr "" + +#: ../../include/enotify.php:185 +#, php-format +msgid "You've received an introduction from '%1$s' at %2$s" +msgstr "" + +#: ../../include/enotify.php:186 +#, php-format +msgid "You've received [url=%1$s]an introduction[/url] from %2$s." +msgstr "" + +#: ../../include/enotify.php:189 ../../include/enotify.php:207 +#, php-format +msgid "You may visit their profile at %s" +msgstr "Możesz obejrzeć ich profile na %s" + +#: ../../include/enotify.php:191 +#, php-format +msgid "Please visit %s to approve or reject the introduction." +msgstr "Odwiedż %s aby zatwierdzić lub odrzucić przedstawienie." + +#: ../../include/enotify.php:198 +msgid "[Friendica:Notify] Friend suggestion received" +msgstr "" + +#: ../../include/enotify.php:199 +#, php-format +msgid "You've received a friend suggestion from '%1$s' at %2$s" +msgstr "" + +#: ../../include/enotify.php:200 +#, php-format +msgid "" +"You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." +msgstr "" + +#: ../../include/enotify.php:205 +msgid "Name:" +msgstr "Imię:" + +#: ../../include/enotify.php:206 +msgid "Photo:" +msgstr "Zdjęcie:" + +#: ../../include/enotify.php:209 +#, php-format +msgid "Please visit %s to approve or reject the suggestion." +msgstr "" + +#: ../../include/follow.php:32 +msgid "Connect URL missing." +msgstr "" + +#: ../../include/follow.php:59 +msgid "" +"This site is not configured to allow communications with other networks." +msgstr "" + +#: ../../include/follow.php:60 ../../include/follow.php:80 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "" + +#: ../../include/follow.php:78 +msgid "The profile address specified does not provide adequate information." +msgstr "Dany adres profilu nie dostarcza odpowiednich informacji." + +#: ../../include/follow.php:82 +msgid "An author or name was not found." +msgstr "Autor lub nazwa nie zostało znalezione." + +#: ../../include/follow.php:84 +msgid "No browser URL could be matched to this address." +msgstr "" + +#: ../../include/follow.php:86 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "" + +#: ../../include/follow.php:87 +msgid "Use mailto: in front of address to force email check." +msgstr "" + +#: ../../include/follow.php:93 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "" + +#: ../../include/follow.php:103 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Profil ograniczony. Ta osoba będzie niezdolna do odbierania osobistych powiadomień od ciebie." + +#: ../../include/follow.php:205 +msgid "Unable to retrieve contact information." +msgstr "Nie można otrzymać informacji kontaktowych" + +#: ../../include/follow.php:259 +msgid "following" +msgstr "następujący" + +#: ../../include/items.php:3300 +msgid "A new person is sharing with you at " +msgstr "" + +#: ../../include/items.php:3300 +msgid "You have a new follower at " +msgstr "" + +#: ../../include/items.php:3981 +msgid "Archives" +msgstr "Archiwum" + +#: ../../include/user.php:38 +msgid "An invitation is required." +msgstr "Wymagane zaproszenie." + +#: ../../include/user.php:43 +msgid "Invitation could not be verified." +msgstr "Zaproszenie niezweryfikowane." + +#: ../../include/user.php:51 +msgid "Invalid OpenID url" +msgstr "Nieprawidłowy adres url OpenID" + +#: ../../include/user.php:66 +msgid "Please enter the required information." +msgstr "Wprowadź wymagane informacje" + +#: ../../include/user.php:80 +msgid "Please use a shorter name." +msgstr "Użyj dłuższej nazwy." + +#: ../../include/user.php:82 +msgid "Name too short." +msgstr "Nazwa jest za krótka." + +#: ../../include/user.php:97 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "Zdaje mi się że to nie jest twoje pełne Imię(Nazwisko)." + +#: ../../include/user.php:102 +msgid "Your email domain is not among those allowed on this site." +msgstr "Twoja domena internetowa nie jest obsługiwana na tej stronie." + +#: ../../include/user.php:105 +msgid "Not a valid email address." +msgstr "Niepoprawny adres e mail.." + +#: ../../include/user.php:115 +msgid "Cannot use that email." +msgstr "Nie możesz użyć tego e-maila. " + +#: ../../include/user.php:121 +msgid "" +"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " +"must also begin with a letter." +msgstr "Twój login może składać się tylko z \"a-z\", \"0-9\", \"-\", \"_\", i musi mieć na początku literę." + +#: ../../include/user.php:127 ../../include/user.php:225 +msgid "Nickname is already registered. Please choose another." +msgstr "Ten login jest zajęty. Wybierz inny." + +#: ../../include/user.php:137 +msgid "" +"Nickname was once registered here and may not be re-used. Please choose " +"another." +msgstr "Ten nick był już zarejestrowany na tej stronie i nie może być użyty ponownie." + +#: ../../include/user.php:153 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "POWAŻNY BŁĄD: niepowodzenie podczas tworzenia kluczy zabezpieczeń." + +#: ../../include/user.php:211 +msgid "An error occurred during registration. Please try again." +msgstr "Wystąpił bład podczas rejestracji, Spróbuj ponownie." + +#: ../../include/user.php:246 +msgid "An error occurred creating your default profile. Please try again." +msgstr "Wystąpił błąd podczas tworzenia profilu. Spróbuj ponownie." + +#: ../../include/security.php:22 +msgid "Welcome " +msgstr "Witaj " + +#: ../../include/security.php:23 +msgid "Please upload a profile photo." +msgstr "Proszę dodać zdjęcie profilowe." + +#: ../../include/security.php:26 +msgid "Welcome back " +msgstr "Witaj ponownie " + +#: ../../include/security.php:354 +msgid "" +"The form security token was not correct. This probably happened because the " +"form has been opened for too long (>3 hours) before submitting it." +msgstr "" + +#: ../../include/Contact.php:115 +msgid "stopped following" +msgstr "przestań obserwować" + +#: ../../include/Contact.php:225 ../../include/conversation.php:795 +msgid "Poke" +msgstr "Zaczepka" + +#: ../../include/Contact.php:226 ../../include/conversation.php:789 +msgid "View Status" +msgstr "Zobacz status" + +#: ../../include/Contact.php:227 ../../include/conversation.php:790 +msgid "View Profile" +msgstr "Zobacz profil" + +#: ../../include/Contact.php:228 ../../include/conversation.php:791 +msgid "View Photos" +msgstr "Zobacz zdjęcia" + +#: ../../include/Contact.php:229 ../../include/Contact.php:242 +#: ../../include/conversation.php:792 +msgid "Network Posts" +msgstr "" + +#: ../../include/Contact.php:230 ../../include/Contact.php:242 +#: ../../include/conversation.php:793 +msgid "Edit Contact" +msgstr "Edytuj kontakt" + +#: ../../include/Contact.php:231 ../../include/Contact.php:242 +#: ../../include/conversation.php:794 +msgid "Send PM" +msgstr "Wyślij prywatną wiadomość" + +#: ../../include/conversation.php:206 +#, php-format +msgid "%1$s poked %2$s" +msgstr "" + +#: ../../include/conversation.php:290 +msgid "post/item" +msgstr "" + +#: ../../include/conversation.php:291 +#, php-format +msgid "%1$s marked %2$s's %3$s as favorite" +msgstr "" + +#: ../../include/conversation.php:599 ../../object/Item.php:218 +msgid "Categories:" +msgstr "Kategorie:" + +#: ../../include/conversation.php:600 ../../object/Item.php:219 +msgid "Filed under:" +msgstr "" + +#: ../../include/conversation.php:685 +msgid "remove" +msgstr "usuń" + +#: ../../include/conversation.php:689 +msgid "Delete Selected Items" +msgstr "Usuń zaznaczone elementy" + +#: ../../include/conversation.php:788 +msgid "Follow Thread" +msgstr "" + +#: ../../include/conversation.php:857 +#, php-format +msgid "%s likes this." +msgstr "%s lubi to." + +#: ../../include/conversation.php:857 +#, php-format +msgid "%s doesn't like this." +msgstr "%s nie lubi tego." + +#: ../../include/conversation.php:861 +#, php-format +msgid "%2$d people like this." +msgstr "%2$d people lubię to." + +#: ../../include/conversation.php:863 +#, php-format +msgid "%2$d people don't like this." +msgstr "%2$d people nie lubię tego" + +#: ../../include/conversation.php:869 +msgid "and" +msgstr "i" + +#: ../../include/conversation.php:872 +#, php-format +msgid ", and %d other people" +msgstr ", i %d innych ludzi" + +#: ../../include/conversation.php:873 +#, php-format +msgid "%s like this." +msgstr "%s lubi to." + +#: ../../include/conversation.php:873 +#, php-format +msgid "%s don't like this." +msgstr "%s nie lubi tego." + +#: ../../include/conversation.php:897 ../../include/conversation.php:915 +msgid "Visible to everybody" +msgstr "Widoczne dla wszystkich" + +#: ../../include/conversation.php:899 ../../include/conversation.php:917 +msgid "Please enter a video link/URL:" +msgstr "Podaj link do filmu" + +#: ../../include/conversation.php:900 ../../include/conversation.php:918 +msgid "Please enter an audio link/URL:" +msgstr "Podaj link do muzyki" + +#: ../../include/conversation.php:901 ../../include/conversation.php:919 +msgid "Tag term:" +msgstr "" + +#: ../../include/conversation.php:903 ../../include/conversation.php:921 +msgid "Where are you right now?" +msgstr "Gdzie teraz jesteś?" + +#: ../../include/conversation.php:904 +msgid "Delete item(s)?" +msgstr "" + +#: ../../include/conversation.php:983 +msgid "permissions" +msgstr "zezwolenia" + +#: ../../include/plugin.php:389 ../../include/plugin.php:391 +msgid "Click here to upgrade." +msgstr "" + +#: ../../include/plugin.php:397 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "" + +#: ../../include/plugin.php:402 +msgid "This action is not available under your subscription plan." +msgstr "" + +#: ../../boot.php:584 +msgid "Delete this item?" +msgstr "Usunąć ten element?" + +#: ../../boot.php:587 +msgid "show fewer" +msgstr "Pokaż mniej" + +#: ../../boot.php:794 +#, php-format +msgid "Update %s failed. See error logs." +msgstr "" + +#: ../../boot.php:796 +#, php-format +msgid "Update Error at %s" +msgstr "" + +#: ../../boot.php:897 +msgid "Create a New Account" +msgstr "Załóż nowe konto" + +#: ../../boot.php:925 +msgid "Nickname or Email address: " +msgstr "Nick lub adres email:" + +#: ../../boot.php:926 +msgid "Password: " +msgstr "Hasło:" + +#: ../../boot.php:929 +msgid "Or login using OpenID: " +msgstr "" + +#: ../../boot.php:935 +msgid "Forgot your password?" +msgstr "Zapomniałeś swojego hasła?" + +#: ../../boot.php:1046 +msgid "Requested account is not available." +msgstr "" + +#: ../../boot.php:1123 +msgid "Edit profile" +msgstr "Edytuj profil" + +#: ../../boot.php:1189 +msgid "Message" +msgstr "Wiadomość" + +#: ../../boot.php:1311 ../../boot.php:1397 +msgid "g A l F d" +msgstr "" + +#: ../../boot.php:1312 ../../boot.php:1398 +msgid "F d" +msgstr "" + +#: ../../boot.php:1357 ../../boot.php:1438 +msgid "[today]" +msgstr "[dziś]" + +#: ../../boot.php:1369 +msgid "Birthday Reminders" +msgstr "Przypomnienia o urodzinach" + +#: ../../boot.php:1370 +msgid "Birthdays this week:" +msgstr "Urodziny w tym tygodniu:" + +#: ../../boot.php:1431 +msgid "[No description]" +msgstr "[Brak opisu]" + +#: ../../boot.php:1449 +msgid "Event Reminders" +msgstr "" + +#: ../../boot.php:1450 +msgid "Events this week:" +msgstr "Wydarzenia w tym tygodniu:" + +#: ../../boot.php:1680 +msgid "Status Messages and Posts" +msgstr "Status wiadomości i postów" + +#: ../../boot.php:1687 +msgid "Profile Details" +msgstr "Szczegóły profilu" + +#: ../../boot.php:1704 +msgid "Events and Calendar" +msgstr "Wydarzenia i kalendarz" + +#: ../../boot.php:1711 +msgid "Only You Can See This" +msgstr "" + +#: ../../index.php:380 +msgid "toggle mobile" +msgstr "" + +#: ../../addon.old/bg/bg.php:51 +msgid "Bg settings updated." +msgstr "" + +#: ../../addon.old/bg/bg.php:82 +msgid "Bg Settings" +msgstr "" + +#: ../../addon.old/drpost/drpost.php:35 +msgid "Post to Drupal" +msgstr "" + +#: ../../addon.old/drpost/drpost.php:72 +msgid "Drupal Post Settings" +msgstr "" + +#: ../../addon.old/drpost/drpost.php:74 +msgid "Enable Drupal Post Plugin" +msgstr "" + +#: ../../addon.old/drpost/drpost.php:79 +msgid "Drupal username" +msgstr "" + +#: ../../addon.old/drpost/drpost.php:84 +msgid "Drupal password" +msgstr "" + +#: ../../addon.old/drpost/drpost.php:89 +msgid "Post Type - article,page,or blog" +msgstr "" + +#: ../../addon.old/drpost/drpost.php:94 +msgid "Drupal site URL" +msgstr "" + +#: ../../addon.old/drpost/drpost.php:99 +msgid "Drupal site uses clean URLS" +msgstr "" + +#: ../../addon.old/drpost/drpost.php:104 +msgid "Post to Drupal by default" +msgstr "" + +#: ../../addon.old/oembed.old/oembed.php:30 +msgid "OEmbed settings updated" +msgstr "" + +#: ../../addon.old/oembed.old/oembed.php:43 +msgid "Use OEmbed for YouTube videos" +msgstr "" + +#: ../../addon.old/oembed.old/oembed.php:71 +msgid "URL to embed:" +msgstr "" diff --git a/view/pl/passchanged_eml.tpl b/view/pl/passchanged_eml.tpl new file mode 100644 index 0000000000..4ff6a98758 --- /dev/null +++ b/view/pl/passchanged_eml.tpl @@ -0,0 +1,20 @@ + +Drogi $[username], + Twoje hasło zostało zmienione. Zachowaj tę +Informację dla dokumentacji (lub zmień swoje hasło +na takie, które zapamiętasz). + + +Dane do logowania: + +Strona:»$[siteurl] +Twój login:»$[email] +Twoje nowe hasło:»$[new_password] + +Po zalogowaniu możesz zmienić swoje hasło w ustawieniach konta + + +Z poważaniem, + $[sitename] Administrator + + \ No newline at end of file diff --git a/view/pl/register_open_eml.tpl b/view/pl/register_open_eml.tpl new file mode 100644 index 0000000000..0321f8e3fe --- /dev/null +++ b/view/pl/register_open_eml.tpl @@ -0,0 +1,36 @@ + +Drogi $[username], + Dziękujemy za rejestrację na $[sitename]. Twoje konto zostało utworzone pomyślnie. +Dane do logowania: + + +Strona:»$[siteurl] +Twój Nick:»$[email] +Hasło:»$[password] + +Możesz zmienić swoje hasło odwiedzając zakładkę ustawienia konta po zalogowaniu + +się. + +Przejrzyj też inne ustawienia konta. To zajmie Ci tylko chwilę. + +Jeżeli chcesz, by inni mogli Cię łatwo znaleść wystarczy dodać podstawowe informacje +o sobie na stronie "Profile". + +Zalecamy dodać prawdziwe imię i nazwisko, zdjęcie profilowe, +słowa kluczowe (pomocne w zdobywaniu nowych przyjaciół) - i +może kraj, w którym mieszkasz, jeżeli nie chcesz dodać bardziej szczegółowych + +informacji niż ta. + +Szanujemy też twoją prywatność, więc żadna z podpowiadanych wyżej czynności nie jest przymusowa. +Jeżeli jesteś nowy i nie znasz tu nikogo, mogą one jedynie +pomóć w zdobywaniu nowych znajomości. + + +Dziękujemy i witamy na $[sitename]. + +Z poważaniem, + $[sitename] Administrator + + \ No newline at end of file diff --git a/view/pl/register_verify_eml.tpl b/view/pl/register_verify_eml.tpl new file mode 100644 index 0000000000..8faf05aeb1 --- /dev/null +++ b/view/pl/register_verify_eml.tpl @@ -0,0 +1,25 @@ + +Nowy wniosek o rejestrację użytkownika wpłynął na $[sitename] i wymaga +potwierdzenia. + + +Oto szczegóły konta: + +Pełna nazwa:»$[username] +Jesteś na: $[siteurl] +Login:»$[email] + + +Aby potwierdzić rejestrację wejdź na: + + +$[siteurl]/regmod/allow/$[hash] + + +Aby anulować rejestrację i usunąć konto wejdź na: + + +$[siteurl]/regmod/deny/$[hash] + + +Dziękuję. diff --git a/view/pl/request_notify_eml.tpl b/view/pl/request_notify_eml.tpl new file mode 100644 index 0000000000..aece35d113 --- /dev/null +++ b/view/pl/request_notify_eml.tpl @@ -0,0 +1,17 @@ + +Drogi/a $[myname], + +Otrzymałeś właśnie zaproszenie do znajomych na stronie $[sitename] + +od '$[requestor]'. + +Skorzystaj z tego linku, aby odwiedzić jego profil: $[url]. + +Proszę się zalogować, aby zobaczyć pełen opis +i zaakceptować lub zignorować / anulować. + +$[siteurl] + +Pozdrawiam + + $[sitename] administrator \ No newline at end of file diff --git a/view/pl/strings.php b/view/pl/strings.php new file mode 100644 index 0000000000..d4fda9847b --- /dev/null +++ b/view/pl/strings.php @@ -0,0 +1,2032 @@ +=2 && $n%10<=4 && ($n%100<10 || $n%100>=20) ? 1 : 2);; +} +; +$a->strings["Post successful."] = "Post dodany pomyślnie"; +$a->strings["[Embedded content - reload page to view]"] = ""; +$a->strings["Contact settings applied."] = "Ustawienia kontaktu zaktualizowane."; +$a->strings["Contact update failed."] = "Nie udało się zaktualizować kontaktu."; +$a->strings["Permission denied."] = "Brak uprawnień."; +$a->strings["Contact not found."] = "Kontakt nie znaleziony"; +$a->strings["Repair Contact Settings"] = "Napraw ustawienia kontaktów"; +$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = ""; +$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Jeśli nie jesteś pewien, co zrobić na tej stronie, użyj teraz przycisku 'powrót' na swojej przeglądarce."; +$a->strings["Return to contact editor"] = "Wróć do edytora kontaktów"; +$a->strings["Name"] = "Imię"; +$a->strings["Account Nickname"] = "Nazwa konta"; +$a->strings["@Tagname - overrides Name/Nickname"] = ""; +$a->strings["Account URL"] = "URL konta"; +$a->strings["Friend Request URL"] = "URL żądajacy znajomości"; +$a->strings["Friend Confirm URL"] = "URL potwierdzający znajomość"; +$a->strings["Notification Endpoint URL"] = "Zgłoszenie Punktu Końcowego URL"; +$a->strings["Poll/Feed URL"] = "Adres Ankiety / RSS"; +$a->strings["New photo from this URL"] = ""; +$a->strings["Submit"] = "Potwierdź"; +$a->strings["Help:"] = "Pomoc:"; +$a->strings["Help"] = "Pomoc"; +$a->strings["Not Found"] = "Nie znaleziono"; +$a->strings["Page not found."] = "Strona nie znaleziona."; +$a->strings["File exceeds size limit of %d"] = ""; +$a->strings["File upload failed."] = "Przesyłanie pliku nie powiodło się."; +$a->strings["Friend suggestion sent."] = "Propozycja znajomych wysłana."; +$a->strings["Suggest Friends"] = "Zaproponuj znajomych"; +$a->strings["Suggest a friend for %s"] = "Zaproponuj znajomych dla %s"; +$a->strings["Event title and start time are required."] = ""; +$a->strings["l, F j"] = "d, M d "; +$a->strings["Edit event"] = "Edytuj wydarzenie"; +$a->strings["link to source"] = "link do źródła"; +$a->strings["Events"] = "Wydarzenia"; +$a->strings["Create New Event"] = "Stwórz nowe wydarzenie"; +$a->strings["Previous"] = "Poprzedni"; +$a->strings["Next"] = "Następny"; +$a->strings["hour:minute"] = "godzina:minuta"; +$a->strings["Event details"] = "Szczegóły wydarzenia"; +$a->strings["Format is %s %s. Starting date and Title are required."] = ""; +$a->strings["Event Starts:"] = "Rozpoczęcie wydarzenia:"; +$a->strings["Required"] = "Wymagany"; +$a->strings["Finish date/time is not known or not relevant"] = "Data/czas zakończenia nie jest znana lub jest nieistotna"; +$a->strings["Event Finishes:"] = "Zakończenie wydarzenia:"; +$a->strings["Adjust for viewer timezone"] = ""; +$a->strings["Description:"] = "Opis:"; +$a->strings["Location:"] = "Lokalizacja"; +$a->strings["Title:"] = "Tytuł:"; +$a->strings["Share this event"] = "Udostępnij te wydarzenie"; +$a->strings["Cancel"] = "Anuluj"; +$a->strings["Tag removed"] = "Tag usunięty"; +$a->strings["Remove Item Tag"] = "Usuń pozycję Tag"; +$a->strings["Select a tag to remove: "] = "Wybierz tag do usunięcia"; +$a->strings["Remove"] = "Usuń"; +$a->strings["%1\$s welcomes %2\$s"] = ""; +$a->strings["Authorize application connection"] = ""; +$a->strings["Return to your app and insert this Securty Code:"] = ""; +$a->strings["Please login to continue."] = "Zaloguj się aby kontynuować."; +$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = ""; +$a->strings["Yes"] = "Tak"; +$a->strings["No"] = "Nie"; +$a->strings["Photo Albums"] = "Albumy zdjęć"; +$a->strings["Contact Photos"] = "Zdjęcia kontaktu"; +$a->strings["Upload New Photos"] = "Wyślij nowe zdjęcie"; +$a->strings["everybody"] = "wszyscy"; +$a->strings["Contact information unavailable"] = "Informacje o kontakcie nie dostępne."; +$a->strings["Profile Photos"] = "Zdjęcia profilowe"; +$a->strings["Album not found."] = "Album nie znaleziony"; +$a->strings["Delete Album"] = "Usuń album"; +$a->strings["Delete Photo"] = "Usuń zdjęcie"; +$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = ""; +$a->strings["a photo"] = ""; +$a->strings["Image exceeds size limit of "] = "obrazek przekracza limit rozmiaru"; +$a->strings["Image file is empty."] = "Plik obrazka jest pusty."; +$a->strings["Unable to process image."] = "Przetwarzanie obrazu nie powiodło się."; +$a->strings["Image upload failed."] = "Przesyłanie obrazu nie powiodło się"; +$a->strings["Public access denied."] = "Publiczny dostęp zabroniony"; +$a->strings["No photos selected"] = "Nie zaznaczono zdjęć"; +$a->strings["Access to this item is restricted."] = "Dostęp do tego obiektu jest ograniczony."; +$a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = ""; +$a->strings["You have used %1$.2f Mbytes of photo storage."] = ""; +$a->strings["Upload Photos"] = "Prześlij zdjęcia"; +$a->strings["New album name: "] = "Nazwa nowego albumu:"; +$a->strings["or existing album name: "] = "lub istniejąca nazwa albumu:"; +$a->strings["Do not show a status post for this upload"] = ""; +$a->strings["Permissions"] = "Uprawnienia"; +$a->strings["Edit Album"] = "Edytuj album"; +$a->strings["Show Newest First"] = "Najpierw pokaż najnowsze"; +$a->strings["Show Oldest First"] = "Najpierw pokaż najstarsze"; +$a->strings["View Photo"] = "Zobacz zdjęcie"; +$a->strings["Permission denied. Access to this item may be restricted."] = "Odmowa dostępu. Dostęp do tych danych może być ograniczony."; +$a->strings["Photo not available"] = "Zdjęcie niedostępne"; +$a->strings["View photo"] = "Zobacz zdjęcie"; +$a->strings["Edit photo"] = "Edytuj zdjęcie"; +$a->strings["Use as profile photo"] = "Ustaw jako zdjęcie profilowe"; +$a->strings["Private Message"] = "Wiadomość prywatna"; +$a->strings["View Full Size"] = "Zobacz w pełnym rozmiarze"; +$a->strings["Tags: "] = "Tagi:"; +$a->strings["[Remove any tag]"] = "[Usunąć znacznik]"; +$a->strings["Rotate CW (right)"] = ""; +$a->strings["Rotate CCW (left)"] = ""; +$a->strings["New album name"] = "Nazwa nowego albumu"; +$a->strings["Caption"] = "Zawartość"; +$a->strings["Add a Tag"] = "Dodaj tag"; +$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Przykładowo: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"; +$a->strings["I like this (toggle)"] = "Lubię to (zmień)"; +$a->strings["I don't like this (toggle)"] = "Nie lubię (zmień)"; +$a->strings["Share"] = "Podziel się"; +$a->strings["Please wait"] = "Proszę czekać"; +$a->strings["This is you"] = "To jesteś ty"; +$a->strings["Comment"] = "Komentarz"; +$a->strings["Preview"] = "Podgląd"; +$a->strings["Delete"] = "Usuń"; +$a->strings["View Album"] = "Zobacz album"; +$a->strings["Recent Photos"] = "Ostatnio dodane zdjęcia"; +$a->strings["Not available."] = "Niedostępne."; +$a->strings["Community"] = "Społeczność"; +$a->strings["No results."] = "Brak wyników."; +$a->strings["This is Friendica, version"] = ""; +$a->strings["running at web location"] = ""; +$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = ""; +$a->strings["Bug reports and issues: please visit"] = "Reportowanie błędów i problemów: proszę odwiedź"; +$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = ""; +$a->strings["Installed plugins/addons/apps:"] = ""; +$a->strings["No installed plugins/addons/apps"] = "Brak zainstalowanych pluginów/dodatków/aplikacji"; +$a->strings["Item not found"] = "Artykuł nie znaleziony"; +$a->strings["Edit post"] = "Edytuj post"; +$a->strings["Post to Email"] = "Wyślij poprzez email"; +$a->strings["Edit"] = "Edytuj"; +$a->strings["Upload photo"] = "Wyślij zdjęcie"; +$a->strings["upload photo"] = "dodaj zdjęcie"; +$a->strings["Attach file"] = "Przyłącz plik"; +$a->strings["attach file"] = "załącz plik"; +$a->strings["Insert web link"] = "Wstaw link"; +$a->strings["web link"] = ""; +$a->strings["Insert video link"] = "Wstaw link wideo"; +$a->strings["video link"] = "link do filmu"; +$a->strings["Insert audio link"] = "Wstaw link audio"; +$a->strings["audio link"] = "Link audio"; +$a->strings["Set your location"] = "Ustaw swoje położenie"; +$a->strings["set location"] = "wybierz lokalizację"; +$a->strings["Clear browser location"] = "Wyczyść położenie przeglądarki"; +$a->strings["clear location"] = "wyczyść lokalizację"; +$a->strings["Permission settings"] = "Ustawienia uprawnień"; +$a->strings["CC: email addresses"] = "CC: adresy e-mail"; +$a->strings["Public post"] = "Publiczny post"; +$a->strings["Set title"] = "Ustaw tytuł"; +$a->strings["Categories (comma-separated list)"] = ""; +$a->strings["Example: bob@example.com, mary@example.com"] = "Przykład: bob@example.com, mary@example.com"; +$a->strings["This introduction has already been accepted."] = "To wprowadzenie zostało już zaakceptowane."; +$a->strings["Profile location is not valid or does not contain profile information."] = "Położenie profilu jest niepoprawne lub nie zawiera żadnych informacji."; +$a->strings["Warning: profile location has no identifiable owner name."] = "Ostrzeżenie: położenie profilu ma taką samą nazwę jak użytkownik."; +$a->strings["Warning: profile location has no profile photo."] = "Ostrzeżenie: położenie profilu nie zawiera zdjęcia."; +$a->strings["%d required parameter was not found at the given location"] = array( + 0 => "%d wymagany parametr nie został znaleziony w podanej lokacji", + 1 => "%d wymagane parametry nie zostały znalezione w podanej lokacji", + 2 => "%d wymagany parametr nie został znaleziony w podanej lokacji", +); +$a->strings["Introduction complete."] = "wprowadzanie zakończone."; +$a->strings["Unrecoverable protocol error."] = "Nieodwracalny błąd protokołu."; +$a->strings["Profile unavailable."] = "Profil niedostępny."; +$a->strings["%s has received too many connection requests today."] = "%s otrzymał dziś zbyt wiele żądań połączeń."; +$a->strings["Spam protection measures have been invoked."] = "Ochrona przed spamem została wywołana."; +$a->strings["Friends are advised to please try again in 24 hours."] = "Przyjaciele namawiają do spróbowania za 24h."; +$a->strings["Invalid locator"] = "Niewłaściwy lokalizator "; +$a->strings["Invalid email address."] = "Nieprawidłowy adres email."; +$a->strings["This account has not been configured for email. Request failed."] = ""; +$a->strings["Unable to resolve your name at the provided location."] = "Nie można rozpoznać twojej nazwy w przewidzianym miejscu."; +$a->strings["You have already introduced yourself here."] = "Już się tu przedstawiłeś."; +$a->strings["Apparently you are already friends with %s."] = "Widocznie jesteście już znajomymi z %s"; +$a->strings["Invalid profile URL."] = "Zły adres URL profilu."; +$a->strings["Disallowed profile URL."] = "Nie dozwolony adres URL profilu."; +$a->strings["Failed to update contact record."] = "Aktualizacja nagrania kontaktu nie powiodła się."; +$a->strings["Your introduction has been sent."] = "Twoje dane zostały wysłane."; +$a->strings["Please login to confirm introduction."] = "Proszę zalogować się do potwierdzenia wstępu."; +$a->strings["Incorrect identity currently logged in. Please login to this profile."] = ""; +$a->strings["Hide this contact"] = "Ukryj kontakt"; +$a->strings["Welcome home %s."] = "Welcome home %s."; +$a->strings["Please confirm your introduction/connection request to %s."] = "Proszę potwierdzić swój wstęp/prośbę o połączenie do %s."; +$a->strings["Confirm"] = "Potwierdź"; +$a->strings["[Name Withheld]"] = "[Nazwa wstrzymana]"; +$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = ""; +$a->strings["Connect as an email follower (Coming soon)"] = ""; +$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = ""; +$a->strings["Friend/Connection Request"] = "Przyjaciel/Prośba o połączenie"; +$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = ""; +$a->strings["Please answer the following:"] = "Proszę odpowiedzieć na poniższe:"; +$a->strings["Does %s know you?"] = "Czy %s Cię zna?"; +$a->strings["Add a personal note:"] = "Dodaj osobistą notkę:"; +$a->strings["Friendica"] = "Friendica"; +$a->strings["StatusNet/Federated Social Web"] = ""; +$a->strings["Diaspora"] = ""; +$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = ""; +$a->strings["Your Identity Address:"] = "Twój zidentyfikowany adres:"; +$a->strings["Submit Request"] = "Wyślij zgłoszenie"; +$a->strings["Friendica Social Communications Server - Setup"] = ""; +$a->strings["Could not connect to database."] = "Nie można nawiązać połączenia z bazą danych"; +$a->strings["Could not create table."] = ""; +$a->strings["Your Friendica site database has been installed."] = ""; +$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Może być konieczne zaimportowanie pliku \"database.sql\" ręcznie, używając phpmyadmin lub mysql."; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Proszę przejrzeć plik \"INSTALL.txt\"."; +$a->strings["System check"] = ""; +$a->strings["Check again"] = "Sprawdź ponownie"; +$a->strings["Database connection"] = ""; +$a->strings["In order to install Friendica we need to know how to connect to your database."] = ""; +$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Proszę skontaktuj się ze swoim dostawcą usług hostingowych bądź administratorem strony jeśli masz pytania co do tych ustawień ."; +$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Wymieniona przez Ciebie baza danych powinna już istnieć. Jeżeli nie, utwórz ją przed kontynuacją."; +$a->strings["Database Server Name"] = "Baza danych - Nazwa serwera"; +$a->strings["Database Login Name"] = "Baza danych - Nazwa loginu"; +$a->strings["Database Login Password"] = "Baza danych - Hasło loginu"; +$a->strings["Database Name"] = "Baza danych - Nazwa"; +$a->strings["Site administrator email address"] = ""; +$a->strings["Your account email address must match this in order to use the web admin panel."] = ""; +$a->strings["Please select a default timezone for your website"] = "Proszę wybrać domyślną strefę czasową dla swojej strony"; +$a->strings["Site settings"] = "Ustawienia strony"; +$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Nie można znaleźć wersji PHP komendy w serwerze PATH"; +$a->strings["If you don't have a command line version of PHP installed on server, you will not be able to run background polling via cron. See 'Activating scheduled tasks'"] = ""; +$a->strings["PHP executable path"] = ""; +$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = ""; +$a->strings["Command line PHP"] = ""; +$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "Wersja linii poleceń PHP w twoim systemie nie ma aktywowanego \"register_argc_argv\"."; +$a->strings["This is required for message delivery to work."] = "To jest wymagane do dostarczenia wiadomości do pracy."; +$a->strings["PHP register_argc_argv"] = ""; +$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Błąd : funkcja systemu \"openssl_pkey_new\" nie jest w stanie wygenerować klucza szyfrującego ."; +$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Jeśli korzystasz z Windowsa, proszę odwiedzić \"http://www.php.net/manual/en/openssl.installation.php\"."; +$a->strings["Generate encryption keys"] = ""; +$a->strings["libCurl PHP module"] = ""; +$a->strings["GD graphics PHP module"] = ""; +$a->strings["OpenSSL PHP module"] = ""; +$a->strings["mysqli PHP module"] = ""; +$a->strings["mb_string PHP module"] = ""; +$a->strings["Apache mod_rewrite module"] = ""; +$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = ""; +$a->strings["Error: libCURL PHP module required but not installed."] = "Błąd: libCURL PHP wymagany moduł, lecz nie zainstalowany."; +$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = ""; +$a->strings["Error: openssl PHP module required but not installed."] = "Błąd: openssl PHP wymagany moduł, lecz nie zainstalowany."; +$a->strings["Error: mysqli PHP module required but not installed."] = "Błąd: mysqli PHP wymagany moduł, lecz nie zainstalowany."; +$a->strings["Error: mb_string PHP module required but not installed."] = ""; +$a->strings["The web installer needs to be able to create a file called \".htconfig.php\ in the top folder of your web server and it is unable to do so."] = ""; +$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = ""; +$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = ""; +$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = ""; +$a->strings[".htconfig.php is writable"] = ""; +$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = ""; +$a->strings["Url rewrite is working"] = ""; +$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."] = ""; +$a->strings["Errors encountered creating database tables."] = "Zostały napotkane błędy przy tworzeniu tabeli bazy danych."; +$a->strings["

    What next

    "] = ""; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = ""; +$a->strings["l F d, Y \\@ g:i A"] = ""; +$a->strings["Time Conversion"] = "Zmiana czasu"; +$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = ""; +$a->strings["UTC time: %s"] = ""; +$a->strings["Current timezone: %s"] = "Obecna strefa czasowa: %s"; +$a->strings["Converted localtime: %s"] = ""; +$a->strings["Please select your timezone:"] = "Wybierz swoją strefę czasową:"; +$a->strings["Poke/Prod"] = ""; +$a->strings["poke, prod or do other things to somebody"] = ""; +$a->strings["Recipient"] = ""; +$a->strings["Choose what you wish to do to recipient"] = ""; +$a->strings["Make this post private"] = "Zrób ten post prywatnym"; +$a->strings["Profile Match"] = "Profil zgodny "; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "Brak słów-kluczy do wyszukania. Dodaj słowa-klucze do swojego domyślnego profilu."; +$a->strings["is interested in:"] = "interesuje się:"; +$a->strings["Connect"] = "Połącz"; +$a->strings["No matches"] = "brak dopasowań"; +$a->strings["Remote privacy information not available."] = "Dane prywatne nie są dostępne zdalnie "; +$a->strings["Visible to:"] = "Widoczne dla:"; +$a->strings["No such group"] = "Nie ma takiej grupy"; +$a->strings["Group is empty"] = "Grupa jest pusta"; +$a->strings["Group: "] = "Grupa:"; +$a->strings["Select"] = "Wybierz"; +$a->strings["View %s's profile @ %s"] = "Pokaż %s's profil @ %s"; +$a->strings["%s from %s"] = "%s od %s"; +$a->strings["View in context"] = ""; +$a->strings["%d comment"] = array( + 0 => " %d komentarz", + 1 => " %d komentarzy", + 2 => " %d komentarzy", +); +$a->strings["comment"] = array( + 0 => "", + 1 => "", + 2 => "komentarz", +); +$a->strings["show more"] = "Pokaż więcej"; +$a->strings["like"] = "polub"; +$a->strings["dislike"] = "Nie lubię"; +$a->strings["Share this"] = "Udostępnij to"; +$a->strings["share"] = "udostępnij"; +$a->strings["Bold"] = "Pogrubienie"; +$a->strings["Italic"] = "Kursywa"; +$a->strings["Underline"] = "Podkreślenie"; +$a->strings["Quote"] = "Cytat"; +$a->strings["Code"] = "Kod"; +$a->strings["Image"] = "Obraz"; +$a->strings["Link"] = "Link"; +$a->strings["Video"] = "Video"; +$a->strings["add star"] = "dodaj gwiazdkę"; +$a->strings["remove star"] = "anuluj gwiazdkę"; +$a->strings["toggle star status"] = ""; +$a->strings["starred"] = ""; +$a->strings["add tag"] = "dodaj tag"; +$a->strings["save to folder"] = "zapisz w folderze"; +$a->strings["to"] = "do"; +$a->strings["Wall-to-Wall"] = ""; +$a->strings["via Wall-To-Wall:"] = ""; +$a->strings["Welcome to %s"] = "Witamy w %s"; +$a->strings["Invalid request identifier."] = "Niewłaściwy identyfikator wymagania."; +$a->strings["Discard"] = "Odrzuć"; +$a->strings["Ignore"] = "Ignoruj"; +$a->strings["System"] = "System"; +$a->strings["Network"] = "Sieć"; +$a->strings["Personal"] = ""; +$a->strings["Home"] = "Dom"; +$a->strings["Introductions"] = ""; +$a->strings["Messages"] = "Wiadomości"; +$a->strings["Show Ignored Requests"] = "Pokaż ignorowane żądania"; +$a->strings["Hide Ignored Requests"] = "Ukryj ignorowane żądania"; +$a->strings["Notification type: "] = "Typ zawiadomień:"; +$a->strings["Friend Suggestion"] = "Propozycja znajomych"; +$a->strings["suggested by %s"] = "zaproponowane przez %s"; +$a->strings["Hide this contact from others"] = "Ukryj ten kontakt przed innymi"; +$a->strings["Post a new friend activity"] = ""; +$a->strings["if applicable"] = "jeśli odpowiednie"; +$a->strings["Approve"] = "Zatwierdź"; +$a->strings["Claims to be known to you: "] = "Twierdzi, że go znasz:"; +$a->strings["yes"] = "tak"; +$a->strings["no"] = "nie"; +$a->strings["Approve as: "] = "Zatwierdź jako:"; +$a->strings["Friend"] = "Znajomy"; +$a->strings["Sharer"] = ""; +$a->strings["Fan/Admirer"] = "Fan"; +$a->strings["Friend/Connect Request"] = "Prośba o dodanie do przyjaciół/powiązanych"; +$a->strings["New Follower"] = "Nowy obserwator"; +$a->strings["No introductions."] = "Brak wstępu."; +$a->strings["Notifications"] = "Powiadomienia"; +$a->strings["%s liked %s's post"] = "%s polubił wpis %s"; +$a->strings["%s disliked %s's post"] = "%s przestał lubić post %s"; +$a->strings["%s is now friends with %s"] = "%s jest teraz znajomym %s"; +$a->strings["%s created a new post"] = "%s dodał nowy wpis"; +$a->strings["%s commented on %s's post"] = "%s skomentował wpis %s"; +$a->strings["No more network notifications."] = ""; +$a->strings["Network Notifications"] = ""; +$a->strings["No more system notifications."] = ""; +$a->strings["System Notifications"] = ""; +$a->strings["No more personal notifications."] = ""; +$a->strings["Personal Notifications"] = ""; +$a->strings["No more home notifications."] = ""; +$a->strings["Home Notifications"] = ""; +$a->strings["Could not access contact record."] = "Nie można uzyskać dostępu do rejestru kontaktów."; +$a->strings["Could not locate selected profile."] = "Nie można znaleźć wybranego profilu."; +$a->strings["Contact updated."] = "Kontakt zaktualizowany"; +$a->strings["Contact has been blocked"] = "Kontakt został zablokowany"; +$a->strings["Contact has been unblocked"] = "Kontakt został odblokowany"; +$a->strings["Contact has been ignored"] = "Kontakt jest ignorowany"; +$a->strings["Contact has been unignored"] = "Kontakt nie jest ignorowany"; +$a->strings["Contact has been archived"] = ""; +$a->strings["Contact has been unarchived"] = ""; +$a->strings["Contact has been removed."] = "Kontakt został usunięty."; +$a->strings["You are mutual friends with %s"] = "Jesteś już znajomym z %s"; +$a->strings["You are sharing with %s"] = ""; +$a->strings["%s is sharing with you"] = ""; +$a->strings["Private communications are not available for this contact."] = "Prywatna rozmowa jest niemożliwa dla tego kontaktu"; +$a->strings["Never"] = "Nigdy"; +$a->strings["(Update was successful)"] = "(Aktualizacja przebiegła pomyślnie)"; +$a->strings["(Update was not successful)"] = "(Aktualizacja nie powiodła się)"; +$a->strings["Suggest friends"] = "Osoby, które możesz znać"; +$a->strings["Network type: %s"] = ""; +$a->strings["%d contact in common"] = array( + 0 => "", + 1 => "", + 2 => "", +); +$a->strings["View all contacts"] = "Zobacz wszystkie kontakty"; +$a->strings["Unblock"] = "Odblokuj"; +$a->strings["Block"] = "Zablokuj"; +$a->strings["Toggle Blocked status"] = ""; +$a->strings["Unignore"] = "Odblokuj"; +$a->strings["Toggle Ignored status"] = ""; +$a->strings["Unarchive"] = ""; +$a->strings["Archive"] = "Archiwum"; +$a->strings["Toggle Archive status"] = ""; +$a->strings["Repair"] = "Napraw"; +$a->strings["Advanced Contact Settings"] = "Zaawansowane ustawienia kontaktów"; +$a->strings["Communications lost with this contact!"] = ""; +$a->strings["Contact Editor"] = "Edytor kontaktów"; +$a->strings["Profile Visibility"] = "Widoczność profilu"; +$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Wybierz profil, który chcesz bezpiecznie wyświetlić %s"; +$a->strings["Contact Information / Notes"] = "Informacja o kontakcie / Notka"; +$a->strings["Edit contact notes"] = ""; +$a->strings["Visit %s's profile [%s]"] = "Obejrzyj %s's profil [%s]"; +$a->strings["Block/Unblock contact"] = "Zablokuj/odblokuj kontakt"; +$a->strings["Ignore contact"] = "Ignoruj kontakt"; +$a->strings["Repair URL settings"] = ""; +$a->strings["View conversations"] = "Zobacz rozmowę"; +$a->strings["Delete contact"] = "Usuń kontakt"; +$a->strings["Last update:"] = "Ostatnia aktualizacja:"; +$a->strings["Update public posts"] = ""; +$a->strings["Update now"] = "Aktualizuj teraz"; +$a->strings["Currently blocked"] = "Obecnie zablokowany"; +$a->strings["Currently ignored"] = "Obecnie zignorowany"; +$a->strings["Currently archived"] = ""; +$a->strings["Replies/likes to your public posts may still be visible"] = ""; +$a->strings["Suggestions"] = "Sugestie"; +$a->strings["Suggest potential friends"] = "Sugerowani znajomi"; +$a->strings["All Contacts"] = "Wszystkie kontakty"; +$a->strings["Show all contacts"] = "Pokaż wszystkie kontakty"; +$a->strings["Unblocked"] = "Odblokowany"; +$a->strings["Only show unblocked contacts"] = "Pokaż tylko odblokowane kontakty"; +$a->strings["Blocked"] = "Zablokowany"; +$a->strings["Only show blocked contacts"] = "Pokaż tylko zablokowane kontakty"; +$a->strings["Ignored"] = "Zignorowany"; +$a->strings["Only show ignored contacts"] = "Pokaż tylko ignorowane kontakty"; +$a->strings["Archived"] = ""; +$a->strings["Only show archived contacts"] = "Pokaż tylko zarchiwizowane kontakty"; +$a->strings["Hidden"] = "Ukryty"; +$a->strings["Only show hidden contacts"] = "Pokaż tylko ukryte kontakty"; +$a->strings["Mutual Friendship"] = "Wzajemna przyjaźń"; +$a->strings["is a fan of yours"] = "jest twoim fanem"; +$a->strings["you are a fan of"] = "jesteś fanem"; +$a->strings["Edit contact"] = "Edytuj kontakt"; +$a->strings["Contacts"] = "Kontakty"; +$a->strings["Search your contacts"] = "Wyszukaj w kontaktach"; +$a->strings["Finding: "] = "Znalezione:"; +$a->strings["Find"] = "Znajdź"; +$a->strings["No valid account found."] = "Nie znaleziono ważnego konta."; +$a->strings["Password reset request issued. Check your email."] = "Prośba o zresetowanie hasła została zatwierdzona. Sprawdź swój adres email."; +$a->strings["Password reset requested at %s"] = "Prośba o reset hasła na %s"; +$a->strings["Administrator"] = "Administrator"; +$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Prośba nie może być zweryfikowana. (Mogłeś już ją poprzednio wysłać.) Reset hasła nie powiódł się."; +$a->strings["Password Reset"] = "Zresetuj hasło"; +$a->strings["Your password has been reset as requested."] = "Twoje hasło zostało zresetowane na twoje życzenie."; +$a->strings["Your new password is"] = "Twoje nowe hasło to"; +$a->strings["Save or copy your new password - and then"] = "Zapisz lub skopiuj swoje nowe hasło - i wtedy"; +$a->strings["click here to login"] = "Kliknij tutaj aby zalogować"; +$a->strings["Your password may be changed from the Settings page after successful login."] = "Twoje hasło może być zmienione w Ustawieniach po udanym zalogowaniu."; +$a->strings["Forgot your Password?"] = "Zapomniałeś hasła?"; +$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Wpisz swój adres email i wyślij, aby zresetować hasło. Później sprawdź swojego emaila w celu uzyskania dalszych instrukcji."; +$a->strings["Nickname or Email: "] = "Pseudonim lub Email:"; +$a->strings["Reset"] = "Zresetuj"; +$a->strings["Account settings"] = "Ustawienia konta"; +$a->strings["Display settings"] = "Wyświetl ustawienia"; +$a->strings["Connector settings"] = ""; +$a->strings["Plugin settings"] = "Ustawienia wtyczek"; +$a->strings["Connected apps"] = ""; +$a->strings["Export personal data"] = "Eksportuje dane personalne"; +$a->strings["Remove account"] = "Usuń konto"; +$a->strings["Settings"] = "Ustawienia"; +$a->strings["Missing some important data!"] = "Brakuje ważnych danych!"; +$a->strings["Update"] = "Zaktualizuj"; +$a->strings["Failed to connect with email account using the settings provided."] = ""; +$a->strings["Email settings updated."] = ""; +$a->strings["Passwords do not match. Password unchanged."] = "Hasło nie pasuje. Hasło nie zmienione."; +$a->strings["Empty passwords are not allowed. Password unchanged."] = "Brak hasła niedozwolony. Hasło nie zmienione."; +$a->strings["Password changed."] = "Hasło zostało zmianione."; +$a->strings["Password update failed. Please try again."] = "Aktualizacja hasła nie powiodła się. Proszę spróbować ponownie."; +$a->strings[" Please use a shorter name."] = "Proszę użyć krótszej nazwy."; +$a->strings[" Name too short."] = "Za krótka nazwa."; +$a->strings[" Not valid email."] = "Zły email."; +$a->strings[" Cannot change to that email."] = "Nie mogę zmienić na ten email."; +$a->strings["Private forum has no privacy permissions. Using default privacy group."] = ""; +$a->strings["Private forum has no privacy permissions and no default privacy group."] = ""; +$a->strings["Settings updated."] = "Zaktualizowano ustawienia."; +$a->strings["Add application"] = "Dodaj aplikacje"; +$a->strings["Consumer Key"] = ""; +$a->strings["Consumer Secret"] = ""; +$a->strings["Redirect"] = "Przekierowanie"; +$a->strings["Icon url"] = ""; +$a->strings["You can't edit this application."] = "Nie możesz edytować tej aplikacji."; +$a->strings["Connected Apps"] = "Powiązane aplikacje"; +$a->strings["Client key starts with"] = ""; +$a->strings["No name"] = "Bez nazwy"; +$a->strings["Remove authorization"] = "Odwołaj upoważnienie"; +$a->strings["No Plugin settings configured"] = "Ustawienia wtyczki nieskonfigurowane"; +$a->strings["Plugin Settings"] = "Ustawienia wtyczki"; +$a->strings["Built-in support for %s connectivity is %s"] = ""; +$a->strings["enabled"] = "włączony"; +$a->strings["disabled"] = "wyłączony"; +$a->strings["StatusNet"] = ""; +$a->strings["Email access is disabled on this site."] = "Dostęp do e-maila nie jest w pełni sprawny na tej stronie"; +$a->strings["Connector Settings"] = ""; +$a->strings["Email/Mailbox Setup"] = "Ustawienia emaila/skrzynki mailowej"; +$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = ""; +$a->strings["Last successful email check:"] = "Ostatni sprawdzony e-mail:"; +$a->strings["IMAP server name:"] = "Nazwa serwera IMAP:"; +$a->strings["IMAP port:"] = "Port IMAP:"; +$a->strings["Security:"] = "Ochrona:"; +$a->strings["None"] = "Brak"; +$a->strings["Email login name:"] = "Login emaila:"; +$a->strings["Email password:"] = "Hasło emaila:"; +$a->strings["Reply-to address:"] = "Odpowiedz na adres:"; +$a->strings["Send public posts to all email contacts:"] = "Wyślij publiczny post do wszystkich kontaktów e-mail"; +$a->strings["Action after import:"] = ""; +$a->strings["Mark as seen"] = "Oznacz jako przeczytane"; +$a->strings["Move to folder"] = "Przenieś do folderu"; +$a->strings["Move to folder:"] = "Przenieś do folderu:"; +$a->strings["No special theme for mobile devices"] = ""; +$a->strings["Display Settings"] = "Wyświetl ustawienia"; +$a->strings["Display Theme:"] = "Wyświetl motyw:"; +$a->strings["Mobile Theme:"] = ""; +$a->strings["Update browser every xx seconds"] = "Odświeżaj stronę co xx sekund"; +$a->strings["Minimum of 10 seconds, no maximum"] = "Dolny limit 10 sekund, brak górnego limitu"; +$a->strings["Number of items to display per page:"] = ""; +$a->strings["Maximum of 100 items"] = "Maksymalnie 100 elementów"; +$a->strings["Don't show emoticons"] = "Nie pokazuj emotikonek"; +$a->strings["Normal Account Page"] = ""; +$a->strings["This account is a normal personal profile"] = "To konto jest normalnym osobistym profilem"; +$a->strings["Soapbox Page"] = ""; +$a->strings["Automatically approve all connection/friend requests as read-only fans"] = "Automatycznie zatwierdzaj wszystkie żądania połączenia/przyłączenia do znajomych jako fanów 'tylko do odczytu'"; +$a->strings["Community Forum/Celebrity Account"] = ""; +$a->strings["Automatically approve all connection/friend requests as read-write fans"] = ""; +$a->strings["Automatic Friend Page"] = ""; +$a->strings["Automatically approve all connection/friend requests as friends"] = "Automatycznie traktuj wszystkie prośby o połączenia/zaproszenia do grona przyjaciół, jako przyjaciół"; +$a->strings["Private Forum [Experimental]"] = ""; +$a->strings["Private forum - approved members only"] = ""; +$a->strings["OpenID:"] = ""; +$a->strings["(Optional) Allow this OpenID to login to this account."] = ""; +$a->strings["Publish your default profile in your local site directory?"] = ""; +$a->strings["Publish your default profile in the global social directory?"] = ""; +$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Ukryć listę znajomych przed odwiedzającymi Twój profil?"; +$a->strings["Hide your profile details from unknown viewers?"] = "Ukryć szczegóły twojego profilu przed nieznajomymi ?"; +$a->strings["Allow friends to post to your profile page?"] = "Zezwól na dodawanie postów na twoim profilu przez znajomych"; +$a->strings["Allow friends to tag your posts?"] = "Zezwól na oznaczanie twoich postów przez znajomych"; +$a->strings["Allow us to suggest you as a potential friend to new members?"] = ""; +$a->strings["Permit unknown people to send you private mail?"] = ""; +$a->strings["Profile is not published."] = "Profil nie jest opublikowany"; +$a->strings["or"] = "lub"; +$a->strings["Your Identity Address is"] = "Twój adres identyfikacyjny to"; +$a->strings["Automatically expire posts after this many days:"] = ""; +$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = ""; +$a->strings["Advanced expiration settings"] = ""; +$a->strings["Advanced Expiration"] = ""; +$a->strings["Expire posts:"] = "Wygasające posty:"; +$a->strings["Expire personal notes:"] = "Wygasające notatki osobiste:"; +$a->strings["Expire starred posts:"] = ""; +$a->strings["Expire photos:"] = "Wygasające zdjęcia:"; +$a->strings["Only expire posts by others:"] = ""; +$a->strings["Account Settings"] = "Ustawienia konta"; +$a->strings["Password Settings"] = "Ustawienia hasła"; +$a->strings["New Password:"] = "Nowe hasło:"; +$a->strings["Confirm:"] = "Potwierdź:"; +$a->strings["Leave password fields blank unless changing"] = "Pozostaw pola hasła puste, chyba że chcesz je zmienić."; +$a->strings["Basic Settings"] = "Ustawienia podstawowe"; +$a->strings["Full Name:"] = "Imię i nazwisko:"; +$a->strings["Email Address:"] = "Adres email:"; +$a->strings["Your Timezone:"] = "Twoja strefa czasowa:"; +$a->strings["Default Post Location:"] = "Standardowa lokalizacja wiadomości:"; +$a->strings["Use Browser Location:"] = "Użyj położenia przeglądarki:"; +$a->strings["Security and Privacy Settings"] = "Ustawienia bezpieczeństwa i prywatności"; +$a->strings["Maximum Friend Requests/Day:"] = "Maksymalna liczba zaproszeń do grona przyjaciół na dzień:"; +$a->strings["(to prevent spam abuse)"] = "(aby zapobiec spamowaniu)"; +$a->strings["Default Post Permissions"] = ""; +$a->strings["(click to open/close)"] = "(kliknij by otworzyć/zamknąć)"; +$a->strings["Maximum private messages per day from unknown people:"] = ""; +$a->strings["Notification Settings"] = "Ustawienia powiadomień"; +$a->strings["By default post a status message when:"] = ""; +$a->strings["accepting a friend request"] = ""; +$a->strings["joining a forum/community"] = ""; +$a->strings["making an interesting profile change"] = ""; +$a->strings["Send a notification email when:"] = "Wyślij powiadmonienia na email, kiedy:"; +$a->strings["You receive an introduction"] = "Otrzymałeś zaproszenie"; +$a->strings["Your introductions are confirmed"] = "Dane zatwierdzone"; +$a->strings["Someone writes on your profile wall"] = "Ktoś pisze na twojej ścianie profilowej"; +$a->strings["Someone writes a followup comment"] = "Ktoś pisze komentarz nawiązujący."; +$a->strings["You receive a private message"] = "Otrzymałeś prywatną wiadomość"; +$a->strings["You receive a friend suggestion"] = "Otrzymane propozycje znajomych"; +$a->strings["You are tagged in a post"] = ""; +$a->strings["You are poked/prodded/etc. in a post"] = ""; +$a->strings["Advanced Account/Page Type Settings"] = ""; +$a->strings["Change the behaviour of this account for special situations"] = ""; +$a->strings["Manage Identities and/or Pages"] = ""; +$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = ""; +$a->strings["Select an identity to manage: "] = ""; +$a->strings["Search Results For:"] = "Szukaj wyników dla:"; +$a->strings["Remove term"] = ""; +$a->strings["Saved Searches"] = ""; +$a->strings["add"] = "dodaj"; +$a->strings["Commented Order"] = ""; +$a->strings["Sort by Comment Date"] = "Sortuj po dacie komentarza"; +$a->strings["Posted Order"] = ""; +$a->strings["Sort by Post Date"] = "Sortuj po dacie posta"; +$a->strings["Posts that mention or involve you"] = ""; +$a->strings["New"] = "Nowy"; +$a->strings["Activity Stream - by date"] = ""; +$a->strings["Starred"] = ""; +$a->strings["Favourite Posts"] = "Ulubione posty"; +$a->strings["Shared Links"] = "Współdzielone linki"; +$a->strings["Interesting Links"] = "Interesujące linki"; +$a->strings["Warning: This group contains %s member from an insecure network."] = array( + 0 => "", + 1 => "", + 2 => "", +); +$a->strings["Private messages to this group are at risk of public disclosure."] = "Prywatne wiadomości do tej grupy mogą zostać publicznego ujawnienia"; +$a->strings["Contact: "] = "Kontakt: "; +$a->strings["Private messages to this person are at risk of public disclosure."] = "Prywatne wiadomości do tej osoby mogą zostać publicznie ujawnione "; +$a->strings["Invalid contact."] = "Zły kontakt"; +$a->strings["Personal Notes"] = "Osobiste notatki"; +$a->strings["Save"] = "Zapisz"; +$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = ""; +$a->strings["No recipient selected."] = "Nie wybrano odbiorcy."; +$a->strings["Unable to check your home location."] = ""; +$a->strings["Message could not be sent."] = "Wiadomość nie może zostać wysłana"; +$a->strings["Message collection failure."] = ""; +$a->strings["Message sent."] = "Wysłano."; +$a->strings["No recipient."] = ""; +$a->strings["Please enter a link URL:"] = "Proszę wpisać adres URL:"; +$a->strings["Send Private Message"] = "Wyślij prywatną wiadomość"; +$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = ""; +$a->strings["To:"] = "Do:"; +$a->strings["Subject:"] = "Temat:"; +$a->strings["Your message:"] = "Twoja wiadomość:"; +$a->strings["Welcome to Friendica"] = "Witamy na Friendica"; +$a->strings["New Member Checklist"] = "Lista nowych członków"; +$a->strings["We would like to offer some tips and links to help make your experience enjoyable. Click any item to visit the relevant page. A link to this page will be visible from your home page for two weeks after your initial registration and then will quietly disappear."] = ""; +$a->strings["Getting Started"] = ""; +$a->strings["Friendica Walk-Through"] = ""; +$a->strings["On your Quick Start page - find a brief introduction to your profile and network tabs, make some new connections, and find some groups to join."] = ""; +$a->strings["Go to Your Settings"] = "Idź do swoich ustawień"; +$a->strings["On your Settings page - change your initial password. Also make a note of your Identity Address. This looks just like an email address - and will be useful in making friends on the free social web."] = ""; +$a->strings["Review the other settings, particularly the privacy settings. An unpublished directory listing is like having an unlisted phone number. In general, you should probably publish your listing - unless all of your friends and potential friends know exactly how to find you."] = ""; +$a->strings["Profile"] = "Profil"; +$a->strings["Upload Profile Photo"] = "Wyślij zdjęcie profilowe"; +$a->strings["Upload a profile photo if you have not done so already. Studies have shown that people with real photos of themselves are ten times more likely to make friends than people who do not."] = "Dodaj swoje zdjęcie profilowe jeśli jeszcze tego nie zrobiłeś. Twoje szanse na zwiększenie liczby znajomych rosną dziesięciokrotnie, kiedy na tym zdjęciu jesteś ty."; +$a->strings["Edit Your Profile"] = "Edytuj własny profil"; +$a->strings["Edit your default profile to your liking. Review the settings for hiding your list of friends and hiding the profile from unknown visitors."] = ""; +$a->strings["Profile Keywords"] = "Słowa kluczowe profilu"; +$a->strings["Set some public keywords for your default profile which describe your interests. We may be able to find other people with similar interests and suggest friendships."] = ""; +$a->strings["Connecting"] = "Łączę się..."; +$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."] = ""; +$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = ""; +$a->strings["Importing Emails"] = "Importuję emaile..."; +$a->strings["Enter your email access information on your Connector Settings page if you wish to import and interact with friends or mailing lists from your email INBOX"] = ""; +$a->strings["Go to Your Contacts Page"] = "Idź do strony z Twoimi kontaktami"; +$a->strings["Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the Add New Contact dialog."] = ""; +$a->strings["Go to Your Site's Directory"] = ""; +$a->strings["The Directory page lets you find other people in this network or other federated sites. Look for a Connect or Follow link on their profile page. Provide your own Identity Address if requested."] = ""; +$a->strings["Finding New People"] = "Poszukiwanie Nowych Ludzi"; +$a->strings["On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours."] = ""; +$a->strings["Groups"] = "Grupy"; +$a->strings["Group Your Contacts"] = "Grupuj Swoje kontakty"; +$a->strings["Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page."] = ""; +$a->strings["Why Aren't My Posts Public?"] = "Dlaczego moje posty nie są publiczne?"; +$a->strings["Friendica respects your privacy. By default, your posts will only show up to people you've added as friends. For more information, see the help section from the link above."] = ""; +$a->strings["Getting Help"] = "Otrzymywanie pomocy"; +$a->strings["Go to the Help Section"] = "Idź do części o pomocy"; +$a->strings["Our help pages may be consulted for detail on other program features and resources."] = ""; +$a->strings["Item not available."] = "Element nie dostępny."; +$a->strings["Item was not found."] = "Element nie znaleziony."; +$a->strings["Group created."] = "Grupa utworzona."; +$a->strings["Could not create group."] = "Nie mogę stworzyć grupy"; +$a->strings["Group not found."] = "Nie znaleziono grupy"; +$a->strings["Group name changed."] = "Nazwa grupy zmieniona"; +$a->strings["Permission denied"] = "Odmowa dostępu"; +$a->strings["Create a group of contacts/friends."] = "Stwórz grupę znajomych."; +$a->strings["Group Name: "] = "Nazwa grupy: "; +$a->strings["Group removed."] = "Grupa usunięta."; +$a->strings["Unable to remove group."] = "Nie można usunąć grupy."; +$a->strings["Group Editor"] = "Edytor grupy"; +$a->strings["Members"] = "Członkowie"; +$a->strings["Click on a contact to add or remove."] = "Kliknij na kontakt w celu dodania lub usunięcia."; +$a->strings["Invalid profile identifier."] = "Nieprawidłowa nazwa użytkownika."; +$a->strings["Profile Visibility Editor"] = "Ustawienia widoczności profilu"; +$a->strings["Visible To"] = "Widoczne dla"; +$a->strings["All Contacts (with secure profile access)"] = "Wszystkie kontakty (z bezpiecznym dostępem do profilu)"; +$a->strings["No contacts."] = "brak kontaktów"; +$a->strings["View Contacts"] = "widok kontaktów"; +$a->strings["Registration details for %s"] = "Szczegóły rejestracji dla %s"; +$a->strings["Registration successful. Please check your email for further instructions."] = "Rejestracja zakończona pomyślnie. Dalsze instrukcje zostały wysłane na twojego e-maila."; +$a->strings["Failed to send email message. Here is the message that failed."] = ""; +$a->strings["Your registration can not be processed."] = "Twoja rejestracja nie może zostać przeprowadzona. "; +$a->strings["Registration request at %s"] = "Prośba o rejestrację u %s"; +$a->strings["Your registration is pending approval by the site owner."] = "Twoja rejestracja oczekuje na zaakceptowanie przez właściciela witryny."; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = ""; +$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = ""; +$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Jeśli nie jesteś zaznajomiony z OpenID, zostaw to pole puste i uzupełnij resztę elementów."; +$a->strings["Your OpenID (optional): "] = "Twój OpenID (opcjonalnie):"; +$a->strings["Include your profile in member directory?"] = "Czy dołączyć twój profil do katalogu członków?"; +$a->strings["Membership on this site is by invitation only."] = "Członkostwo na tej stronie możliwe tylko dzięki zaproszeniu."; +$a->strings["Your invitation ID: "] = ""; +$a->strings["Registration"] = "Rejestracja"; +$a->strings["Your Full Name (e.g. Joe Smith): "] = "Imię i nazwisko (np. Jan Kowalski):"; +$a->strings["Your Email Address: "] = "Twój adres email:"; +$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Wybierz login. Login musi zaczynać się literą. Adres twojego profilu na tej stronie będzie wyglądać następująco 'login@\$nazwastrony'."; +$a->strings["Choose a nickname: "] = "Wybierz pseudonim:"; +$a->strings["Register"] = "Zarejestruj"; +$a->strings["People Search"] = "Szukaj osób"; +$a->strings["photo"] = "zdjęcie"; +$a->strings["status"] = "status"; +$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s lubi %2\$s's %3\$s"; +$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s nie lubi %2\$s's %3\$s"; +$a->strings["Item not found."] = "Element nie znaleziony."; +$a->strings["Access denied."] = "Brak dostępu"; +$a->strings["Photos"] = "Zdjęcia"; +$a->strings["Files"] = "Pliki"; +$a->strings["Account approved."] = "Konto zatwierdzone."; +$a->strings["Registration revoked for %s"] = "Rejestracja dla %s odwołana"; +$a->strings["Please login."] = "Proszę się zalogować."; +$a->strings["Unable to locate original post."] = "Nie można zlokalizować oryginalnej wiadomości."; +$a->strings["Empty post discarded."] = "Pusty wpis wyrzucony."; +$a->strings["Wall Photos"] = "Tablica zdjęć"; +$a->strings["System error. Post not saved."] = "Błąd. Post niezapisany."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Wiadomość została wysłana do ciebie od %s , członka portalu Friendica"; +$a->strings["You may visit them online at %s"] = "Możesz ich odwiedzić online u %s"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Skontaktuj się z nadawcą odpowiadając na ten post jeśli nie chcesz otrzymywać tych wiadomości."; +$a->strings["%s posted an update."] = "%s zaktualizował wpis."; +$a->strings["%1\$s is currently %2\$s"] = ""; +$a->strings["Mood"] = "Nastrój"; +$a->strings["Set your current mood and tell your friends"] = "Wskaż swój obecny nastrój i powiedz o tym znajomym"; +$a->strings["Image uploaded but image cropping failed."] = "Obrazek załadowany, ale oprawanie powiodła się."; +$a->strings["Image size reduction [%s] failed."] = "Redukcja rozmiaru obrazka [%s] nie powiodła się."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = ""; +$a->strings["Unable to process image"] = "Nie udało się przetworzyć obrazu."; +$a->strings["Image exceeds size limit of %d"] = "Rozmiar obrazka przekracza limit %d"; +$a->strings["Upload File:"] = "Wyślij plik:"; +$a->strings["Select a profile:"] = "Wybierz profil:"; +$a->strings["Upload"] = "Załaduj"; +$a->strings["skip this step"] = "Pomiń ten krok"; +$a->strings["select a photo from your photo albums"] = "wybierz zdjęcie z twojego albumu"; +$a->strings["Crop Image"] = "Przytnij zdjęcie"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Proszę dostosować oprawę obrazka w celu optymalizacji oglądania."; +$a->strings["Done Editing"] = "Zakończ Edycję "; +$a->strings["Image uploaded successfully."] = "Zdjęcie wczytano pomyślnie "; +$a->strings["No profile"] = "Brak profilu"; +$a->strings["Remove My Account"] = "Usuń konto"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Kompletne usunięcie konta. Jeżeli zostanie wykonane, konto nie może zostać odzyskane."; +$a->strings["Please enter your password for verification:"] = "Wprowadź hasło w celu weryfikacji."; +$a->strings["New Message"] = "Nowa wiadomość"; +$a->strings["Unable to locate contact information."] = "Niezdolny do uzyskania informacji kontaktowych."; +$a->strings["Message deleted."] = "Wiadomość usunięta."; +$a->strings["Conversation removed."] = "Rozmowa usunięta."; +$a->strings["No messages."] = "Brak wiadomości."; +$a->strings["Unknown sender - %s"] = ""; +$a->strings["You and %s"] = "Ty i %s"; +$a->strings["%s and You"] = "%s i ty"; +$a->strings["Delete conversation"] = "Usuń rozmowę"; +$a->strings["D, d M Y - g:i A"] = "D, d M R - g:m AM/PM"; +$a->strings["%d message"] = array( + 0 => "", + 1 => "", + 2 => "", +); +$a->strings["Message not available."] = "Wiadomość nie jest dostępna."; +$a->strings["Delete message"] = "Usuń wiadomość"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = ""; +$a->strings["Send Reply"] = "Odpowiedz"; +$a->strings["Friends of %s"] = "Znajomy %s"; +$a->strings["No friends to display."] = "Brak znajomych do wyświetlenia"; +$a->strings["Theme settings updated."] = ""; +$a->strings["Site"] = "Strona"; +$a->strings["Users"] = "Użytkownicy"; +$a->strings["Plugins"] = "Wtyczki"; +$a->strings["Themes"] = "Temat"; +$a->strings["DB updates"] = ""; +$a->strings["Logs"] = ""; +$a->strings["Admin"] = "Administator"; +$a->strings["Plugin Features"] = "Polecane wtyczki"; +$a->strings["User registrations waiting for confirmation"] = ""; +$a->strings["Normal Account"] = "Konto normalne"; +$a->strings["Soapbox Account"] = ""; +$a->strings["Community/Celebrity Account"] = "Konto społeczności/gwiazdy"; +$a->strings["Automatic Friend Account"] = ""; +$a->strings["Blog Account"] = ""; +$a->strings["Private Forum"] = ""; +$a->strings["Message queues"] = ""; +$a->strings["Administration"] = "Administracja"; +$a->strings["Summary"] = "Skrót"; +$a->strings["Registered users"] = "Zarejestrowani użytkownicy"; +$a->strings["Pending registrations"] = ""; +$a->strings["Version"] = "Wersja"; +$a->strings["Active plugins"] = ""; +$a->strings["Site settings updated."] = "Ustawienia strony zaktualizowane"; +$a->strings["Closed"] = ""; +$a->strings["Requires approval"] = ""; +$a->strings["Open"] = "Otwórz"; +$a->strings["No SSL policy, links will track page SSL state"] = ""; +$a->strings["Force all links to use SSL"] = ""; +$a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = ""; +$a->strings["File upload"] = "Plik załadowano"; +$a->strings["Policies"] = ""; +$a->strings["Advanced"] = "Zaawansowany"; +$a->strings["Site name"] = "Nazwa strony"; +$a->strings["Banner/Logo"] = "Logo"; +$a->strings["System language"] = "Język systemu"; +$a->strings["System theme"] = ""; +$a->strings["Default system theme - may be over-ridden by user profiles - change theme settings"] = ""; +$a->strings["Mobile system theme"] = ""; +$a->strings["Theme for mobile devices"] = ""; +$a->strings["SSL link policy"] = ""; +$a->strings["Determines whether generated links should be forced to use SSL"] = ""; +$a->strings["Maximum image size"] = "Maksymalny rozmiar zdjęcia"; +$a->strings["Maximum size in bytes of uploaded images. Default is 0, which means no limits."] = ""; +$a->strings["Maximum image length"] = "Maksymalna długość obrazu"; +$a->strings["Maximum length in pixels of the longest side of uploaded images. Default is -1, which means no limits."] = "Maksymalna długość najdłuższej strony przesyłanego obrazu w pikselach.\nDomyślnie jest to -1, co oznacza brak limitu."; +$a->strings["JPEG image quality"] = "jakość obrazu JPEG"; +$a->strings["Uploaded JPEGS will be saved at this quality setting [0-100]. Default is 100, which is full quality."] = ""; +$a->strings["Register policy"] = ""; +$a->strings["Register text"] = ""; +$a->strings["Will be displayed prominently on the registration page."] = ""; +$a->strings["Accounts abandoned after x days"] = "Konto porzucone od x dni."; +$a->strings["Will not waste system resources polling external sites for abandonded accounts. Enter 0 for no time limit."] = ""; +$a->strings["Allowed friend domains"] = ""; +$a->strings["Comma separated list of domains which are allowed to establish friendships with this site. Wildcards are accepted. Empty to allow any domains"] = ""; +$a->strings["Allowed email domains"] = ""; +$a->strings["Comma separated list of domains which are allowed in email addresses for registrations to this site. Wildcards are accepted. Empty to allow any domains"] = ""; +$a->strings["Block public"] = ""; +$a->strings["Check to block public access to all otherwise public personal pages on this site unless you are currently logged in."] = ""; +$a->strings["Force publish"] = ""; +$a->strings["Check to force all profiles on this site to be listed in the site directory."] = ""; +$a->strings["Global directory update URL"] = ""; +$a->strings["URL to update the global directory. If this is not set, the global directory is completely unavailable to the application."] = ""; +$a->strings["Allow threaded items"] = ""; +$a->strings["Allow infinite level threading for items on this site."] = ""; +$a->strings["Private posts by default for new users"] = ""; +$a->strings["Set default post permissions for all new members to the default privacy group rather than public."] = ""; +$a->strings["Block multiple registrations"] = ""; +$a->strings["Disallow users to register additional accounts for use as pages."] = ""; +$a->strings["OpenID support"] = ""; +$a->strings["OpenID support for registration and logins."] = ""; +$a->strings["Fullname check"] = ""; +$a->strings["Force users to register with a space between firstname and lastname in Full name, as an antispam measure"] = ""; +$a->strings["UTF-8 Regular expressions"] = ""; +$a->strings["Use PHP UTF8 regular expressions"] = ""; +$a->strings["Show Community Page"] = "Pokaż stronę społeczności"; +$a->strings["Display a Community page showing all recent public postings on this site."] = ""; +$a->strings["Enable OStatus support"] = ""; +$a->strings["Provide built-in OStatus (identi.ca, status.net, etc.) compatibility. All communications in OStatus are public, so privacy warnings will be occasionally displayed."] = ""; +$a->strings["Enable Diaspora support"] = ""; +$a->strings["Provide built-in Diaspora network compatibility."] = ""; +$a->strings["Only allow Friendica contacts"] = ""; +$a->strings["All contacts must use Friendica protocols. All other built-in communication protocols disabled."] = ""; +$a->strings["Verify SSL"] = ""; +$a->strings["If you wish, you can turn on strict certificate checking. This will mean you cannot connect (at all) to self-signed SSL sites."] = ""; +$a->strings["Proxy user"] = "Użytkownik proxy"; +$a->strings["Proxy URL"] = ""; +$a->strings["Network timeout"] = ""; +$a->strings["Value is in seconds. Set to 0 for unlimited (not recommended)."] = ""; +$a->strings["Delivery interval"] = ""; +$a->strings["Delay background delivery processes by this many seconds to reduce system load. Recommend: 4-5 for shared hosts, 2-3 for virtual private servers. 0-1 for large dedicated servers."] = ""; +$a->strings["Poll interval"] = ""; +$a->strings["Delay background polling processes by this many seconds to reduce system load. If 0, use delivery interval."] = ""; +$a->strings["Maximum Load Average"] = ""; +$a->strings["Maximum system load before delivery and poll processes are deferred - default 50."] = ""; +$a->strings["Update has been marked successful"] = ""; +$a->strings["Executing %s failed. Check system logs."] = ""; +$a->strings["Update %s was successfully applied."] = ""; +$a->strings["Update %s did not return a status. Unknown if it succeeded."] = ""; +$a->strings["Update function %s could not be found."] = ""; +$a->strings["No failed updates."] = "Brak błędów aktualizacji."; +$a->strings["Failed Updates"] = "Błąd aktualizacji"; +$a->strings["This does not include updates prior to 1139, which did not return a status."] = ""; +$a->strings["Mark success (if update was manually applied)"] = ""; +$a->strings["Attempt to execute this update step automatically"] = ""; +$a->strings["%s user blocked/unblocked"] = array( + 0 => "", + 1 => "", + 2 => "", +); +$a->strings["%s user deleted"] = array( + 0 => "", + 1 => "", + 2 => "", +); +$a->strings["User '%s' deleted"] = "Użytkownik '%s' usunięty"; +$a->strings["User '%s' unblocked"] = "Użytkownik '%s' odblokowany"; +$a->strings["User '%s' blocked"] = "Użytkownik '%s' zablokowany"; +$a->strings["select all"] = "Zaznacz wszystko"; +$a->strings["User registrations waiting for confirm"] = "zarejestrowany użytkownik czeka na potwierdzenie"; +$a->strings["Request date"] = "Data prośby"; +$a->strings["Email"] = "E-mail"; +$a->strings["No registrations."] = "brak rejestracji"; +$a->strings["Deny"] = "Odmów"; +$a->strings["Site admin"] = "Administracja stroną"; +$a->strings["Register date"] = "Data rejestracji"; +$a->strings["Last login"] = "Ostatnie logowanie"; +$a->strings["Last item"] = "Ostatni element"; +$a->strings["Account"] = "Konto"; +$a->strings["Selected users will be deleted!\\n\\nEverything these users had posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Zaznaczeni użytkownicy zostaną usunięci!\\n\\nWszystko co zamieścili na tej stronie będzie trwale skasowane!\\n\\nJesteś pewien?"; +$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?"] = "Użytkownik {0} zostanie usunięty!\\n\\nWszystko co zamieścił na tej stronie będzie trwale skasowane!\\n\\nJesteś pewien?"; +$a->strings["Plugin %s disabled."] = "Wtyczka %s wyłączona."; +$a->strings["Plugin %s enabled."] = "Wtyczka %s właczona."; +$a->strings["Disable"] = "Wyłącz"; +$a->strings["Enable"] = "Zezwól"; +$a->strings["Toggle"] = ""; +$a->strings["Author: "] = "Autor: "; +$a->strings["Maintainer: "] = ""; +$a->strings["No themes found."] = "Nie znaleziono tematu."; +$a->strings["Screenshot"] = "Zrzut ekranu"; +$a->strings["[Experimental]"] = "[Eksperymentalne]"; +$a->strings["[Unsupported]"] = "[Niewspieralne]"; +$a->strings["Log settings updated."] = ""; +$a->strings["Clear"] = ""; +$a->strings["Debugging"] = ""; +$a->strings["Log file"] = ""; +$a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = ""; +$a->strings["Log level"] = ""; +$a->strings["Close"] = "Zamknij"; +$a->strings["FTP Host"] = ""; +$a->strings["FTP Path"] = ""; +$a->strings["FTP User"] = ""; +$a->strings["FTP Password"] = "FTP Hasło"; +$a->strings["Requested profile is not available."] = "Żądany profil jest niedostępny"; +$a->strings["Access to this profile has been restricted."] = "Ograniczony dostęp do tego konta"; +$a->strings["Tips for New Members"] = "Wskazówki dla nowych użytkowników"; +$a->strings["{0} wants to be your friend"] = "{0} chce być Twoim znajomym"; +$a->strings["{0} sent you a message"] = "{0} wysyła Ci wiadomość"; +$a->strings["{0} requested registration"] = ""; +$a->strings["{0} commented %s's post"] = "{0} skomentował %s wpis"; +$a->strings["{0} liked %s's post"] = "{0} polubił wpis %s"; +$a->strings["{0} disliked %s's post"] = "{0} przestał lubić post %s"; +$a->strings["{0} is now friends with %s"] = "{0} jest teraz znajomym %s"; +$a->strings["{0} posted"] = ""; +$a->strings["{0} tagged %s's post with #%s"] = ""; +$a->strings["{0} mentioned you in a post"] = "{0} wspomniał Cię w swoim wpisie"; +$a->strings["Contacts who are not members of a group"] = ""; +$a->strings["OpenID protocol error. No ID returned."] = ""; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = ""; +$a->strings["Login failed."] = "Niepowodzenie logowania"; +$a->strings["Contact added"] = "Kontakt dodany"; +$a->strings["Common Friends"] = "Wspólni znajomi"; +$a->strings["No contacts in common."] = ""; +$a->strings["%1\$s is following %2\$s's %3\$s"] = ""; +$a->strings["link"] = ""; +$a->strings["Item has been removed."] = "Przedmiot został usunięty"; +$a->strings["Applications"] = "Aplikacje"; +$a->strings["No installed applications."] = "Brak zainstalowanych aplikacji."; +$a->strings["Search"] = "Szukaj"; +$a->strings["Profile not found."] = "Nie znaleziono profilu."; +$a->strings["Profile Name is required."] = "Nazwa Profilu jest wymagana"; +$a->strings["Marital Status"] = ""; +$a->strings["Romantic Partner"] = ""; +$a->strings["Likes"] = ""; +$a->strings["Dislikes"] = ""; +$a->strings["Work/Employment"] = ""; +$a->strings["Religion"] = "Religia"; +$a->strings["Political Views"] = "Poglądy polityczne"; +$a->strings["Gender"] = "Płeć"; +$a->strings["Sexual Preference"] = "Orientacja seksualna"; +$a->strings["Homepage"] = ""; +$a->strings["Interests"] = "Zainteresowania"; +$a->strings["Address"] = "Adres"; +$a->strings["Location"] = "Położenie"; +$a->strings["Profile updated."] = "Konto zaktualizowane."; +$a->strings[" and "] = " i "; +$a->strings["public profile"] = "profil publiczny"; +$a->strings["%1\$s changed %2\$s to “%3\$s”"] = ""; +$a->strings[" - Visit %1\$s's %2\$s"] = ""; +$a->strings["%1\$s has an updated %2\$s, changing %3\$s."] = ""; +$a->strings["Profile deleted."] = "Konto usunięte."; +$a->strings["Profile-"] = "Profil-"; +$a->strings["New profile created."] = "Utworzono nowy profil."; +$a->strings["Profile unavailable to clone."] = "Nie można powileić profilu "; +$a->strings["Hide your contact/friend list from viewers of this profile?"] = "Czy chcesz ukryć listę kontaktów dla przeglądających to konto?"; +$a->strings["Edit Profile Details"] = "Edytuj profil."; +$a->strings["View this profile"] = "Zobacz ten profil"; +$a->strings["Create a new profile using these settings"] = "Stwórz nowy profil wykorzystując te ustawienia"; +$a->strings["Clone this profile"] = "Sklonuj ten profil"; +$a->strings["Delete this profile"] = "Usuń ten profil"; +$a->strings["Profile Name:"] = "Nazwa profilu :"; +$a->strings["Your Full Name:"] = "Twoje imię i nazwisko:"; +$a->strings["Title/Description:"] = "Tytuł/Opis :"; +$a->strings["Your Gender:"] = "Twoja płeć:"; +$a->strings["Birthday (%s):"] = "Urodziny (%s):"; +$a->strings["Street Address:"] = "Ulica:"; +$a->strings["Locality/City:"] = "Miejscowość/Miasto :"; +$a->strings["Postal/Zip Code:"] = "Kod Pocztowy :"; +$a->strings["Country:"] = "Kraj:"; +$a->strings["Region/State:"] = "Region / Stan :"; +$a->strings[" Marital Status:"] = " Stan :"; +$a->strings["Who: (if applicable)"] = "Kto: (jeśli dotyczy)"; +$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Przykłady : cathy123, Cathy Williams, cathy@example.com"; +$a->strings["Since [date]:"] = "Od [data]:"; +$a->strings["Sexual Preference:"] = "Interesują mnie:"; +$a->strings["Homepage URL:"] = "Strona główna URL:"; +$a->strings["Hometown:"] = "Miasto rodzinne:"; +$a->strings["Political Views:"] = "Poglądy polityczne:"; +$a->strings["Religious Views:"] = "Poglądy religijne:"; +$a->strings["Public Keywords:"] = "Publiczne słowa kluczowe :"; +$a->strings["Private Keywords:"] = "Prywatne słowa kluczowe :"; +$a->strings["Likes:"] = "Lubi:"; +$a->strings["Dislikes:"] = ""; +$a->strings["Example: fishing photography software"] = ""; +$a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(Używany do sugerowania potencjalnych znajomych, jest widoczny dla innych)"; +$a->strings["(Used for searching profiles, never shown to others)"] = "(Używany do wyszukiwania profili, niepokazywany innym)"; +$a->strings["Tell us about yourself..."] = "Napisz o sobie..."; +$a->strings["Hobbies/Interests"] = "Zainteresowania"; +$a->strings["Contact information and Social Networks"] = "Informacje kontaktowe i Sieci Społeczne"; +$a->strings["Musical interests"] = "Muzyka"; +$a->strings["Books, literature"] = "Literatura"; +$a->strings["Television"] = "Telewizja"; +$a->strings["Film/dance/culture/entertainment"] = "Film/taniec/kultura/rozrywka"; +$a->strings["Love/romance"] = "Miłość/romans"; +$a->strings["Work/employment"] = "Praca/zatrudnienie"; +$a->strings["School/education"] = "Szkoła/edukacja"; +$a->strings["This is your public profile.
    It may be visible to anybody using the internet."] = "To jest Twój publiczny profil.
    Może zostać wyświetlony przez każdego kto używa internetu."; +$a->strings["Age: "] = "Wiek: "; +$a->strings["Edit/Manage Profiles"] = "Edytuj/Zarządzaj Profilami"; +$a->strings["Change profile photo"] = "Zmień zdjęcie profilowe"; +$a->strings["Create New Profile"] = "Stwórz nowy profil"; +$a->strings["Profile Image"] = "Obraz profilowy"; +$a->strings["visible to everybody"] = "widoczne dla wszystkich"; +$a->strings["Edit visibility"] = "Edytuj widoczność"; +$a->strings["Save to Folder:"] = "Zapisz w folderze:"; +$a->strings["- select -"] = "- wybierz -"; +$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = ""; +$a->strings["No potential page delegates located."] = ""; +$a->strings["Delegate Page Management"] = ""; +$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = ""; +$a->strings["Existing Page Managers"] = ""; +$a->strings["Existing Page Delegates"] = ""; +$a->strings["Potential Delegates"] = ""; +$a->strings["Add"] = "Dodaj"; +$a->strings["No entries."] = "Brak wpisów."; +$a->strings["Source (bbcode) text:"] = ""; +$a->strings["Source (Diaspora) text to convert to BBcode:"] = ""; +$a->strings["Source input: "] = ""; +$a->strings["bb2html: "] = ""; +$a->strings["bb2html2bb: "] = ""; +$a->strings["bb2md: "] = ""; +$a->strings["bb2md2html: "] = ""; +$a->strings["bb2dia2bb: "] = ""; +$a->strings["bb2md2html2bb: "] = ""; +$a->strings["Source input (Diaspora format): "] = ""; +$a->strings["diaspora2bb: "] = ""; +$a->strings["Friend Suggestions"] = "Osoby, które możesz znać"; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = ""; +$a->strings["Ignore/Hide"] = "Ignoruj/Ukryj"; +$a->strings["Global Directory"] = "Globalne Położenie"; +$a->strings["Find on this site"] = "Znajdź na tej stronie"; +$a->strings["Site Directory"] = "Katalog Strony"; +$a->strings["Gender: "] = "Płeć: "; +$a->strings["Gender:"] = "Płeć:"; +$a->strings["Status:"] = "Status"; +$a->strings["Homepage:"] = "Strona główna:"; +$a->strings["About:"] = "O:"; +$a->strings["No entries (some entries may be hidden)."] = "Brak odwiedzin (niektóre odwiedziny mogą być ukryte)."; +$a->strings["%s : Not a valid email address."] = "%s : Niepoprawny adres email."; +$a->strings["Please join us on Friendica"] = "Dołącz do nas na Friendica"; +$a->strings["%s : Message delivery failed."] = "%s : Dostarczenie wiadomości nieudane."; +$a->strings["%d message sent."] = array( + 0 => "%d wiadomość wysłana.", + 1 => "%d wiadomości wysłane.", + 2 => "%d wysłano .", +); +$a->strings["You have no more invitations available"] = "Nie masz więcej zaproszeń"; +$a->strings["Visit %s for a list of public sites that you can join. Friendica members on other sites can all connect with each other, as well as with members of many other social networks."] = ""; +$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = ""; +$a->strings["Friendica sites all inter-connect to create a huge privacy-enhanced social web that is owned and controlled by its members. They can also connect with many traditional social networks. See %s for a list of alternate Friendica sites you can join."] = ""; +$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = ""; +$a->strings["Send invitations"] = "Wyślij zaproszenia"; +$a->strings["Enter email addresses, one per line:"] = "Wprowadź adresy email, jeden na linijkę:"; +$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = ""; +$a->strings["You will need to supply this invitation code: \$invite_code"] = ""; +$a->strings["Once you have registered, please connect with me via my profile page at:"] = "Gdy już się zarejestrujesz, skontaktuj się ze mną przez moją stronkę profilową :"; +$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = ""; +$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = ""; +$a->strings["Response from remote site was not understood."] = "Odpowiedź do zdalnej strony nie została zrozumiana"; +$a->strings["Unexpected response from remote site: "] = "Nieoczekiwana odpowiedź od strony zdalnej"; +$a->strings["Confirmation completed successfully."] = "Potwierdzenie ukończone poprawnie"; +$a->strings["Remote site reported: "] = ""; +$a->strings["Temporary failure. Please wait and try again."] = "Tymczasowo uszkodzone. Proszę poczekać i spróbować później."; +$a->strings["Introduction failed or was revoked."] = ""; +$a->strings["Unable to set contact photo."] = "Nie można ustawić zdjęcia kontaktu."; +$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s jest teraz znajomym z %2\$s"; +$a->strings["No user record found for '%s' "] = "Nie znaleziono użytkownika dla '%s'"; +$a->strings["Our site encryption key is apparently messed up."] = ""; +$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = ""; +$a->strings["Contact record was not found for you on our site."] = "Nie znaleziono kontaktu na naszej stronie"; +$a->strings["Site public key not available in contact record for URL %s."] = ""; +$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = ""; +$a->strings["Unable to set your contact credentials on our system."] = ""; +$a->strings["Unable to update your contact profile details on our system"] = ""; +$a->strings["Connection accepted at %s"] = "Połączenie zaakceptowane %s"; +$a->strings["%1\$s has joined %2\$s"] = ""; +$a->strings["Google+ Import Settings"] = ""; +$a->strings["Enable Google+ Import"] = ""; +$a->strings["Google Account ID"] = ""; +$a->strings["Google+ Import Settings saved."] = ""; +$a->strings["Facebook disabled"] = "Facebook wyłączony"; +$a->strings["Updating contacts"] = "Aktualizacja kontaktów"; +$a->strings["Facebook API key is missing."] = ""; +$a->strings["Facebook Connect"] = "Połącz konto z kontem Facebook"; +$a->strings["Install Facebook connector for this account."] = "Zainstaluj wtyczkę Facebook "; +$a->strings["Remove Facebook connector"] = "Usuń wtyczkę Facebook"; +$a->strings["Re-authenticate [This is necessary whenever your Facebook password is changed.]"] = ""; +$a->strings["Post to Facebook by default"] = "Domyślnie opublikuj na stronie Facebook"; +$a->strings["Facebook friend linking has been disabled on this site. The following settings will have no effect."] = ""; +$a->strings["Facebook friend linking has been disabled on this site. If you disable it, you will be unable to re-enable it."] = ""; +$a->strings["Link all your Facebook friends and conversations on this website"] = "Połącz wszystkie twoje kontakty i konwersacje na tej stronie z serwisem Facebook"; +$a->strings["Facebook conversations consist of your profile wall and your friend stream."] = ""; +$a->strings["On this website, your Facebook friend stream is only visible to you."] = ""; +$a->strings["The following settings determine the privacy of your Facebook profile wall on this website."] = ""; +$a->strings["On this website your Facebook profile wall conversations will only be visible to you"] = ""; +$a->strings["Do not import your Facebook profile wall conversations"] = ""; +$a->strings["If you choose to link conversations and leave both of these boxes unchecked, your Facebook profile wall will be merged with your profile wall on this website and your privacy settings on this website will be used to determine who may see the conversations."] = ""; +$a->strings["Comma separated applications to ignore"] = ""; +$a->strings["Problems with Facebook Real-Time Updates"] = ""; +$a->strings["Facebook Connector Settings"] = "Ustawienia połączenia z Facebook"; +$a->strings["Facebook API Key"] = "Facebook API Key"; +$a->strings["Error: it appears that you have specified the App-ID and -Secret in your .htconfig.php file. As long as they are specified there, they cannot be set using this form.

    "] = ""; +$a->strings["Error: the given API Key seems to be incorrect (the application access token could not be retrieved)."] = ""; +$a->strings["The given API Key seems to work correctly."] = ""; +$a->strings["The correctness of the API Key could not be detected. Something strange's going on."] = ""; +$a->strings["App-ID / API-Key"] = ""; +$a->strings["Application secret"] = ""; +$a->strings["Polling Interval in minutes (minimum %1\$s minutes)"] = ""; +$a->strings["Synchronize comments (no comments on Facebook are missed, at the cost of increased system load)"] = ""; +$a->strings["Real-Time Updates"] = ""; +$a->strings["Real-Time Updates are activated."] = ""; +$a->strings["Deactivate Real-Time Updates"] = ""; +$a->strings["Real-Time Updates not activated."] = ""; +$a->strings["Activate Real-Time Updates"] = ""; +$a->strings["The new values have been saved."] = ""; +$a->strings["Post to Facebook"] = "Post na Facebook"; +$a->strings["Post to Facebook cancelled because of multi-network access permission conflict."] = "Publikacja na stronie Facebook nie powiodła się z powodu braku dostępu do sieci"; +$a->strings["View on Friendica"] = "Zobacz na Friendice"; +$a->strings["Facebook post failed. Queued for retry."] = ""; +$a->strings["Your Facebook connection became invalid. Please Re-authenticate."] = ""; +$a->strings["Facebook connection became invalid"] = ""; +$a->strings["Hi %1\$s,\n\nThe connection between your accounts on %2\$s and Facebook became invalid. This usually happens after you change your Facebook-password. To enable the connection again, you have to %3\$sre-authenticate the Facebook-connector%4\$s."] = ""; +$a->strings["StatusNet AutoFollow settings updated."] = ""; +$a->strings["StatusNet AutoFollow Settings"] = ""; +$a->strings["Automatically follow any StatusNet followers/mentioners"] = ""; +$a->strings["Lifetime of the cache (in hours)"] = ""; +$a->strings["Cache Statistics"] = ""; +$a->strings["Number of items"] = "Numery elementów"; +$a->strings["Size of the cache"] = ""; +$a->strings["Delete the whole cache"] = ""; +$a->strings["Facebook Post disabled"] = ""; +$a->strings["Facebook Post"] = "Wpis z Facebooka"; +$a->strings["Install Facebook Post connector for this account."] = ""; +$a->strings["Remove Facebook Post connector"] = ""; +$a->strings["Facebook Post Settings"] = "Ustawienia wpisu z Facebooka"; +$a->strings["%d person likes this"] = array( + 0 => " %d osoba lubi to", + 1 => " %d osób lubi to", + 2 => " %d osób lubi to", +); +$a->strings["%d person doesn't like this"] = array( + 0 => " %d osoba nie lubi tego", + 1 => " %d osób tego nie lubi", + 2 => " %d osób tego nie lubi", +); +$a->strings["Get added to this list!"] = ""; +$a->strings["Generate new key"] = "Stwórz nowy klucz"; +$a->strings["Widgets key"] = ""; +$a->strings["Widgets available"] = ""; +$a->strings["Connect on Friendica!"] = "Połączono z Friendica!"; +$a->strings["bitchslap"] = ""; +$a->strings["bitchslapped"] = ""; +$a->strings["shag"] = ""; +$a->strings["shagged"] = ""; +$a->strings["do something obscenely biological to"] = ""; +$a->strings["did something obscenely biological to"] = ""; +$a->strings["point out the poke feature to"] = ""; +$a->strings["pointed out the poke feature to"] = ""; +$a->strings["declare undying love for"] = ""; +$a->strings["declared undying love for"] = ""; +$a->strings["patent"] = ""; +$a->strings["patented"] = ""; +$a->strings["stroke beard"] = ""; +$a->strings["stroked their beard at"] = ""; +$a->strings["bemoan the declining standards of modern secondary and tertiary education to"] = ""; +$a->strings["bemoans the declining standards of modern secondary and tertiary education to"] = ""; +$a->strings["hug"] = "przytul"; +$a->strings["hugged"] = "przytulony"; +$a->strings["kiss"] = "pocałuj"; +$a->strings["kissed"] = "pocałowany"; +$a->strings["raise eyebrows at"] = ""; +$a->strings["raised their eyebrows at"] = ""; +$a->strings["insult"] = ""; +$a->strings["insulted"] = ""; +$a->strings["praise"] = ""; +$a->strings["praised"] = ""; +$a->strings["be dubious of"] = ""; +$a->strings["was dubious of"] = ""; +$a->strings["eat"] = ""; +$a->strings["ate"] = ""; +$a->strings["giggle and fawn at"] = ""; +$a->strings["giggled and fawned at"] = ""; +$a->strings["doubt"] = ""; +$a->strings["doubted"] = ""; +$a->strings["glare"] = ""; +$a->strings["glared at"] = ""; +$a->strings["YourLS Settings"] = ""; +$a->strings["URL: http://"] = ""; +$a->strings["Username:"] = "Nazwa użytkownika:"; +$a->strings["Password:"] = "Hasło:"; +$a->strings["Use SSL "] = ""; +$a->strings["yourls Settings saved."] = ""; +$a->strings["Post to LiveJournal"] = "Post do LiveJournal"; +$a->strings["LiveJournal Post Settings"] = "Ustawienia postów do LiveJournal"; +$a->strings["Enable LiveJournal Post Plugin"] = ""; +$a->strings["LiveJournal username"] = "Nazwa użytkownika do LiveJournal"; +$a->strings["LiveJournal password"] = "Hasło do LiveJournal"; +$a->strings["Post to LiveJournal by default"] = ""; +$a->strings["Not Safe For Work (General Purpose Content Filter) settings"] = ""; +$a->strings["This plugin looks in posts for the words/text you specify below, and collapses any content containing those keywords so it is not displayed at inappropriate times, such as sexual innuendo that may be improper in a work setting. It is polite and recommended to tag any content containing nudity with #NSFW. This filter can also match any other word/text you specify, and can thereby be used as a general purpose content filter."] = ""; +$a->strings["Enable Content filter"] = ""; +$a->strings["Comma separated list of keywords to hide"] = ""; +$a->strings["Use /expression/ to provide regular expressions"] = ""; +$a->strings["NSFW Settings saved."] = ""; +$a->strings["%s - Click to open/close"] = ""; +$a->strings["Forums"] = ""; +$a->strings["Forums:"] = ""; +$a->strings["Page settings updated."] = ""; +$a->strings["Page Settings"] = ""; +$a->strings["How many forums to display on sidebar without paging"] = ""; +$a->strings["Randomise Page/Forum list"] = ""; +$a->strings["Show pages/forums on profile page"] = ""; +$a->strings["Planets Settings"] = ""; +$a->strings["Enable Planets Plugin"] = ""; +$a->strings["Login"] = "Login"; +$a->strings["OpenID"] = ""; +$a->strings["Latest users"] = "Ostatni użytkownicy"; +$a->strings["Most active users"] = "najaktywniejsi użytkownicy"; +$a->strings["Latest photos"] = "Ostatnie zdjęcia"; +$a->strings["Latest likes"] = "Ostatnie polubienia"; +$a->strings["event"] = "wydarzenie"; +$a->strings["No access"] = "Brak dostępu"; +$a->strings["Could not open component for editing"] = ""; +$a->strings["Go back to the calendar"] = "Wróć do kalendarza"; +$a->strings["Event data"] = "Data wydarzenia"; +$a->strings["Calendar"] = "Kalendarz"; +$a->strings["Special color"] = ""; +$a->strings["Subject"] = ""; +$a->strings["Starts"] = "Zaczyna się"; +$a->strings["Ends"] = "Kończy się"; +$a->strings["Description"] = "Opis"; +$a->strings["Recurrence"] = ""; +$a->strings["Frequency"] = "często"; +$a->strings["Daily"] = "Dziennie"; +$a->strings["Weekly"] = "Tygodniowo"; +$a->strings["Monthly"] = "Miesięcznie"; +$a->strings["Yearly"] = "raz na rok"; +$a->strings["days"] = "dni"; +$a->strings["weeks"] = "tygodnie"; +$a->strings["months"] = "miesiące"; +$a->strings["years"] = "lata"; +$a->strings["Interval"] = ""; +$a->strings["All %select% %time%"] = ""; +$a->strings["Days"] = "Dni"; +$a->strings["Sunday"] = "Niedziela"; +$a->strings["Monday"] = "Poniedziałek"; +$a->strings["Tuesday"] = "Wtorek"; +$a->strings["Wednesday"] = "Środa"; +$a->strings["Thursday"] = "Czwartek"; +$a->strings["Friday"] = "Piątek"; +$a->strings["Saturday"] = "Sobota"; +$a->strings["First day of week:"] = "Pierwszy dzień tygodnia:"; +$a->strings["Day of month"] = ""; +$a->strings["#num#th of each month"] = ""; +$a->strings["#num#th-last of each month"] = ""; +$a->strings["#num#th #wkday# of each month"] = ""; +$a->strings["#num#th-last #wkday# of each month"] = ""; +$a->strings["Month"] = "Miesiąc"; +$a->strings["#num#th of the given month"] = ""; +$a->strings["#num#th-last of the given month"] = ""; +$a->strings["#num#th #wkday# of the given month"] = ""; +$a->strings["#num#th-last #wkday# of the given month"] = ""; +$a->strings["Repeat until"] = "Powtarzaj do"; +$a->strings["Infinite"] = ""; +$a->strings["Until the following date"] = "Do tej daty"; +$a->strings["Number of times"] = ""; +$a->strings["Exceptions"] = "Wyjątki"; +$a->strings["none"] = ""; +$a->strings["Notification"] = "Powiadomienie"; +$a->strings["Notify by"] = ""; +$a->strings["E-Mail"] = ""; +$a->strings["On Friendica / Display"] = ""; +$a->strings["Time"] = ""; +$a->strings["Hours"] = "Godzin"; +$a->strings["Minutes"] = "Minut"; +$a->strings["Seconds"] = ""; +$a->strings["Weeks"] = ""; +$a->strings["before the"] = ""; +$a->strings["start of the event"] = "rozpoczęcie wydarzenia"; +$a->strings["end of the event"] = "zakończenie wydarzenia"; +$a->strings["Add a notification"] = ""; +$a->strings["The event #name# will start at #date"] = ""; +$a->strings["#name# is about to begin."] = ""; +$a->strings["Saved"] = "Zapisano"; +$a->strings["U.S. Time Format (mm/dd/YYYY)"] = "Amerykański format daty (mm/dd/YYYY)"; +$a->strings["German Time Format (dd.mm.YYYY)"] = "Niemiecki format daty (dd.mm.YYYY)"; +$a->strings["Private Events"] = "Prywatne wydarzenia"; +$a->strings["Private Addressbooks"] = ""; +$a->strings["Friendica-Native events"] = ""; +$a->strings["Friendica-Contacts"] = "Kontakty friendica"; +$a->strings["Your Friendica-Contacts"] = "Twoje kontakty friendica"; +$a->strings["Something went wrong when trying to import the file. Sorry. Maybe some events were imported anyway."] = ""; +$a->strings["Something went wrong when trying to import the file. Sorry."] = ""; +$a->strings["The ICS-File has been imported."] = ""; +$a->strings["No file was uploaded."] = ""; +$a->strings["Import a ICS-file"] = ""; +$a->strings["ICS-File"] = ""; +$a->strings["Overwrite all #num# existing events"] = ""; +$a->strings["New event"] = "Nowe wydarzenie"; +$a->strings["Today"] = "Dzisiaj"; +$a->strings["Day"] = "Dzień"; +$a->strings["Week"] = "Tydzień"; +$a->strings["Reload"] = "Załaduj ponownie"; +$a->strings["Date"] = "Data"; +$a->strings["Error"] = "Błąd"; +$a->strings["The calendar has been updated."] = ""; +$a->strings["The new calendar has been created."] = ""; +$a->strings["The calendar has been deleted."] = ""; +$a->strings["Calendar Settings"] = "Ustawienia kalendarza"; +$a->strings["Date format"] = "Format daty"; +$a->strings["Time zone"] = "Strefa czasowa"; +$a->strings["Calendars"] = "Kalendarze"; +$a->strings["Create a new calendar"] = "Stwórz nowy kalendarz"; +$a->strings["Limitations"] = "Ograniczenie"; +$a->strings["Warning"] = "Ostrzeżenie"; +$a->strings["Synchronization (iPhone, Thunderbird Lightning, Android, ...)"] = "Synchronizacja (iPhone, Thunderbird Lightning, Android, ...)"; +$a->strings["Synchronizing this calendar with the iPhone"] = "Zsynchronizuj kalendarz z iPhone"; +$a->strings["Synchronizing your Friendica-Contacts with the iPhone"] = "Zsynchronizuj kontakty friendica z iPhone"; +$a->strings["The current version of this plugin has not been set up correctly. Please contact the system administrator of your installation of friendica to fix this."] = ""; +$a->strings["Extended calendar with CalDAV-support"] = ""; +$a->strings["noreply"] = "brak odpowiedzi"; +$a->strings["Notification: "] = "Potwierdzeni:"; +$a->strings["The database tables have been installed."] = ""; +$a->strings["An error occurred during the installation."] = ""; +$a->strings["The database tables have been updated."] = ""; +$a->strings["An error occurred during the update."] = ""; +$a->strings["No system-wide settings yet."] = ""; +$a->strings["Database status"] = ""; +$a->strings["Installed"] = "Zainstalowany"; +$a->strings["Upgrade needed"] = "Wymaga uaktualnienia"; +$a->strings["Please back up all calendar data (the tables beginning with dav_*) before proceeding. While all calendar events should be converted to the new database structure, it's always safe to have a backup. Below, you can have a look at the database-queries that will be made when pressing the 'update'-button."] = ""; +$a->strings["Upgrade"] = "Uaktualnienie"; +$a->strings["Not installed"] = "Nie zainstalowany"; +$a->strings["Install"] = "Zainstaluj"; +$a->strings["Unknown"] = "Nieznany"; +$a->strings["Something really went wrong. I cannot recover from this state automatically, sorry. Please go to the database backend, back up the data, and delete all tables beginning with 'dav_' manually. Afterwards, this installation routine should be able to reinitialize the tables automatically."] = ""; +$a->strings["Troubleshooting"] = "Rozwiązywanie problemów"; +$a->strings["Manual creation of the database tables:"] = ""; +$a->strings["Show SQL-statements"] = ""; +$a->strings["Private Calendar"] = "Kalendarz prywatny"; +$a->strings["Friendica Events: Mine"] = "Wydarzenia Friendici: Moje"; +$a->strings["Friendica Events: Contacts"] = "Wydarzenia Friendici: Kontakty"; +$a->strings["Private Addresses"] = ""; +$a->strings["Friendica Contacts"] = "Kontakty Friendica"; +$a->strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = ""; +$a->strings["Template URL (with {category})"] = ""; +$a->strings["OAuth end-point"] = ""; +$a->strings["Api"] = ""; +$a->strings["Member since:"] = "Data dołączenia:"; +$a->strings["Three Dimensional Tic-Tac-Toe"] = ""; +$a->strings["3D Tic-Tac-Toe"] = ""; +$a->strings["New game"] = "Nowa gra"; +$a->strings["New game with handicap"] = "Nowa gra z utrudnieniem"; +$a->strings["Three dimensional tic-tac-toe is just like the traditional game except that it is played on multiple levels simultaneously. "] = ""; +$a->strings["In this case there are three levels. You win by getting three in a row on any level, as well as up, down, and diagonally across the different levels."] = ""; +$a->strings["The handicap game disables the center position on the middle level because the player claiming this square often has an unfair advantage."] = ""; +$a->strings["You go first..."] = "Ty pierwszy..."; +$a->strings["I'm going first this time..."] = "Zaczynam..."; +$a->strings["You won!"] = "Wygrałeś!"; +$a->strings["\"Cat\" game!"] = "Gra \"Kot\"!"; +$a->strings["I won!"] = "Wygrałem!"; +$a->strings["Randplace Settings"] = ""; +$a->strings["Enable Randplace Plugin"] = ""; +$a->strings["Post to Dreamwidth"] = ""; +$a->strings["Dreamwidth Post Settings"] = ""; +$a->strings["Enable dreamwidth Post Plugin"] = ""; +$a->strings["dreamwidth username"] = ""; +$a->strings["dreamwidth password"] = ""; +$a->strings["Post to dreamwidth by default"] = ""; +$a->strings["Remote Permissions Settings"] = ""; +$a->strings["Allow recipients of your private posts to see the other recipients of the posts"] = ""; +$a->strings["Remote Permissions settings updated."] = ""; +$a->strings["Visible to"] = "Widoczne dla"; +$a->strings["may only be a partial list"] = ""; +$a->strings["Global"] = "Ogólne"; +$a->strings["The posts of every user on this server show the post recipients"] = ""; +$a->strings["Individual"] = "Indywidualne"; +$a->strings["Each user chooses whether his/her posts show the post recipients"] = ""; +$a->strings["Startpage Settings"] = "Ustawienia strony startowej"; +$a->strings["Home page to load after login - leave blank for profile wall"] = ""; +$a->strings["Examples: "network" or "notifications/system""] = ""; +$a->strings["Geonames settings updated."] = ""; +$a->strings["Geonames Settings"] = ""; +$a->strings["Enable Geonames Plugin"] = ""; +$a->strings["Your account on %s will expire in a few days."] = ""; +$a->strings["Your Friendica account is about to expire."] = ""; +$a->strings["Hi %1\$s,\n\nYour account on %2\$s will expire in less than five days. You may keep your account by logging in at least once every 30 days"] = ""; +$a->strings["Upload a file"] = "Załaduj plik"; +$a->strings["Drop files here to upload"] = "Wrzuć tu pliki by je załadować"; +$a->strings["Failed"] = "Niepowodzenie"; +$a->strings["No files were uploaded."] = "Nie załadowano żadnych plików."; +$a->strings["Uploaded file is empty"] = "Wysłany plik jest pusty"; +$a->strings["File has an invalid extension, it should be one of "] = "Pilk ma nieprawidłowe rozszerzenie, powinien być jednym z"; +$a->strings["Upload was cancelled, or server error encountered"] = "Przesyłanie zostało anulowane lub wystąpił błąd serwera."; +$a->strings["show/hide"] = "pokaż/ukryj"; +$a->strings["No forum subscriptions"] = ""; +$a->strings["Forumlist settings updated."] = ""; +$a->strings["Forumlist Settings"] = ""; +$a->strings["Randomise forum list"] = ""; +$a->strings["Show forums on profile page"] = ""; +$a->strings["Show forums on network page"] = ""; +$a->strings["Impressum"] = ""; +$a->strings["Site Owner"] = "Właściciel strony"; +$a->strings["Email Address"] = "Adres e-mail"; +$a->strings["Postal Address"] = "Adres pocztowy"; +$a->strings["The impressum addon needs to be configured!
    Please add at least the owner variable to your config file. For other variables please refer to the README file of the addon."] = ""; +$a->strings["The page operators name."] = ""; +$a->strings["Site Owners Profile"] = "Profil właściciela strony"; +$a->strings["Profile address of the operator."] = ""; +$a->strings["How to contact the operator via snail mail. You can use BBCode here."] = ""; +$a->strings["Notes"] = "Notatki"; +$a->strings["Additional notes that are displayed beneath the contact information. You can use BBCode here."] = ""; +$a->strings["How to contact the operator via email. (will be displayed obfuscated)"] = ""; +$a->strings["Footer note"] = "Notka w stopce"; +$a->strings["Text for the footer. You can use BBCode here."] = ""; +$a->strings["Report Bug"] = ""; +$a->strings["No Timeline settings updated."] = ""; +$a->strings["No Timeline Settings"] = "Brak ustawień Osi czasu"; +$a->strings["Disable Archive selector on profile wall"] = ""; +$a->strings["\"Blockem\" Settings"] = ""; +$a->strings["Comma separated profile URLS to block"] = ""; +$a->strings["BLOCKEM Settings saved."] = ""; +$a->strings["Blocked %s - Click to open/close"] = ""; +$a->strings["Unblock Author"] = "Odblokuj autora"; +$a->strings["Block Author"] = "Zablokuj autora"; +$a->strings["blockem settings updated"] = ""; +$a->strings[":-)"] = ":-)"; +$a->strings[":-("] = ":-("; +$a->strings["lol"] = "lol"; +$a->strings["Quick Comment Settings"] = "Ustawienia szybkiego komentowania"; +$a->strings["Quick comments are found near comment boxes, sometimes hidden. Click them to provide simple replies."] = ""; +$a->strings["Enter quick comments, one per line"] = ""; +$a->strings["Quick Comment settings saved."] = ""; +$a->strings["Tile Server URL"] = ""; +$a->strings["A list of public tile servers"] = ""; +$a->strings["Default zoom"] = "Domyślne przybliżenie"; +$a->strings["The default zoom level. (1:world, 18:highest)"] = ""; +$a->strings["Editplain settings updated."] = ""; +$a->strings["Group Text"] = ""; +$a->strings["Use a text only (non-image) group selector in the \"group edit\" menu"] = ""; +$a->strings["Could NOT install Libravatar successfully.
    It requires PHP >= 5.3"] = ""; +$a->strings["generic profile image"] = "generuj obraz profilowy"; +$a->strings["random geometric pattern"] = "przypadkowy wzorzec geometryczny"; +$a->strings["monster face"] = "monster face"; +$a->strings["computer generated face"] = ""; +$a->strings["retro arcade style face"] = ""; +$a->strings["Your PHP version %s is lower than the required PHP >= 5.3."] = ""; +$a->strings["This addon is not functional on your server."] = ""; +$a->strings["Information"] = ""; +$a->strings["Gravatar addon is installed. Please disable the Gravatar addon.
    The Libravatar addon will fall back to Gravatar if nothing was found at Libravatar."] = ""; +$a->strings["Default avatar image"] = "Domyślny awatar"; +$a->strings["Select default avatar image if none was found. See README"] = ""; +$a->strings["Libravatar settings updated."] = ""; +$a->strings["Post to libertree"] = ""; +$a->strings["libertree Post Settings"] = ""; +$a->strings["Enable Libertree Post Plugin"] = ""; +$a->strings["Libertree API token"] = ""; +$a->strings["Libertree site URL"] = ""; +$a->strings["Post to Libertree by default"] = ""; +$a->strings["Altpager settings updated."] = ""; +$a->strings["Alternate Pagination Setting"] = ""; +$a->strings["Use links to \"newer\" and \"older\" pages in place of page numbers?"] = ""; +$a->strings["The MathJax addon renders mathematical formulae written using the LaTeX syntax surrounded by the usual $$ or an eqnarray block in the postings of your wall,network tab and private mail."] = ""; +$a->strings["Use the MathJax renderer"] = ""; +$a->strings["MathJax Base URL"] = ""; +$a->strings["The URL for the javascript file that should be included to use MathJax. Can be either the MathJax CDN or another installation of MathJax."] = ""; +$a->strings["Editplain Settings"] = ""; +$a->strings["Disable richtext status editor"] = ""; +$a->strings["Libravatar addon is installed, too. Please disable Libravatar addon or this Gravatar addon.
    The Libravatar addon will fall back to Gravatar if nothing was found at Libravatar."] = ""; +$a->strings["Select default avatar image if none was found at Gravatar. See README"] = ""; +$a->strings["Rating of images"] = ""; +$a->strings["Select the appropriate avatar rating for your site. See README"] = ""; +$a->strings["Gravatar settings updated."] = "Zaktualizowane ustawienie Gravatara"; +$a->strings["Your Friendica test account is about to expire."] = ""; +$a->strings["Hi %1\$s,\n\nYour test account on %2\$s will expire in less than five days. We hope you enjoyed this test drive and use this opportunity to find a permanent Friendica website for your integrated social communications. A list of public sites is available at http://dir.friendica.com/siteinfo - and for more information on setting up your own Friendica server please see the Friendica project website at http://friendica.com."] = ""; +$a->strings["\"pageheader\" Settings"] = ""; +$a->strings["pageheader Settings saved."] = ""; +$a->strings["Post to Insanejournal"] = ""; +$a->strings["InsaneJournal Post Settings"] = ""; +$a->strings["Enable InsaneJournal Post Plugin"] = ""; +$a->strings["InsaneJournal username"] = ""; +$a->strings["InsaneJournal password"] = ""; +$a->strings["Post to InsaneJournal by default"] = ""; +$a->strings["Jappix Mini addon settings"] = ""; +$a->strings["Activate addon"] = ""; +$a->strings["Do not insert the Jappixmini Chat-Widget into the webinterface"] = ""; +$a->strings["Jabber username"] = ""; +$a->strings["Jabber server"] = ""; +$a->strings["Jabber BOSH host"] = ""; +$a->strings["Jabber password"] = "Hasło Jabber"; +$a->strings["Encrypt Jabber password with Friendica password (recommended)"] = ""; +$a->strings["Friendica password"] = "Hasło Friendica"; +$a->strings["Approve subscription requests from Friendica contacts automatically"] = ""; +$a->strings["Subscribe to Friendica contacts automatically"] = ""; +$a->strings["Purge internal list of jabber addresses of contacts"] = ""; +$a->strings["Add contact"] = "Dodaj kontakt"; +$a->strings["View Source"] = "Podgląd źródła"; +$a->strings["Post to StatusNet"] = ""; +$a->strings["Please contact your site administrator.
    The provided API URL is not valid."] = ""; +$a->strings["We could not contact the StatusNet API with the Path you entered."] = ""; +$a->strings["StatusNet settings updated."] = "Ustawienia StatusNet zaktualizowane"; +$a->strings["StatusNet Posting Settings"] = ""; +$a->strings["Globally Available StatusNet OAuthKeys"] = ""; +$a->strings["There are preconfigured OAuth key pairs for some StatusNet servers available. If you are useing one of them, please use these credentials. If not feel free to connect to any other StatusNet instance (see below)."] = ""; +$a->strings["Provide your own OAuth Credentials"] = ""; +$a->strings["No consumer key pair for StatusNet found. Register your Friendica Account as an desktop client on your StatusNet account, copy the consumer key pair here and enter the API base root.
    Before you register your own OAuth key pair ask the administrator if there is already a key pair for this Friendica installation at your favorited StatusNet installation."] = ""; +$a->strings["OAuth Consumer Key"] = ""; +$a->strings["OAuth Consumer Secret"] = ""; +$a->strings["Base API Path (remember the trailing /)"] = ""; +$a->strings["To connect to your StatusNet account click the button below to get a security code from StatusNet which you have to copy into the input box below and submit the form. Only your public posts will be posted to StatusNet."] = "Aby uzyskać połączenie z kontem w serwisie StatusNet naciśnij przycisk poniżej aby otrzymać kod bezpieczeństwa od StatusNet, który musisz skopiować do pola poniżej i wysłać formularz. Tylko twoje publiczne posty będą publikowane na StatusNet."; +$a->strings["Log in with StatusNet"] = "Zaloguj się przez StatusNet"; +$a->strings["Copy the security code from StatusNet here"] = "Tutaj skopiuj kod bezpieczeństwa z StatusNet"; +$a->strings["Cancel Connection Process"] = "Anuluj proces łączenia"; +$a->strings["Current StatusNet API is"] = ""; +$a->strings["Cancel StatusNet Connection"] = ""; +$a->strings["Currently connected to: "] = "Obecnie połączone z:"; +$a->strings["If enabled all your public postings can be posted to the associated StatusNet account. You can choose to do so by default (here) or for every posting separately in the posting options when writing the entry."] = ""; +$a->strings["Note: Due your privacy settings (Hide your profile details from unknown viewers?) the link potentially included in public postings relayed to StatusNet will lead the visitor to a blank page informing the visitor that the access to your profile has been restricted."] = ""; +$a->strings["Allow posting to StatusNet"] = ""; +$a->strings["Send public postings to StatusNet by default"] = ""; +$a->strings["Send linked #-tags and @-names to StatusNet"] = ""; +$a->strings["Clear OAuth configuration"] = ""; +$a->strings["API URL"] = ""; +$a->strings["Infinite Improbability Drive"] = ""; +$a->strings["Post to Tumblr"] = ""; +$a->strings["Tumblr Post Settings"] = ""; +$a->strings["Enable Tumblr Post Plugin"] = ""; +$a->strings["Tumblr login"] = ""; +$a->strings["Tumblr password"] = ""; +$a->strings["Post to Tumblr by default"] = ""; +$a->strings["Numfriends settings updated."] = ""; +$a->strings["Numfriends Settings"] = ""; +$a->strings["How many contacts to display on profile sidebar"] = ""; +$a->strings["Gnot settings updated."] = ""; +$a->strings["Gnot Settings"] = ""; +$a->strings["Allows threading of email comment notifications on Gmail and anonymising the subject line."] = ""; +$a->strings["Enable this plugin/addon?"] = ""; +$a->strings["[Friendica:Notify] Comment to conversation #%d"] = ""; +$a->strings["Post to Wordpress"] = "Opublikuj na Wordpress"; +$a->strings["WordPress Post Settings"] = ""; +$a->strings["Enable WordPress Post Plugin"] = ""; +$a->strings["WordPress username"] = "nazwa użytkownika WordPress"; +$a->strings["WordPress password"] = "hasło WordPress"; +$a->strings["WordPress API URL"] = ""; +$a->strings["Post to WordPress by default"] = ""; +$a->strings["Provide a backlink to the Friendica post"] = ""; +$a->strings["Post from Friendica"] = ""; +$a->strings["Read the original post and comment stream on Friendica"] = ""; +$a->strings["\"Show more\" Settings"] = "\"Pokaż więcej\" ustawień"; +$a->strings["Enable Show More"] = ""; +$a->strings["Cutting posts after how much characters"] = ""; +$a->strings["Show More Settings saved."] = ""; +$a->strings["This website is tracked using the Piwik analytics tool."] = ""; +$a->strings["If you do not want that your visits are logged this way you can set a cookie to prevent Piwik from tracking further visits of the site (opt-out)."] = ""; +$a->strings["Piwik Base URL"] = ""; +$a->strings["Absolute path to your Piwik installation. (without protocol (http/s), with trailing slash)"] = ""; +$a->strings["Site ID"] = ""; +$a->strings["Show opt-out cookie link?"] = ""; +$a->strings["Asynchronous tracking"] = ""; +$a->strings["Post to Twitter"] = "Post na Twitter"; +$a->strings["Twitter settings updated."] = ""; +$a->strings["Twitter Posting Settings"] = "Ustawienia wpisów z Twittera"; +$a->strings["No consumer key pair for Twitter found. Please contact your site administrator."] = "Nie znaleziono pary dla Twittera. Proszę skontaktować się z admininstratorem strony."; +$a->strings["At this Friendica instance the Twitter plugin was enabled but you have not yet connected your account to your Twitter account. To do so click the button below to get a PIN from Twitter which you have to copy into the input box below and submit the form. Only your public posts will be posted to Twitter."] = ""; +$a->strings["Log in with Twitter"] = "Zaloguj się przez Twitter"; +$a->strings["Copy the PIN from Twitter here"] = "Skopiuj tutaj PIN z Twittera"; +$a->strings["If enabled all your public postings can be posted to the associated Twitter account. You can choose to do so by default (here) or for every posting separately in the posting options when writing the entry."] = ""; +$a->strings["Note: Due your privacy settings (Hide your profile details from unknown viewers?) the link potentially included in public postings relayed to Twitter will lead the visitor to a blank page informing the visitor that the access to your profile has been restricted."] = ""; +$a->strings["Allow posting to Twitter"] = "Zezwól na opublikowanie w serwisie Twitter"; +$a->strings["Send public postings to Twitter by default"] = ""; +$a->strings["Send linked #-tags and @-names to Twitter"] = ""; +$a->strings["Consumer key"] = ""; +$a->strings["Consumer secret"] = ""; +$a->strings["IRC Settings"] = "Ustawienia IRC"; +$a->strings["Channel(s) to auto connect (comma separated)"] = ""; +$a->strings["Popular Channels (comma separated)"] = ""; +$a->strings["IRC settings saved."] = "Zapisano ustawienia IRC."; +$a->strings["IRC Chatroom"] = "IRC Chatroom"; +$a->strings["Popular Channels"] = "Popularne kanały"; +$a->strings["Fromapp settings updated."] = ""; +$a->strings["FromApp Settings"] = ""; +$a->strings["The application name you would like to show your posts originating from."] = ""; +$a->strings["Use this application name even if another application was used."] = ""; +$a->strings["Post to blogger"] = "Post na blogger"; +$a->strings["Blogger Post Settings"] = "Ustawienia postów na Blogger"; +$a->strings["Enable Blogger Post Plugin"] = ""; +$a->strings["Blogger username"] = "Nazwa użytkownika na Blogger"; +$a->strings["Blogger password"] = "Hasło do Blogger"; +$a->strings["Blogger API URL"] = ""; +$a->strings["Post to Blogger by default"] = ""; +$a->strings["Post to Posterous"] = ""; +$a->strings["Posterous Post Settings"] = ""; +$a->strings["Enable Posterous Post Plugin"] = ""; +$a->strings["Posterous login"] = ""; +$a->strings["Posterous password"] = ""; +$a->strings["Posterous site ID"] = ""; +$a->strings["Posterous API token"] = ""; +$a->strings["Post to Posterous by default"] = ""; +$a->strings["Theme settings"] = "Ustawienia motywu"; +$a->strings["Set resize level for images in posts and comments (width and height)"] = ""; +$a->strings["Set font-size for posts and comments"] = "Ustaw rozmiar fontów dla postów i komentarzy"; +$a->strings["Set theme width"] = ""; +$a->strings["Color scheme"] = ""; +$a->strings["Your posts and conversations"] = "Twoje posty i rozmowy"; +$a->strings["Your profile page"] = "Twoja strona profilowa"; +$a->strings["Your contacts"] = "Twoje kontakty"; +$a->strings["Your photos"] = "Twoje zdjęcia"; +$a->strings["Your events"] = "Twoje wydarzenia"; +$a->strings["Personal notes"] = "Osobiste notatki"; +$a->strings["Your personal photos"] = "Twoje osobiste zdjęcia"; +$a->strings["Community Pages"] = "Strony społecznościowe"; +$a->strings["Community Profiles"] = ""; +$a->strings["Last users"] = "Ostatni użytkownicy"; +$a->strings["Last likes"] = ""; +$a->strings["Last photos"] = "Ostatnie zdjęcia"; +$a->strings["Find Friends"] = "Znajdź znajomych"; +$a->strings["Local Directory"] = ""; +$a->strings["Similar Interests"] = "Podobne zainteresowania"; +$a->strings["Invite Friends"] = "Zaproś znajomych"; +$a->strings["Earth Layers"] = ""; +$a->strings["Set zoomfactor for Earth Layers"] = ""; +$a->strings["Set longitude (X) for Earth Layers"] = ""; +$a->strings["Set latitude (Y) for Earth Layers"] = ""; +$a->strings["Help or @NewHere ?"] = ""; +$a->strings["Connect Services"] = ""; +$a->strings["Last Tweets"] = "Ostatnie Tweetnięcie"; +$a->strings["Set twitter search term"] = ""; +$a->strings["don't show"] = "nie pokazuj"; +$a->strings["show"] = "pokaż"; +$a->strings["Show/hide boxes at right-hand column:"] = ""; +$a->strings["Set line-height for posts and comments"] = ""; +$a->strings["Set resolution for middle column"] = ""; +$a->strings["Set color scheme"] = "Zestaw kolorów"; +$a->strings["Set zoomfactor for Earth Layer"] = ""; +$a->strings["Last tweets"] = "Ostatnie tweetnięcie"; +$a->strings["Alignment"] = ""; +$a->strings["Left"] = "Lewo"; +$a->strings["Center"] = "Środek"; +$a->strings["Posts font size"] = ""; +$a->strings["Textareas font size"] = ""; +$a->strings["Set colour scheme"] = "Zestaw kolorów"; +$a->strings["j F, Y"] = "d M, R"; +$a->strings["j F"] = "d M"; +$a->strings["Birthday:"] = "Urodziny:"; +$a->strings["Age:"] = "Wiek:"; +$a->strings["for %1\$d %2\$s"] = "od %1\$d %2\$s"; +$a->strings["Tags:"] = "Tagi:"; +$a->strings["Religion:"] = "Religia:"; +$a->strings["Hobbies/Interests:"] = "Hobby/Zainteresowania:"; +$a->strings["Contact information and Social Networks:"] = ""; +$a->strings["Musical interests:"] = "Zainteresowania muzyczne:"; +$a->strings["Books, literature:"] = "Książki, literatura:"; +$a->strings["Television:"] = "Telewizja:"; +$a->strings["Film/dance/culture/entertainment:"] = ""; +$a->strings["Love/Romance:"] = "Miłość/Romans:"; +$a->strings["Work/employment:"] = "Praca/zatrudnienie:"; +$a->strings["School/education:"] = "Szkoła/edukacja:"; +$a->strings["Unknown | Not categorised"] = "Nieznany | Bez kategori"; +$a->strings["Block immediately"] = "Zablokować natychmiast "; +$a->strings["Shady, spammer, self-marketer"] = ""; +$a->strings["Known to me, but no opinion"] = "Znam, ale nie mam zdania"; +$a->strings["OK, probably harmless"] = "Ok, bez problemów"; +$a->strings["Reputable, has my trust"] = "Zaufane, ma moje poparcie"; +$a->strings["Frequently"] = "Jak najczęściej"; +$a->strings["Hourly"] = "Godzinowo"; +$a->strings["Twice daily"] = "Dwa razy dziennie"; +$a->strings["OStatus"] = ""; +$a->strings["RSS/Atom"] = ""; +$a->strings["Zot!"] = ""; +$a->strings["LinkedIn"] = ""; +$a->strings["XMPP/IM"] = ""; +$a->strings["MySpace"] = "MySpace"; +$a->strings["Male"] = "Mężczyzna"; +$a->strings["Female"] = "Kobieta"; +$a->strings["Currently Male"] = "Aktualnie Mężczyzna"; +$a->strings["Currently Female"] = "Aktualnie Kobieta"; +$a->strings["Mostly Male"] = "Bardziej Mężczyzna"; +$a->strings["Mostly Female"] = "Bardziej Kobieta"; +$a->strings["Transgender"] = "Transpłciowy"; +$a->strings["Intersex"] = "Międzypłciowy"; +$a->strings["Transsexual"] = "Transseksualista"; +$a->strings["Hermaphrodite"] = "Hermafrodyta"; +$a->strings["Neuter"] = "Bezpłciowy"; +$a->strings["Non-specific"] = ""; +$a->strings["Other"] = "Inne"; +$a->strings["Undecided"] = "Niezdecydowany"; +$a->strings["Males"] = "Mężczyźni"; +$a->strings["Females"] = "Kobiety"; +$a->strings["Gay"] = "Gej"; +$a->strings["Lesbian"] = "Lesbijka"; +$a->strings["No Preference"] = "Brak preferencji"; +$a->strings["Bisexual"] = "Biseksualny"; +$a->strings["Autosexual"] = ""; +$a->strings["Abstinent"] = "Abstynent"; +$a->strings["Virgin"] = "Dziewica"; +$a->strings["Deviant"] = "Zboczeniec"; +$a->strings["Fetish"] = "Fetysz"; +$a->strings["Oodles"] = "Nadmiar"; +$a->strings["Nonsexual"] = "Nieseksualny"; +$a->strings["Single"] = "Singiel"; +$a->strings["Lonely"] = "Samotny"; +$a->strings["Available"] = "Dostępny"; +$a->strings["Unavailable"] = "Niedostępny"; +$a->strings["Has crush"] = ""; +$a->strings["Infatuated"] = ""; +$a->strings["Dating"] = "Randki"; +$a->strings["Unfaithful"] = "Niewierny"; +$a->strings["Sex Addict"] = "Uzależniony od seksu"; +$a->strings["Friends"] = "Przyjaciele"; +$a->strings["Friends/Benefits"] = "Przyjaciele/Korzyści"; +$a->strings["Casual"] = "Przypadkowy"; +$a->strings["Engaged"] = "Zaręczeni"; +$a->strings["Married"] = "Małżeństwo"; +$a->strings["Imaginarily married"] = ""; +$a->strings["Partners"] = "Partnerzy"; +$a->strings["Cohabiting"] = "Konkubinat"; +$a->strings["Common law"] = ""; +$a->strings["Happy"] = "Szczęśliwy"; +$a->strings["Not looking"] = ""; +$a->strings["Swinger"] = "Swinger"; +$a->strings["Betrayed"] = "Zdradzony"; +$a->strings["Separated"] = "W separacji"; +$a->strings["Unstable"] = "Niestabilny"; +$a->strings["Divorced"] = "Rozwiedzeni"; +$a->strings["Imaginarily divorced"] = ""; +$a->strings["Widowed"] = "Wdowiec"; +$a->strings["Uncertain"] = "Nieokreślony"; +$a->strings["It's complicated"] = "To skomplikowane"; +$a->strings["Don't care"] = "Nie obchodzi mnie to"; +$a->strings["Ask me"] = "Zapytaj mnie "; +$a->strings["Starts:"] = ""; +$a->strings["Finishes:"] = "Wykończenia:"; +$a->strings["(no subject)"] = "(bez tematu)"; +$a->strings[" on Last.fm"] = ""; +$a->strings["prev"] = "poprzedni"; +$a->strings["first"] = "pierwszy"; +$a->strings["last"] = "ostatni"; +$a->strings["next"] = "następny"; +$a->strings["newer"] = ""; +$a->strings["older"] = ""; +$a->strings["No contacts"] = "Brak kontaktów"; +$a->strings["%d Contact"] = array( + 0 => "%d kontakt", + 1 => "%d kontaktów", + 2 => "%d kontakty", +); +$a->strings["poke"] = "zaczep"; +$a->strings["poked"] = "zaczepiony"; +$a->strings["ping"] = ""; +$a->strings["pinged"] = ""; +$a->strings["prod"] = ""; +$a->strings["prodded"] = ""; +$a->strings["slap"] = "spoliczkuj"; +$a->strings["slapped"] = "spoliczkowany"; +$a->strings["finger"] = "dotknąć"; +$a->strings["fingered"] = "dotknięty"; +$a->strings["rebuff"] = "odprawiać"; +$a->strings["rebuffed"] = "odprawiony"; +$a->strings["happy"] = "szczęśliwy"; +$a->strings["sad"] = "smutny"; +$a->strings["mellow"] = "spokojny"; +$a->strings["tired"] = "zmęczony"; +$a->strings["perky"] = "pewny siebie"; +$a->strings["angry"] = "wściekły"; +$a->strings["stupified"] = "odurzony"; +$a->strings["puzzled"] = "zdziwiony"; +$a->strings["interested"] = "interesujący"; +$a->strings["bitter"] = "zajadły"; +$a->strings["cheerful"] = "wesoły"; +$a->strings["alive"] = "żywy"; +$a->strings["annoyed"] = "irytujący"; +$a->strings["anxious"] = "zazdrosny"; +$a->strings["cranky"] = "zepsuty"; +$a->strings["disturbed"] = "przeszkadzający"; +$a->strings["frustrated"] = "rozbity"; +$a->strings["motivated"] = "zmotywowany"; +$a->strings["relaxed"] = "zrelaksowany"; +$a->strings["surprised"] = "zaskoczony"; +$a->strings["January"] = "Styczeń"; +$a->strings["February"] = "Luty"; +$a->strings["March"] = "Marzec"; +$a->strings["April"] = "Kwiecień"; +$a->strings["May"] = "Maj"; +$a->strings["June"] = "Czerwiec"; +$a->strings["July"] = "Lipiec"; +$a->strings["August"] = "Sierpień"; +$a->strings["September"] = "Wrzesień"; +$a->strings["October"] = "Październik"; +$a->strings["November"] = "Listopad"; +$a->strings["December"] = "Grudzień"; +$a->strings["bytes"] = "bajty"; +$a->strings["Click to open/close"] = "Kliknij aby otworzyć/zamknąć"; +$a->strings["default"] = ""; +$a->strings["Select an alternate language"] = ""; +$a->strings["activity"] = "aktywność"; +$a->strings["post"] = "post"; +$a->strings["Item filed"] = ""; +$a->strings["Sharing notification from Diaspora network"] = ""; +$a->strings["Attachments:"] = "Załączniki:"; +$a->strings["view full size"] = "Zobacz pełen rozmiar"; +$a->strings["Embedded content"] = ""; +$a->strings["Embedding disabled"] = ""; +$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = ""; +$a->strings["Default privacy group for new contacts"] = "Domyślne ustawienia prywatności dla nowych kontaktów"; +$a->strings["Everybody"] = "Wszyscy"; +$a->strings["edit"] = "edytuj"; +$a->strings["Edit group"] = "Edytuj grupy"; +$a->strings["Create a new group"] = "Stwórz nową grupę"; +$a->strings["Contacts not in any group"] = "Kontakt nie jest w żadnej grupie"; +$a->strings["Logout"] = "Wyloguj się"; +$a->strings["End this session"] = "Zakończ sesję"; +$a->strings["Status"] = "Status"; +$a->strings["Sign in"] = "Zaloguj się"; +$a->strings["Home Page"] = "Strona startowa"; +$a->strings["Create an account"] = "Załóż konto"; +$a->strings["Help and documentation"] = ""; +$a->strings["Apps"] = "Aplikacje"; +$a->strings["Addon applications, utilities, games"] = ""; +$a->strings["Search site content"] = "Przeszukaj zawartość strony"; +$a->strings["Conversations on this site"] = "Rozmowy na tej stronie"; +$a->strings["Directory"] = ""; +$a->strings["People directory"] = ""; +$a->strings["Conversations from your friends"] = ""; +$a->strings["Friend Requests"] = "Podania o przyjęcie do grona znajomych"; +$a->strings["See all notifications"] = ""; +$a->strings["Mark all system notifications seen"] = ""; +$a->strings["Private mail"] = "Prywatne maile"; +$a->strings["Inbox"] = "Odebrane"; +$a->strings["Outbox"] = "Wysłane"; +$a->strings["Manage"] = "Zarządzaj"; +$a->strings["Manage other pages"] = "Zarządzaj innymi stronami"; +$a->strings["Profiles"] = "Profile"; +$a->strings["Manage/edit profiles"] = "Zarządzaj profilami"; +$a->strings["Manage/edit friends and contacts"] = ""; +$a->strings["Site setup and configuration"] = ""; +$a->strings["Nothing new here"] = "Brak nowych zdarzeń"; +$a->strings["Add New Contact"] = "Dodaj nowy kontakt"; +$a->strings["Enter address or web location"] = ""; +$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Przykład: bob@przykład.com, http://przykład.com/barbara"; +$a->strings["%d invitation available"] = array( + 0 => "%d zaproszenie dostępne", + 1 => "%d zaproszeń dostępnych", + 2 => "%d zaproszenia dostępne", +); +$a->strings["Find People"] = "Znajdź ludzi"; +$a->strings["Enter name or interest"] = "Wpisz nazwę lub zainteresowanie"; +$a->strings["Connect/Follow"] = "Połącz/Obserwuj"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "Przykładowo: Jan Kowalski, Wędkarstwo"; +$a->strings["Random Profile"] = "Domyślny profil"; +$a->strings["Networks"] = "Sieci"; +$a->strings["All Networks"] = "Wszystkie Sieci"; +$a->strings["Saved Folders"] = ""; +$a->strings["Everything"] = "Wszystko"; +$a->strings["Categories"] = "Kategorie"; +$a->strings["Logged out."] = "Wyloguj"; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = ""; +$a->strings["The error message was:"] = ""; +$a->strings["Miscellaneous"] = ""; +$a->strings["year"] = "rok"; +$a->strings["month"] = "miesiąc"; +$a->strings["day"] = "dzień"; +$a->strings["never"] = "nigdy"; +$a->strings["less than a second ago"] = "mniej niż sekundę temu"; +$a->strings["week"] = "tydzień"; +$a->strings["hour"] = "godzina"; +$a->strings["hours"] = "godziny"; +$a->strings["minute"] = "minuta"; +$a->strings["minutes"] = "minuty"; +$a->strings["second"] = "sekunda"; +$a->strings["seconds"] = "sekundy"; +$a->strings["%1\$d %2\$s ago"] = ""; +$a->strings["%s's birthday"] = ""; +$a->strings["Happy Birthday %s"] = ""; +$a->strings["From: "] = "Z:"; +$a->strings["Image/photo"] = "Obrazek/zdjęcie"; +$a->strings["$1 wrote:"] = ""; +$a->strings["Encrypted content"] = ""; +$a->strings["Cannot locate DNS info for database server '%s'"] = ""; +$a->strings["[no subject]"] = "[bez tematu]"; +$a->strings["Visible to everybody"] = "Widoczny dla wszystkich"; +$a->strings["Friendica Notification"] = ""; +$a->strings["Thank You,"] = "Dziękuję,"; +$a->strings["%s Administrator"] = "%s administrator"; +$a->strings["%s "] = ""; +$a->strings["[Friendica:Notify] New mail received at %s"] = ""; +$a->strings["%1\$s sent you a new private message at %2\$s."] = ""; +$a->strings["%1\$s sent you %2\$s."] = "%1\$s wysyła ci %2\$s"; +$a->strings["a private message"] = "prywatna wiadomość"; +$a->strings["Please visit %s to view and/or reply to your private messages."] = ""; +$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = ""; +$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = ""; +$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = ""; +$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = ""; +$a->strings["%s commented on an item/conversation you have been following."] = ""; +$a->strings["Please visit %s to view and/or reply to the conversation."] = ""; +$a->strings["[Friendica:Notify] %s posted to your profile wall"] = ""; +$a->strings["%1\$s posted to your profile wall at %2\$s"] = ""; +$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = ""; +$a->strings["[Friendica:Notify] %s tagged you"] = ""; +$a->strings["%1\$s tagged you at %2\$s"] = ""; +$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = ""; +$a->strings["[Friendica:Notify] %1\$s poked you"] = ""; +$a->strings["%1\$s poked you at %2\$s"] = ""; +$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = ""; +$a->strings["[Friendica:Notify] %s tagged your post"] = ""; +$a->strings["%1\$s tagged your post at %2\$s"] = ""; +$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = ""; +$a->strings["[Friendica:Notify] Introduction received"] = ""; +$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = ""; +$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = ""; +$a->strings["You may visit their profile at %s"] = "Możesz obejrzeć ich profile na %s"; +$a->strings["Please visit %s to approve or reject the introduction."] = "Odwiedż %s aby zatwierdzić lub odrzucić przedstawienie."; +$a->strings["[Friendica:Notify] Friend suggestion received"] = ""; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = ""; +$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = ""; +$a->strings["Name:"] = "Imię:"; +$a->strings["Photo:"] = "Zdjęcie:"; +$a->strings["Please visit %s to approve or reject the suggestion."] = ""; +$a->strings["Connect URL missing."] = ""; +$a->strings["This site is not configured to allow communications with other networks."] = ""; +$a->strings["No compatible communication protocols or feeds were discovered."] = ""; +$a->strings["The profile address specified does not provide adequate information."] = "Dany adres profilu nie dostarcza odpowiednich informacji."; +$a->strings["An author or name was not found."] = "Autor lub nazwa nie zostało znalezione."; +$a->strings["No browser URL could be matched to this address."] = ""; +$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = ""; +$a->strings["Use mailto: in front of address to force email check."] = ""; +$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = ""; +$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Profil ograniczony. Ta osoba będzie niezdolna do odbierania osobistych powiadomień od ciebie."; +$a->strings["Unable to retrieve contact information."] = "Nie można otrzymać informacji kontaktowych"; +$a->strings["following"] = "następujący"; +$a->strings["A new person is sharing with you at "] = ""; +$a->strings["You have a new follower at "] = ""; +$a->strings["Archives"] = "Archiwum"; +$a->strings["An invitation is required."] = "Wymagane zaproszenie."; +$a->strings["Invitation could not be verified."] = "Zaproszenie niezweryfikowane."; +$a->strings["Invalid OpenID url"] = "Nieprawidłowy adres url OpenID"; +$a->strings["Please enter the required information."] = "Wprowadź wymagane informacje"; +$a->strings["Please use a shorter name."] = "Użyj dłuższej nazwy."; +$a->strings["Name too short."] = "Nazwa jest za krótka."; +$a->strings["That doesn't appear to be your full (First Last) name."] = "Zdaje mi się że to nie jest twoje pełne Imię(Nazwisko)."; +$a->strings["Your email domain is not among those allowed on this site."] = "Twoja domena internetowa nie jest obsługiwana na tej stronie."; +$a->strings["Not a valid email address."] = "Niepoprawny adres e mail.."; +$a->strings["Cannot use that email."] = "Nie możesz użyć tego e-maila. "; +$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Twój login może składać się tylko z \"a-z\", \"0-9\", \"-\", \"_\", i musi mieć na początku literę."; +$a->strings["Nickname is already registered. Please choose another."] = "Ten login jest zajęty. Wybierz inny."; +$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Ten nick był już zarejestrowany na tej stronie i nie może być użyty ponownie."; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "POWAŻNY BŁĄD: niepowodzenie podczas tworzenia kluczy zabezpieczeń."; +$a->strings["An error occurred during registration. Please try again."] = "Wystąpił bład podczas rejestracji, Spróbuj ponownie."; +$a->strings["An error occurred creating your default profile. Please try again."] = "Wystąpił błąd podczas tworzenia profilu. Spróbuj ponownie."; +$a->strings["Welcome "] = "Witaj "; +$a->strings["Please upload a profile photo."] = "Proszę dodać zdjęcie profilowe."; +$a->strings["Welcome back "] = "Witaj ponownie "; +$a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = ""; +$a->strings["stopped following"] = "przestań obserwować"; +$a->strings["Poke"] = "Zaczepka"; +$a->strings["View Status"] = "Zobacz status"; +$a->strings["View Profile"] = "Zobacz profil"; +$a->strings["View Photos"] = "Zobacz zdjęcia"; +$a->strings["Network Posts"] = ""; +$a->strings["Edit Contact"] = "Edytuj kontakt"; +$a->strings["Send PM"] = "Wyślij prywatną wiadomość"; +$a->strings["%1\$s poked %2\$s"] = ""; +$a->strings["post/item"] = ""; +$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = ""; +$a->strings["Categories:"] = "Kategorie:"; +$a->strings["Filed under:"] = ""; +$a->strings["remove"] = "usuń"; +$a->strings["Delete Selected Items"] = "Usuń zaznaczone elementy"; +$a->strings["Follow Thread"] = ""; +$a->strings["%s likes this."] = "%s lubi to."; +$a->strings["%s doesn't like this."] = "%s nie lubi tego."; +$a->strings["%2\$d people like this."] = "%2\$d people lubię to."; +$a->strings["%2\$d people don't like this."] = "%2\$d people nie lubię tego"; +$a->strings["and"] = "i"; +$a->strings[", and %d other people"] = ", i %d innych ludzi"; +$a->strings["%s like this."] = "%s lubi to."; +$a->strings["%s don't like this."] = "%s nie lubi tego."; +$a->strings["Visible to everybody"] = "Widoczne dla wszystkich"; +$a->strings["Please enter a video link/URL:"] = "Podaj link do filmu"; +$a->strings["Please enter an audio link/URL:"] = "Podaj link do muzyki"; +$a->strings["Tag term:"] = ""; +$a->strings["Where are you right now?"] = "Gdzie teraz jesteś?"; +$a->strings["Delete item(s)?"] = ""; +$a->strings["permissions"] = "zezwolenia"; +$a->strings["Click here to upgrade."] = ""; +$a->strings["This action exceeds the limits set by your subscription plan."] = ""; +$a->strings["This action is not available under your subscription plan."] = ""; +$a->strings["Delete this item?"] = "Usunąć ten element?"; +$a->strings["show fewer"] = "Pokaż mniej"; +$a->strings["Update %s failed. See error logs."] = ""; +$a->strings["Update Error at %s"] = ""; +$a->strings["Create a New Account"] = "Załóż nowe konto"; +$a->strings["Nickname or Email address: "] = "Nick lub adres email:"; +$a->strings["Password: "] = "Hasło:"; +$a->strings["Or login using OpenID: "] = ""; +$a->strings["Forgot your password?"] = "Zapomniałeś swojego hasła?"; +$a->strings["Requested account is not available."] = ""; +$a->strings["Edit profile"] = "Edytuj profil"; +$a->strings["Message"] = "Wiadomość"; +$a->strings["g A l F d"] = ""; +$a->strings["F d"] = ""; +$a->strings["[today]"] = "[dziś]"; +$a->strings["Birthday Reminders"] = "Przypomnienia o urodzinach"; +$a->strings["Birthdays this week:"] = "Urodziny w tym tygodniu:"; +$a->strings["[No description]"] = "[Brak opisu]"; +$a->strings["Event Reminders"] = ""; +$a->strings["Events this week:"] = "Wydarzenia w tym tygodniu:"; +$a->strings["Status Messages and Posts"] = "Status wiadomości i postów"; +$a->strings["Profile Details"] = "Szczegóły profilu"; +$a->strings["Events and Calendar"] = "Wydarzenia i kalendarz"; +$a->strings["Only You Can See This"] = ""; +$a->strings["toggle mobile"] = ""; +$a->strings["Bg settings updated."] = ""; +$a->strings["Bg Settings"] = ""; +$a->strings["Post to Drupal"] = ""; +$a->strings["Drupal Post Settings"] = ""; +$a->strings["Enable Drupal Post Plugin"] = ""; +$a->strings["Drupal username"] = ""; +$a->strings["Drupal password"] = ""; +$a->strings["Post Type - article,page,or blog"] = ""; +$a->strings["Drupal site URL"] = ""; +$a->strings["Drupal site uses clean URLS"] = ""; +$a->strings["Post to Drupal by default"] = ""; +$a->strings["OEmbed settings updated"] = ""; +$a->strings["Use OEmbed for YouTube videos"] = ""; +$a->strings["URL to embed:"] = ""; diff --git a/view/pl/update_fail_eml.tpl b/view/pl/update_fail_eml.tpl new file mode 100644 index 0000000000..2fd47740ca --- /dev/null +++ b/view/pl/update_fail_eml.tpl @@ -0,0 +1,11 @@ +Hey, +Jestem $sitename. +Deweloperzy friendica wydali ostatnio aktualizację $update, +ale kiedy próbowałem ją zainstalować, coś poszło nie tak. +To musi być szybko poprawione, ale nie mogę zrobić tego sam. Proszę o kontakt z +deweloperami friendica, jeśli nie możesz mi pomóc na własną rękę. Moja baza danych może być uszkodzona. + +Komunikat o błędzie: '$error'. + +Przepraszam, +twój serwer friendica w $siteurl \ No newline at end of file