diff --git a/CHANGELOG b/CHANGELOG index bfb5ad2b2..67077b767 100644 --- a/CHANGELOG +++ b/CHANGELOG @@ -1,3 +1,28 @@ +Hubzilla 1.12 + - extensible permissions so you can create a new permission rule such as "can write to my wiki" or "can see me naked". + - guest access tokens can do anything you let them, including create posts and administer your channel + - ACLs can be set on files and directories prior to creation. + - ACL tool can now be used in multiple forms within a page + - a myriad of new drag/drop features (drop files or photos into /cloud or a post, or drop link into a post or comment, etc.) + - multiple file uploads + - improvements to website import + - UNO replaced with extensible server roles + - select bbcode elements (such as baseurl) supported in wiki pages + - addons: + Diaspora Protocol - additional updates to maintain compatibility with 0.6.0.0 and stop showing likes as wall-to-wall comments (except when the liker does not have any Diaspora protocol ability) + Cdav - continued improvements to the web UI + Pong - the classic pong game + Dfedfix - removed, no longer needed + Openid - moved from core to addon + - bugfixes + unable to delete privacy groups + weird display interaction with code blocks and escaped base64 content containing 8 - O + workaround WordPress oembeds which are almost completely javascript and therefore filtered + restrict oembed cache url to 254 chars to avoid spurious failures caching google map urls + "Page not found" appeared twice + birthdays weren't being automatically added to event calendar + some iCal entries had malformed descriptions + Hubzilla 1.10 Wiki: Lots of enhanced functionality, usability improvements, and bugfixes from v1.8 diff --git a/Zotlabs/Daemon/Cron.php b/Zotlabs/Daemon/Cron.php index c6e82b13a..c66b62f55 100644 --- a/Zotlabs/Daemon/Cron.php +++ b/Zotlabs/Daemon/Cron.php @@ -64,12 +64,16 @@ class Cron { // delete expired access tokens - q("delete from atoken where atoken_expires != '%s' && atoken_expires < %s", + $r = q("select atoken_id from atoken where atoken_expires != '%s' && atoken_expires < %s", dbesc(NULL_DATE), db_utcnow() ); - - + if($r) { + require_once('include/security.php'); + foreach($r as $rr) { + atoken_delete($rr['atoken_id']); + } + } // Ensure that every channel pings a directory server once a month. This way we can discover // channels and sites that quietly vanished and prevent the directory from accumulating stale diff --git a/Zotlabs/Lib/System.php b/Zotlabs/Lib/System.php index c52a90338..4479bf597 100644 --- a/Zotlabs/Lib/System.php +++ b/Zotlabs/Lib/System.php @@ -43,8 +43,8 @@ class System { static public function get_server_role() { - if(UNO) - return 'basic'; + if(is_array(\App::$config) && is_array(\App::$config['system']) && \App::$config['system']['server_role']) + return \App::$config['system']['server_role']; return 'pro'; } diff --git a/Zotlabs/Lib/ThreadItem.php b/Zotlabs/Lib/ThreadItem.php index 638afeb6b..eee3b2a4f 100644 --- a/Zotlabs/Lib/ThreadItem.php +++ b/Zotlabs/Lib/ThreadItem.php @@ -245,10 +245,11 @@ class ThreadItem { ); } + $server_role = get_config('system','server_role'); $has_bookmarks = false; if(is_array($item['term'])) { foreach($item['term'] as $t) { - if(!UNO && $t['ttype'] == TERM_BOOKMARK) + if(($server_role != 'basic') && ($t['ttype'] == TERM_BOOKMARK)) $has_bookmarks = true; } } diff --git a/Zotlabs/Module/Acl.php b/Zotlabs/Module/Acl.php index 76a001fdd..8c62f4de9 100644 --- a/Zotlabs/Module/Acl.php +++ b/Zotlabs/Module/Acl.php @@ -58,7 +58,24 @@ class Acl extends \Zotlabs\Web\Controller { if( (! local_channel()) && (! ($type == 'x' || $type == 'c'))) killme(); - + + $permitted = []; + + if(in_array($type, [ 'm', 'a', 'c' ])) { + + // These queries require permission checking. We'll create a simple array of xchan_hash for those with + // the requisite permissions which we can check against. + + $x = q("select xchan from abconfig where chan = %d and cat = 'their_perms' and k = '%s' and v = 1", + intval(local_channel()), + dbesc(($type === 'm') ? 'post_mail' : 'tag_deliver') + ); + + $permitted = ids_to_array($x,'xchan'); + + } + + if($search) { $sql_extra = " AND `name` LIKE " . protect_sprintf( "'%" . dbesc($search) . "%'" ) . " "; $sql_extra2 = "AND ( xchan_name LIKE " . protect_sprintf( "'%" . dbesc($search) . "%'" ) . " OR xchan_addr LIKE " . protect_sprintf( "'%" . dbesc($search) . ((strpos($search,'@') === false) ? "%@%'" : "%'")) . ") "; @@ -87,13 +104,13 @@ class Acl extends \Zotlabs\Web\Controller { if($type == '' || $type == 'g') { - $r = q("SELECT `groups`.`id`, `groups`.`hash`, `groups`.`gname` - FROM `groups`,`group_member` - WHERE `groups`.`deleted` = 0 AND `groups`.`uid` = %d - AND `group_member`.`gid`=`groups`.`id` + $r = q("SELECT groups.id, groups.hash, groups.gname + FROM groups,group_member + WHERE groups.deleted = 0 AND groups.uid = %d + AND group_member.gid=groups.id $sql_extra - GROUP BY `groups`.`id` - ORDER BY `groups`.`gname` + GROUP BY groups.id + ORDER BY groups.gname LIMIT %d OFFSET %d", intval(local_channel()), intval($count), @@ -156,7 +173,7 @@ class Acl extends \Zotlabs\Web\Controller { } - $r = q("SELECT abook_id as id, xchan_hash as hash, xchan_name as name, xchan_photo_s as micro, xchan_url as url, xchan_addr as nick, abook_their_perms, abook_flags, abook_self + $r = q("SELECT abook_id as id, xchan_hash as hash, xchan_name as name, xchan_photo_s as micro, xchan_url as url, xchan_addr as nick, abook_their_perms, xchan_pubforum, abook_flags, abook_self FROM abook left join xchan on abook_xchan = xchan_hash WHERE (abook_channel = %d $extra_channels_sql) AND abook_blocked = 0 and abook_pending = 0 and xchan_deleted = 0 $sql_extra2 order by $order_extra2 xchan_name asc" , intval(local_channel()) @@ -221,16 +238,24 @@ class Acl extends \Zotlabs\Web\Controller { } } elseif($type == 'm') { - - $r = q("SELECT xchan_hash as hash, xchan_name as name, xchan_addr as nick, xchan_photo_s as micro, xchan_url as url + + $r = array(); + $z = q("SELECT xchan_hash as hash, xchan_name as name, xchan_addr as nick, xchan_photo_s as micro, xchan_url as url FROM abook left join xchan on abook_xchan = xchan_hash - WHERE abook_channel = %d and ( (abook_their_perms = null) or (abook_their_perms & %d )>0) + WHERE abook_channel = %d and xchan_deleted = 0 $sql_extra3 - ORDER BY `xchan_name` ASC ", - intval(local_channel()), - intval(PERMS_W_MAIL) + ORDER BY xchan_name ASC ", + intval(local_channel()) ); + if($z) { + foreach($z as $zz) { + if(in_array($zz['hash'],$permitted)) { + $r[] = $zz; + } + } + } + } elseif($type == 'a') { @@ -274,7 +299,7 @@ class Acl extends \Zotlabs\Web\Controller { if(strpos($g['hash'],'/') && $type != 'a') continue; - if(($g['abook_their_perms'] & PERMS_W_TAGWALL) && $type == 'c' && (! $noforums)) { + if(in_array($g['hash'],$permitted) && $type == 'c' && (! $noforums)) { $contacts[] = array( "type" => "c", "photo" => "images/twopeople.png", diff --git a/Zotlabs/Module/Channel.php b/Zotlabs/Module/Channel.php index c74802ec5..59cb9f06c 100644 --- a/Zotlabs/Module/Channel.php +++ b/Zotlabs/Module/Channel.php @@ -133,6 +133,7 @@ class Channel extends \Zotlabs\Web\Controller { 'nickname' => \App::$profile['channel_address'], 'lockstate' => (((strlen(\App::$profile['channel_allow_cid'])) || (strlen(\App::$profile['channel_allow_gid'])) || (strlen(\App::$profile['channel_deny_cid'])) || (strlen(\App::$profile['channel_deny_gid']))) ? 'lock' : 'unlock'), 'acl' => (($is_owner) ? populate_acl($channel_acl,true, \Zotlabs\Lib\PermissionDescription::fromGlobalPermission('view_stream'), get_post_aclDialogDescription(), 'acl_dialog_post') : ''), + 'permissions' => (($is_owner) ? $channel_acl : ''), 'showacl' => (($is_owner) ? 'yes' : ''), 'bang' => '', 'visitor' => (($is_owner || $observer) ? true : false), @@ -363,4 +364,4 @@ class Channel extends \Zotlabs\Web\Controller { return $o; } -} \ No newline at end of file +} diff --git a/Zotlabs/Module/Chat.php b/Zotlabs/Module/Chat.php index ff55a9319..2c0e7a155 100644 --- a/Zotlabs/Module/Chat.php +++ b/Zotlabs/Module/Chat.php @@ -218,14 +218,13 @@ class Chat extends \Zotlabs\Web\Controller { notice( t('Feature disabled.') . EOL); return $o; } - - + $acl = new \Zotlabs\Access\AccessList($channel); $channel_acl = $acl->get(); - + $lockstate = (($channel_acl['allow_cid'] || $channel_acl['allow_gid'] || $channel_acl['deny_cid'] || $channel_acl['deny_gid']) ? 'lock' : 'unlock'); require_once('include/acl_selectors.php'); - + $chatroom_new = ''; if(local_channel()) { $chatroom_new = replace_macros(get_markup_template('chatroom_new.tpl'),array( @@ -234,12 +233,16 @@ class Chat extends \Zotlabs\Web\Controller { '$chat_expire' => array('chat_expire',t('Expiration of chats (minutes)'),120,''), '$permissions' => t('Permissions'), '$acl' => populate_acl($channel_acl,false), + '$allow_cid' => acl2json($channel_acl['allow_cid']), + '$allow_gid' => acl2json($channel_acl['allow_gid']), + '$deny_cid' => acl2json($channel_acl['deny_cid']), + '$deny_gid' => acl2json($channel_acl['deny_gid']), '$lockstate' => $lockstate, '$submit' => t('Submit') )); } - + $rooms = Zlib\Chatroom::roomlist(\App::$profile['profile_uid']); $o .= replace_macros(get_markup_template('chatrooms.tpl'), array( diff --git a/Zotlabs/Module/Connedit.php b/Zotlabs/Module/Connedit.php index 7db4950b1..a5568c564 100644 --- a/Zotlabs/Module/Connedit.php +++ b/Zotlabs/Module/Connedit.php @@ -137,11 +137,16 @@ class Connedit extends \Zotlabs\Web\Controller { $new_friend = false; + // only store a record and notify the directory if the rating changed + if(! $is_self) { $signed = $orig_record[0]['abook_xchan'] . '.' . $rating . '.' . $rating_text; - $sig = base64url_encode(rsa_sign($signed,$channel['channel_prvkey'])); + + $rated = ((intval($rating) || strlen($rating_text)) ? true : false); + + $record = 0; $z = q("select * from xlink where xlink_xchan = '%s' and xlink_link = '%s' and xlink_static = 1 limit 1", dbesc($channel['channel_hash']), @@ -149,17 +154,20 @@ class Connedit extends \Zotlabs\Web\Controller { ); if($z) { - $record = $z[0]['xlink_id']; - $w = q("update xlink set xlink_rating = '%d', xlink_rating_text = '%s', xlink_sig = '%s', xlink_updated = '%s' - where xlink_id = %d", - intval($rating), - dbesc($rating_text), - dbesc($sig), - dbesc(datetime_convert()), - intval($record) - ); + if(($z[0]['xlink_rating'] != $rating) || ($z[0]['xlink_rating_text'] != $rating_text)) { + $record = $z[0]['xlink_id']; + $w = q("update xlink set xlink_rating = '%d', xlink_rating_text = '%s', xlink_sig = '%s', xlink_updated = '%s' + where xlink_id = %d", + intval($rating), + dbesc($rating_text), + dbesc($sig), + dbesc(datetime_convert()), + intval($record) + ); + } } - else { + elseif($rated) { + // only create a record if there's something to save $w = q("insert into xlink ( xlink_xchan, xlink_link, xlink_rating, xlink_rating_text, xlink_sig, xlink_updated, xlink_static ) values ( '%s', '%s', %d, '%s', '%s', '%s', 1 ) ", dbesc($channel['channel_hash']), dbesc($orig_record[0]['abook_xchan']), @@ -304,9 +312,6 @@ class Connedit extends \Zotlabs\Web\Controller { call_hooks('accept_follow', $arr); } - if(! is_null($autoperms)) - set_pconfig(local_channel(),'system','autoperms',(($autoperms) ? $abook_my_perms : 0)); - $this->connedit_clone($a); if(($_REQUEST['pending']) && (!$_REQUEST['done'])) diff --git a/Zotlabs/Module/Display.php b/Zotlabs/Module/Display.php index d1d4edc7d..35ed0c894 100644 --- a/Zotlabs/Module/Display.php +++ b/Zotlabs/Module/Display.php @@ -65,6 +65,7 @@ class Display extends \Zotlabs\Web\Controller { 'lockstate' => (($group || $cid || $channel['channel_allow_cid'] || $channel['channel_allow_gid'] || $channel['channel_deny_cid'] || $channel['channel_deny_gid']) ? 'lock' : 'unlock'), 'acl' => populate_acl($channel_acl), + 'permissions' => $channel_acl, 'bang' => '', 'visitor' => true, 'profile_uid' => local_channel(), diff --git a/Zotlabs/Module/Editwebpage.php b/Zotlabs/Module/Editwebpage.php index be4803a07..9803218d8 100644 --- a/Zotlabs/Module/Editwebpage.php +++ b/Zotlabs/Module/Editwebpage.php @@ -151,6 +151,7 @@ class Editwebpage extends \Zotlabs\Web\Controller { 'post_id' => $post_id, 'visitor' => ($is_owner) ? true : false, 'acl' => populate_acl($itm[0],false,\Zotlabs\Lib\PermissionDescription::fromGlobalPermission('view_pages')), + 'permissions' => $itm[0], 'showacl' => ($is_owner) ? true : false, 'mimetype' => $mimetype, 'mimeselect' => true, diff --git a/Zotlabs/Module/Embedphotos.php b/Zotlabs/Module/Embedphotos.php index 0dac873c5..0dc745b0a 100644 --- a/Zotlabs/Module/Embedphotos.php +++ b/Zotlabs/Module/Embedphotos.php @@ -39,9 +39,9 @@ class Embedphotos extends \Zotlabs\Web\Controller { json_return_and_die(array('errormsg' => 'Error retrieving link ' . $href, 'status' => false)); } $resource_id = array_pop(explode("/", $href)); - $r = q("SELECT obj from item where resource_type = 'photo' and resource_id = '%s' limit 1", - dbesc($resource_id) - ); + $r = q("SELECT obj,body from item where resource_type = 'photo' and resource_id = '%s' limit 1", + dbesc($resource_id) + ); if(!$r) { json_return_and_die(array('errormsg' => 'Error retrieving resource ' . $resource_id, 'status' => false)); } @@ -50,7 +50,9 @@ class Embedphotos extends \Zotlabs\Web\Controller { $photolink = $obj['body']; } elseif (x($obj,'bbcode')) { $photolink = $obj['bbcode']; - } else { + } elseif ($r[0]['body'] !== '') { + $photolink = $r[0]['body']; + } else { json_return_and_die(array('errormsg' => 'Error retrieving resource ' . $resource_id, 'status' => false)); } json_return_and_die(array('status' => true, 'photolink' => $photolink)); @@ -83,7 +85,7 @@ function embedphotos_widget_album($args) { return ''; if($args['album']) - $album = $args['album']; + $album = (($args['album'] === '/') ? '' : $args['album'] ); if($args['title']) $title = $args['title']; diff --git a/Zotlabs/Module/Events.php b/Zotlabs/Module/Events.php index def5c437b..d27de9989 100644 --- a/Zotlabs/Module/Events.php +++ b/Zotlabs/Module/Events.php @@ -435,6 +435,10 @@ class Events extends \Zotlabs\Web\Controller { $acl = new \Zotlabs\Access\AccessList($channel); $perm_defaults = $acl->get(); + + $permissions = ((x($orig_event)) ? $orig_event : $perm_defaults); + + //print_r(acl2json($permissions['allow_gid'])); killme(); $tpl = get_markup_template('event_form.tpl'); @@ -467,10 +471,16 @@ class Events extends \Zotlabs\Web\Controller { '$sh_checked' => $sh_checked, '$share' => array('share', t('Share this event'), $sh_checked, '', array(t('No'),t('Yes'))), '$preview' => t('Preview'), - '$permissions' => t('Permission settings'), + '$perms_label' => t('Permission settings'), // populating the acl dialog was a permission description from view_stream because Cal.php, which // displays events, says "since we don't currently have an event permission - use the stream permission" '$acl' => (($orig_event['event_xchan']) ? '' : populate_acl(((x($orig_event)) ? $orig_event : $perm_defaults), false, \Zotlabs\Lib\PermissionDescription::fromGlobalPermission('view_stream'))), + + '$allow_cid' => acl2json($permissions['allow_cid']), + '$allow_gid' => acl2json($permissions['allow_gid']), + '$deny_cid' => acl2json($permissions['deny_cid']), + '$deny_gid' => acl2json($permissions['deny_gid']), + '$submit' => t('Submit'), '$advanced' => t('Advanced Options') diff --git a/Zotlabs/Module/File_upload.php b/Zotlabs/Module/File_upload.php new file mode 100644 index 000000000..d5c0c7e05 --- /dev/null +++ b/Zotlabs/Module/File_upload.php @@ -0,0 +1,45 @@ + t('Edit file permissions'), '$file' => $f, @@ -151,6 +151,10 @@ class Filestorage extends \Zotlabs\Web\Controller { '$channelnick' => $channel['channel_address'], '$permissions' => t('Permissions'), '$aclselect' => $aclselect_e, + '$allow_cid' => acl2json($f['allow_cid']), + '$allow_gid' => acl2json($f['allow_gid']), + '$deny_cid' => acl2json($f['deny_cid']), + '$deny_gid' => acl2json($f['deny_gid']), '$lockstate' => $lockstate, '$permset' => t('Set/edit permissions'), '$recurse' => array('recurse', t('Include all files and sub folders'), 0, '', array(t('No'), t('Yes'))), @@ -161,7 +165,7 @@ class Filestorage extends \Zotlabs\Web\Controller { '$submit' => t('Submit'), '$attach_btn_title' => t('Share this file'), '$link_btn_title' => t('Show URL to this file'), - '$notify' => array('notify', t('Notify your contacts about this file'), 0, '', array(t('No'), t('Yes'))) + '$notify' => array('notify', t('Notify your contacts about this file'), 0, '', array(t('No'), t('Yes'))), )); echo $o; diff --git a/Zotlabs/Module/Impel.php b/Zotlabs/Module/Impel.php index 735c311d0..197d9f859 100644 --- a/Zotlabs/Module/Impel.php +++ b/Zotlabs/Module/Impel.php @@ -88,7 +88,11 @@ class Impel extends \Zotlabs\Web\Controller { foreach($j['items'] as $it) { $mitem = array(); + $mitem['mitem_link'] = str_replace('[channelurl]',z_root() . '/channel/' . $channel['channel_address'],$it['link']); + $mitem['mitem_link'] = str_replace('[pageurl]',z_root() . '/page/' . $channel['channel_address'],$it['link']); + $mitem['mitem_link'] = str_replace('[cloudurl]',z_root() . '/cloud/' . $channel['channel_address'],$it['link']); $mitem['mitem_link'] = str_replace('[baseurl]',z_root(),$it['link']); + $mitem['mitem_desc'] = escape_tags($it['desc']); $mitem['mitem_order'] = intval($it['order']); if(is_array($it['flags'])) { diff --git a/Zotlabs/Module/Like.php b/Zotlabs/Module/Like.php index 1ca37d646..fbb6c3c84 100644 --- a/Zotlabs/Module/Like.php +++ b/Zotlabs/Module/Like.php @@ -496,6 +496,8 @@ class Like extends \Zotlabs\Web\Controller { $arr['deny_gid'] = $deny_gid; $arr['item_private'] = $private; + call_hooks('post_local',$arr); + $post = item_store($arr); $post_id = $post['item_id']; diff --git a/Zotlabs/Module/Menu.php b/Zotlabs/Module/Menu.php index e98053f8c..1dec65c1f 100644 --- a/Zotlabs/Module/Menu.php +++ b/Zotlabs/Module/Menu.php @@ -65,7 +65,7 @@ class Menu extends \Zotlabs\Web\Controller { - function get() { + function get() { $uid = local_channel(); @@ -81,7 +81,7 @@ class Menu extends \Zotlabs\Web\Controller { if(argc() == 1) { - + $channel = (($sys) ? $sys : \App::get_channel()); // list menus $x = menu_list($uid); @@ -89,7 +89,7 @@ class Menu extends \Zotlabs\Web\Controller { for($y = 0; $y < count($x); $y ++) { $m = menu_fetch($x[$y]['menu_name'],$uid,get_observer_hash()); if($m) - $x[$y]['element'] = '[element]' . base64url_encode(json_encode(menu_element($m))) . '[/element]'; + $x[$y]['element'] = '[element]' . base64url_encode(json_encode(menu_element($channel,$m))) . '[/element]'; $x[$y]['bookmark'] = (($x[$y]['menu_flags'] & MENU_BOOKMARK) ? true : false); } } diff --git a/Zotlabs/Module/Mitem.php b/Zotlabs/Module/Mitem.php index b64b50c8e..28f51b81b 100644 --- a/Zotlabs/Module/Mitem.php +++ b/Zotlabs/Module/Mitem.php @@ -147,12 +147,16 @@ class Mitem extends \Zotlabs\Web\Controller { else { $display = (($r) ? 'none' : 'block'); } - + $create = replace_macros(get_markup_template('mitemedit.tpl'), array( '$menu_id' => \App::$data['menu']['menu_id'], '$permissions' => t('Menu Item Permissions'), '$permdesc' => t("\x28click to open/close\x29"), '$aclselect' => populate_acl($acl->get(),false), + '$allow_cid' => acl2json($acl->get()['allow_cid']), + '$allow_gid' => acl2json($acl->get()['allow_gid']), + '$deny_cid' => acl2json($acl->get()['deny_cid']), + '$deny_gid' => acl2json($acl->get()['deny_gid']), '$mitem_desc' => array('mitem_desc', t('Link Name'), '', 'Visible name of the link','*'), '$mitem_link' => array('mitem_link', t('Link or Submenu Target'), '', t('Enter URL of the link or select a menu name to create a submenu'), '*', 'list="menu-names"'), '$usezid' => array('usezid', t('Use magic-auth if available'), true, '', array(t('No'), t('Yes'))), @@ -226,6 +230,10 @@ class Mitem extends \Zotlabs\Web\Controller { '$permissions' => t('Menu Item Permissions'), '$permdesc' => t("\x28click to open/close\x29"), '$aclselect' => populate_acl($mitem,false), + '$allow_cid' => acl2json($mitem['allow_cid']), + '$allow_gid' => acl2json($mitem['allow_gid']), + '$deny_cid' => acl2json($mitem['deny_cid']), + '$deny_gid' => acl2json($mitem['deny_gid']), '$mitem_id' => intval(argv(2)), '$mitem_desc' => array('mitem_desc', t('Link text'), $mitem['mitem_desc'], '','*'), '$mitem_link' => array('mitem_link', t('Link or Submenu Target'), $mitem['mitem_link'], 'Enter URL of the link or select a menu name to create a submenu', '*', 'list="menu-names"'), diff --git a/Zotlabs/Module/Network.php b/Zotlabs/Module/Network.php index 3b88cd8d6..0128adc2c 100644 --- a/Zotlabs/Module/Network.php +++ b/Zotlabs/Module/Network.php @@ -170,6 +170,7 @@ class Network extends \Zotlabs\Web\Controller { 'nickname' => $channel['channel_address'], 'lockstate' => (($private_editing || $channel['channel_allow_cid'] || $channel['channel_allow_gid'] || $channel['channel_deny_cid'] || $channel['channel_deny_gid']) ? 'lock' : 'unlock'), 'acl' => populate_acl((($private_editing) ? $def_acl : $channel_acl), true, \Zotlabs\Lib\PermissionDescription::fromGlobalPermission('view_stream'), get_post_aclDialogDescription(), 'acl_dialog_post'), + 'permissions' => (($private_editing) ? $def_acl : $channel_acl), 'bang' => (($private_editing) ? '!' : ''), 'visitor' => true, 'profile_uid' => local_channel(), diff --git a/Zotlabs/Module/Photos.php b/Zotlabs/Module/Photos.php index 1eeab1461..6aeac7af7 100644 --- a/Zotlabs/Module/Photos.php +++ b/Zotlabs/Module/Photos.php @@ -668,6 +668,10 @@ class Photos extends \Zotlabs\Web\Controller { '$selname' => $selname, '$permissions' => t('Permissions'), '$aclselect' => $aclselect, + '$allow_cid' => acl2json($channel_acl['allow_cid']), + '$allow_gid' => acl2json($channel_acl['allow_gid']), + '$deny_cid' => acl2json($channel_acl['deny_cid']), + '$deny_gid' => acl2json($channel_acl['deny_gid']), '$lockstate' => $lockstate, '$uploader' => $ret['addon_text'], '$default' => (($ret['default_upload']) ? true : false), @@ -1016,7 +1020,7 @@ class Photos extends \Zotlabs\Web\Controller { // FIXME - remove this when we move to conversation module $r = $r[0]['children']; - + $edit = null; if($can_post) { $album_e = $ph[0]['album']; @@ -1042,6 +1046,10 @@ class Photos extends \Zotlabs\Web\Controller { 'tag_label' => t('Add a Tag'), 'permissions' => t('Permissions'), 'aclselect' => $aclselect_e, + 'allow_cid' => acl2json($ph[0]['allow_cid']), + 'allow_gid' => acl2json($ph[0]['allow_gid']), + 'deny_cid' => acl2json($ph[0]['deny_cid']), + 'deny_gid' => acl2json($ph[0]['deny_gid']), 'lockstate' => $lockstate[0], 'help_tags' => t('Example: @bob, @Barbara_Jensen, @jim@example.com'), 'item_id' => ((count($linked_items)) ? $link_item['id'] : 0), diff --git a/Zotlabs/Module/Rate.php b/Zotlabs/Module/Rate.php index da23b840e..2f769b36b 100644 --- a/Zotlabs/Module/Rate.php +++ b/Zotlabs/Module/Rate.php @@ -43,7 +43,7 @@ class Rate extends \Zotlabs\Web\Controller { } - function post() { + function post() { if(! local_channel()) return; diff --git a/Zotlabs/Module/Register.php b/Zotlabs/Module/Register.php index 45123b88d..4cdd27001 100644 --- a/Zotlabs/Module/Register.php +++ b/Zotlabs/Module/Register.php @@ -151,7 +151,7 @@ class Register extends \Zotlabs\Web\Controller { $new_channel = false; $next_page = 'new_channel'; - if(get_config('system','auto_channel_create') || UNO) { + if(get_config('system','auto_channel_create') || get_config('system','server_role') == 'basic') { $new_channel = auto_channel_create($result['account']['account_id']); if($new_channel['success']) { $channel_id = $new_channel['channel']['channel_id']; @@ -234,9 +234,12 @@ class Register extends \Zotlabs\Web\Controller { $privacy_role = ((x($_REQUEST,'permissions_role')) ? $_REQUEST['permissions_role'] : ""); $role = array('permissions_role' , t('Channel role and privacy'), ($privacy_role) ? $privacy_role : 'social', t('Select a channel role with your privacy requirements.') . ' ' . t('Read more about roles') . '',get_roles()); $tos = array('tos', $label_tos, '', '', array(t('no'),t('yes'))); - - $auto_create = ((UNO) || (get_config('system','auto_channel_create')) ? true : false); - $default_role = ((UNO) ? 'social' : get_config('system','default_permissions_role')); + + $server_role = get_config('system','server_role'); + + + $auto_create = (($server_role == 'basic') || (get_config('system','auto_channel_create')) ? true : false); + $default_role = (($server_role == 'basic') ? 'social' : get_config('system','default_permissions_role')); require_once('include/bbcode.php'); diff --git a/Zotlabs/Module/Rpost.php b/Zotlabs/Module/Rpost.php index 9e3043d10..28a1f1bb0 100644 --- a/Zotlabs/Module/Rpost.php +++ b/Zotlabs/Module/Rpost.php @@ -116,6 +116,7 @@ class Rpost extends \Zotlabs\Web\Controller { 'nickname' => $channel['channel_address'], 'lockstate' => (($acl->is_private()) ? 'lock' : 'unlock'), 'acl' => populate_acl($channel_acl, true, \Zotlabs\Lib\PermissionDescription::fromGlobalPermission('view_stream'), get_post_aclDialogDescription(), 'acl_dialog_post'), + 'permissions' => $channel_acl, 'bang' => '', 'visitor' => true, 'profile_uid' => local_channel(), @@ -125,6 +126,7 @@ class Rpost extends \Zotlabs\Web\Controller { 'source' => ((x($_REQUEST,'source')) ? strip_tags($_REQUEST['source']) : ''), 'return_path' => 'rpost/return', 'bbco_autocomplete' => 'bbcode', + 'editor_autocomplete'=> true, 'bbcode' => true ); diff --git a/Zotlabs/Module/Settings.php b/Zotlabs/Module/Settings.php index 4e3de2c51..12157944f 100644 --- a/Zotlabs/Module/Settings.php +++ b/Zotlabs/Module/Settings.php @@ -2,7 +2,7 @@ namespace Zotlabs\Module; /** @file */ require_once('include/zot.php'); - +require_once('include/security.php'); class Settings extends \Zotlabs\Web\Controller { @@ -21,10 +21,7 @@ class Settings extends \Zotlabs\Web\Controller { // We are setting these values - don't use the argc(), argv() functions here \App::$argc = 2; \App::$argv[] = 'channel'; - } - - - + } } @@ -38,7 +35,7 @@ class Settings extends \Zotlabs\Web\Controller { $channel = \App::get_channel(); - logger('mod_settings: ' . print_r($_REQUEST,true)); + // logger('mod_settings: ' . print_r($_REQUEST,true)); if((argc() > 1) && (argv(1) === 'oauth') && x($_POST,'remove')){ @@ -167,7 +164,23 @@ class Settings extends \Zotlabs\Web\Controller { dbesc($expires) ); } + + $atoken_xchan = substr($channel['channel_hash'],0,16) . '.' . $name; + + $all_perms = \Zotlabs\Access\Permissions::Perms(); + + if($all_perms) { + foreach($all_perms as $perm => $desc) { + if(array_key_exists('perms_' . $perm, $_POST)) { + set_abconfig($channel['channel_id'],$atoken_xchan,'my_perms',$perm,intval($_POST['perms_' . $perm])); + } + else { + set_abconfig($channel['channel_id'],$atoken_xchan,'my_perms',$perm,0); + } + } + } + info( t('Token saved.') . EOL); return; } @@ -273,7 +286,7 @@ class Settings extends \Zotlabs\Web\Controller { $email = ((x($_POST,'email')) ? trim(notags($_POST['email'])) : ''); $account = \App::get_account(); if($email != $account['account_email']) { - if(! valid_email($email)) + if(! valid_email($email)) $errs[] = t('Not valid email.'); $adm = trim(get_config('system','admin_email')); if(($adm) && (strcasecmp($email,$adm) == 0)) { @@ -363,10 +376,10 @@ class Settings extends \Zotlabs\Web\Controller { intval(local_channel()) ); - $global_perms = get_perms(); + $global_perms = \Zotlabs\Access\Permissions::Perms(); foreach($global_perms as $k => $v) { - $set_perms .= ', ' . $v[0] . ' = ' . intval($_POST[$k]) . ' '; + \Zotlabs\Access\PermissionLimits::Set(local_channel(),$k,intval($_POST[$k])); } $acl = new \Zotlabs\Access\AccessList($channel); $acl->set_from_array($_POST); @@ -381,8 +394,8 @@ class Settings extends \Zotlabs\Web\Controller { intval(local_channel()) ); } - else { - $role_permissions = get_role_perms($_POST['permissions_role']); + else { + $role_permissions = \Zotlabs\Access\PermissionRoles::role_perms($_POST['permissions_role']); if(! $role_permissions) { notice('Permissions category could not be found.'); return; @@ -422,19 +435,24 @@ class Settings extends \Zotlabs\Web\Controller { ); } - $r = q("update abook set abook_my_perms = %d where abook_channel = %d and abook_self = 1", - intval((array_key_exists('perms_accept',$role_permissions)) ? $role_permissions['perms_accept'] : 0), - intval(local_channel()) - ); - set_pconfig(local_channel(),'system','autoperms',(($role_permissions['perms_auto']) ? intval($role_permissions['perms_accept']) : 0)); - - foreach($role_permissions as $p => $v) { - if(strpos($p,'channel_') !== false) { - $set_perms .= ', ' . $p . ' = ' . intval($v) . ' '; + $x = \Zotlabs\Access\Permissions::FilledPerms($role_permissions['perms_connect']); + foreach($x as $k => $v) { + set_abconfig(local_channel(),$channel['channel_hash'],'my_perms',$k, $v); + if($role_permissions['perms_auto']) { + set_pconfig(local_channel(),'autoperms',$k,$v); } - if($p === 'directory_publish') { - $publish = intval($v); + else { + del_pconfig(local_channel(),'autoperms',$k); } + } + + if($role_permissions['limits']) { + foreach($role_permissions['limits'] as $k => $v) { + \Zotlabs\Access\PermissionLimits::Set(local_channel(),$k,$v); + } + } + if(array_key_exists('directory_publish',$role_permissions)) { + $publish = intval($role_permissions['directory_publish']); } } @@ -763,6 +781,8 @@ class Settings extends \Zotlabs\Web\Controller { if((argc() > 1) && (argv(1) === 'tokens')) { $atoken = null; + $atoken_xchan = ''; + if(argc() > 2) { $id = argv(2); @@ -771,23 +791,56 @@ class Settings extends \Zotlabs\Web\Controller { intval(local_channel()) ); - if($atoken) + if($atoken) { $atoken = $atoken[0]; + $atoken_xchan = substr($channel['channel_hash'],0,16) . '.' . $atoken['atoken_name']; + } if($atoken && argc() > 3 && argv(3) === 'drop') { - $r = q("delete from atoken where atoken_id = %d", - intval($id) - ); + atoken_delete($id); + $atoken = null; + $atoken_xchan = ''; } } + $t = q("select * from atoken where atoken_uid = %d", intval(local_channel()) ); - $desc = t('Use this form to create temporary access identifiers to share things with non-members. These identities may be used in Access Control Lists and visitors may login using these credentials to access the private content.'); + $desc = t('Use this form to create temporary access identifiers to share things with non-members. These identities may be used in Access Control Lists and visitors may login using these credentials to access private content.'); $desc2 = t('You may also provide dropbox style access links to friends and associates by adding the Login Password to any specific site URL as shown. Examples:'); + $global_perms = \Zotlabs\Access\Permissions::Perms(); + + $existing = get_all_perms(local_channel(),(($atoken_xchan) ? $atoken_xchan : '')); + + if($atoken_xchan) { + $theirs = q("select * from abconfig where chan = %d and xchan = '%s' and cat = 'their_perms'", + intval(local_channel()), + dbesc($atoken_xchan) + ); + $their_perms = array(); + if($theirs) { + foreach($theirs as $t) { + $their_perms[$t['k']] = $t['v']; + } + } + } + foreach($global_perms as $k => $v) { + $thisperm = get_abconfig(local_channel(),$contact['abook_xchan'],'my_perms',$k); +//fixme + + $checkinherited = \Zotlabs\Access\PermissionLimits::Get(local_channel(),$k); + + if($existing[$k]) + $thisperm = "1"; + + $perms[] = array('perms_' . $k, $v, ((array_key_exists($k,$their_perms)) ? intval($their_perms[$k]) : ''),$thisperm, 1, (($checkinherited & PERMS_SPECIFIC) ? '' : '1'), '', $checkinherited); + } + + + $tpl = get_markup_template("settings_tokens.tpl"); $o .= replace_macros($tpl, array( '$form_security_token' => get_form_security_token("settings_tokens"), @@ -801,6 +854,13 @@ class Settings extends \Zotlabs\Web\Controller { '$name' => array('name', t('Login Name') . ' *', (($atoken) ? $atoken['atoken_name'] : ''),''), '$token'=> array('token', t('Login Password') . ' *',(($atoken) ? $atoken['atoken_token'] : autoname(8)), ''), '$expires'=> array('expires', t('Expires (yyyy-mm-dd)'), (($atoken['atoken_expires'] && $atoken['atoken_expires'] != NULL_DATE) ? datetime_convert('UTC',date_default_timezone_get(),$atoken['atoken_expires']) : ''), ''), + '$them' => t('Their Settings'), + '$me' => t('My Settings'), + '$perms' => $perms, + '$inherited' => t('inherited'), + '$notself' => '1', + '$permlbl' => t('Individual Permissions'), + '$permnote' => t('Some permissions may be inherited from your channel\'s privacy settings, which have higher priority than individual settings. You can not change those settings here.'), '$submit' => t('Submit') )); return $o; @@ -963,11 +1023,7 @@ class Settings extends \Zotlabs\Web\Controller { return $o; } - - - - - + if(argv(1) === 'channel') { require_once('include/acl_selectors.php'); @@ -984,9 +1040,8 @@ class Settings extends \Zotlabs\Web\Controller { $channel = \App::get_channel(); - - $global_perms = get_perms(); - + $global_perms = \Zotlabs\Access\Permissions::Perms(); + $permiss = array(); $perm_opts = array( @@ -1000,19 +1055,18 @@ class Settings extends \Zotlabs\Web\Controller { array( t('Anybody on the internet'), PERMS_PUBLIC) ); + $limits = \Zotlabs\Access\PermissionLimits::Get(local_channel()); foreach($global_perms as $k => $perm) { $options = array(); foreach($perm_opts as $opt) { - if((! $perm[2]) && $opt[1] == PERMS_PUBLIC) - continue; $options[$opt[1]] = $opt[0]; } - $permiss[] = array($k,$perm[3],$channel[$perm[0]],$perm[4],$options); + $permiss[] = array($k,$perm,$limits[$k],'',$options); } - // logger('permiss: ' . print_r($permiss,true)); + //logger('permiss: ' . print_r($permiss,true)); @@ -1166,6 +1220,10 @@ class Settings extends \Zotlabs\Web\Controller { '$permissions' => t('Default Post and Publish Permissions'), '$permdesc' => t("\x28click to open/close\x29"), '$aclselect' => populate_acl($perm_defaults, false, \Zotlabs\Lib\PermissionDescription::fromDescription(t('Use my default audience setting for the type of object published'))), + '$allow_cid' => acl2json($perm_defaults['allow_cid']), + '$allow_gid' => acl2json($perm_defaults['allow_gid']), + '$deny_cid' => acl2json($perm_defaults['deny_cid']), + '$deny_gid' => acl2json($perm_defaults['deny_gid']), '$suggestme' => $suggestme, '$group_select' => $group_select, '$role' => array('permissions_role' , t('Channel permissions category:'), $permissions_role, '', get_roles()), @@ -1228,7 +1286,7 @@ class Settings extends \Zotlabs\Web\Controller { call_hooks('settings_form',$o); - $o .= '' . "\r\n"; + //$o .= '' . "\r\n"; return $o; } diff --git a/Zotlabs/Module/Setup.php b/Zotlabs/Module/Setup.php index 802f0c216..4553b6866 100644 --- a/Zotlabs/Module/Setup.php +++ b/Zotlabs/Module/Setup.php @@ -101,7 +101,7 @@ class Setup extends \Zotlabs\Web\Controller { $timezone = notags(trim($_POST['timezone'])); $adminmail = notags(trim($_POST['adminmail'])); $siteurl = notags(trim($_POST['siteurl'])); - $advanced = ((intval($_POST['advanced'])) ? 1 : 0); + $advanced = ((intval($_POST['advanced'])) ? 'pro' : 'basic'); if($siteurl != z_root()) { $test = z_fetch_url($siteurl."/setup/testrewrite"); @@ -124,17 +124,17 @@ class Setup extends \Zotlabs\Web\Controller { $tpl = get_intltext_template('htconfig.tpl'); $txt = replace_macros($tpl,array( - '$dbhost' => $dbhost, - '$dbport' => $dbport, - '$dbuser' => $dbuser, - '$dbpass' => $dbpass, - '$dbdata' => $dbdata, - '$dbtype' => $dbtype, - '$uno' => 1 - $advanced, - '$timezone' => $timezone, - '$siteurl' => $siteurl, - '$site_id' => random_string(), - '$phpath' => $phpath, + '$dbhost' => $dbhost, + '$dbport' => $dbport, + '$dbuser' => $dbuser, + '$dbpass' => $dbpass, + '$dbdata' => $dbdata, + '$dbtype' => $dbtype, + '$server_role' => $advanced, + '$timezone' => $timezone, + '$siteurl' => $siteurl, + '$site_id' => random_string(), + '$phpath' => $phpath, '$adminmail' => $adminmail )); diff --git a/Zotlabs/Module/Thing.php b/Zotlabs/Module/Thing.php index 65fc0588e..a7ac63f73 100644 --- a/Zotlabs/Module/Thing.php +++ b/Zotlabs/Module/Thing.php @@ -312,6 +312,10 @@ class Thing extends \Zotlabs\Web\Controller { '$imgurl' => $r[0]['obj_imgurl'], '$permissions' => t('Permissions'), '$aclselect' => populate_acl($channel_acl,false), + '$allow_cid' => acl2json($channel_acl['allow_cid']), + '$allow_gid' => acl2json($channel_acl['allow_gid']), + '$deny_cid' => acl2json($channel_acl['deny_cid']), + '$deny_gid' => acl2json($channel_acl['deny_gid']), '$lockstate' => $lockstate, '$submit' => t('Submit') )); @@ -358,6 +362,10 @@ class Thing extends \Zotlabs\Web\Controller { '$img_lbl' => t('URL for photo of thing (optional)'), '$permissions' => t('Permissions'), '$aclselect' => populate_acl($channel_acl,false), + '$allow_cid' => acl2json($channel_acl['allow_cid']), + '$allow_gid' => acl2json($channel_acl['allow_gid']), + '$deny_cid' => acl2json($channel_acl['deny_cid']), + '$deny_gid' => acl2json($channel_acl['deny_gid']), '$lockstate' => $lockstate, '$submit' => t('Submit') )); diff --git a/Zotlabs/Module/Webpages.php b/Zotlabs/Module/Webpages.php index cc0a01cce..0a48d43c6 100644 --- a/Zotlabs/Module/Webpages.php +++ b/Zotlabs/Module/Webpages.php @@ -45,7 +45,29 @@ class Webpages extends \Zotlabs\Web\Controller { $observer = \App::get_observer(); $channel = \App::get_channel(); - + + switch ($_SESSION['action']) { + case 'import': + $_SESSION['action'] = null; + $o .= replace_macros(get_markup_template('webpage_import.tpl'), array( + '$title' => t('Import Webpage Elements'), + '$importbtn' => t('Import selected'), + '$action' => 'import', + '$pages' => $_SESSION['pages'], + '$layouts' => $_SESSION['layouts'], + '$blocks' => $_SESSION['blocks'], + )); + return $o; + + case 'importselected': + $_SESSION['action'] = null; + break; + default : + $_SESSION['action'] = null; + break; + } + + if(\App::$is_sys && is_site_admin()) { $sys = get_sys_channel(); if($sys && intval($sys['channel_id'])) { @@ -105,6 +127,7 @@ class Webpages extends \Zotlabs\Web\Controller { 'nickname' => \App::$profile['channel_address'], 'lockstate' => (($channel['channel_allow_cid'] || $channel['channel_allow_gid'] || $channel['channel_deny_cid'] || $channel['channel_deny_gid']) ? 'lock' : 'unlock'), 'acl' => (($is_owner) ? populate_acl($channel_acl,false, \Zotlabs\Lib\PermissionDescription::fromGlobalPermission('view_pages')) : ''), + 'permissions' => (($is_owner) ? $channel_acl : ''), 'showacl' => (($is_owner) ? true : false), 'visitor' => true, 'hide_location' => true, @@ -209,4 +232,165 @@ class Webpages extends \Zotlabs\Web\Controller { return $o; } + function post() { + + $action = $_REQUEST['action']; + if( $action ){ + switch ($action) { + case 'scan': + + // the state of this variable tracks whether website files have been scanned (null, true, false) + $cloud = null; + + // Website files are to be imported from an uploaded zip file + if(($_FILES) && array_key_exists('zip_file',$_FILES) && isset($_POST['w_upload'])) { + $source = $_FILES["zip_file"]["tmp_name"]; + $type = $_FILES["zip_file"]["type"]; + $okay = false; + $accepted_types = array('application/zip', 'application/x-zip-compressed', 'multipart/x-zip', 'application/x-compressed'); + foreach ($accepted_types as $mime_type) { + if ($mime_type == $type) { + $okay = true; + break; + } + } + if(!$okay) { + notice( t('Invalid file type.') . EOL); + return; + } + $zip = new \ZipArchive(); + if ($zip->open($source) === true) { + $tmp_folder_name = random_string(5); + $website = dirname($source) . '/' . $tmp_folder_name; + $zip->extractTo($website); // change this to the correct site path + $zip->close(); + @unlink($source); // delete the compressed file now that the content has been extracted + $cloud = false; + } else { + notice( t('Error opening zip file') . EOL); + return null; + } + } + + // Website files are to be imported from the channel cloud files + if (($_POST) && array_key_exists('path',$_POST) && isset($_POST['cloudsubmit'])) { + + $channel = \App::get_channel(); + $dirpath = get_dirpath_by_cloudpath($channel, $_POST['path']); + if(!$dirpath) { + notice( t('Invalid folder path.') . EOL); + return null; + } + $cloud = true; + + } + + // If the website files were uploaded or specified in the cloud files, then $cloud + // should be either true or false + if ($cloud !== null) { + require_once('include/import.php'); + $elements = []; + if($cloud) { + $path = $_POST['path']; + } else { + $path = $website; + } + $elements['pages'] = scan_webpage_elements($path, 'page', $cloud); + $elements['layouts'] = scan_webpage_elements($path, 'layout', $cloud); + $elements['blocks'] = scan_webpage_elements($path, 'block', $cloud); + $_SESSION['blocks'] = $elements['blocks']; + $_SESSION['layouts'] = $elements['layouts']; + $_SESSION['pages'] = $elements['pages']; + if(!(empty($elements['pages']) && empty($elements['blocks']) && empty($elements['layouts']))) { + //info( t('Webpages elements detected.') . EOL); + $_SESSION['action'] = 'import'; + } else { + notice( t('No webpage elements detected.') . EOL); + $_SESSION['action'] = null; + } + + } + + // If the website elements were imported from a zip file, delete the temporary decompressed files + if ($cloud === false && $website && $elements) { + rrmdir($website); // Delete the temporary decompressed files + } + + break; + + case 'importselected': + require_once('include/import.php'); + $channel = \App::get_channel(); + + // Import layout first so that pages that reference new layouts will find + // the mid of layout items in the database + + // Obtain the user-selected layouts to import and import them + $checkedlayouts = $_POST['layout']; + $layouts = []; + if (!empty($checkedlayouts)) { + foreach ($checkedlayouts as $name) { + foreach ($_SESSION['layouts'] as &$layout) { + if ($layout['name'] === $name) { + $layout['import'] = 1; + $layoutstoimport[] = $layout; + } + } + } + foreach ($layoutstoimport as $elementtoimport) { + $layouts[] = import_webpage_element($elementtoimport, $channel, 'layout'); + } + } + $_SESSION['import_layouts'] = $layouts; + + // Obtain the user-selected blocks to import and import them + $checkedblocks = $_POST['block']; + $blocks = []; + if (!empty($checkedblocks)) { + foreach ($checkedblocks as $name) { + foreach ($_SESSION['blocks'] as &$block) { + if ($block['name'] === $name) { + $block['import'] = 1; + $blockstoimport[] = $block; + } + } + } + foreach ($blockstoimport as $elementtoimport) { + $blocks[] = import_webpage_element($elementtoimport, $channel, 'block'); + } + } + $_SESSION['import_blocks'] = $blocks; + + // Obtain the user-selected pages to import and import them + $checkedpages = $_POST['page']; + $pages = []; + if (!empty($checkedpages)) { + foreach ($checkedpages as $pagelink) { + foreach ($_SESSION['pages'] as &$page) { + if ($page['pagelink'] === $pagelink) { + $page['import'] = 1; + $pagestoimport[] = $page; + } + } + } + foreach ($pagestoimport as $elementtoimport) { + $pages[] = import_webpage_element($elementtoimport, $channel, 'page'); + } + } + $_SESSION['import_pages'] = $pages; + if(!(empty($_SESSION['import_pages']) && empty($_SESSION['import_blocks']) && empty($_SESSION['import_layouts']))) { + info( t('Import complete.') . EOL); + } + break; + + default : + break; + } + } + + + + + } + } diff --git a/Zotlabs/Module/Wiki.php b/Zotlabs/Module/Wiki.php index 55a52ea6d..bb4e9179c 100644 --- a/Zotlabs/Module/Wiki.php +++ b/Zotlabs/Module/Wiki.php @@ -74,11 +74,16 @@ class Wiki extends \Zotlabs\Web\Controller { // Initialize the ACL to the channel default permissions $x = array( 'lockstate' => (( $local_observer['channel_allow_cid'] || - $local_observer['channel_allow_gid'] || - $local_observer['channel_deny_cid'] || - $local_observer['channel_deny_gid']) - ? 'lock' : 'unlock'), + $local_observer['channel_allow_gid'] || + $local_observer['channel_deny_cid'] || + $local_observer['channel_deny_gid']) + ? 'lock' : 'unlock' + ), 'acl' => populate_acl($channel_acl), + 'allow_cid' => acl2json($channel_acl['allow_cid']), + 'allow_gid' => acl2json($channel_acl['allow_gid']), + 'deny_cid' => acl2json($channel_acl['deny_cid']), + 'deny_gid' => acl2json($channel_acl['deny_gid']), 'bang' => '' ); } else { @@ -142,8 +147,8 @@ class Wiki extends \Zotlabs\Web\Controller { } $content = ($p['content'] !== '' ? htmlspecialchars_decode($p['content'],ENT_COMPAT) : '"# New page\n"'); // Render the Markdown-formatted page content in HTML - require_once('library/markdown.php'); - $html = wiki_generate_toc(purify_html(Markdown(json_decode($content)))); + require_once('library/markdown.php'); + $html = wiki_generate_toc(purify_html(Markdown(wiki_bbcode(json_decode($content))))); $renderedContent = wiki_convert_links($html,argv(0).'/'.argv(1).'/'.$wikiUrlName); $hide_editor = false; $showPageControls = $wiki_editor; @@ -186,6 +191,10 @@ class Wiki extends \Zotlabs\Web\Controller { '$page' => $pageUrlName, '$lockstate' => $x['lockstate'], '$acl' => $x['acl'], + '$allow_cid' => $x['allow_cid'], + '$allow_gid' => $x['allow_gid'], + '$deny_cid' => $x['deny_cid'], + '$deny_gid' => $x['deny_gid'], '$bang' => $x['bang'], '$content' => $content, '$renderedContent' => $renderedContent, @@ -221,6 +230,7 @@ class Wiki extends \Zotlabs\Web\Controller { $content = $_POST['content']; $resource_id = $_POST['resource_id']; require_once('library/markdown.php'); + $content = wiki_bbcode($content); $html = wiki_generate_toc(purify_html(Markdown($content))); $w = wiki_get_wiki($resource_id); $wikiURL = argv(0).'/'.argv(1).'/'.$w['urlName']; diff --git a/Zotlabs/Storage/Browser.php b/Zotlabs/Storage/Browser.php index 713d75108..948f7c733 100644 --- a/Zotlabs/Storage/Browser.php +++ b/Zotlabs/Storage/Browser.php @@ -274,6 +274,22 @@ class Browser extends DAV\Browser\Plugin { // SimpleCollection, we won't need to show the panel either. if (get_class($node) === 'Sabre\\DAV\\SimpleCollection') return; + require_once('include/acl_selectors.php'); + + $aclselect = null; + $lockstate = ''; + + if($this->auth->owner_id) { + $channel = channelx_by_n($this->auth->owner_id); + if($channel) { + $acl = new \Zotlabs\Access\AccessList($channel); + $channel_acl = $acl->get(); + $lockstate = (($acl->is_private()) ? 'lock' : 'unlock'); + + $aclselect = ((local_channel() == $this->auth->owner_id) ? populate_acl($channel_acl,false, \Zotlabs\Lib\PermissionDescription::fromGlobalPermission('view_storage')) : ''); + + } + } // Storage and quota for the account (all channels of the owner of this directory)! $limit = engr_units_to_bytes(service_class_fetch($owner, 'attach_upload_limit')); @@ -293,7 +309,6 @@ class Browser extends DAV\Browser\Plugin { userReadableSize($limit), round($used / $limit, 1) * 100); } - // prepare quota for template $quota = array(); $quota['used'] = $used; @@ -301,12 +316,25 @@ class Browser extends DAV\Browser\Plugin { $quota['desc'] = $quotaDesc; $quota['warning'] = ((($limit) && ((round($used / $limit, 1) * 100) >= 90)) ? t('WARNING:') : ''); // 10485760 bytes = 100MB + $path = trim(str_replace('cloud/' . $this->auth->owner_nick, '', $path),'/'); + $output .= replace_macros(get_markup_template('cloud_actionspanel.tpl'), array( '$folder_header' => t('Create new folder'), '$folder_submit' => t('Create'), '$upload_header' => t('Upload file'), '$upload_submit' => t('Upload'), - '$quota' => $quota + '$quota' => $quota, + '$channick' => $this->auth->owner_nick, + '$aclselect' => $aclselect, + '$allow_cid' => acl2json($channel_acl['allow_cid']), + '$allow_gid' => acl2json($channel_acl['allow_gid']), + '$deny_cid' => acl2json($channel_acl['deny_cid']), + '$deny_gid' => acl2json($channel_acl['deny_gid']), + '$lockstate' => $lockstate, + '$return_url' => \App::$cmd, + '$path' => $path, + '$folder' => find_folder_hash_by_path($this->auth->owner_id, $path), + '$dragdroptext' => t('Drop files here to immediately upload') )); } diff --git a/boot.php b/boot.php index 4909c8e75..b493bbea0 100755 --- a/boot.php +++ b/boot.php @@ -44,10 +44,10 @@ require_once('include/account.php'); define ( 'PLATFORM_NAME', 'hubzilla' ); -define ( 'STD_VERSION', '1.10' ); +define ( 'STD_VERSION', '1.12' ); define ( 'ZOT_REVISION', '1.1' ); -define ( 'DB_UPDATE_VERSION', 1180 ); +define ( 'DB_UPDATE_VERSION', 1181 ); /** @@ -602,15 +602,22 @@ function sys_boot() { @include('.htconfig.php'); - if(! defined('UNO')) - define('UNO', 0); - if(array_key_exists('default_timezone',get_defined_vars())) { App::$config['system']['timezone'] = $default_timezone; } $a->convert(); + if(defined('UNO')) { + if(UNO) + App::$config['system']['server_role'] = 'basic'; + else + App::$config['system']['server_role'] = 'pro'; + } + + if(! (array_key_exists('server_role',App::$config['system']) && App::$config['system']['server_role'])) + App::$config['system']['server_role'] = 'pro'; + App::$timezone = ((App::$config['system']['timezone']) ? App::$config['system']['timezone'] : 'UTC'); date_default_timezone_set(App::$timezone); @@ -633,7 +640,6 @@ function sys_boot() { * Load configs from db. Overwrite configs from .htconfig.php */ - load_config('config'); load_config('system'); load_config('feature'); @@ -765,6 +771,7 @@ class App { public static $pdl = null; // Comanche page description private static $perms = null; // observer permissions private static $widgets = array(); // widgets for this page + public static $config = array(); // config cache public static $session = null; public static $groups; @@ -774,7 +781,6 @@ class App { public static $plugins_admin; public static $module_loaded = false; public static $query_string; - public static $config; // config cache public static $page; public static $profile; public static $user; @@ -1551,6 +1557,9 @@ function check_config(&$a) { load_hooks(); + + check_for_new_perms(); + check_cron_broken(); } @@ -2440,6 +2449,67 @@ function cert_bad_email() { } +function check_for_new_perms() { + + $pregistered = get_config('system','perms'); + $pcurrent = array_keys(\Zotlabs\Access\Permissions::Perms()); + + if(! $pregistered) { + set_config('system','perms',$pcurrent); + return; + } + + $found_new_perm = false; + + foreach($pcurrent as $p) { + if(! in_array($p,$pregistered)) { + $found_new_perm = true; + // for all channels + $c = q("select channel_id from channel where true"); + if($c) { + foreach($c as $cc) { + // get the permission role + $r = q("select v from pconfig where uid = %d and cat = 'system' and k = 'permissions_role'", + intval($cc['uid']) + ); + if($r) { + // get a list of connections + $x = q("select abook_xchan from abook where abook_channel = %d and abook_self = 0", + intval($cc['uid']) + ); + // get the permissions role details + $rp = \Zotlabs\Access\PermissionRoles::role_perms($r[0]['v']); + if($rp) { + // set the channel limits if appropriate or 0 + if(array_key_exists('limits',$rp) && array_key_exists($p,$rp['limits'])) { + \Zotlabs\Access\PermissionLimits::Set($cc['uid'],$p,$rp['limits'][$p]); + } + else { + \Zotlabs\Access\PermissionLimits::Set($cc['uid'],$p,0); + } + + $set = ((array_key_exists('perms_connect',$rp) && array_key_exists($p,$rp['perms_connect'])) ? true : false); + // foreach connection set to the perms_connect value + if($x) { + foreach($x as $xx) { + set_abconfig($cc['uid'],$xx['abook_xchan'],'my_perms',$p,intval($set)); + } + } + } + } + } + } + } + } + + // We should probably call perms_refresh here, but this should get pushed in 24 hours and there is no urgency + if($found_new_perm) + set_config('system','perms',$pcurrent); + +} + + + /** * @brief Send warnings every 3-5 days if cron is not running. */ @@ -2449,6 +2519,7 @@ function check_cron_broken() { if((! $d) || ($d < datetime_convert('UTC','UTC','now - 4 hours'))) { Zotlabs\Daemon\Master::Summon(array('Cron')); + set_config('system','lastcron',datetime_convert()); } $t = get_config('system','lastcroncheck'); diff --git a/doc/context/en/webpages/help.html b/doc/context/en/webpages/help.html new file mode 100644 index 000000000..af57ee88a --- /dev/null +++ b/doc/context/en/webpages/help.html @@ -0,0 +1,8 @@ +
+
General
+
You can create modular, identity-aware websites composed of shareable elements.
+
Pages
+
This page lists your "pages", which are assigned URLs where people can visit your site. The structure of pages are typically described by an associated layout, and their content is constructed from a collection of blocks.
+
Website import tool
+
The website import tool allows you import multiple webpage elements (pages, layouts, blocks) either from an uploaded zip file or from an existing cloud files folder. Read more...
+
\ No newline at end of file diff --git a/doc/webpage-element-import.md b/doc/webpage-element-import.md new file mode 100644 index 000000000..4330227c2 --- /dev/null +++ b/doc/webpage-element-import.md @@ -0,0 +1,94 @@ +## Webpage element import + +There are two methods of importing webpage elements: uploading a zip file or +referencing a local cloud files folder. Both methods require that the webpage +elements are specified using a specific folder structure. The import tool makes +it possible to import all the elements necessary to construct an entire website +or set of websites. The goal is to accommodate external development of webpages +as well as tools to simplify and automate deployment on a hub. + +### Folder structure +Element definitions must be stored in the repo root under folders called + + /pages/ + /blocks/ + /layouts/ + + +Each element of these types must be defined in an individual subfolder using two files: one JSON-formatted file for the metadata and one plain text file for the element content. + +### Page elements +Page element metadata is specified in a JSON-formatted file called `page.json` with the following properties: + + * title + * pagelink + * mimetype + * layout + * contentfile + +**Example** + +Files: + + /pages/my-page/page.json + /pages/my-page/my-page.bbcode + +Content of `page.json`: + + { + "title": "My Page", + "pagelink": "mypage", + "mimetype": "text/bbcode", + "layout": "my-layout", + "contentfile": "my-page.bbcode" + } + + +### Layout elements +Layout element metadata is specified in a JSON-formatted file called `layout.json` with the following properties: + + * name + * description + * contentfile + +**Example** + +Files: + + /layouts/my-layout/layout.json + /layouts/my-layout/my-layout.bbcode + +Content of `layout.json`: + + { + "name": "my-layout", + "description": "Layout for my project page", + "contentfile": "my-layout.bbcode" + } + + +### Block elements +Block element metadata is specified in a JSON-formatted file called `block.json` with the following properties: + + * name + * title + * mimetype + * contentfile + +**Example** + +Files: + + /blocks/my-block/block.json + /blocks/my-block/my-block.html + +Content of `block.json`: + + + { + "name": "my-block", + "title": "", + "mimetype": "text/html", + "contentfile": "my-block.html" + } + \ No newline at end of file diff --git a/doc/webpages.bb b/doc/webpages.bb index 6b3a800cb..2b909dc63 100644 --- a/doc/webpages.bb +++ b/doc/webpages.bb @@ -9,6 +9,9 @@ The "page link title" box allows a user to specify the "pagelinkt Beneath the page creation box, a list of existing pages will appear with an "edit" link. Clicking this will take you to an editor, similar to that of the post editor, where you can make changes to your webpages. +See also: + +[zrl=[baseurl]/help/webpage-element-import]Webpage element import tool[/zrl] [b]Using Blocks[/b] diff --git a/doc/Webpages.md b/doc/webpages.md similarity index 97% rename from doc/Webpages.md rename to doc/webpages.md index 801a9a3a0..05c16f2bb 100644 --- a/doc/Webpages.md +++ b/doc/webpages.md @@ -13,4 +13,5 @@ Beneath the page creation box, a list of existing pages will appear with an "edi If you are the admin of a site, you can specify a channel whose webpages we will use at key points around the site. Presently, the only place this is implemented is the home page. If you specify the channel "admin" and then the channel called "admin" creates a webpage called "home", we will display it's content on your websites home page. We expect this functionality to be extended to other areas in future. +#include doc/webpage-element-import.md; #include doc/macros/main_footer.bb; diff --git a/include/account.php b/include/account.php index 142ad1bea..5c44f13ca 100644 --- a/include/account.php +++ b/include/account.php @@ -407,7 +407,7 @@ function account_allow($hash) { pop_lang(); - if(get_config('system','auto_channel_create') || UNO) + if(get_config('system','auto_channel_create') || get_config('system','server_role') === 'basic') auto_channel_create($register[0]['uid']); if ($res) { @@ -511,7 +511,7 @@ function account_approve($hash) { - if(get_config('system','auto_channel_create') || UNO) + if(get_config('system','auto_channel_create') || get_config('system','server_role') === 'basic') auto_channel_create($register[0]['uid']); else { $_SESSION['login_return_url'] = 'new_channel'; diff --git a/include/api.php b/include/api.php index df6aba957..b11e2c351 100644 --- a/include/api.php +++ b/include/api.php @@ -13,7 +13,7 @@ require_once('include/api_auth.php'); /* * - * Red API. Loosely based on and possibly compatible with a Twitter-Like API but all similarities end there. + * Hubzilla API. Loosely based on and possibly compatible with Twitter-Like (v1.0) API but all similarities end there. * */ diff --git a/include/attach.php b/include/attach.php index b3ddfee88..242fc7485 100644 --- a/include/attach.php +++ b/include/attach.php @@ -577,7 +577,7 @@ function attach_store($channel, $observer_hash, $options = '', $arr = null) { $pathname = filepath_macro($album); } } - else { + if(! $pathname) { $pathname = filepath_macro($upload_path); } @@ -1437,6 +1437,22 @@ logger('attach_hash: ' . $attachHash); return $hash; } +function find_folder_hash_by_path($channel_id, $path) { + + $filename = end(explode('/', $path)); + + $r = q("SELECT hash FROM attach WHERE uid = %d AND filename = '%s' LIMIT 1", + intval($channel_id), + dbesc($filename) + ); + + $hash = ''; + if($r && $r[0]['hash']) { + $hash = $r[0]['hash']; + } + return $hash; +} + /** * @brief Returns the filename of an attachment in a given channel. * @@ -1910,3 +1926,70 @@ function get_attach_binname($s) { } return $p; } + + +function get_dirpath_by_cloudpath($channel, $path) { + + // Warning: Do not edit the following line. The first symbol is UTF-8 @ + $path = str_replace('@','@',notags(trim($path))); + + $h = @parse_url($path); + + if(! $h || !x($h, 'path')) { + return null; + } + if(substr($h['path'],-1,1) === '/') { + $h['path'] = substr($h['path'],0,-1); + } + if(substr($h['path'],0,1) === '/') { + $h['path'] = substr($h['path'],1); + } + $folders = explode('/', $h['path']); + $f = array_shift($folders); + + $nick = $channel['channel_address']; + //check to see if the absolute path was provided (/cloud/channelname/path/to/folder) + if($f === 'cloud' ) { + $g = array_shift($folders); + if( $g !== $nick) { + // if nick does not follow "cloud", then the top level folder must be called "cloud" + // and the given path must be relative to "/cloud/channelname/". + $folders = array_unshift(array_unshift($folders, $g), $f); + } + } else { + array_unshift($folders, $f); + } + $clouddir = 'store/' . $nick . '/' ; + $subdir = '/'; + $valid = true; + while($folders && $valid && is_dir($clouddir . $subdir) && is_readable($clouddir . $subdir)) { + $valid = false; + $f = array_shift($folders); + $items = array_diff(scandir($clouddir . $subdir), array('.', '..')); // hashed names + foreach($items as $item) { + $filename = find_filename_by_hash($channel['channel_id'], $item); + if($filename === $f) { + $subdir .= $item . '/'; + $valid = true; + } + } + } + if(!$valid) { + return null; + } else { + return $clouddir . $subdir; + } + + +} + +function get_filename_by_cloudname($cloudname, $channel, $storepath) { + $items = array_diff(scandir($storepath), array('.', '..')); // hashed names + foreach($items as $item) { + $filename = find_filename_by_hash($channel['channel_id'], $item); + if($filename === $cloudname) { + return $item; + } + } + return null; +} diff --git a/include/auth.php b/include/auth.php index f3592cee3..fdcecec36 100644 --- a/include/auth.php +++ b/include/auth.php @@ -57,6 +57,7 @@ function account_verify_password($login, $pass) { ); if($x) { $ret['xchan'] = atoken_xchan($x[0]); + atoken_create_xchan($ret['xchan']); return $ret; } } diff --git a/include/bbcode.php b/include/bbcode.php index 7f7be4300..db3a1011b 100644 --- a/include/bbcode.php +++ b/include/bbcode.php @@ -667,7 +667,7 @@ function bbcode($Text, $preserve_nl = false, $tryoembed = true, $cache = false) } // Remove bookmarks from UNO - if (UNO) + if (get_config('system','server_role') === 'basic') $Text = str_replace('#^', '', $Text); // Perform MAIL Search diff --git a/include/channel.php b/include/channel.php index 8e0747f25..5ea732834 100644 --- a/include/channel.php +++ b/include/channel.php @@ -410,14 +410,6 @@ function create_identity($arr) { set_pconfig($ret['channel']['channel_id'],'system','attach_path','%Y-%m'); } - // UNO: channel defaults, incl addons (addons specific pconfig will only work after the relevant addon is enabled by the admin). It's located here, so members can modify these defaults after the channel is created. - if(UNO) { - //diaspora protocol addon - set_pconfig($ret['channel']['channel_id'],'system','diaspora_allowed', '1'); - set_pconfig($ret['channel']['channel_id'],'system','diaspora_public_comments', '1'); - set_pconfig($ret['channel']['channel_id'],'system','prevent_tag_hijacking', '0'); - } - // auto-follow any of the hub's pre-configured channel choices. // Only do this if it's the first channel for this account; // otherwise it could get annoying. Don't make this list too big @@ -625,19 +617,10 @@ function identity_basic_export($channel_id, $items = false) { for($y = 0; $y < count($x); $y ++) { $m = menu_fetch($x[$y]['menu_name'],$channel_id,$ret['channel']['channel_hash']); if($m) - $ret['menu'][] = menu_element($m); + $ret['menu'][] = menu_element($ret['channel'],$m); } } - $x = menu_list($channel_id); - if($x) { - $ret['menu'] = array(); - for($y = 0; $y < count($x); $y ++) { - $m = menu_fetch($x[$y]['menu_name'],$channel_id,$ret['channel']['channel_hash']); - if($m) - $ret['menu'][] = menu_element($m); - } - } $addon = array('channel_id' => $channel_id,'data' => $ret); call_hooks('identity_basic_export',$addon); @@ -1071,6 +1054,7 @@ function profile_sidebar($profile, $block = 0, $show_connect = true, $zcard = fa $diaspora = array( 'podloc' => z_root(), 'guid' => $profile['channel_guid'] . str_replace('.','',App::get_hostname()), + 'pubkey' => pemtorsa($profile['channel_pubkey']), 'searchable' => (($block) ? 'false' : 'true'), 'nickname' => $profile['channel_address'], 'fullname' => $profile['channel_name'], diff --git a/include/connections.php b/include/connections.php index ed4526a09..e60b4fcae 100644 --- a/include/connections.php +++ b/include/connections.php @@ -566,6 +566,7 @@ function contact_remove($channel_id, $abook_id) { drop_item($rr['id'],false); } } + q("delete from abook where abook_id = %d and abook_channel = %d", intval($abook['abook_id']), @@ -588,6 +589,11 @@ function contact_remove($channel_id, $abook_id) { intval($channel_id) ); + $r = q("delete from abconfig where chan = %d and xchan = '%s'", + intval($channel_id), + dbesc($abook['abook_xchan']) + ); + return true; } diff --git a/include/conversation.php b/include/conversation.php index 957dbf8e9..86ef34566 100644 --- a/include/conversation.php +++ b/include/conversation.php @@ -802,6 +802,7 @@ function conversation(&$a, $items, $mode, $update, $page_mode = 'traditional', $ continue; } + $item['pagedrop'] = $page_dropping; if($item['id'] == $item['parent']) { @@ -1253,6 +1254,10 @@ function status_editor($a, $x, $popup = false) { '$visitor' => $x['visitor'], '$lockstate' => $x['lockstate'], '$acl' => $x['acl'], + '$allow_cid' => acl2json($x['permissions']['allow_cid']), + '$allow_gid' => acl2json($x['permissions']['allow_gid']), + '$deny_cid' => acl2json($x['permissions']['deny_cid']), + '$deny_gid' => acl2json($x['permissions']['deny_gid']), '$mimeselect' => $mimeselect, '$layoutselect' => $layoutselect, '$showacl' => ((array_key_exists('showacl', $x)) ? $x['showacl'] : true), @@ -1705,7 +1710,7 @@ function profile_tabs($a, $is_owner = false, $nickname = null){ ); } - if(feature_enabled($uid,'wiki') && (! UNO)) { + if(feature_enabled($uid,'wiki') && (get_config('system','server_role') !== 'basic')) { $tabs[] = array( 'label' => t('Wiki'), 'url' => z_root() . '/wiki/' . $nickname, diff --git a/include/features.php b/include/features.php index 2d71aa9be..041c028c6 100644 --- a/include/features.php +++ b/include/features.php @@ -38,7 +38,9 @@ function get_feature_default($feature) { function get_features($filtered = true) { - if(UNO && $filtered) + $server_role = get_config('system','server_role'); + + if($server_role === 'basic' && $filtered) return array(); $arr = array( @@ -52,7 +54,7 @@ function get_features($filtered = true) { array('advanced_profiles', t('Advanced Profiles'), t('Additional profile sections and selections'),false,get_config('feature_lock','advanced_profiles')), array('profile_export', t('Profile Import/Export'), t('Save and load profile details across sites/channels'),false,get_config('feature_lock','profile_export')), array('webpages', t('Web Pages'), t('Provide managed web pages on your channel'),false,get_config('feature_lock','webpages')), - array('wiki', t('Wiki'), t('Provide a wiki for your channel'),((UNO) ? false : true),get_config('feature_lock','wiki')), + array('wiki', t('Wiki'), t('Provide a wiki for your channel'),(($server_role === 'basic') ? false : true),get_config('feature_lock','wiki')), array('hide_rating', t('Hide Rating'), t('Hide the rating buttons on your channel and profile pages. Note: People can still rate you somewhere else.'),false,get_config('feature_lock','hide_rating')), array('private_notes', t('Private Notes'), t('Enables a tool to store notes and reminders (note: not encrypted)'),false,get_config('feature_lock','private_notes')), array('nav_channel_select', t('Navigation Channel Select'), t('Change channels directly from within the navigation dropdown menu'),false,get_config('feature_lock','nav_channel_select')), diff --git a/include/import.php b/include/import.php index 889b50eb1..bfe3c37b4 100644 --- a/include/import.php +++ b/include/import.php @@ -755,7 +755,11 @@ function import_menus($channel,$menus) { foreach($menu['items'] as $it) { $mitem = array(); + $mitem['mitem_link'] = str_replace('[channelurl]',z_root() . '/channel/' . $channel['channel_address'],$it['link']); + $mitem['mitem_link'] = str_replace('[pageurl]',z_root() . '/page/' . $channel['channel_address'],$it['link']); + $mitem['mitem_link'] = str_replace('[cloudurl]',z_root() . '/cloud/' . $channel['channel_address'],$it['link']); $mitem['mitem_link'] = str_replace('[baseurl]',z_root(),$it['link']); + $mitem['mitem_desc'] = escape_tags($it['desc']); $mitem['mitem_order'] = intval($it['order']); if(is_array($it['flags'])) { @@ -835,7 +839,12 @@ function sync_menus($channel,$menus) { foreach($menu['items'] as $it) { $mitem = array(); + + $mitem['mitem_link'] = str_replace('[channelurl]',z_root() . '/channel/' . $channel['channel_address'],$it['link']); + $mitem['mitem_link'] = str_replace('[pageurl]',z_root() . '/page/' . $channel['channel_address'],$it['link']); + $mitem['mitem_link'] = str_replace('[cloudurl]',z_root() . '/cloud/' . $channel['channel_address'],$it['link']); $mitem['mitem_link'] = str_replace('[baseurl]',z_root(),$it['link']); + $mitem['mitem_desc'] = escape_tags($it['desc']); $mitem['mitem_order'] = intval($it['order']); if(is_array($it['flags'])) { @@ -1217,3 +1226,216 @@ function convert_oldfields(&$arr,$old,$new) { unset($arr[$old]); } } + +function scan_webpage_elements($path, $type, $cloud = false) { + $channel = \App::get_channel(); + $dirtoscan = $path; + switch ($type) { + case 'page': + $dirtoscan .= '/pages/'; + $json_filename = 'page.json'; + break; + case 'layout': + $dirtoscan .= '/layouts/'; + $json_filename = 'layout.json'; + break; + case 'block': + $dirtoscan .= '/blocks/'; + $json_filename = 'block.json'; + break; + default : + return array(); + } + if($cloud) { + $dirtoscan = get_dirpath_by_cloudpath($channel, $dirtoscan); + } + $elements = []; + if (is_dir($dirtoscan)) { + $dirlist = scandir($dirtoscan); + if ($dirlist) { + foreach ($dirlist as $element) { + if ($element === '.' || $element === '..') { + continue; + } + $folder = $dirtoscan . '/' . $element; + if (is_dir($folder)) { + if($cloud) { + $jsonfilepath = $folder . '/' . get_filename_by_cloudname($json_filename, $channel, $folder); + } else { + $jsonfilepath = $folder . '/' . $json_filename; + } + if (is_file($jsonfilepath)) { + $metadata = json_decode(file_get_contents($jsonfilepath), true); + if($cloud) { + $contentfilename = get_filename_by_cloudname($metadata['contentfile'], $channel, $folder); + $metadata['path'] = $folder . '/' . $contentfilename; + } else { + $contentfilename = $metadata['contentfile']; + $metadata['path'] = $folder . '/' . $contentfilename; + } + if ($metadata['contentfile'] === '') { + logger('Invalid ' . $type . ' content file'); + return false; + } + $content = file_get_contents($folder . '/' . $contentfilename); + if (!$content) { + logger('Failed to get file content for ' . $metadata['contentfile']); + return false; + } + $elements[] = $metadata; + } + } + } + } + } + return $elements; + } + + + function import_webpage_element($element, $channel, $type) { + + $arr = array(); // construct information for the webpage element item table record + + switch ($type) { + // + // PAGES + // + case 'page': + $arr['item_type'] = ITEM_TYPE_WEBPAGE; + $namespace = 'WEBPAGE'; + $name = $element['pagelink']; + if($name) { + require_once('library/urlify/URLify.php'); + $name = strtolower(\URLify::transliterate($name)); + } + $arr['title'] = $element['title']; + $arr['term'] = $element['term']; + $arr['layout_mid'] = ''; // by default there is no layout associated with the page + // If a layout was specified, find it in the database and get its info. If + // it does not exist, leave layout_mid empty + if($element['layout'] !== '') { + $liid = q("select iid from iconfig where k = 'PDL' and v = '%s' and cat = 'system'", + dbesc($element['layout']) + ); + if($liid) { + $linfo = q("select mid from item where id = %d", + intval($liid[0]['iid']) + ); + $arr['layout_mid'] = $linfo[0]['mid']; + } + } + break; + // + // LAYOUTS + // + case 'layout': + $arr['item_type'] = ITEM_TYPE_PDL; + $namespace = 'PDL'; + $name = $element['name']; + $arr['title'] = $element['description']; + $arr['term'] = $element['term']; + break; + // + // BLOCKS + // + case 'block': + $arr['item_type'] = ITEM_TYPE_BLOCK; + $namespace = 'BUILDBLOCK'; + $name = $element['name']; + $arr['title'] = $element['title']; + + break; + default : + return null; // return null if invalid element type + } + + $arr['uid'] = $channel['channel_id']; + $arr['aid'] = $channel['channel_account_id']; + + // Check if an item already exists based on the name + $iid = q("select iid from iconfig where k = '" . $namespace . "' and v = '%s' and cat = 'system'", + dbesc($name) + ); + if($iid) { // If the item does exist, get the item metadata + $iteminfo = q("select mid,created,edited from item where id = %d", + intval($iid[0]['iid']) + ); + $arr['mid'] = $arr['parent_mid'] = $iteminfo[0]['mid']; + $arr['created'] = $iteminfo[0]['created']; + $arr['edited'] = (($element['edited']) ? datetime_convert('UTC', 'UTC', $element['edited']) : datetime_convert()); + } else { // otherwise, generate the creation times and unique id + $arr['created'] = (($element['created']) ? datetime_convert('UTC', 'UTC', $element['created']) : datetime_convert()); + $arr['edited'] = datetime_convert('UTC', 'UTC', '0000-00-00 00:00:00'); + $arr['mid'] = $arr['parent_mid'] = item_message_id(); + } + // Import the actual element content + $arr['body'] = file_get_contents($element['path']); + // The element owner is the channel importing the elements + $arr['owner_xchan'] = get_observer_hash(); + // The author is either the owner or whomever was specified + $arr['author_xchan'] = (($element['author_xchan']) ? $element['author_xchan'] : get_observer_hash()); + // Import mimetype if it is a valid mimetype for the element + $mimetypes = [ 'text/bbcode', + 'text/html', + 'text/markdown', + 'text/plain', + 'application/x-pdl', + 'application/x-php' + ]; + // Blocks and pages can have any mimetype, but layouts must be text/bbcode + if((in_array($element['mimetype'], $mimetypes)) && ($type === 'page' || $type === 'block') ) { + $arr['mimetype'] = $element['mimetype']; + } else { + $arr['mimetype'] = 'text/bbcode'; + } + + // Verify ability to use html or php!!! + $execflag = false; + if ($arr['mimetype'] === 'application/x-php') { + $z = q("select account_id, account_roles, channel_pageflags from account " + . "left join channel on channel_account_id = account_id where channel_id = %d limit 1", + intval(local_channel()) + ); + + if ($z && (($z[0]['account_roles'] & ACCOUNT_ROLE_ALLOWCODE) || ($z[0]['channel_pageflags'] & PAGE_ALLOWCODE))) { + $execflag = true; + } + } + + $z = q("select * from iconfig where v = '%s' and k = '%s' and cat = 'service' limit 1", + dbesc($name), + dbesc($namespace) + ); + + $i = q("select id, edited, item_deleted from item where mid = '%s' and uid = %d limit 1", + dbesc($arr['mid']), + intval(local_channel()) + ); + $remote_id = 0; + if ($z && $i) { + $remote_id = $z[0]['id']; + $arr['id'] = $i[0]['id']; + // don't update if it has the same timestamp as the original + if ($arr['edited'] > $i[0]['edited']) + $x = item_store_update($arr, $execflag); + } else { + if (($i) && (intval($i[0]['item_deleted']))) { + // was partially deleted already, finish it off + q("delete from item where mid = '%s' and uid = %d", + dbesc($arr['mid']), + intval(local_channel()) + ); + } + $x = item_store($arr, $execflag); + } + if ($x['success']) { + $item_id = $x['item_id']; + update_remote_id($channel, $item_id, $arr['item_type'], $name, $namespace, $remote_id, $arr['mid']); + $element['import_success'] = 1; + } else { + $element['import_success'] = 0; + } + + return $element; + +} diff --git a/include/items.php b/include/items.php index 373090d41..5bd0b0968 100755 --- a/include/items.php +++ b/include/items.php @@ -183,7 +183,7 @@ function is_item_normal($item) { * This function examines the comment_policy attached to an item and decides if the current observer has * sufficient privileges to comment. This will normally be called on a remote site where perm_is_allowed() * will not be suitable because the post owner does not have a local channel_id. - * Generally we should look at the item - in particular the author['book_flags'] and see if ABOOK_FLAG_SELF is set. + * Generally we should look at the item - in particular the author['abook_flags'] and see if ABOOK_FLAG_SELF is set. * If it is, you should be able to use perm_is_allowed( ... 'post_comments'), and if it isn't you need to call * can_comment_on_post() * We also check the comments_closed date/time on the item if this is set. @@ -224,8 +224,7 @@ function can_comment_on_post($observer_xchan, $item) { case 'contacts': case 'authenticated': case '': - if(array_key_exists('owner',$item)) { - if(($item['owner']['abook_xchan']) && ($item['owner']['abook_their_perms'] & PERMS_W_COMMENT)) + if(array_key_exists('owner',$item) && get_abconfig($item['uid'],$item['owner']['abook_xchan'],'their_perms','post_comments')) { return true; } break; @@ -386,7 +385,7 @@ function post_activity_item($arr) { return $ret; } - $arr['public_policy'] = ((x($_REQUEST,'public_policy')) ? escape_tags($_REQUEST['public_policy']) : map_scope($channel['channel_r_stream'],true)); + $arr['public_policy'] = ((x($_REQUEST,'public_policy')) ? escape_tags($_REQUEST['public_policy']) : map_scope(\Zotlabs\Access\PermissionLimits::Get($channel['channel_id'],'view_stream'),true)); if($arr['public_policy']) $arr['item_private'] = 1; @@ -422,7 +421,7 @@ function post_activity_item($arr) { $arr['deny_cid'] = ((x($arr,'deny_cid')) ? $arr['deny_cid'] : $channel['channel_deny_cid']); $arr['deny_gid'] = ((x($arr,'deny_gid')) ? $arr['deny_gid'] : $channel['channel_deny_gid']); - $arr['comment_policy'] = map_scope($channel['channel_w_comment']); + $arr['comment_policy'] = map_scope(\Zotlabs\Access\PermissionLimits::Get($channel['channel_id'],'post_comments')); if ((! $arr['plink']) && (intval($arr['item_thread_top']))) { $arr['plink'] = z_root() . '/channel/' . $channel['channel_address'] . '/?f=&mid=' . $arr['mid']; @@ -971,12 +970,12 @@ function encode_item($item,$mirror = false) { // logger('encode_item: ' . print_r($item,true)); - $r = q("select channel_r_stream, channel_w_comment from channel where channel_id = %d limit 1", + $r = q("select channel_id from channel where channel_id = %d limit 1", intval($item['uid']) ); if($r) - $comment_scope = $r[0]['channel_w_comment']; + $comment_scope = \Zotlabs\Access\PermissionLimits::Get($item['uid'],'post_comments'); else $comment_scope = 0; @@ -990,9 +989,9 @@ function encode_item($item,$mirror = false) { if(array_key_exists('item_obscured',$item) && intval($item['item_obscured'])) { if($item['title']) - $item['title'] = crypto_unencapsulate(json_decode_plus($item['title']),$key); + $item['title'] = crypto_unencapsulate(json_decode($item['title'],true),$key); if($item['body']) - $item['body'] = crypto_unencapsulate(json_decode_plus($item['body']),$key); + $item['body'] = crypto_unencapsulate(json_decode($item['body'],true),$key); } // If we're trying to backup an item so that it's recoverable or for export/imprt, @@ -1062,11 +1061,11 @@ function encode_item($item,$mirror = false) { $x['owner'] = encode_item_xchan($item['owner']); $x['author'] = encode_item_xchan($item['author']); if($item['obj']) - $x['object'] = json_decode_plus($item['obj']); + $x['object'] = json_decode($item['obj'],true); if($item['target']) - $x['target'] = json_decode_plus($item['target']); + $x['target'] = json_decode($item['target'],true); if($item['attach']) - $x['attach'] = json_decode_plus($item['attach']); + $x['attach'] = json_decode($item['attach'],true); if($y = encode_item_flags($item)) $x['flags'] = $y; @@ -1382,7 +1381,7 @@ function encode_mail($item,$extended = false) { $x['to'] = encode_item_xchan($item['to']); if($item['attach']) - $x['attach'] = json_decode_plus($item['attach']); + $x['attach'] = json_decode($item['attach'],true); $x['flags'] = array(); @@ -2390,7 +2389,7 @@ function tag_deliver($uid, $item_id) { if(($item['obj_type'] == "") || ($item['obj_type'] !== ACTIVITY_OBJ_PERSON) || (! $item['obj'])) $poke_notify = false; - $obj = json_decode_plus($item['obj']); + $obj = json_decode($item['obj'],true); if($obj) { if($obj['id'] !== $u[0]['channel_hash']) $poke_notify = false; @@ -2427,14 +2426,14 @@ function tag_deliver($uid, $item_id) { if(($item['owner_xchan'] === $u[0]['channel_hash']) && (! get_pconfig($u[0]['channel_id'],'system','blocktags'))) { logger('tag_deliver: community tag recipient: ' . $u[0]['channel_name']); - $j_tgt = json_decode_plus($item['target']); + $j_tgt = json_decode($item['target'],true); if($j_tgt && $j_tgt['id']) { $p = q("select * from item where mid = '%s' and uid = %d limit 1", dbesc($j_tgt['id']), intval($u[0]['channel_id']) ); if($p) { - $j_obj = json_decode_plus($item['obj']); + $j_obj = json_decode($item['obj'],true); logger('tag_deliver: tag object: ' . print_r($j_obj,true), LOGGER_DATA); if($j_obj && $j_obj['id'] && $j_obj['title']) { if(is_array($j_obj['link'])) @@ -2519,7 +2518,7 @@ function tag_deliver($uid, $item_id) { if(intval($item['item_obscured'])) { $key = get_config('system','prvkey'); if($item['body']) - $body = crypto_unencapsulate(json_decode_plus($item['body']),$key); + $body = crypto_unencapsulate(json_decode($item['body'],true),$key); } else $body = $item['body']; @@ -2762,7 +2761,7 @@ function start_delivery_chain($channel, $item, $item_id, $parent) { $private = (($channel['channel_allow_cid'] || $channel['channel_allow_gid'] || $channel['channel_deny_cid'] || $channel['channel_deny_gid']) ? 1 : 0); - $new_public_policy = map_scope($channel['channel_r_stream'],true); + $new_public_policy = map_scope(\Zotlabs\Access\PermissionLimits::Get($channel['channel_id'],'view_stream'),true); if((! $private) && $new_public_policy) $private = 1; @@ -2807,7 +2806,7 @@ function start_delivery_chain($channel, $item, $item_id, $parent) { dbesc($channel['channel_deny_gid']), intval($private), dbesc($new_public_policy), - dbesc(map_scope($channel['channel_w_comment'])), + dbesc(map_scope(\Zotlabs\Access\PermissionLimits::Get($channel['channel_id'],'post_comments'))), dbesc($title), dbesc($body), intval($item_wall), @@ -2856,7 +2855,7 @@ function check_item_source($uid, $item) { if(! $x) return false; - if(! ($x[0]['abook_their_perms'] & PERMS_A_REPUBLISH)) + if(! get_abconfig($uid,$item['owner_xchan'],'their_perms','republish')) return false; if($item['item_private'] && (! intval($x[0]['abook_feed']))) diff --git a/include/menu.php b/include/menu.php index e8f1d8eb8..3b0180d37 100644 --- a/include/menu.php +++ b/include/menu.php @@ -25,7 +25,7 @@ function menu_fetch($name,$uid,$observer_xchan) { return null; } -function menu_element($menu) { +function menu_element($channel,$menu) { $arr = array(); $arr['type'] = 'menu'; @@ -46,7 +46,12 @@ function menu_element($menu) { $arr['items'] = array(); foreach($menu['items'] as $it) { $entry = array(); + + $entry['link'] = str_replace(z_root() . '/channel/' . $channel['channel_address'],'[channelurl]',$it['mitem_link']); + $entry['link'] = str_replace(z_root() . '/page/' . $channel['channel_address'],'[pageurl]',$it['mitem_link']); + $entry['link'] = str_replace(z_root() . '/cloud/' . $channel['channel_address'],'[cloudurl]',$it['mitem_link']); $entry['link'] = str_replace(z_root(),'[baseurl]',$it['mitem_link']); + $entry['desc'] = $it['mitem_desc']; $entry['order'] = $it['mitem_order']; if($it['mitem_flags']) { @@ -389,12 +394,13 @@ function menu_del_item($menu_id,$uid,$item_id) { function menu_sync_packet($uid,$observer_hash,$menu_id,$delete = false) { $r = menu_fetch_id($menu_id,$uid); + $c = channelx_by_n($uid); if($r) { $m = menu_fetch($r['menu_name'],$uid,$observer_hash); if($m) { if($delete) $m['menu_delete'] = 1; - build_sync_packet($uid,array('menu' => array(menu_element($m)))); + build_sync_packet($uid,array('menu' => array(menu_element($c,$m)))); } } } diff --git a/include/nav.php b/include/nav.php index 1fb0e98dc..025da71b3 100644 --- a/include/nav.php +++ b/include/nav.php @@ -61,13 +61,15 @@ EOT; '$banner' => $banner )); + $server_role = get_config('system','server_role'); + $basic = (($server_role === 'basic') ? true : false); // nav links: array of array('href', 'text', 'extra css classes', 'title') $nav = Array(); /** * Display login or logout - */ + */ $nav['usermenu']=array(); $userinfo = null; @@ -76,7 +78,7 @@ EOT; if(local_channel()) { - if($chans && count($chans) > 1 && feature_enabled(local_channel(),'nav_channel_select') && (! UNO)) + if($chans && count($chans) > 1 && feature_enabled(local_channel(),'nav_channel_select') && (! $basic)) $nav['channels'] = $chans; $nav['logout'] = Array('logout',t('Logout'), "", t('End this session'),'logout_nav_btn'); @@ -84,7 +86,7 @@ EOT; // user menu $nav['usermenu'][] = Array('channel/' . $channel['channel_address'], t('Home'), "", t('Your posts and conversations'),'channel_nav_btn'); $nav['usermenu'][] = Array('profile/' . $channel['channel_address'], t('View Profile'), "", t('Your profile page'),'profile_nav_btn'); - if(feature_enabled(local_channel(),'multi_profiles') && (! UNO)) + if(feature_enabled(local_channel(),'multi_profiles') && (! $basic)) $nav['usermenu'][] = Array('profiles', t('Edit Profiles'),"", t('Manage/Edit profiles'),'profiles_nav_btn'); else $nav['usermenu'][] = Array('profiles/' . $prof[0]['id'], t('Edit Profile'),"", t('Edit your profile'),'profiles_nav_btn'); @@ -92,19 +94,19 @@ EOT; $nav['usermenu'][] = Array('photos/' . $channel['channel_address'], t('Photos'), "", t('Your photos'),'photos_nav_btn'); $nav['usermenu'][] = Array('cloud/' . $channel['channel_address'],t('Files'),"",t('Your files'),'cloud_nav_btn'); - if((! UNO) && feature_enabled(local_channel(),'ajaxchat')) + if((! $basic) && feature_enabled(local_channel(),'ajaxchat')) $nav['usermenu'][] = Array('chat/' . $channel['channel_address'], t('Chat'),"",t('Your chatrooms'),'chat_nav_btn'); require_once('include/menu.php'); $has_bookmarks = menu_list_count(local_channel(),'',MENU_BOOKMARK) + menu_list_count(local_channel(),'',MENU_SYSTEM|MENU_BOOKMARK); - if(($has_bookmarks) && (! UNO)) { + if(($has_bookmarks) && (! $basic)) { $nav['usermenu'][] = Array('bookmarks', t('Bookmarks'), "", t('Your bookmarks'),'bookmarks_nav_btn'); } - if(feature_enabled($channel['channel_id'],'webpages') && (! UNO)) + if(feature_enabled($channel['channel_id'],'webpages') && (! $basic)) $nav['usermenu'][] = Array('webpages/' . $channel['channel_address'],t('Webpages'),"",t('Your webpages'),'webpages_nav_btn'); - if(feature_enabled($channel['channel_id'],'wiki') && (! UNO)) + if(feature_enabled($channel['channel_id'],'wiki') && (! $basic)) $nav['usermenu'][] = Array('wiki/' . $channel['channel_address'],t('Wiki'),"",t('Your wiki'),'wiki_nav_btn'); } else { @@ -161,7 +163,7 @@ EOT; $nav['help'] = array($help_url, t('Help'), "", t('Help and documentation'), 'help_nav_btn', $context_help, $enable_context_help); } - if(! UNO) + if(! $basic) $nav['apps'] = array('apps', t('Apps'), "", t('Applications, utilities, links, games'),'apps_nav_btn'); $nav['search'] = array('search', t('Search'), "", t('Search site @name, #tag, ?docs, content')); @@ -204,7 +206,7 @@ EOT; $nav['all_events']['all']=array('events', t('See all events'), "", ""); $nav['all_events']['mark'] = array('', t('Mark all events seen'), '',''); - if(! UNO) + if(! $basic) $nav['manage'] = array('manage', t('Channel Manager'), "", t('Manage Your Channels'),'manage_nav_btn'); $nav['settings'] = array('settings', t('Settings'),"", t('Account/Channel Settings'),'settings_nav_btn'); diff --git a/include/network.php b/include/network.php index 47863b680..fe001b362 100644 --- a/include/network.php +++ b/include/network.php @@ -1343,13 +1343,18 @@ function discover_by_webbie($webbie) { $fullname = $vcard['fn']; if($vcard['photo'] && (strpos($vcard['photo'],'http') !== 0)) $vcard['photo'] = $diaspora_base . '/' . $vcard['photo']; - if(($vcard['key']) && (! $pubkey)) - $pubkey = $vcard['key']; + if(($vcard['public_key']) && (! $pubkey)) { + $diaspora_key = $vcard['public_key']; + if(strstr($diaspora_key,'RSA ')) + $pubkey = rsatopem($diaspora_key); + else + $pubkey = $diaspora_key; + } if(! $avatar) $avatar = $vcard['photo']; if($diaspora) { - if(($vcard['guid']) && (! $diaspora_guid)) - $diaspora_guid = $vcard['guid']; + if(($vcard['uid']) && (! $diaspora_guid)) + $diaspora_guid = $vcard['uid']; if(($vcard['url']) && (! $diaspora_base)) $diaspora_base = $vcard['url']; diff --git a/include/oembed.php b/include/oembed.php index fe068278e..fe6f10d71 100755 --- a/include/oembed.php +++ b/include/oembed.php @@ -1,8 +1,10 @@ html != $orig) { logger('oembed html was purified. original: ' . $orig . ' purified: ' . $j->html, LOGGER_DEBUG, LOG_INFO); } + + $orig_len = mb_strlen(preg_replace('/\s+/','',$orig)); + $new_len = mb_strlen(preg_replace('/\s+/','',$j->html)); + + if(stripos($orig,'type = 'error'; + elseif($orig_len) { + $ratio = $new_len / $orig_len; + if($ratio < 0.5) { + $j->type = 'error'; + logger('oembed html truncated: ' . $ratio, LOGGER_DEBUG, LOG_INFO); + } + } + } } $j->embedurl = $embedurl; -// logger('fetch return: ' . print_r($j,true)); + // logger('fetch return: ' . print_r($j,true)); return $j; diff --git a/include/permissions.php b/include/permissions.php index 19242d29f..637193973 100644 --- a/include/permissions.php +++ b/include/permissions.php @@ -1,4 +1,7 @@ $permission) { // First find out what the channel owner declared permissions to be. - $channel_perm = $permission[0]; + $channel_perm = \Zotlabs\Access\PermissionLimits::Get($uid,$perm_name); if(! $channel_checked) { $r = q("select * from channel where channel_id = %d limit 1", @@ -105,7 +110,7 @@ function get_all_perms($uid, $observer_xchan, $internal_use = true) { // These take priority over all other settings. if($observer_xchan) { - if($r[0][$channel_perm] & PERMS_AUTHED) { + if($channel_perm & PERMS_AUTHED) { $ret[$perm_name] = true; continue; } @@ -117,10 +122,21 @@ function get_all_perms($uid, $observer_xchan, $internal_use = true) { dbesc($observer_xchan) ); if(! $x) { - // not in address book, see if they've got an xchan - $y = q("select xchan_network from xchan where xchan_hash = '%s' limit 1", - dbesc($observer_xchan) - ); + // see if they've got a guest access token; these are treated as connections + $y = atoken_abook($uid,$observer_xchan); + if($y) + $x = array($y); + + if(! $x) { + // not in address book and no guest token, see if they've got an xchan + // these *may* have individual (PERMS_SPECIFIC) permissions, but are not connections + $y = q("select xchan_network from xchan where xchan_hash = '%s' limit 1", + dbesc($observer_xchan) + ); + if($y) { + $x = array(pseudo_abook($y[0])); + } + } } $abook_checked = true; @@ -136,7 +152,10 @@ function get_all_perms($uid, $observer_xchan, $internal_use = true) { // Check if this is a write permission and they are being ignored // This flag is only visible internally. - if(($x) && ($internal_use) && (! $global_perms[$perm_name][2]) && intval($x[0]['abook_ignored'])) { + $blocked_anon_perms = \Zotlabs\Access\Permissions::BlockedAnonPerms(); + + + if(($x) && ($internal_use) && in_array($perm_name,$blocked_anon_perms) && intval($x[0]['abook_ignored'])) { $ret[$perm_name] = false; continue; } @@ -154,7 +173,7 @@ function get_all_perms($uid, $observer_xchan, $internal_use = true) { // if you've moved elsewhere, you will only have read only access if(($observer_xchan) && ($r[0]['channel_hash'] === $observer_xchan)) { - if($r[0]['channel_moved'] && (! $permission[2])) + if($r[0]['channel_moved'] && (in_array($perm_name,$blocked_anon_perms))) $ret[$perm_name] = false; else $ret[$perm_name] = true; @@ -163,7 +182,7 @@ function get_all_perms($uid, $observer_xchan, $internal_use = true) { // Anybody at all (that wasn't blocked or ignored). They have permission. - if($r[0][$channel_perm] & PERMS_PUBLIC) { + if($channel_perm & PERMS_PUBLIC) { $ret[$perm_name] = true; continue; } @@ -178,8 +197,8 @@ function get_all_perms($uid, $observer_xchan, $internal_use = true) { // If we're still here, we have an observer, check the network. - if($r[0][$channel_perm] & PERMS_NETWORK) { - if(($x && $x[0]['xchan_network'] === 'zot') || ($y && $y[0]['xchan_network'] === 'zot')) { + if($channel_perm & PERMS_NETWORK) { + if($x && $x[0]['xchan_network'] === 'zot') { $ret[$perm_name] = true; continue; } @@ -187,7 +206,7 @@ function get_all_perms($uid, $observer_xchan, $internal_use = true) { // If PERMS_SITE is specified, find out if they've got an account on this hub - if($r[0][$channel_perm] & PERMS_SITE) { + if($channel_perm & PERMS_SITE) { if(! $onsite_checked) { $c = q("select channel_hash from channel where channel_hash = '%s' limit 1", dbesc($observer_xchan) @@ -214,7 +233,7 @@ function get_all_perms($uid, $observer_xchan, $internal_use = true) { // They are in your address book, but haven't been approved - if($r[0][$channel_perm] & PERMS_PENDING) { + if($channel_perm & PERMS_PENDING) { $ret[$perm_name] = true; continue; } @@ -226,16 +245,27 @@ function get_all_perms($uid, $observer_xchan, $internal_use = true) { // They're a contact, so they have permission - if($r[0][$channel_perm] & PERMS_CONTACTS) { + if($channel_perm & PERMS_CONTACTS) { + // it was a fake abook entry, not really a connection + if(array_key_exists('abook_pseudo',$x[0]) && intval($x[0]['abook_pseudo'])) { + $ret[$perm_name] = false; + continue; + } + $ret[$perm_name] = true; continue; } // Permission granted to certain channels. Let's see if the observer is one of them - if($r[0][$channel_perm] & PERMS_SPECIFIC) { - if(($x[0]['abook_my_perms'] & $global_perms[$perm_name][1])) { - $ret[$perm_name] = true; + if($channel_perm & PERMS_SPECIFIC) { + if($abperms) { + foreach($abperms as $ab) { + if(($ab['cat'] == 'my_perms') && ($ab['k'] == $perm_name)) { + $ret[$perm_name] = (intval($ab['v']) ? true : false); + break; + } + } continue; } } @@ -284,21 +314,23 @@ function perm_is_allowed($uid, $observer_xchan, $permission) { if($arr['result']) return true; - $global_perms = get_perms(); + $global_perms = \Zotlabs\Access\Permissions::Perms(); // First find out what the channel owner declared permissions to be. - $channel_perm = $global_perms[$permission][0]; + $channel_perm = \Zotlabs\Access\PermissionLimits::Get($uid,$permission); - $r = q("select %s, channel_pageflags, channel_moved, channel_hash from channel where channel_id = %d limit 1", - dbesc($channel_perm), + $r = q("select channel_pageflags, channel_moved, channel_hash from channel where channel_id = %d limit 1", intval($uid) ); if(! $r) return false; + + $blocked_anon_perms = \Zotlabs\Access\Permissions::BlockedAnonPerms(); + if($observer_xchan) { - if($r[0][$channel_perm] & PERMS_AUTHED) + if($channel_perm & PERMS_AUTHED) return true; $x = q("select abook_my_perms, abook_blocked, abook_ignored, abook_pending, xchan_network from abook left join xchan on abook_xchan = xchan_hash @@ -312,16 +344,29 @@ function perm_is_allowed($uid, $observer_xchan, $permission) { if(($x) && intval($x[0]['abook_blocked'])) return false; - if(($x) && (! $global_perms[$permission][2]) && intval($x[0]['abook_ignored'])) + if(($x) && in_array($permission,$blocked_anon_perms) && intval($x[0]['abook_ignored'])) return false; if(! $x) { - // not in address book, see if they've got an xchan - $y = q("select xchan_network from xchan where xchan_hash = '%s' limit 1", - dbesc($observer_xchan) - ); + // see if they've got a guest access token + $y = atoken_abook($uid,$observer_xchan); + if($y) + $x = array($y); + + if(! $x) { + // not in address book and no guest token, see if they've got an xchan + $y = q("select xchan_network from xchan where xchan_hash = '%s' limit 1", + dbesc($observer_xchan) + ); + if($y) { + $x = array(pseudo_abook($y[0])); + } + } + } + $abperms = load_abconfig($uid,$observer_xchan,'my_perms'); } + // system is blocked to anybody who is not authenticated @@ -333,13 +378,13 @@ function perm_is_allowed($uid, $observer_xchan, $permission) { // in which case you will have read_only access if($r[0]['channel_hash'] === $observer_xchan) { - if($r[0]['channel_moved'] && (! $global_perms[$permission][2])) + if($r[0]['channel_moved'] && (in_array($permission,$blocked_anon_perms))) return false; else return true; } - if($r[0][$channel_perm] & PERMS_PUBLIC) + if($channel_perm & PERMS_PUBLIC) return true; // If it's an unauthenticated observer, we only need to see if PERMS_PUBLIC is set @@ -350,14 +395,14 @@ function perm_is_allowed($uid, $observer_xchan, $permission) { // If we're still here, we have an observer, check the network. - if($r[0][$channel_perm] & PERMS_NETWORK) { + if($channel_perm & PERMS_NETWORK) { if (($x && $x[0]['xchan_network'] === 'zot') || ($y && $y[0]['xchan_network'] === 'zot')) return true; } // If PERMS_SITE is specified, find out if they've got an account on this hub - if($r[0][$channel_perm] & PERMS_SITE) { + if($channel_perm & PERMS_SITE) { $c = q("select channel_hash from channel where channel_hash = '%s' limit 1", dbesc($observer_xchan) ); @@ -376,7 +421,7 @@ function perm_is_allowed($uid, $observer_xchan, $permission) { // They are in your address book, but haven't been approved - if($r[0][$channel_perm] & PERMS_PENDING) { + if($channel_perm & PERMS_PENDING) { return true; } @@ -386,15 +431,24 @@ function perm_is_allowed($uid, $observer_xchan, $permission) { // They're a contact, so they have permission - if($r[0][$channel_perm] & PERMS_CONTACTS) { + if($channel_perm & PERMS_CONTACTS) { + // it was a fake abook entry, not really a connection + if(array_key_exists('abook_pseudo',$x[0]) && intval($x[0]['abook_pseudo'])) { + return false; + } return true; } // Permission granted to certain channels. Let's see if the observer is one of them - if(($r) && $r[0][$channel_perm] & PERMS_SPECIFIC) { - if($x[0]['abook_my_perms'] & $global_perms[$permission][1]) - return true; + if(($r) && ($channel_perm & PERMS_SPECIFIC)) { + if($abperms) { + foreach($abperms as $ab) { + if($ab['cat'] == 'my_perms' && $ab['k'] == $permission) { + return ((intval($ab['v'])) ? true : false); + } + } + } } // No permissions allowed. @@ -560,28 +614,28 @@ function get_role_perms($role) { $ret['default_collection'] = false; $ret['directory_publish'] = true; $ret['online'] = true; - $ret['perms_follow'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_A_REPUBLISH|PERMS_W_LIKE; - $ret['perms_accept'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_A_REPUBLISH|PERMS_W_LIKE; - $ret['channel_r_stream'] = PERMS_PUBLIC; - $ret['channel_r_profile'] = PERMS_PUBLIC; - $ret['channel_r_abook'] = PERMS_PUBLIC; - $ret['channel_w_stream'] = PERMS_SPECIFIC; - $ret['channel_w_wall'] = PERMS_SPECIFIC; - $ret['channel_w_tagwall'] = PERMS_SPECIFIC; - $ret['channel_w_comment'] = PERMS_SPECIFIC; - $ret['channel_w_mail'] = PERMS_SPECIFIC; - $ret['channel_w_chat'] = PERMS_SPECIFIC; - $ret['channel_a_delegate'] = PERMS_SPECIFIC; - $ret['channel_r_storage'] = PERMS_PUBLIC; - $ret['channel_w_storage'] = PERMS_SPECIFIC; - $ret['channel_r_pages'] = PERMS_PUBLIC; - $ret['channel_w_pages'] = PERMS_SPECIFIC; - $ret['channel_a_republish'] = PERMS_SPECIFIC; - $ret['channel_w_like'] = PERMS_NETWORK; + $ret['perms_connect'] = [ + 'view_stream', 'view_profile', 'view_contacts', 'view_storage', + 'view_pages', 'send_stream', 'post_wall', 'post_comments', + 'post_mail', 'chat', 'post_like', 'republish' ]; + $ret['limits'] = [ + 'view_stream' => PERMS_PUBLIC, + 'view_profile' => PERMS_PUBLIC, + 'view_contacts' => PERMS_PUBLIC, + 'view_storage' => PERMS_PUBLIC, + 'view_pages' => PERMS_PUBLIC, + 'send_stream' => PERMS_SPECIFIC, + 'post_wall' => PERMS_SPECIFIC, + 'post_comments' => PERMS_SPECIFIC, + 'post_mail' => PERMS_SPECIFIC, + 'post_like' => PERMS_SPECIFIC, + 'tag_deliver' => PERMS_SPECIFIC, + 'chat' => PERMS_SPECIFIC, + 'write_storage' => PERMS_SPECIFIC, + 'write_pages' => PERMS_SPECIFIC, + 'republish' => PERMS_SPECIFIC, + 'delegate' => PERMS_SPECIFIC + ]; break; @@ -590,28 +644,29 @@ function get_role_perms($role) { $ret['default_collection'] = true; $ret['directory_publish'] = true; $ret['online'] = true; - $ret['perms_follow'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_W_LIKE; - $ret['perms_accept'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_W_LIKE; - $ret['channel_r_stream'] = PERMS_PUBLIC; - $ret['channel_r_profile'] = PERMS_PUBLIC; - $ret['channel_r_abook'] = PERMS_PUBLIC; - $ret['channel_w_stream'] = PERMS_SPECIFIC; - $ret['channel_w_wall'] = PERMS_SPECIFIC; - $ret['channel_w_tagwall'] = PERMS_SPECIFIC; - $ret['channel_w_comment'] = PERMS_SPECIFIC; - $ret['channel_w_mail'] = PERMS_SPECIFIC; - $ret['channel_w_chat'] = PERMS_SPECIFIC; - $ret['channel_a_delegate'] = PERMS_SPECIFIC; - $ret['channel_r_storage'] = PERMS_PUBLIC; - $ret['channel_w_storage'] = PERMS_SPECIFIC; - $ret['channel_r_pages'] = PERMS_PUBLIC; - $ret['channel_w_pages'] = PERMS_SPECIFIC; - $ret['channel_a_republish'] = PERMS_SPECIFIC; - $ret['channel_w_like'] = PERMS_SPECIFIC; + $ret['perms_connect'] = [ + 'view_stream', 'view_profile', 'view_contacts', 'view_storage', + 'view_pages', 'send_stream', 'post_wall', 'post_comments', + 'post_mail', 'chat', 'post_like' ]; + $ret['limits'] = [ + 'view_stream' => PERMS_PUBLIC, + 'view_profile' => PERMS_PUBLIC, + 'view_contacts' => PERMS_PUBLIC, + 'view_storage' => PERMS_PUBLIC, + 'view_pages' => PERMS_PUBLIC, + 'send_stream' => PERMS_SPECIFIC, + 'post_wall' => PERMS_SPECIFIC, + 'post_comments' => PERMS_SPECIFIC, + 'post_mail' => PERMS_SPECIFIC, + 'post_like' => PERMS_SPECIFIC, + 'tag_deliver' => PERMS_SPECIFIC, + 'chat' => PERMS_SPECIFIC, + 'write_storage' => PERMS_SPECIFIC, + 'write_pages' => PERMS_SPECIFIC, + 'republish' => PERMS_SPECIFIC, + 'delegate' => PERMS_SPECIFIC + ]; + break; @@ -620,28 +675,28 @@ function get_role_perms($role) { $ret['default_collection'] = true; $ret['directory_publish'] = false; $ret['online'] = false; - $ret['perms_follow'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_W_LIKE; - $ret['perms_accept'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_W_LIKE; - $ret['channel_r_stream'] = PERMS_PUBLIC; - $ret['channel_r_profile'] = PERMS_PUBLIC; - $ret['channel_r_abook'] = PERMS_SPECIFIC; - $ret['channel_w_stream'] = PERMS_SPECIFIC; - $ret['channel_w_wall'] = PERMS_SPECIFIC; - $ret['channel_w_tagwall'] = PERMS_SPECIFIC; - $ret['channel_w_comment'] = PERMS_SPECIFIC; - $ret['channel_w_mail'] = PERMS_SPECIFIC; - $ret['channel_w_chat'] = PERMS_SPECIFIC; - $ret['channel_a_delegate'] = PERMS_SPECIFIC; - $ret['channel_r_storage'] = PERMS_SPECIFIC; - $ret['channel_w_storage'] = PERMS_SPECIFIC; - $ret['channel_r_pages'] = PERMS_PUBLIC; - $ret['channel_w_pages'] = PERMS_SPECIFIC; - $ret['channel_a_republish'] = PERMS_SPECIFIC; - $ret['channel_w_like'] = PERMS_SPECIFIC; + $ret['perms_connect'] = [ + 'view_stream', 'view_profile', 'view_contacts', 'view_storage', + 'view_pages', 'send_stream', 'post_wall', 'post_comments', + 'post_mail', 'post_like' ]; + $ret['limits'] = [ + 'view_stream' => PERMS_PUBLIC, + 'view_profile' => PERMS_PUBLIC, + 'view_contacts' => PERMS_SPECIFIC, + 'view_storage' => PERMS_SPECIFIC, + 'view_pages' => PERMS_PUBLIC, + 'send_stream' => PERMS_SPECIFIC, + 'post_wall' => PERMS_SPECIFIC, + 'post_comments' => PERMS_SPECIFIC, + 'post_mail' => PERMS_SPECIFIC, + 'post_like' => PERMS_SPECIFIC, + 'tag_deliver' => PERMS_SPECIFIC, + 'chat' => PERMS_SPECIFIC, + 'write_storage' => PERMS_SPECIFIC, + 'write_pages' => PERMS_SPECIFIC, + 'republish' => PERMS_SPECIFIC, + 'delegate' => PERMS_SPECIFIC + ]; break; @@ -650,28 +705,28 @@ function get_role_perms($role) { $ret['default_collection'] = false; $ret['directory_publish'] = true; $ret['online'] = false; - $ret['perms_follow'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_A_REPUBLISH|PERMS_W_LIKE|PERMS_W_TAGWALL; - $ret['perms_accept'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_A_REPUBLISH|PERMS_W_LIKE|PERMS_W_TAGWALL; - $ret['channel_r_stream'] = PERMS_PUBLIC; - $ret['channel_r_profile'] = PERMS_PUBLIC; - $ret['channel_r_abook'] = PERMS_PUBLIC; - $ret['channel_w_stream'] = PERMS_SPECIFIC; - $ret['channel_w_wall'] = PERMS_SPECIFIC; - $ret['channel_w_tagwall'] = PERMS_SPECIFIC; - $ret['channel_w_comment'] = PERMS_SPECIFIC; - $ret['channel_w_mail'] = PERMS_SPECIFIC; - $ret['channel_w_chat'] = PERMS_SPECIFIC; - $ret['channel_a_delegate'] = PERMS_SPECIFIC; - $ret['channel_r_storage'] = PERMS_PUBLIC; - $ret['channel_w_storage'] = PERMS_SPECIFIC; - $ret['channel_r_pages'] = PERMS_PUBLIC; - $ret['channel_w_pages'] = PERMS_SPECIFIC; - $ret['channel_a_republish'] = PERMS_SPECIFIC; - $ret['channel_w_like'] = PERMS_NETWORK; + $ret['perms_connect'] = [ + 'view_stream', 'view_profile', 'view_contacts', 'view_storage', + 'view_pages', 'post_wall', 'post_comments', 'tag_deliver', + 'post_mail', 'post_like' , 'republish', 'chat' ]; + $ret['limits'] = [ + 'view_stream' => PERMS_PUBLIC, + 'view_profile' => PERMS_PUBLIC, + 'view_contacts' => PERMS_PUBLIC, + 'view_storage' => PERMS_PUBLIC, + 'view_pages' => PERMS_PUBLIC, + 'send_stream' => PERMS_SPECIFIC, + 'post_wall' => PERMS_SPECIFIC, + 'post_comments' => PERMS_SPECIFIC, + 'post_mail' => PERMS_SPECIFIC, + 'post_like' => PERMS_SPECIFIC, + 'tag_deliver' => PERMS_SPECIFIC, + 'chat' => PERMS_SPECIFIC, + 'write_storage' => PERMS_SPECIFIC, + 'write_pages' => PERMS_SPECIFIC, + 'republish' => PERMS_SPECIFIC, + 'delegate' => PERMS_SPECIFIC + ]; break; @@ -680,28 +735,28 @@ function get_role_perms($role) { $ret['default_collection'] = true; $ret['directory_publish'] = true; $ret['online'] = false; - $ret['perms_follow'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_W_LIKE|PERMS_W_TAGWALL; - $ret['perms_accept'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_W_LIKE|PERMS_W_TAGWALL; - $ret['channel_r_stream'] = PERMS_PUBLIC; - $ret['channel_r_profile'] = PERMS_PUBLIC; - $ret['channel_r_abook'] = PERMS_PUBLIC; - $ret['channel_w_stream'] = PERMS_SPECIFIC; - $ret['channel_w_wall'] = PERMS_SPECIFIC; - $ret['channel_w_tagwall'] = PERMS_SPECIFIC; - $ret['channel_w_comment'] = PERMS_SPECIFIC; - $ret['channel_w_mail'] = PERMS_SPECIFIC; - $ret['channel_w_chat'] = PERMS_SPECIFIC; - $ret['channel_a_delegate'] = PERMS_SPECIFIC; - $ret['channel_r_storage'] = PERMS_PUBLIC; - $ret['channel_w_storage'] = PERMS_SPECIFIC; - $ret['channel_r_pages'] = PERMS_PUBLIC; - $ret['channel_w_pages'] = PERMS_SPECIFIC; - $ret['channel_a_republish'] = PERMS_SPECIFIC; - $ret['channel_w_like'] = PERMS_SPECIFIC; + $ret['perms_connect'] = [ + 'view_stream', 'view_profile', 'view_contacts', 'view_storage', + 'view_pages', 'post_wall', 'post_comments', 'tag_deliver', + 'post_mail', 'post_like' , 'chat' ]; + $ret['limits'] = [ + 'view_stream' => PERMS_PUBLIC, + 'view_profile' => PERMS_PUBLIC, + 'view_contacts' => PERMS_PUBLIC, + 'view_storage' => PERMS_PUBLIC, + 'view_pages' => PERMS_PUBLIC, + 'send_stream' => PERMS_SPECIFIC, + 'post_wall' => PERMS_SPECIFIC, + 'post_comments' => PERMS_SPECIFIC, + 'post_mail' => PERMS_SPECIFIC, + 'post_like' => PERMS_SPECIFIC, + 'tag_deliver' => PERMS_SPECIFIC, + 'chat' => PERMS_SPECIFIC, + 'write_storage' => PERMS_SPECIFIC, + 'write_pages' => PERMS_SPECIFIC, + 'republish' => PERMS_SPECIFIC, + 'delegate' => PERMS_SPECIFIC + ]; break; @@ -710,28 +765,29 @@ function get_role_perms($role) { $ret['default_collection'] = true; $ret['directory_publish'] = false; $ret['online'] = false; - $ret['perms_follow'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_W_LIKE; - $ret['perms_accept'] = PERMS_R_STREAM|PERMS_R_PROFILEPERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_W_LIKE; - $ret['channel_r_stream'] = PERMS_PUBLIC; - $ret['channel_r_profile'] = PERMS_SPECIFIC; - $ret['channel_r_abook'] = PERMS_SPECIFIC; - $ret['channel_w_stream'] = PERMS_SPECIFIC; - $ret['channel_w_wall'] = PERMS_SPECIFIC; - $ret['channel_w_tagwall'] = PERMS_SPECIFIC; - $ret['channel_w_comment'] = PERMS_SPECIFIC; - $ret['channel_w_mail'] = PERMS_SPECIFIC; - $ret['channel_w_chat'] = PERMS_SPECIFIC; - $ret['channel_a_delegate'] = PERMS_SPECIFIC; - $ret['channel_r_storage'] = PERMS_SPECIFIC; - $ret['channel_w_storage'] = PERMS_SPECIFIC; - $ret['channel_r_pages'] = PERMS_SPECIFIC; - $ret['channel_w_pages'] = PERMS_SPECIFIC; - $ret['channel_a_republish'] = PERMS_SPECIFIC; - $ret['channel_w_like'] = PERMS_SPECIFIC; + + $ret['perms_connect'] = [ + 'view_stream', 'view_profile', 'view_contacts', 'view_storage', + 'view_pages', 'post_wall', 'post_comments', + 'post_mail', 'post_like' , 'chat' ]; + $ret['limits'] = [ + 'view_stream' => PERMS_PUBLIC, + 'view_profile' => PERMS_SPECIFIC, + 'view_contacts' => PERMS_SPECIFIC, + 'view_storage' => PERMS_SPECIFIC, + 'view_pages' => PERMS_SPECIFIC, + 'send_stream' => PERMS_SPECIFIC, + 'post_wall' => PERMS_SPECIFIC, + 'post_comments' => PERMS_SPECIFIC, + 'post_mail' => PERMS_SPECIFIC, + 'post_like' => PERMS_SPECIFIC, + 'tag_deliver' => PERMS_SPECIFIC, + 'chat' => PERMS_SPECIFIC, + 'write_storage' => PERMS_SPECIFIC, + 'write_pages' => PERMS_SPECIFIC, + 'republish' => PERMS_SPECIFIC, + 'delegate' => PERMS_SPECIFIC + ]; break; @@ -740,28 +796,29 @@ function get_role_perms($role) { $ret['default_collection'] = false; $ret['directory_publish'] = true; $ret['online'] = false; - $ret['perms_follow'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_A_REPUBLISH|PERMS_W_LIKE; - $ret['perms_accept'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_A_REPUBLISH|PERMS_W_LIKE; - $ret['channel_r_stream'] = PERMS_PUBLIC; - $ret['channel_r_profile'] = PERMS_PUBLIC; - $ret['channel_r_abook'] = PERMS_PUBLIC; - $ret['channel_w_stream'] = PERMS_SPECIFIC; - $ret['channel_w_wall'] = PERMS_SPECIFIC; - $ret['channel_w_tagwall'] = PERMS_SPECIFIC; - $ret['channel_w_comment'] = PERMS_SPECIFIC; - $ret['channel_w_mail'] = PERMS_SPECIFIC; - $ret['channel_w_chat'] = PERMS_SPECIFIC; - $ret['channel_a_delegate'] = PERMS_SPECIFIC; - $ret['channel_r_storage'] = PERMS_PUBLIC; - $ret['channel_w_storage'] = PERMS_SPECIFIC; - $ret['channel_r_pages'] = PERMS_PUBLIC; - $ret['channel_w_pages'] = PERMS_SPECIFIC; - $ret['channel_a_republish'] = PERMS_NETWORK; - $ret['channel_w_like'] = PERMS_NETWORK; + + $ret['perms_connect'] = [ + 'view_stream', 'view_profile', 'view_contacts', 'view_storage', + 'view_pages', 'send_stream', 'post_wall', 'post_comments', + 'post_mail', 'post_like' , 'republish' ]; + $ret['limits'] = [ + 'view_stream' => PERMS_PUBLIC, + 'view_profile' => PERMS_PUBLIC, + 'view_contacts' => PERMS_PUBLIC, + 'view_storage' => PERMS_PUBLIC, + 'view_pages' => PERMS_PUBLIC, + 'send_stream' => PERMS_SPECIFIC, + 'post_wall' => PERMS_SPECIFIC, + 'post_comments' => PERMS_SPECIFIC, + 'post_mail' => PERMS_SPECIFIC, + 'post_like' => PERMS_SPECIFIC, + 'tag_deliver' => PERMS_SPECIFIC, + 'chat' => PERMS_SPECIFIC, + 'write_storage' => PERMS_SPECIFIC, + 'write_pages' => PERMS_SPECIFIC, + 'republish' => PERMS_SPECIFIC, + 'delegate' => PERMS_SPECIFIC + ]; break; @@ -770,28 +827,28 @@ function get_role_perms($role) { $ret['default_collection'] = true; $ret['directory_publish'] = false; $ret['online'] = false; - $ret['perms_follow'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_W_LIKE; - $ret['perms_accept'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_W_LIKE; - $ret['channel_r_stream'] = PERMS_PUBLIC; - $ret['channel_r_profile'] = PERMS_PUBLIC; - $ret['channel_r_abook'] = PERMS_PUBLIC; - $ret['channel_w_stream'] = PERMS_SPECIFIC; - $ret['channel_w_wall'] = PERMS_SPECIFIC; - $ret['channel_w_tagwall'] = PERMS_SPECIFIC; - $ret['channel_w_comment'] = PERMS_SPECIFIC; - $ret['channel_w_mail'] = PERMS_SPECIFIC; - $ret['channel_w_chat'] = PERMS_SPECIFIC; - $ret['channel_a_delegate'] = PERMS_SPECIFIC; - $ret['channel_r_storage'] = PERMS_PUBLIC; - $ret['channel_w_storage'] = PERMS_SPECIFIC; - $ret['channel_r_pages'] = PERMS_PUBLIC; - $ret['channel_w_pages'] = PERMS_SPECIFIC; - $ret['channel_a_republish'] = PERMS_SPECIFIC; - $ret['channel_w_like'] = PERMS_NETWORK; + $ret['perms_connect'] = [ + 'view_stream', 'view_profile', 'view_contacts', 'view_storage', + 'view_pages', 'send_stream', 'post_wall', 'post_comments', + 'post_mail', 'post_like' , 'republish' ]; + $ret['limits'] = [ + 'view_stream' => PERMS_PUBLIC, + 'view_profile' => PERMS_PUBLIC, + 'view_contacts' => PERMS_PUBLIC, + 'view_storage' => PERMS_PUBLIC, + 'view_pages' => PERMS_PUBLIC, + 'send_stream' => PERMS_SPECIFIC, + 'post_wall' => PERMS_SPECIFIC, + 'post_comments' => PERMS_SPECIFIC, + 'post_mail' => PERMS_SPECIFIC, + 'post_like' => PERMS_SPECIFIC, + 'tag_deliver' => PERMS_SPECIFIC, + 'chat' => PERMS_SPECIFIC, + 'write_storage' => PERMS_SPECIFIC, + 'write_pages' => PERMS_SPECIFIC, + 'republish' => PERMS_SPECIFIC, + 'delegate' => PERMS_SPECIFIC + ]; break; @@ -800,26 +857,29 @@ function get_role_perms($role) { $ret['default_collection'] = false; $ret['directory_publish'] = true; $ret['online'] = false; - $ret['perms_follow'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_A_REPUBLISH|PERMS_W_LIKE; - $ret['perms_accept'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_R_STORAGE|PERMS_R_PAGES|PERMS_A_REPUBLISH|PERMS_W_LIKE; - $ret['channel_r_stream'] = PERMS_PUBLIC; - $ret['channel_r_profile'] = PERMS_PUBLIC; - $ret['channel_r_abook'] = PERMS_PUBLIC; - $ret['channel_w_stream'] = PERMS_SPECIFIC; - $ret['channel_w_wall'] = PERMS_SPECIFIC; - $ret['channel_w_tagwall'] = PERMS_SPECIFIC; - $ret['channel_w_comment'] = PERMS_SPECIFIC; - $ret['channel_w_mail'] = PERMS_SPECIFIC; - $ret['channel_w_chat'] = PERMS_SPECIFIC; - $ret['channel_a_delegate'] = PERMS_SPECIFIC; - $ret['channel_r_storage'] = PERMS_PUBLIC; - $ret['channel_w_storage'] = PERMS_SPECIFIC; - $ret['channel_r_pages'] = PERMS_PUBLIC; - $ret['channel_w_pages'] = PERMS_SPECIFIC; - $ret['channel_a_republish'] = PERMS_SPECIFIC; - $ret['channel_w_like'] = PERMS_NETWORK; + + $ret['perms_connect'] = [ + 'view_stream', 'view_profile', 'view_contacts', 'view_storage', + 'view_pages', 'post_like' , 'republish' ]; + + $ret['limits'] = [ + 'view_stream' => PERMS_PUBLIC, + 'view_profile' => PERMS_PUBLIC, + 'view_contacts' => PERMS_PUBLIC, + 'view_storage' => PERMS_PUBLIC, + 'view_pages' => PERMS_PUBLIC, + 'send_stream' => PERMS_SPECIFIC, + 'post_wall' => PERMS_SPECIFIC, + 'post_comments' => PERMS_SPECIFIC, + 'post_mail' => PERMS_SPECIFIC, + 'post_like' => PERMS_SPECIFIC, + 'tag_deliver' => PERMS_SPECIFIC, + 'chat' => PERMS_SPECIFIC, + 'write_storage' => PERMS_SPECIFIC, + 'write_pages' => PERMS_SPECIFIC, + 'republish' => PERMS_SPECIFIC, + 'delegate' => PERMS_SPECIFIC + ]; break; @@ -828,28 +888,30 @@ function get_role_perms($role) { $ret['default_collection'] = false; $ret['directory_publish'] = true; $ret['online'] = false; - $ret['perms_follow'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_W_STORAGE|PERMS_R_PAGES|PERMS_A_REPUBLISH|PERMS_W_LIKE|PERMS_W_TAGWALL; - $ret['perms_accept'] = PERMS_R_STREAM|PERMS_R_PROFILE|PERMS_R_ABOOK - |PERMS_W_STREAM|PERMS_W_WALL|PERMS_W_COMMENT|PERMS_W_MAIL|PERMS_W_CHAT - |PERMS_R_STORAGE|PERMS_W_STORAGE|PERMS_R_PAGES|PERMS_A_REPUBLISH|PERMS_W_LIKE|PERMS_W_TAGWALL; - $ret['channel_r_stream'] = PERMS_PUBLIC; - $ret['channel_r_profile'] = PERMS_PUBLIC; - $ret['channel_r_abook'] = PERMS_PUBLIC; - $ret['channel_w_stream'] = PERMS_SPECIFIC; - $ret['channel_w_wall'] = PERMS_SPECIFIC; - $ret['channel_w_tagwall'] = PERMS_SPECIFIC; - $ret['channel_w_comment'] = PERMS_SPECIFIC; - $ret['channel_w_mail'] = PERMS_SPECIFIC; - $ret['channel_w_chat'] = PERMS_SPECIFIC; - $ret['channel_a_delegate'] = PERMS_SPECIFIC; - $ret['channel_r_storage'] = PERMS_PUBLIC; - $ret['channel_w_storage'] = PERMS_SPECIFIC; - $ret['channel_r_pages'] = PERMS_PUBLIC; - $ret['channel_w_pages'] = PERMS_SPECIFIC; - $ret['channel_a_republish'] = PERMS_SPECIFIC; - $ret['channel_w_like'] = PERMS_NETWORK; + + $ret['perms_connect'] = [ + 'view_stream', 'view_profile', 'view_contacts', 'view_storage', + 'view_pages', 'write_storage', 'write_pages', 'post_wall', 'post_comments', 'tag_deliver', + 'post_mail', 'post_like' , 'republish', 'chat' ]; + $ret['limits'] = [ + 'view_stream' => PERMS_PUBLIC, + 'view_profile' => PERMS_PUBLIC, + 'view_contacts' => PERMS_PUBLIC, + 'view_storage' => PERMS_PUBLIC, + 'view_pages' => PERMS_PUBLIC, + 'send_stream' => PERMS_SPECIFIC, + 'post_wall' => PERMS_SPECIFIC, + 'post_comments' => PERMS_SPECIFIC, + 'post_mail' => PERMS_SPECIFIC, + 'post_like' => PERMS_SPECIFIC, + 'tag_deliver' => PERMS_SPECIFIC, + 'chat' => PERMS_SPECIFIC, + 'write_storage' => PERMS_SPECIFIC, + 'write_pages' => PERMS_SPECIFIC, + 'republish' => PERMS_SPECIFIC, + 'delegate' => PERMS_SPECIFIC + ]; + break; diff --git a/include/security.php b/include/security.php index 2107ed819..b46c3966b 100644 --- a/include/security.php +++ b/include/security.php @@ -108,6 +108,7 @@ function atoken_xchan($atoken) { 'xchan_name' => $atoken['atoken_name'], 'xchan_addr' => t('guest:') . $atoken['atoken_name'] . '@' . \App::get_hostname(), 'xchan_network' => 'unknown', + 'xchan_url' => z_root(), 'xchan_hidden' => 1, 'xchan_photo_mimetype' => 'image/jpeg', 'xchan_photo_l' => get_default_profile_photo(300), @@ -119,6 +120,105 @@ function atoken_xchan($atoken) { return null; } +function atoken_delete($atoken_id) { + + $r = q("select * from atoken where atoken_id = %d", + intval($atoken_id) + ); + if(! $r) + return; + + $c = q("select channel_id, channel_hash from channel where channel_id = %d", + intval($r[0]['atoken_uid']) + ); + if(! $c) + return; + + $atoken_xchan = substr($c[0]['channel_hash'],0,16) . '.' . $r[0]['atoken_name']; + + q("delete from atoken where atoken_id = %d", + intval($atoken_id) + ); + q("delete from abconfig where chan = %d and xchan = '%s'", + intval($c[0]['channel_id']), + dbesc($atoken_xchan) + ); +} + + + +// in order for atoken logins to create content (such as posts) they need a stored xchan. +// we'll create one on the first atoken_login; it can't really ever go away but perhaps +// @fixme we should set xchan_deleted if it's expired or removed + +function atoken_create_xchan($xchan) { + + $r = q("select xchan_hash from xchan where xchan_hash = '%s'", + dbesc($xchan['xchan_hash']) + ); + if($r) + return; + + $r = q("insert into xchan ( xchan_hash, xchan_guid, xchan_addr, xchan_url, xchan_name, xchan_network, xchan_photo_mimetype, xchan_photo_l, xchan_photo_m, xchan_photo_s ) + values ('%s', '%s', '%s', '%s', '%s', '%s', '%s', '%s', '%s', '%s') ", + dbesc($xchan['xchan_hash']), + dbesc($xchan['xchan_hash']), + dbesc($xchan['xchan_addr']), + dbesc($xchan['xchan_url']), + dbesc($xchan['xchan_name']), + dbesc($xchan['xchan_network']), + dbesc($xchan['xchan_photo_mimetype']), + dbesc($xchan['xchan_photo_l']), + dbesc($xchan['xchan_photo_m']), + dbesc($xchan['xchan_photo_s']) + ); + + return true; +} + +function atoken_abook($uid,$xchan_hash) { + + if(substr($xchan_hash,16,1) != '.') + return false; + + $r = q("select channel_hash from channel where channel_id = %d limit 1", + intval($uid) + ); + + if(! $r) + return false; + + $x = q("select * from atoken where atoken_uid = %d and atoken_name = '%s'", + intval($uid), + dbesc(substr($xchan_hash,17)) + ); + + if($x) { + $xchan = atoken_xchan($x[0]); + $xchan['abook_blocked'] = 0; + $xchan['abook_ignored'] = 0; + $xchan['abook_pending'] = 0; + return $xchan; + } + + return false; + +} + + +function pseudo_abook($xchan) { + if(! $xchan) + return false; + + // set abook_pseudo to flag that we aren't really connected. + + $xchan['abook_pseudo'] = 1; + $xchan['abook_blocked'] = 0; + $xchan['abook_ignored'] = 0; + $xchan['abook_pending'] = 0; + return $xchan; + +} /** @@ -395,7 +495,7 @@ function public_permissions_sql($observer_hash) { * In this implementation, a security token is reusable (if the user submits a form, goes back and resubmits the form, maybe with small changes; * or if the security token is used for ajax-calls that happen several times), but only valid for a certain amout of time (3hours). * The "typename" seperates the security tokens of different types of forms. This could be relevant in the following case: - * A security token is used to protekt a link from CSRF (e.g. the "delete this profile"-link). + * A security token is used to protekt a link from CSRF (e.g. the "delete this profile"-link). * If the new page contains by any chance external elements, then the used security token is exposed by the referrer. * Actually, important actions should not be triggered by Links / GET-Requests at all, but somethimes they still are, * so this mechanism brings in some damage control (the attacker would be able to forge a request to a form of this type, but not to forms of other types). diff --git a/include/text.php b/include/text.php index d4d151f2e..2bda86885 100644 --- a/include/text.php +++ b/include/text.php @@ -1179,6 +1179,7 @@ function smilies($s, $sample = false) { $s = preg_replace_callback('{<(pre|code)>.*?}ism', 'smile_shield', $s); $s = preg_replace_callback('/<[a-z]+ .*?>/ism', 'smile_shield', $s); + $params = list_smilies(); $params['string'] = $s; @@ -1192,6 +1193,7 @@ function smilies($s, $sample = false) { $s = str_replace($params['texts'],$params['icons'],$params['string']); } + $s = preg_replace_callback('//ism', 'smile_unshield', $s); return $s; @@ -1204,11 +1206,11 @@ function smilies($s, $sample = false) { * @return string */ function smile_shield($m) { - return ''; + return ''; } function smile_unshield($m) { - return base64url_decode($m[1]); + return base64special_decode($m[1]); } /** @@ -1603,7 +1605,9 @@ function prepare_text($text, $content_type = 'text/bbcode', $cache = false) { $s = bbcode($text,false,true,$cache); else $s = smilies(bbcode($text,false,true,$cache)); + $s = zidify_links($s); + break; } @@ -1853,6 +1857,26 @@ function base64url_decode($s) { return base64_decode(strtr($s,'-_','+/')); } + +function base64special_encode($s, $strip_padding = true) { + + $s = strtr(base64_encode($s),'+/',',.'); + + if($strip_padding) + $s = str_replace('=','',$s); + + return $s; +} + +function base64special_decode($s) { + if(is_array($s)) { + logger('base64url_decode: illegal input: ' . print_r(debug_backtrace(), true)); + return $s; + } + return base64_decode(strtr($s,',.','+/')); +} + + /** * @ Return a div to clear floats. * @@ -2250,6 +2274,34 @@ function design_tools() { )); } +/** + * @brief Creates website import tools menu + * + * @return string + */ +function website_import_tools() { + + $channel = App::get_channel(); + $sys = false; + + if(App::$is_sys && is_site_admin()) { + require_once('include/channel.php'); + $channel = get_sys_channel(); + $sys = true; + } + + return replace_macros(get_markup_template('website_import_tools.tpl'), array( + '$title' => t('Import'), + '$import_label' => t('Import website...'), + '$import_placeholder' => t('Select folder to import'), + '$file_upload_text' => t('Import from a zipped folder:'), + '$file_import_text' => t('Import from cloud files:'), + '$desc' => t('/cloud/channel/path/to/folder'), + '$hint' => t('Enter path to website files'), + '$select' => t('Select folder'), + )); +} + /* case insensitive in_array() */ function in_arrayi($needle, $haystack) { @@ -2803,6 +2855,12 @@ function expand_acl($s) { return $ret; } +function acl2json($s) { + $s = expand_acl($s); + $s = json_encode($s); + return $s; +} + // When editing a webpage - a dropdown is needed to select a page layout // On submit, the pdl_select value (which is the mid of an item with item_type = ITEM_TYPE_PDL) is stored in diff --git a/include/widgets.php b/include/widgets.php index da73657f5..b19f00da0 100644 --- a/include/widgets.php +++ b/include/widgets.php @@ -595,7 +595,7 @@ function widget_settings_menu($arr) { } // IF can go away when UNO export and import is fully functional - if(! UNO) { + if(get_config('system','server_role') !== 'basic') { $tabs[] = array( 'label' => t('Export channel'), 'url' => z_root() . '/uexport', @@ -609,7 +609,7 @@ function widget_settings_menu($arr) { 'selected' => ((argv(1) === 'oauth') ? 'active' : ''), ); - if(! UNO) { + if(get_config('system','server_role') !== 'basic') { $tabs[] = array( 'label' => t('Guest Access Tokens'), 'url' => z_root() . '/settings/tokens', @@ -779,6 +779,20 @@ function widget_design_tools($arr) { return design_tools(); } +function widget_website_import_tools($arr) { + + // mod menu doesn't load a profile. For any modules which load a profile, check it. + // otherwise local_channel() is sufficient for permissions. + + if(App::$profile['profile_uid']) + if((App::$profile['profile_uid'] != local_channel()) && (! App::$is_sys)) + return ''; + + if(! local_channel()) + return ''; + + return website_import_tools(); +} function widget_findpeople($arr) { return findpeople_widget(); diff --git a/include/wiki.php b/include/wiki.php index 424b2d9a0..d52308b08 100644 --- a/include/wiki.php +++ b/include/wiki.php @@ -495,6 +495,12 @@ function wiki_convert_links($s, $wikiURL) { return $s; } +/** + * Replace the instances of the string [toc] with a list element that will be populated by + * a table of contents by the JavaScript library + * @param string $s + * @return string + */ function wiki_generate_toc($s) { if (strpos($s,'[toc]') !== false) { @@ -505,6 +511,39 @@ function wiki_generate_toc($s) { return $s; } +/** + * Converts a select set of bbcode tags. Much of the code is copied from include/bbcode.php + * @param string $s + * @return string + */ +function wiki_bbcode($s) { + + $s = str_replace(array('[baseurl]', '[sitename]'), array(z_root(), get_config('system', 'sitename')), $s); + + $observer = App::get_observer(); + if ($observer) { + $s1 = ''; + $s2 = ''; + $obsBaseURL = $observer['xchan_connurl']; + $obsBaseURL = preg_replace("/\/poco\/.*$/", '', $obsBaseURL); + $s = str_replace('[observer.baseurl]', $obsBaseURL, $s); + $s = str_replace('[observer.url]', $observer['xchan_url'], $s); + $s = str_replace('[observer.name]', $s1 . $observer['xchan_name'] . $s2, $s); + $s = str_replace('[observer.address]', $s1 . $observer['xchan_addr'] . $s2, $s); + $s = str_replace('[observer.webname]', substr($observer['xchan_addr'], 0, strpos($observer['xchan_addr'], '@')), $s); + $s = str_replace('[observer.photo]', '', $s); + } else { + $s = str_replace('[observer.baseurl]', '', $s); + $s = str_replace('[observer.url]', '', $s); + $s = str_replace('[observer.name]', '', $s); + $s = str_replace('[observer.address]', '', $s); + $s = str_replace('[observer.webname]', '', $s); + $s = str_replace('[observer.photo]', '', $s); + } + + return $s; +} + // This function is derived from // http://stackoverflow.com/questions/32068537/generate-table-of-contents-from-markdown-in-php function wiki_toc($content) { diff --git a/include/zot.php b/include/zot.php index 45347ef22..c3c924113 100644 --- a/include/zot.php +++ b/include/zot.php @@ -12,6 +12,7 @@ require_once('include/crypto.php'); require_once('include/items.php'); require_once('include/hubloc.php'); require_once('include/queue_fn.php'); +require_once('include/perm_upgrade.php'); /** @@ -388,10 +389,7 @@ function zot_refresh($them, $channel = null, $force = false) { if(! $x['success']) return false; - $their_perms = 0; - if($channel) { - $global_perms = get_perms(); if($j['permissions']['data']) { $permissions = crypto_unencapsulate(array( 'data' => $j['permissions']['data'], @@ -408,15 +406,10 @@ function zot_refresh($them, $channel = null, $force = false) { $connected_set = false; if($permissions && is_array($permissions)) { + $old_read_stream_perm = get_abconfig($channel['channel_id'],$x['hash'],'their_perms','view_stream'); + foreach($permissions as $k => $v) { - // The connected permission means you are in their address book - if($k === 'connected') { - $connected_set = intval($v); - continue; - } - if(($v) && (array_key_exists($k,$global_perms))) { - $their_perms = $their_perms | intval($global_perms[$k][1]); - } + set_abconfig($channel['channel_id'],$x['hash'],'their_perms',$k,$v); } } @@ -443,36 +436,19 @@ function zot_refresh($them, $channel = null, $force = false) { if(substr($r[0]['abook_dob'],5) == substr($next_birthday,5)) $next_birthday = $r[0]['abook_dob']; - $current_abook_connected = (intval($r[0]['abook_unconnected']) ? 0 : 1); - - $y = q("update abook set abook_their_perms = %d, abook_dob = '%s' + $y = q("update abook set abook_dob = '%s' where abook_xchan = '%s' and abook_channel = %d and abook_self = 0 ", - intval($their_perms), dbescdate($next_birthday), dbesc($x['hash']), intval($channel['channel_id']) ); -// if(($connected_set === 0 || $connected_set === 1) && ($connected_set !== $current_abook_unconnected)) { - - // if they are in your address book but you aren't in theirs, and/or this does not - // match your current connected state setting, toggle it. - /** @FIXME uncoverted to postgres */ - /** @FIXME when this was enabled, all contacts became unconnected. Currently disabled intentionally */ -// $y1 = q("update abook set abook_unconnected = 1 -// where abook_xchan = '%s' and abook_channel = %d -// and abook_self = 0 limit 1", -// dbesc($x['hash']), -// intval($channel['channel_id']) -// ); -// } - if(! $y) logger('abook update failed'); else { // if we were just granted read stream permission and didn't have it before, try to pull in some posts - if((! ($r[0]['abook_their_perms'] & PERMS_R_STREAM)) && ($their_perms & PERMS_R_STREAM)) + if((! $old_read_stream_perm) && (intval($permissions['view_stream']))) Zotlabs\Daemon\Master::Summon(array('Onepoll',$r[0]['abook_id'])); } } @@ -480,15 +456,32 @@ function zot_refresh($them, $channel = null, $force = false) { // new connection + $my_perms = null; + $automatic = false; + $role = get_pconfig($channel['channel_id'],'system','permissions_role'); if($role) { - $xx = get_role_perms($role); - if($xx['perms_auto']) - $default_perms = $xx['perms_accept']; + $xx = \Zotlabs\Access\PermissionRoles::role_perms($role); + if($xx['perms_auto']) { + $automatic = true; + $default_perms = $xx['perms_connect']; + $my_perms = \Zotlabs\Access\Permissions::FilledPerms($default_perms); + } } - if(! $default_perms) - $default_perms = intval(get_pconfig($channel['channel_id'],'system','autoperms')); + if(! $my_perms) { + $m = \Zotlabs\Access\Permissions::FilledAutoperms($channel['channel_id']); + if($m) { + $automatic = true; + $my_perms = $m; + } + } + + if($my_perms) { + foreach($my_perms as $k => $v) { + set_abconfig($channel['channel_id'],$x['hash'],'my_perms',$k,$v); + } + } // Keep original perms to check if we need to notify them $previous_perms = get_all_perms($channel['channel_id'],$x['hash']); @@ -498,17 +491,15 @@ function zot_refresh($them, $channel = null, $force = false) { if($closeness === false) $closeness = 80; - $y = q("insert into abook ( abook_account, abook_channel, abook_closeness, abook_xchan, abook_their_perms, abook_my_perms, abook_created, abook_updated, abook_dob, abook_pending ) values ( %d, %d, %d, '%s', %d, %d, '%s', '%s', '%s', %d )", + $y = q("insert into abook ( abook_account, abook_channel, abook_closeness, abook_xchan, abook_created, abook_updated, abook_dob, abook_pending ) values ( %d, %d, %d, '%s', '%s', '%s', '%s', %d )", intval($channel['channel_account_id']), intval($channel['channel_id']), intval($closeness), dbesc($x['hash']), - intval($their_perms), - intval($default_perms), dbesc(datetime_convert()), dbesc(datetime_convert()), dbesc($next_birthday), - intval(($default_perms) ? 0 : 1) + intval(($automatic) ? 0 : 1) ); if($y) { @@ -523,7 +514,7 @@ function zot_refresh($them, $channel = null, $force = false) { ); if($new_connection) { - if($new_perms != $previous_perms) + if(! \Zotlabs\Access\Permissions::PermsCompare($new_perms,$previous_perms)) Zotlabs\Daemon\Master::Summon(array('Notifier','permission_create',$new_connection[0]['abook_id'])); Zotlabs\Lib\Enotify::submit(array( 'type' => NOTIFY_INTRO, @@ -532,9 +523,9 @@ function zot_refresh($them, $channel = null, $force = false) { 'link' => z_root() . '/connedit/' . $new_connection[0]['abook_id'], )); - if($their_perms & PERMS_R_STREAM) { - if(($channel['channel_w_stream'] & PERMS_PENDING) - || (! intval($new_connection[0]['abook_pending'])) ) + if(intval($permissions['view_stream'])) { + if(intval(get_pconfig($channel['channel_id'],'perm_limits','send_stream') & PERMS_PENDING) + || (! intval($new_connection[0]['abook_pending']))) Zotlabs\Daemon\Master::Summon(array('Onepoll',$new_connection[0]['abook_id'])); } @@ -1371,8 +1362,8 @@ function public_recips($msg) { if($msg['message']['type'] === 'activity') { if(! get_config('system','disable_discover_tab')) $include_sys = true; - $col = 'channel_w_stream'; - $field = PERMS_W_STREAM; + $perm = 'send_stream'; + if(array_key_exists('flags',$msg['message']) && in_array('thread_parent', $msg['message']['flags'])) { // check mention recipient permissions on top level posts only $check_mentions = true; @@ -1404,65 +1395,30 @@ function public_recips($msg) { // contains the tag. we'll solve that further below. if($msg['notify']['sender']['guid_sig'] != $msg['message']['owner']['guid_sig']) { - $col = 'channel_w_comment'; - $field = PERMS_W_COMMENT; + $perm = 'post_comments'; } } } - elseif($msg['message']['type'] === 'mail') { - $col = 'channel_w_mail'; - $field = PERMS_W_MAIL; + elseif($msg['message']['type'] === 'mail') + $perm = 'post_mail'; + + $r = array(); + + $c = q("select channel_id, channel_hash from channel where channel_removed = 0"); + if($c) { + foreach($c as $cc) { + if(perm_is_allowed($cc['channel_id'],$msg['notify']['sender']['hash'],$perm)) { + $r[] = [ 'hash' => $cc['channel_hash'] ]; + } + } } - if(! $col) - return NULL; - - $col = dbesc($col); - - // First find those channels who are accepting posts from anybody, or at least - // something greater than just their connections. - - if($msg['notify']['sender']['url'] === z_root()) { - $sql = " where (( " . $col . " & " . intval(PERMS_NETWORK) . " ) > 0 - or ( " . $col . " & " . intval(PERMS_SITE) . " ) > 0 - or ( " . $col . " & " . intval(PERMS_PUBLIC) . ") > 0 - or ( " . $col . " & " . intval(PERMS_AUTHED) . ") > 0 ) "; - } else { - $sql = " where ( " . $col . " = " . intval(PERMS_NETWORK) . " - or " . $col . " = " . intval(PERMS_PUBLIC) . " - or " . $col . " = " . intval(PERMS_AUTHED) . " ) "; - } - - $r = q("select channel_hash as hash from channel $sql or channel_hash = '%s' - and channel_removed = 0 ", - dbesc($msg['notify']['sender']['hash']) - ); - - if(! $r) - $r = array(); - - // Now we have to get a bit dirty. Find every channel that has the sender in their connections (abook) - // and is allowing this sender at least at a high level. - - $x = q("select channel_hash as hash from channel left join abook on abook_channel = channel_id - where abook_xchan = '%s' and channel_removed = 0 - and (( " . $col . " = " . intval(PERMS_SPECIFIC) . " and ( abook_my_perms & " . intval($field) . " ) > 0 ) - OR " . $col . " = " . intval(PERMS_PENDING) . " - OR ( " . $col . " = " . intval(PERMS_CONTACTS) . " and abook_pending = 0 )) ", - dbesc($msg['notify']['sender']['hash']) - ); - - if(! $x) - $x = array(); - - $r = array_merge($r,$x); - - //logger('message: ' . print_r($msg['message'],true)); + // logger('message: ' . print_r($msg['message'],true)); if($include_sys && array_key_exists('public_scope',$msg['message']) && $msg['message']['public_scope'] === 'public') { $sys = get_sys_channel(); if($sys) - $r[] = array('hash' => $sys['channel_hash']); + $r[] = [ 'hash' => $sys['channel_hash'] ]; } // look for any public mentions on this site @@ -1943,9 +1899,9 @@ function remove_community_tag($sender, $arr, $uid) { $i = $r[0]; if($i['target']) - $i['target'] = json_decode_plus($i['target']); + $i['target'] = json_decode($i['target'],true); if($i['object']) - $i['object'] = json_decode_plus($i['object']); + $i['object'] = json_decode($i['object'],true); if(! ($i['target'] && $i['object'])) { logger('remove_community_tag: no target/object'); @@ -2298,7 +2254,7 @@ function check_location_move($sender_hash,$locations) { if(! $locations) return; - if(! UNO) + if(get_config('system','server_role') !== 'basic') return; if(count($locations) != 1) @@ -2976,7 +2932,7 @@ function import_site($arr, $pubkey) { */ function build_sync_packet($uid = 0, $packet = null, $groups_changed = false) { - if(UNO) + if(get_config('system','server_role') === 'basic') return; logger('build_sync_packet'); @@ -2998,6 +2954,14 @@ function build_sync_packet($uid = 0, $packet = null, $groups_changed = false) { $channel = $r[0]; + translate_channel_perms_outbound($channel); + if($packet && array_key_exists('abook',$packet) && $packet['abook']) { + for($x = 0; $x < count($packet['abook']); $x ++) { + translate_abook_perms_outbound($packet['abook'][$x]); + } + } + + if(intval($channel['channel_removed'])) return; @@ -3116,12 +3080,13 @@ function build_sync_packet($uid = 0, $packet = null, $groups_changed = false) { */ function process_channel_sync_delivery($sender, $arr, $deliveries) { - if(UNO) + if(get_config('system','server_role') === 'basic') return; require_once('include/import.php'); - /** @FIXME this will sync red structures (channel, pconfig and abook). Eventually we need to make this application agnostic. */ + /** @FIXME this will sync red structures (channel, pconfig and abook). + Eventually we need to make this application agnostic. */ $result = array(); @@ -3194,6 +3159,8 @@ function process_channel_sync_delivery($sender, $arr, $deliveries) { if(array_key_exists('channel',$arr) && is_array($arr['channel']) && count($arr['channel'])) { + translate_channel_perms_inbound($arr['channel']); + if(array_key_exists('channel_pageflags',$arr['channel']) && intval($arr['channel']['channel_pageflags'])) { // These flags cannot be sync'd. // remove the bits from the incoming flags. @@ -3207,7 +3174,15 @@ function process_channel_sync_delivery($sender, $arr, $deliveries) { } - $disallowed = array('channel_id','channel_account_id','channel_primary','channel_prvkey', 'channel_address', 'channel_notifyflags', 'channel_removed', 'channel_deleted', 'channel_system'); + $disallowed = [ + 'channel_id', 'channel_account_id', 'channel_primary', 'channel_prvkey', + 'channel_address', 'channel_notifyflags', 'channel_removed', 'channel_deleted', + 'channel_system', 'channel_r_stream', 'channel_r_profile', 'channel_r_abook', + 'channel_r_storage', 'channel_r_pages', 'channel_w_stream', 'channel_w_wall', + 'channel_w_comment', 'channel_w_mail', 'channel_w_like', 'channel_w_tagwall', + 'channel_w_chat', 'channel_w_storage', 'channel_w_pages', 'channel_a_republish', + 'channel_a_delegate' + ]; $clean = array(); foreach($arr['channel'] as $k => $v) { @@ -3243,6 +3218,8 @@ function process_channel_sync_delivery($sender, $arr, $deliveries) { foreach($arr['abook'] as $abook) { + + $abconfig = null; if(array_key_exists('abconfig',$abook) && is_array($abook['abconfig']) && count($abook['abconfig'])) @@ -3337,6 +3314,12 @@ function process_channel_sync_delivery($sender, $arr, $deliveries) { } } + // This will set abconfig vars if the sender is using old-style fixed permissions + // using the raw abook record as passed to us. New-style permissions will fall through + // and be set using abconfig + + translate_abook_perms_inbound($channel,$abook); + if($abconfig) { // @fixme does not handle sync of del_abconfig foreach($abconfig as $abc) { @@ -3725,6 +3708,8 @@ function zotinfo($arr) { } } + $ztarget_hash = (($ztarget && $zsig) ? make_xchan_hash($ztarget,$zsig) : '' ); + $r = null; if(strlen($zhash)) { @@ -3800,13 +3785,25 @@ function zotinfo($arr) { if($role === 'forum' || $role === 'repository') { $public_forum = true; } - else { + elseif($ztarget_hash) { // check if it has characteristics of a public forum based on custom permissions. - $t = q("select abook_my_perms from abook where abook_channel = %d and abook_self = 1 limit 1", - intval($e['channel_id']) + $t = q("select * from abconfig where abconfig.cat = 'my_perms' and abconfig.chan = %d and abconfig.xchan = '%s' and abconfig.k in ('tag_deliver', 'send_stream') ", + intval($e['channel_id']), + dbesc($ztarget_hash) ); - if(($t) && (($t[0]['abook_my_perms'] & PERMS_W_TAGWALL) && (! ($t[0]['abook_my_perms'] & PERMS_W_STREAM)))) - $public_forum = true; + + $ch = 0; + + if($t) { + foreach($t as $tt) { + if($tt['k'] == 'tag_deliver' && $tt['v'] == 1) + $ch ++; + if($tt['k'] == 'send_stream' && $tt['v'] == 0) + $ch ++; + } + if($ch == 2) + $public_forum = true; + } } @@ -3894,9 +3891,6 @@ function zotinfo($arr) { $ret['follow_url'] = z_root() . '/follow?f=&url=%s'; - $ztarget_hash = (($ztarget && $zsig) - ? make_xchan_hash($ztarget,$zsig) - : '' ); $permissions = get_all_perms($e['channel_id'],$ztarget_hash,false); diff --git a/install/htconfig.sample.php b/install/htconfig.sample.php index c46805171..e5c743ac1 100755 --- a/install/htconfig.sample.php +++ b/install/htconfig.sample.php @@ -19,8 +19,6 @@ $db_pass = 'mysqlpassword'; $db_data = 'mysqldatabasename'; $db_type = 0; // use 1 for postgres, 0 for mysql -define( 'UNO', 0 ); - /* * Notice: Many of the following settings will be available in the admin panel * after a successful site install. Once they are set in the admin panel, they @@ -46,6 +44,14 @@ App::$config['system']['sitename'] = "Hubzilla"; App::$config['system']['location_hash'] = 'if the auto install failed, put a unique random string here'; +// Choices are 'basic', 'standard', and 'pro'. +// basic sets up the sevrer for basic social networking and removes "complicated" features +// standard provides most desired features except e-commerce +// pro gives you access to everything + +App::$config['system']['server_role'] = 'pro'; + + // These lines set additional security headers to be sent with all responses // You may wish to set transport_security_header to 0 if your server already sends // this header. content_security_policy may need to be disabled if you wish to diff --git a/library/asn1.php b/library/asn1.php index e84398bf6..6ab8c6210 100644 --- a/library/asn1.php +++ b/library/asn1.php @@ -159,7 +159,7 @@ class ASN_BASE { } $length = $tempLength; } - $data = substr($string, $p, $length); + $data = substr($string, $p, intval($length)); $parsed[] = self::parseASNData($type, $data, $level, $maxLevels); $p = $p + $length; } diff --git a/library/bootstrap/css/bootstrap-theme.css b/library/bootstrap/css/bootstrap-theme.css index c19cd5c4b..31d888266 100644 --- a/library/bootstrap/css/bootstrap-theme.css +++ b/library/bootstrap/css/bootstrap-theme.css @@ -1,6 +1,6 @@ /*! - * Bootstrap v3.3.5 (http://getbootstrap.com) - * Copyright 2011-2015 Twitter, Inc. + * Bootstrap v3.3.7 (http://getbootstrap.com) + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) */ .btn-default, diff --git a/library/bootstrap/css/bootstrap-theme.min.css b/library/bootstrap/css/bootstrap-theme.min.css index 61358b13d..5e3940195 100644 --- a/library/bootstrap/css/bootstrap-theme.min.css +++ b/library/bootstrap/css/bootstrap-theme.min.css @@ -1,5 +1,6 @@ /*! - * Bootstrap v3.3.5 (http://getbootstrap.com) - * Copyright 2011-2015 Twitter, Inc. + * Bootstrap v3.3.7 (http://getbootstrap.com) + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) - */.btn-danger,.btn-default,.btn-info,.btn-primary,.btn-success,.btn-warning{text-shadow:0 -1px 0 rgba(0,0,0,.2);-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 1px rgba(0,0,0,.075)}.btn-danger.active,.btn-danger:active,.btn-default.active,.btn-default:active,.btn-info.active,.btn-info:active,.btn-primary.active,.btn-primary:active,.btn-success.active,.btn-success:active,.btn-warning.active,.btn-warning:active{-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)}.btn-danger.disabled,.btn-danger[disabled],.btn-default.disabled,.btn-default[disabled],.btn-info.disabled,.btn-info[disabled],.btn-primary.disabled,.btn-primary[disabled],.btn-success.disabled,.btn-success[disabled],.btn-warning.disabled,.btn-warning[disabled],fieldset[disabled] .btn-danger,fieldset[disabled] .btn-default,fieldset[disabled] .btn-info,fieldset[disabled] .btn-primary,fieldset[disabled] .btn-success,fieldset[disabled] .btn-warning{-webkit-box-shadow:none;box-shadow:none}.btn-danger .badge,.btn-default .badge,.btn-info .badge,.btn-primary .badge,.btn-success .badge,.btn-warning .badge{text-shadow:none}.btn.active,.btn:active{background-image:none}.btn-default{text-shadow:0 1px 0 #fff;background-image:-webkit-linear-gradient(top,#fff 0,#e0e0e0 100%);background-image:-o-linear-gradient(top,#fff 0,#e0e0e0 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fff),to(#e0e0e0));background-image:linear-gradient(to bottom,#fff 0,#e0e0e0 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#ffe0e0e0', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#dbdbdb;border-color:#ccc}.btn-default:focus,.btn-default:hover{background-color:#e0e0e0;background-position:0 -15px}.btn-default.active,.btn-default:active{background-color:#e0e0e0;border-color:#dbdbdb}.btn-default.disabled,.btn-default.disabled.active,.btn-default.disabled.focus,.btn-default.disabled:active,.btn-default.disabled:focus,.btn-default.disabled:hover,.btn-default[disabled],.btn-default[disabled].active,.btn-default[disabled].focus,.btn-default[disabled]:active,.btn-default[disabled]:focus,.btn-default[disabled]:hover,fieldset[disabled] .btn-default,fieldset[disabled] .btn-default.active,fieldset[disabled] .btn-default.focus,fieldset[disabled] .btn-default:active,fieldset[disabled] .btn-default:focus,fieldset[disabled] .btn-default:hover{background-color:#e0e0e0;background-image:none}.btn-primary{background-image:-webkit-linear-gradient(top,#337ab7 0,#265a88 100%);background-image:-o-linear-gradient(top,#337ab7 0,#265a88 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#265a88));background-image:linear-gradient(to bottom,#337ab7 0,#265a88 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff265a88', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#245580}.btn-primary:focus,.btn-primary:hover{background-color:#265a88;background-position:0 -15px}.btn-primary.active,.btn-primary:active{background-color:#265a88;border-color:#245580}.btn-primary.disabled,.btn-primary.disabled.active,.btn-primary.disabled.focus,.btn-primary.disabled:active,.btn-primary.disabled:focus,.btn-primary.disabled:hover,.btn-primary[disabled],.btn-primary[disabled].active,.btn-primary[disabled].focus,.btn-primary[disabled]:active,.btn-primary[disabled]:focus,.btn-primary[disabled]:hover,fieldset[disabled] .btn-primary,fieldset[disabled] .btn-primary.active,fieldset[disabled] .btn-primary.focus,fieldset[disabled] .btn-primary:active,fieldset[disabled] .btn-primary:focus,fieldset[disabled] .btn-primary:hover{background-color:#265a88;background-image:none}.btn-success{background-image:-webkit-linear-gradient(top,#5cb85c 0,#419641 100%);background-image:-o-linear-gradient(top,#5cb85c 0,#419641 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5cb85c),to(#419641));background-image:linear-gradient(to bottom,#5cb85c 0,#419641 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff419641', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#3e8f3e}.btn-success:focus,.btn-success:hover{background-color:#419641;background-position:0 -15px}.btn-success.active,.btn-success:active{background-color:#419641;border-color:#3e8f3e}.btn-success.disabled,.btn-success.disabled.active,.btn-success.disabled.focus,.btn-success.disabled:active,.btn-success.disabled:focus,.btn-success.disabled:hover,.btn-success[disabled],.btn-success[disabled].active,.btn-success[disabled].focus,.btn-success[disabled]:active,.btn-success[disabled]:focus,.btn-success[disabled]:hover,fieldset[disabled] .btn-success,fieldset[disabled] .btn-success.active,fieldset[disabled] .btn-success.focus,fieldset[disabled] .btn-success:active,fieldset[disabled] .btn-success:focus,fieldset[disabled] .btn-success:hover{background-color:#419641;background-image:none}.btn-info{background-image:-webkit-linear-gradient(top,#5bc0de 0,#2aabd2 100%);background-image:-o-linear-gradient(top,#5bc0de 0,#2aabd2 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5bc0de),to(#2aabd2));background-image:linear-gradient(to bottom,#5bc0de 0,#2aabd2 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff2aabd2', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#28a4c9}.btn-info:focus,.btn-info:hover{background-color:#2aabd2;background-position:0 -15px}.btn-info.active,.btn-info:active{background-color:#2aabd2;border-color:#28a4c9}.btn-info.disabled,.btn-info.disabled.active,.btn-info.disabled.focus,.btn-info.disabled:active,.btn-info.disabled:focus,.btn-info.disabled:hover,.btn-info[disabled],.btn-info[disabled].active,.btn-info[disabled].focus,.btn-info[disabled]:active,.btn-info[disabled]:focus,.btn-info[disabled]:hover,fieldset[disabled] .btn-info,fieldset[disabled] .btn-info.active,fieldset[disabled] .btn-info.focus,fieldset[disabled] .btn-info:active,fieldset[disabled] .btn-info:focus,fieldset[disabled] .btn-info:hover{background-color:#2aabd2;background-image:none}.btn-warning{background-image:-webkit-linear-gradient(top,#f0ad4e 0,#eb9316 100%);background-image:-o-linear-gradient(top,#f0ad4e 0,#eb9316 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f0ad4e),to(#eb9316));background-image:linear-gradient(to bottom,#f0ad4e 0,#eb9316 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffeb9316', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#e38d13}.btn-warning:focus,.btn-warning:hover{background-color:#eb9316;background-position:0 -15px}.btn-warning.active,.btn-warning:active{background-color:#eb9316;border-color:#e38d13}.btn-warning.disabled,.btn-warning.disabled.active,.btn-warning.disabled.focus,.btn-warning.disabled:active,.btn-warning.disabled:focus,.btn-warning.disabled:hover,.btn-warning[disabled],.btn-warning[disabled].active,.btn-warning[disabled].focus,.btn-warning[disabled]:active,.btn-warning[disabled]:focus,.btn-warning[disabled]:hover,fieldset[disabled] .btn-warning,fieldset[disabled] .btn-warning.active,fieldset[disabled] .btn-warning.focus,fieldset[disabled] .btn-warning:active,fieldset[disabled] .btn-warning:focus,fieldset[disabled] .btn-warning:hover{background-color:#eb9316;background-image:none}.btn-danger{background-image:-webkit-linear-gradient(top,#d9534f 0,#c12e2a 100%);background-image:-o-linear-gradient(top,#d9534f 0,#c12e2a 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9534f),to(#c12e2a));background-image:linear-gradient(to bottom,#d9534f 0,#c12e2a 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc12e2a', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#b92c28}.btn-danger:focus,.btn-danger:hover{background-color:#c12e2a;background-position:0 -15px}.btn-danger.active,.btn-danger:active{background-color:#c12e2a;border-color:#b92c28}.btn-danger.disabled,.btn-danger.disabled.active,.btn-danger.disabled.focus,.btn-danger.disabled:active,.btn-danger.disabled:focus,.btn-danger.disabled:hover,.btn-danger[disabled],.btn-danger[disabled].active,.btn-danger[disabled].focus,.btn-danger[disabled]:active,.btn-danger[disabled]:focus,.btn-danger[disabled]:hover,fieldset[disabled] .btn-danger,fieldset[disabled] .btn-danger.active,fieldset[disabled] .btn-danger.focus,fieldset[disabled] .btn-danger:active,fieldset[disabled] .btn-danger:focus,fieldset[disabled] .btn-danger:hover{background-color:#c12e2a;background-image:none}.img-thumbnail,.thumbnail{-webkit-box-shadow:0 1px 2px rgba(0,0,0,.075);box-shadow:0 1px 2px rgba(0,0,0,.075)}.dropdown-menu>li>a:focus,.dropdown-menu>li>a:hover{background-color:#e8e8e8;background-image:-webkit-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-o-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f5f5f5),to(#e8e8e8));background-image:linear-gradient(to bottom,#f5f5f5 0,#e8e8e8 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);background-repeat:repeat-x}.dropdown-menu>.active>a,.dropdown-menu>.active>a:focus,.dropdown-menu>.active>a:hover{background-color:#2e6da4;background-image:-webkit-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2e6da4));background-image:linear-gradient(to bottom,#337ab7 0,#2e6da4 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);background-repeat:repeat-x}.navbar-default{background-image:-webkit-linear-gradient(top,#fff 0,#f8f8f8 100%);background-image:-o-linear-gradient(top,#fff 0,#f8f8f8 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fff),to(#f8f8f8));background-image:linear-gradient(to bottom,#fff 0,#f8f8f8 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#fff8f8f8', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-radius:4px;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 5px rgba(0,0,0,.075);box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 5px rgba(0,0,0,.075)}.navbar-default .navbar-nav>.active>a,.navbar-default .navbar-nav>.open>a{background-image:-webkit-linear-gradient(top,#dbdbdb 0,#e2e2e2 100%);background-image:-o-linear-gradient(top,#dbdbdb 0,#e2e2e2 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#dbdbdb),to(#e2e2e2));background-image:linear-gradient(to bottom,#dbdbdb 0,#e2e2e2 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdbdbdb', endColorstr='#ffe2e2e2', GradientType=0);background-repeat:repeat-x;-webkit-box-shadow:inset 0 3px 9px rgba(0,0,0,.075);box-shadow:inset 0 3px 9px rgba(0,0,0,.075)}.navbar-brand,.navbar-nav>li>a{text-shadow:0 1px 0 rgba(255,255,255,.25)}.navbar-inverse{background-image:-webkit-linear-gradient(top,#3c3c3c 0,#222 100%);background-image:-o-linear-gradient(top,#3c3c3c 0,#222 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#3c3c3c),to(#222));background-image:linear-gradient(to bottom,#3c3c3c 0,#222 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff3c3c3c', endColorstr='#ff222222', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-radius:4px}.navbar-inverse .navbar-nav>.active>a,.navbar-inverse .navbar-nav>.open>a{background-image:-webkit-linear-gradient(top,#080808 0,#0f0f0f 100%);background-image:-o-linear-gradient(top,#080808 0,#0f0f0f 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#080808),to(#0f0f0f));background-image:linear-gradient(to bottom,#080808 0,#0f0f0f 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff080808', endColorstr='#ff0f0f0f', GradientType=0);background-repeat:repeat-x;-webkit-box-shadow:inset 0 3px 9px rgba(0,0,0,.25);box-shadow:inset 0 3px 9px rgba(0,0,0,.25)}.navbar-inverse .navbar-brand,.navbar-inverse .navbar-nav>li>a{text-shadow:0 -1px 0 rgba(0,0,0,.25)}.navbar-fixed-bottom,.navbar-fixed-top,.navbar-static-top{border-radius:0}@media (max-width:767px){.navbar .navbar-nav .open .dropdown-menu>.active>a,.navbar .navbar-nav .open .dropdown-menu>.active>a:focus,.navbar .navbar-nav .open .dropdown-menu>.active>a:hover{color:#fff;background-image:-webkit-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2e6da4));background-image:linear-gradient(to bottom,#337ab7 0,#2e6da4 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);background-repeat:repeat-x}}.alert{text-shadow:0 1px 0 rgba(255,255,255,.2);-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 2px rgba(0,0,0,.05);box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 2px rgba(0,0,0,.05)}.alert-success{background-image:-webkit-linear-gradient(top,#dff0d8 0,#c8e5bc 100%);background-image:-o-linear-gradient(top,#dff0d8 0,#c8e5bc 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#dff0d8),to(#c8e5bc));background-image:linear-gradient(to bottom,#dff0d8 0,#c8e5bc 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffc8e5bc', GradientType=0);background-repeat:repeat-x;border-color:#b2dba1}.alert-info{background-image:-webkit-linear-gradient(top,#d9edf7 0,#b9def0 100%);background-image:-o-linear-gradient(top,#d9edf7 0,#b9def0 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9edf7),to(#b9def0));background-image:linear-gradient(to bottom,#d9edf7 0,#b9def0 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffb9def0', GradientType=0);background-repeat:repeat-x;border-color:#9acfea}.alert-warning{background-image:-webkit-linear-gradient(top,#fcf8e3 0,#f8efc0 100%);background-image:-o-linear-gradient(top,#fcf8e3 0,#f8efc0 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fcf8e3),to(#f8efc0));background-image:linear-gradient(to bottom,#fcf8e3 0,#f8efc0 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fff8efc0', GradientType=0);background-repeat:repeat-x;border-color:#f5e79e}.alert-danger{background-image:-webkit-linear-gradient(top,#f2dede 0,#e7c3c3 100%);background-image:-o-linear-gradient(top,#f2dede 0,#e7c3c3 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f2dede),to(#e7c3c3));background-image:linear-gradient(to bottom,#f2dede 0,#e7c3c3 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffe7c3c3', GradientType=0);background-repeat:repeat-x;border-color:#dca7a7}.progress{background-image:-webkit-linear-gradient(top,#ebebeb 0,#f5f5f5 100%);background-image:-o-linear-gradient(top,#ebebeb 0,#f5f5f5 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#ebebeb),to(#f5f5f5));background-image:linear-gradient(to bottom,#ebebeb 0,#f5f5f5 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffebebeb', endColorstr='#fff5f5f5', GradientType=0);background-repeat:repeat-x}.progress-bar{background-image:-webkit-linear-gradient(top,#337ab7 0,#286090 100%);background-image:-o-linear-gradient(top,#337ab7 0,#286090 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#286090));background-image:linear-gradient(to bottom,#337ab7 0,#286090 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff286090', GradientType=0);background-repeat:repeat-x}.progress-bar-success{background-image:-webkit-linear-gradient(top,#5cb85c 0,#449d44 100%);background-image:-o-linear-gradient(top,#5cb85c 0,#449d44 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5cb85c),to(#449d44));background-image:linear-gradient(to bottom,#5cb85c 0,#449d44 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff449d44', GradientType=0);background-repeat:repeat-x}.progress-bar-info{background-image:-webkit-linear-gradient(top,#5bc0de 0,#31b0d5 100%);background-image:-o-linear-gradient(top,#5bc0de 0,#31b0d5 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5bc0de),to(#31b0d5));background-image:linear-gradient(to bottom,#5bc0de 0,#31b0d5 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff31b0d5', GradientType=0);background-repeat:repeat-x}.progress-bar-warning{background-image:-webkit-linear-gradient(top,#f0ad4e 0,#ec971f 100%);background-image:-o-linear-gradient(top,#f0ad4e 0,#ec971f 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f0ad4e),to(#ec971f));background-image:linear-gradient(to bottom,#f0ad4e 0,#ec971f 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffec971f', GradientType=0);background-repeat:repeat-x}.progress-bar-danger{background-image:-webkit-linear-gradient(top,#d9534f 0,#c9302c 100%);background-image:-o-linear-gradient(top,#d9534f 0,#c9302c 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9534f),to(#c9302c));background-image:linear-gradient(to bottom,#d9534f 0,#c9302c 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc9302c', GradientType=0);background-repeat:repeat-x}.progress-bar-striped{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.list-group{border-radius:4px;-webkit-box-shadow:0 1px 2px rgba(0,0,0,.075);box-shadow:0 1px 2px rgba(0,0,0,.075)}.list-group-item.active,.list-group-item.active:focus,.list-group-item.active:hover{text-shadow:0 -1px 0 #286090;background-image:-webkit-linear-gradient(top,#337ab7 0,#2b669a 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2b669a 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2b669a));background-image:linear-gradient(to bottom,#337ab7 0,#2b669a 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2b669a', GradientType=0);background-repeat:repeat-x;border-color:#2b669a}.list-group-item.active .badge,.list-group-item.active:focus .badge,.list-group-item.active:hover .badge{text-shadow:none}.panel{-webkit-box-shadow:0 1px 2px rgba(0,0,0,.05);box-shadow:0 1px 2px rgba(0,0,0,.05)}.panel-default>.panel-heading{background-image:-webkit-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-o-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f5f5f5),to(#e8e8e8));background-image:linear-gradient(to bottom,#f5f5f5 0,#e8e8e8 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);background-repeat:repeat-x}.panel-primary>.panel-heading{background-image:-webkit-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2e6da4));background-image:linear-gradient(to bottom,#337ab7 0,#2e6da4 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);background-repeat:repeat-x}.panel-success>.panel-heading{background-image:-webkit-linear-gradient(top,#dff0d8 0,#d0e9c6 100%);background-image:-o-linear-gradient(top,#dff0d8 0,#d0e9c6 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#dff0d8),to(#d0e9c6));background-image:linear-gradient(to bottom,#dff0d8 0,#d0e9c6 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffd0e9c6', GradientType=0);background-repeat:repeat-x}.panel-info>.panel-heading{background-image:-webkit-linear-gradient(top,#d9edf7 0,#c4e3f3 100%);background-image:-o-linear-gradient(top,#d9edf7 0,#c4e3f3 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9edf7),to(#c4e3f3));background-image:linear-gradient(to bottom,#d9edf7 0,#c4e3f3 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffc4e3f3', GradientType=0);background-repeat:repeat-x}.panel-warning>.panel-heading{background-image:-webkit-linear-gradient(top,#fcf8e3 0,#faf2cc 100%);background-image:-o-linear-gradient(top,#fcf8e3 0,#faf2cc 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fcf8e3),to(#faf2cc));background-image:linear-gradient(to bottom,#fcf8e3 0,#faf2cc 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fffaf2cc', GradientType=0);background-repeat:repeat-x}.panel-danger>.panel-heading{background-image:-webkit-linear-gradient(top,#f2dede 0,#ebcccc 100%);background-image:-o-linear-gradient(top,#f2dede 0,#ebcccc 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f2dede),to(#ebcccc));background-image:linear-gradient(to bottom,#f2dede 0,#ebcccc 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffebcccc', GradientType=0);background-repeat:repeat-x}.well{background-image:-webkit-linear-gradient(top,#e8e8e8 0,#f5f5f5 100%);background-image:-o-linear-gradient(top,#e8e8e8 0,#f5f5f5 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#e8e8e8),to(#f5f5f5));background-image:linear-gradient(to bottom,#e8e8e8 0,#f5f5f5 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffe8e8e8', endColorstr='#fff5f5f5', GradientType=0);background-repeat:repeat-x;border-color:#dcdcdc;-webkit-box-shadow:inset 0 1px 3px rgba(0,0,0,.05),0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 3px rgba(0,0,0,.05),0 1px 0 rgba(255,255,255,.1)} \ No newline at end of file + */.btn-danger,.btn-default,.btn-info,.btn-primary,.btn-success,.btn-warning{text-shadow:0 -1px 0 rgba(0,0,0,.2);-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 1px rgba(0,0,0,.075)}.btn-danger.active,.btn-danger:active,.btn-default.active,.btn-default:active,.btn-info.active,.btn-info:active,.btn-primary.active,.btn-primary:active,.btn-success.active,.btn-success:active,.btn-warning.active,.btn-warning:active{-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)}.btn-danger.disabled,.btn-danger[disabled],.btn-default.disabled,.btn-default[disabled],.btn-info.disabled,.btn-info[disabled],.btn-primary.disabled,.btn-primary[disabled],.btn-success.disabled,.btn-success[disabled],.btn-warning.disabled,.btn-warning[disabled],fieldset[disabled] .btn-danger,fieldset[disabled] .btn-default,fieldset[disabled] .btn-info,fieldset[disabled] .btn-primary,fieldset[disabled] .btn-success,fieldset[disabled] .btn-warning{-webkit-box-shadow:none;box-shadow:none}.btn-danger .badge,.btn-default .badge,.btn-info .badge,.btn-primary .badge,.btn-success .badge,.btn-warning .badge{text-shadow:none}.btn.active,.btn:active{background-image:none}.btn-default{text-shadow:0 1px 0 #fff;background-image:-webkit-linear-gradient(top,#fff 0,#e0e0e0 100%);background-image:-o-linear-gradient(top,#fff 0,#e0e0e0 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fff),to(#e0e0e0));background-image:linear-gradient(to bottom,#fff 0,#e0e0e0 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#ffe0e0e0', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#dbdbdb;border-color:#ccc}.btn-default:focus,.btn-default:hover{background-color:#e0e0e0;background-position:0 -15px}.btn-default.active,.btn-default:active{background-color:#e0e0e0;border-color:#dbdbdb}.btn-default.disabled,.btn-default.disabled.active,.btn-default.disabled.focus,.btn-default.disabled:active,.btn-default.disabled:focus,.btn-default.disabled:hover,.btn-default[disabled],.btn-default[disabled].active,.btn-default[disabled].focus,.btn-default[disabled]:active,.btn-default[disabled]:focus,.btn-default[disabled]:hover,fieldset[disabled] .btn-default,fieldset[disabled] .btn-default.active,fieldset[disabled] .btn-default.focus,fieldset[disabled] .btn-default:active,fieldset[disabled] .btn-default:focus,fieldset[disabled] .btn-default:hover{background-color:#e0e0e0;background-image:none}.btn-primary{background-image:-webkit-linear-gradient(top,#337ab7 0,#265a88 100%);background-image:-o-linear-gradient(top,#337ab7 0,#265a88 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#265a88));background-image:linear-gradient(to bottom,#337ab7 0,#265a88 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff265a88', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#245580}.btn-primary:focus,.btn-primary:hover{background-color:#265a88;background-position:0 -15px}.btn-primary.active,.btn-primary:active{background-color:#265a88;border-color:#245580}.btn-primary.disabled,.btn-primary.disabled.active,.btn-primary.disabled.focus,.btn-primary.disabled:active,.btn-primary.disabled:focus,.btn-primary.disabled:hover,.btn-primary[disabled],.btn-primary[disabled].active,.btn-primary[disabled].focus,.btn-primary[disabled]:active,.btn-primary[disabled]:focus,.btn-primary[disabled]:hover,fieldset[disabled] .btn-primary,fieldset[disabled] .btn-primary.active,fieldset[disabled] .btn-primary.focus,fieldset[disabled] .btn-primary:active,fieldset[disabled] .btn-primary:focus,fieldset[disabled] .btn-primary:hover{background-color:#265a88;background-image:none}.btn-success{background-image:-webkit-linear-gradient(top,#5cb85c 0,#419641 100%);background-image:-o-linear-gradient(top,#5cb85c 0,#419641 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5cb85c),to(#419641));background-image:linear-gradient(to bottom,#5cb85c 0,#419641 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff419641', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#3e8f3e}.btn-success:focus,.btn-success:hover{background-color:#419641;background-position:0 -15px}.btn-success.active,.btn-success:active{background-color:#419641;border-color:#3e8f3e}.btn-success.disabled,.btn-success.disabled.active,.btn-success.disabled.focus,.btn-success.disabled:active,.btn-success.disabled:focus,.btn-success.disabled:hover,.btn-success[disabled],.btn-success[disabled].active,.btn-success[disabled].focus,.btn-success[disabled]:active,.btn-success[disabled]:focus,.btn-success[disabled]:hover,fieldset[disabled] .btn-success,fieldset[disabled] .btn-success.active,fieldset[disabled] .btn-success.focus,fieldset[disabled] .btn-success:active,fieldset[disabled] .btn-success:focus,fieldset[disabled] .btn-success:hover{background-color:#419641;background-image:none}.btn-info{background-image:-webkit-linear-gradient(top,#5bc0de 0,#2aabd2 100%);background-image:-o-linear-gradient(top,#5bc0de 0,#2aabd2 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5bc0de),to(#2aabd2));background-image:linear-gradient(to bottom,#5bc0de 0,#2aabd2 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff2aabd2', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#28a4c9}.btn-info:focus,.btn-info:hover{background-color:#2aabd2;background-position:0 -15px}.btn-info.active,.btn-info:active{background-color:#2aabd2;border-color:#28a4c9}.btn-info.disabled,.btn-info.disabled.active,.btn-info.disabled.focus,.btn-info.disabled:active,.btn-info.disabled:focus,.btn-info.disabled:hover,.btn-info[disabled],.btn-info[disabled].active,.btn-info[disabled].focus,.btn-info[disabled]:active,.btn-info[disabled]:focus,.btn-info[disabled]:hover,fieldset[disabled] .btn-info,fieldset[disabled] .btn-info.active,fieldset[disabled] .btn-info.focus,fieldset[disabled] .btn-info:active,fieldset[disabled] .btn-info:focus,fieldset[disabled] .btn-info:hover{background-color:#2aabd2;background-image:none}.btn-warning{background-image:-webkit-linear-gradient(top,#f0ad4e 0,#eb9316 100%);background-image:-o-linear-gradient(top,#f0ad4e 0,#eb9316 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f0ad4e),to(#eb9316));background-image:linear-gradient(to bottom,#f0ad4e 0,#eb9316 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffeb9316', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#e38d13}.btn-warning:focus,.btn-warning:hover{background-color:#eb9316;background-position:0 -15px}.btn-warning.active,.btn-warning:active{background-color:#eb9316;border-color:#e38d13}.btn-warning.disabled,.btn-warning.disabled.active,.btn-warning.disabled.focus,.btn-warning.disabled:active,.btn-warning.disabled:focus,.btn-warning.disabled:hover,.btn-warning[disabled],.btn-warning[disabled].active,.btn-warning[disabled].focus,.btn-warning[disabled]:active,.btn-warning[disabled]:focus,.btn-warning[disabled]:hover,fieldset[disabled] .btn-warning,fieldset[disabled] .btn-warning.active,fieldset[disabled] .btn-warning.focus,fieldset[disabled] .btn-warning:active,fieldset[disabled] .btn-warning:focus,fieldset[disabled] .btn-warning:hover{background-color:#eb9316;background-image:none}.btn-danger{background-image:-webkit-linear-gradient(top,#d9534f 0,#c12e2a 100%);background-image:-o-linear-gradient(top,#d9534f 0,#c12e2a 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9534f),to(#c12e2a));background-image:linear-gradient(to bottom,#d9534f 0,#c12e2a 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc12e2a', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#b92c28}.btn-danger:focus,.btn-danger:hover{background-color:#c12e2a;background-position:0 -15px}.btn-danger.active,.btn-danger:active{background-color:#c12e2a;border-color:#b92c28}.btn-danger.disabled,.btn-danger.disabled.active,.btn-danger.disabled.focus,.btn-danger.disabled:active,.btn-danger.disabled:focus,.btn-danger.disabled:hover,.btn-danger[disabled],.btn-danger[disabled].active,.btn-danger[disabled].focus,.btn-danger[disabled]:active,.btn-danger[disabled]:focus,.btn-danger[disabled]:hover,fieldset[disabled] .btn-danger,fieldset[disabled] .btn-danger.active,fieldset[disabled] .btn-danger.focus,fieldset[disabled] .btn-danger:active,fieldset[disabled] .btn-danger:focus,fieldset[disabled] .btn-danger:hover{background-color:#c12e2a;background-image:none}.img-thumbnail,.thumbnail{-webkit-box-shadow:0 1px 2px rgba(0,0,0,.075);box-shadow:0 1px 2px rgba(0,0,0,.075)}.dropdown-menu>li>a:focus,.dropdown-menu>li>a:hover{background-color:#e8e8e8;background-image:-webkit-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-o-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f5f5f5),to(#e8e8e8));background-image:linear-gradient(to bottom,#f5f5f5 0,#e8e8e8 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);background-repeat:repeat-x}.dropdown-menu>.active>a,.dropdown-menu>.active>a:focus,.dropdown-menu>.active>a:hover{background-color:#2e6da4;background-image:-webkit-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2e6da4));background-image:linear-gradient(to bottom,#337ab7 0,#2e6da4 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);background-repeat:repeat-x}.navbar-default{background-image:-webkit-linear-gradient(top,#fff 0,#f8f8f8 100%);background-image:-o-linear-gradient(top,#fff 0,#f8f8f8 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fff),to(#f8f8f8));background-image:linear-gradient(to bottom,#fff 0,#f8f8f8 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#fff8f8f8', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-radius:4px;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 5px rgba(0,0,0,.075);box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 5px rgba(0,0,0,.075)}.navbar-default .navbar-nav>.active>a,.navbar-default .navbar-nav>.open>a{background-image:-webkit-linear-gradient(top,#dbdbdb 0,#e2e2e2 100%);background-image:-o-linear-gradient(top,#dbdbdb 0,#e2e2e2 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#dbdbdb),to(#e2e2e2));background-image:linear-gradient(to bottom,#dbdbdb 0,#e2e2e2 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdbdbdb', endColorstr='#ffe2e2e2', GradientType=0);background-repeat:repeat-x;-webkit-box-shadow:inset 0 3px 9px rgba(0,0,0,.075);box-shadow:inset 0 3px 9px rgba(0,0,0,.075)}.navbar-brand,.navbar-nav>li>a{text-shadow:0 1px 0 rgba(255,255,255,.25)}.navbar-inverse{background-image:-webkit-linear-gradient(top,#3c3c3c 0,#222 100%);background-image:-o-linear-gradient(top,#3c3c3c 0,#222 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#3c3c3c),to(#222));background-image:linear-gradient(to bottom,#3c3c3c 0,#222 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff3c3c3c', endColorstr='#ff222222', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-radius:4px}.navbar-inverse .navbar-nav>.active>a,.navbar-inverse .navbar-nav>.open>a{background-image:-webkit-linear-gradient(top,#080808 0,#0f0f0f 100%);background-image:-o-linear-gradient(top,#080808 0,#0f0f0f 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#080808),to(#0f0f0f));background-image:linear-gradient(to bottom,#080808 0,#0f0f0f 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff080808', endColorstr='#ff0f0f0f', GradientType=0);background-repeat:repeat-x;-webkit-box-shadow:inset 0 3px 9px rgba(0,0,0,.25);box-shadow:inset 0 3px 9px rgba(0,0,0,.25)}.navbar-inverse .navbar-brand,.navbar-inverse .navbar-nav>li>a{text-shadow:0 -1px 0 rgba(0,0,0,.25)}.navbar-fixed-bottom,.navbar-fixed-top,.navbar-static-top{border-radius:0}@media (max-width:767px){.navbar .navbar-nav .open .dropdown-menu>.active>a,.navbar .navbar-nav .open .dropdown-menu>.active>a:focus,.navbar .navbar-nav .open .dropdown-menu>.active>a:hover{color:#fff;background-image:-webkit-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2e6da4));background-image:linear-gradient(to bottom,#337ab7 0,#2e6da4 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);background-repeat:repeat-x}}.alert{text-shadow:0 1px 0 rgba(255,255,255,.2);-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 2px rgba(0,0,0,.05);box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 2px rgba(0,0,0,.05)}.alert-success{background-image:-webkit-linear-gradient(top,#dff0d8 0,#c8e5bc 100%);background-image:-o-linear-gradient(top,#dff0d8 0,#c8e5bc 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#dff0d8),to(#c8e5bc));background-image:linear-gradient(to bottom,#dff0d8 0,#c8e5bc 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffc8e5bc', GradientType=0);background-repeat:repeat-x;border-color:#b2dba1}.alert-info{background-image:-webkit-linear-gradient(top,#d9edf7 0,#b9def0 100%);background-image:-o-linear-gradient(top,#d9edf7 0,#b9def0 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9edf7),to(#b9def0));background-image:linear-gradient(to bottom,#d9edf7 0,#b9def0 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffb9def0', GradientType=0);background-repeat:repeat-x;border-color:#9acfea}.alert-warning{background-image:-webkit-linear-gradient(top,#fcf8e3 0,#f8efc0 100%);background-image:-o-linear-gradient(top,#fcf8e3 0,#f8efc0 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fcf8e3),to(#f8efc0));background-image:linear-gradient(to bottom,#fcf8e3 0,#f8efc0 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fff8efc0', GradientType=0);background-repeat:repeat-x;border-color:#f5e79e}.alert-danger{background-image:-webkit-linear-gradient(top,#f2dede 0,#e7c3c3 100%);background-image:-o-linear-gradient(top,#f2dede 0,#e7c3c3 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f2dede),to(#e7c3c3));background-image:linear-gradient(to bottom,#f2dede 0,#e7c3c3 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffe7c3c3', GradientType=0);background-repeat:repeat-x;border-color:#dca7a7}.progress{background-image:-webkit-linear-gradient(top,#ebebeb 0,#f5f5f5 100%);background-image:-o-linear-gradient(top,#ebebeb 0,#f5f5f5 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#ebebeb),to(#f5f5f5));background-image:linear-gradient(to bottom,#ebebeb 0,#f5f5f5 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffebebeb', endColorstr='#fff5f5f5', GradientType=0);background-repeat:repeat-x}.progress-bar{background-image:-webkit-linear-gradient(top,#337ab7 0,#286090 100%);background-image:-o-linear-gradient(top,#337ab7 0,#286090 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#286090));background-image:linear-gradient(to bottom,#337ab7 0,#286090 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff286090', GradientType=0);background-repeat:repeat-x}.progress-bar-success{background-image:-webkit-linear-gradient(top,#5cb85c 0,#449d44 100%);background-image:-o-linear-gradient(top,#5cb85c 0,#449d44 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5cb85c),to(#449d44));background-image:linear-gradient(to bottom,#5cb85c 0,#449d44 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff449d44', GradientType=0);background-repeat:repeat-x}.progress-bar-info{background-image:-webkit-linear-gradient(top,#5bc0de 0,#31b0d5 100%);background-image:-o-linear-gradient(top,#5bc0de 0,#31b0d5 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5bc0de),to(#31b0d5));background-image:linear-gradient(to bottom,#5bc0de 0,#31b0d5 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff31b0d5', GradientType=0);background-repeat:repeat-x}.progress-bar-warning{background-image:-webkit-linear-gradient(top,#f0ad4e 0,#ec971f 100%);background-image:-o-linear-gradient(top,#f0ad4e 0,#ec971f 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f0ad4e),to(#ec971f));background-image:linear-gradient(to bottom,#f0ad4e 0,#ec971f 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffec971f', GradientType=0);background-repeat:repeat-x}.progress-bar-danger{background-image:-webkit-linear-gradient(top,#d9534f 0,#c9302c 100%);background-image:-o-linear-gradient(top,#d9534f 0,#c9302c 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9534f),to(#c9302c));background-image:linear-gradient(to bottom,#d9534f 0,#c9302c 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc9302c', GradientType=0);background-repeat:repeat-x}.progress-bar-striped{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.list-group{border-radius:4px;-webkit-box-shadow:0 1px 2px rgba(0,0,0,.075);box-shadow:0 1px 2px rgba(0,0,0,.075)}.list-group-item.active,.list-group-item.active:focus,.list-group-item.active:hover{text-shadow:0 -1px 0 #286090;background-image:-webkit-linear-gradient(top,#337ab7 0,#2b669a 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2b669a 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2b669a));background-image:linear-gradient(to bottom,#337ab7 0,#2b669a 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2b669a', GradientType=0);background-repeat:repeat-x;border-color:#2b669a}.list-group-item.active .badge,.list-group-item.active:focus .badge,.list-group-item.active:hover .badge{text-shadow:none}.panel{-webkit-box-shadow:0 1px 2px rgba(0,0,0,.05);box-shadow:0 1px 2px rgba(0,0,0,.05)}.panel-default>.panel-heading{background-image:-webkit-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-o-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f5f5f5),to(#e8e8e8));background-image:linear-gradient(to bottom,#f5f5f5 0,#e8e8e8 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);background-repeat:repeat-x}.panel-primary>.panel-heading{background-image:-webkit-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2e6da4));background-image:linear-gradient(to bottom,#337ab7 0,#2e6da4 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);background-repeat:repeat-x}.panel-success>.panel-heading{background-image:-webkit-linear-gradient(top,#dff0d8 0,#d0e9c6 100%);background-image:-o-linear-gradient(top,#dff0d8 0,#d0e9c6 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#dff0d8),to(#d0e9c6));background-image:linear-gradient(to bottom,#dff0d8 0,#d0e9c6 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffd0e9c6', GradientType=0);background-repeat:repeat-x}.panel-info>.panel-heading{background-image:-webkit-linear-gradient(top,#d9edf7 0,#c4e3f3 100%);background-image:-o-linear-gradient(top,#d9edf7 0,#c4e3f3 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9edf7),to(#c4e3f3));background-image:linear-gradient(to bottom,#d9edf7 0,#c4e3f3 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffc4e3f3', GradientType=0);background-repeat:repeat-x}.panel-warning>.panel-heading{background-image:-webkit-linear-gradient(top,#fcf8e3 0,#faf2cc 100%);background-image:-o-linear-gradient(top,#fcf8e3 0,#faf2cc 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fcf8e3),to(#faf2cc));background-image:linear-gradient(to bottom,#fcf8e3 0,#faf2cc 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fffaf2cc', GradientType=0);background-repeat:repeat-x}.panel-danger>.panel-heading{background-image:-webkit-linear-gradient(top,#f2dede 0,#ebcccc 100%);background-image:-o-linear-gradient(top,#f2dede 0,#ebcccc 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f2dede),to(#ebcccc));background-image:linear-gradient(to bottom,#f2dede 0,#ebcccc 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffebcccc', GradientType=0);background-repeat:repeat-x}.well{background-image:-webkit-linear-gradient(top,#e8e8e8 0,#f5f5f5 100%);background-image:-o-linear-gradient(top,#e8e8e8 0,#f5f5f5 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#e8e8e8),to(#f5f5f5));background-image:linear-gradient(to bottom,#e8e8e8 0,#f5f5f5 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffe8e8e8', endColorstr='#fff5f5f5', GradientType=0);background-repeat:repeat-x;border-color:#dcdcdc;-webkit-box-shadow:inset 0 1px 3px rgba(0,0,0,.05),0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 3px rgba(0,0,0,.05),0 1px 0 rgba(255,255,255,.1)} +/*# sourceMappingURL=bootstrap-theme.min.css.map */ \ No newline at end of file diff --git a/library/bootstrap/css/bootstrap.css b/library/bootstrap/css/bootstrap.css index 680e76878..6167622ce 100644 --- a/library/bootstrap/css/bootstrap.css +++ b/library/bootstrap/css/bootstrap.css @@ -1,6 +1,6 @@ /*! - * Bootstrap v3.3.5 (http://getbootstrap.com) - * Copyright 2011-2015 Twitter, Inc. + * Bootstrap v3.3.7 (http://getbootstrap.com) + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) */ /*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css */ @@ -279,10 +279,10 @@ th { -moz-osx-font-smoothing: grayscale; } .glyphicon-asterisk:before { - content: "\2a"; + content: "\002a"; } .glyphicon-plus:before { - content: "\2b"; + content: "\002b"; } .glyphicon-euro:before, .glyphicon-eur:before { @@ -1106,7 +1106,6 @@ a:focus { text-decoration: underline; } a:focus { - outline: thin dotted; outline: 5px auto -webkit-focus-ring-color; outline-offset: -2px; } @@ -2537,7 +2536,6 @@ select[size] { input[type="file"]:focus, input[type="radio"]:focus, input[type="checkbox"]:focus { - outline: thin dotted; outline: 5px auto -webkit-focus-ring-color; outline-offset: -2px; } @@ -2582,6 +2580,10 @@ output { .form-control::-webkit-input-placeholder { color: #999; } +.form-control::-ms-expand { + background-color: transparent; + border: 0; +} .form-control[disabled], .form-control[readonly], fieldset[disabled] .form-control { @@ -2988,7 +2990,7 @@ select[multiple].input-lg { } @media (min-width: 768px) { .form-horizontal .form-group-lg .control-label { - padding-top: 14.333333px; + padding-top: 11px; font-size: 18px; } } @@ -3025,7 +3027,6 @@ select[multiple].input-lg { .btn.focus, .btn:active.focus, .btn.active.focus { - outline: thin dotted; outline: 5px auto -webkit-focus-ring-color; outline-offset: -2px; } @@ -3096,9 +3097,6 @@ fieldset[disabled] a.btn { .open > .dropdown-toggle.btn-default { background-image: none; } -.btn-default.disabled, -.btn-default[disabled], -fieldset[disabled] .btn-default, .btn-default.disabled:hover, .btn-default[disabled]:hover, fieldset[disabled] .btn-default:hover, @@ -3107,13 +3105,7 @@ fieldset[disabled] .btn-default:hover, fieldset[disabled] .btn-default:focus, .btn-default.disabled.focus, .btn-default[disabled].focus, -fieldset[disabled] .btn-default.focus, -.btn-default.disabled:active, -.btn-default[disabled]:active, -fieldset[disabled] .btn-default:active, -.btn-default.disabled.active, -.btn-default[disabled].active, -fieldset[disabled] .btn-default.active { +fieldset[disabled] .btn-default.focus { background-color: #fff; border-color: #ccc; } @@ -3162,9 +3154,6 @@ fieldset[disabled] .btn-default.active { .open > .dropdown-toggle.btn-primary { background-image: none; } -.btn-primary.disabled, -.btn-primary[disabled], -fieldset[disabled] .btn-primary, .btn-primary.disabled:hover, .btn-primary[disabled]:hover, fieldset[disabled] .btn-primary:hover, @@ -3173,13 +3162,7 @@ fieldset[disabled] .btn-primary:hover, fieldset[disabled] .btn-primary:focus, .btn-primary.disabled.focus, .btn-primary[disabled].focus, -fieldset[disabled] .btn-primary.focus, -.btn-primary.disabled:active, -.btn-primary[disabled]:active, -fieldset[disabled] .btn-primary:active, -.btn-primary.disabled.active, -.btn-primary[disabled].active, -fieldset[disabled] .btn-primary.active { +fieldset[disabled] .btn-primary.focus { background-color: #337ab7; border-color: #2e6da4; } @@ -3228,9 +3211,6 @@ fieldset[disabled] .btn-primary.active { .open > .dropdown-toggle.btn-success { background-image: none; } -.btn-success.disabled, -.btn-success[disabled], -fieldset[disabled] .btn-success, .btn-success.disabled:hover, .btn-success[disabled]:hover, fieldset[disabled] .btn-success:hover, @@ -3239,13 +3219,7 @@ fieldset[disabled] .btn-success:hover, fieldset[disabled] .btn-success:focus, .btn-success.disabled.focus, .btn-success[disabled].focus, -fieldset[disabled] .btn-success.focus, -.btn-success.disabled:active, -.btn-success[disabled]:active, -fieldset[disabled] .btn-success:active, -.btn-success.disabled.active, -.btn-success[disabled].active, -fieldset[disabled] .btn-success.active { +fieldset[disabled] .btn-success.focus { background-color: #5cb85c; border-color: #4cae4c; } @@ -3294,9 +3268,6 @@ fieldset[disabled] .btn-success.active { .open > .dropdown-toggle.btn-info { background-image: none; } -.btn-info.disabled, -.btn-info[disabled], -fieldset[disabled] .btn-info, .btn-info.disabled:hover, .btn-info[disabled]:hover, fieldset[disabled] .btn-info:hover, @@ -3305,13 +3276,7 @@ fieldset[disabled] .btn-info:hover, fieldset[disabled] .btn-info:focus, .btn-info.disabled.focus, .btn-info[disabled].focus, -fieldset[disabled] .btn-info.focus, -.btn-info.disabled:active, -.btn-info[disabled]:active, -fieldset[disabled] .btn-info:active, -.btn-info.disabled.active, -.btn-info[disabled].active, -fieldset[disabled] .btn-info.active { +fieldset[disabled] .btn-info.focus { background-color: #5bc0de; border-color: #46b8da; } @@ -3360,9 +3325,6 @@ fieldset[disabled] .btn-info.active { .open > .dropdown-toggle.btn-warning { background-image: none; } -.btn-warning.disabled, -.btn-warning[disabled], -fieldset[disabled] .btn-warning, .btn-warning.disabled:hover, .btn-warning[disabled]:hover, fieldset[disabled] .btn-warning:hover, @@ -3371,13 +3333,7 @@ fieldset[disabled] .btn-warning:hover, fieldset[disabled] .btn-warning:focus, .btn-warning.disabled.focus, .btn-warning[disabled].focus, -fieldset[disabled] .btn-warning.focus, -.btn-warning.disabled:active, -.btn-warning[disabled]:active, -fieldset[disabled] .btn-warning:active, -.btn-warning.disabled.active, -.btn-warning[disabled].active, -fieldset[disabled] .btn-warning.active { +fieldset[disabled] .btn-warning.focus { background-color: #f0ad4e; border-color: #eea236; } @@ -3426,9 +3382,6 @@ fieldset[disabled] .btn-warning.active { .open > .dropdown-toggle.btn-danger { background-image: none; } -.btn-danger.disabled, -.btn-danger[disabled], -fieldset[disabled] .btn-danger, .btn-danger.disabled:hover, .btn-danger[disabled]:hover, fieldset[disabled] .btn-danger:hover, @@ -3437,13 +3390,7 @@ fieldset[disabled] .btn-danger:hover, fieldset[disabled] .btn-danger:focus, .btn-danger.disabled.focus, .btn-danger[disabled].focus, -fieldset[disabled] .btn-danger.focus, -.btn-danger.disabled:active, -.btn-danger[disabled]:active, -fieldset[disabled] .btn-danger:active, -.btn-danger.disabled.active, -.btn-danger[disabled].active, -fieldset[disabled] .btn-danger.active { +fieldset[disabled] .btn-danger.focus { background-color: #d9534f; border-color: #d43f3a; } @@ -3817,6 +3764,7 @@ tbody.collapse.in { border-radius: 0; } .btn-group-vertical > .btn:first-child:not(:last-child) { + border-top-left-radius: 4px; border-top-right-radius: 4px; border-bottom-right-radius: 0; border-bottom-left-radius: 0; @@ -3824,6 +3772,7 @@ tbody.collapse.in { .btn-group-vertical > .btn:last-child:not(:first-child) { border-top-left-radius: 0; border-top-right-radius: 0; + border-bottom-right-radius: 4px; border-bottom-left-radius: 4px; } .btn-group-vertical > .btn-group:not(:first-child):not(:last-child) > .btn { @@ -3881,6 +3830,9 @@ tbody.collapse.in { width: 100%; margin-bottom: 0; } +.input-group .form-control:focus { + z-index: 3; +} .input-group-lg > .form-control, .input-group-lg > .input-group-addon, .input-group-lg > .input-group-btn > .btn { @@ -4792,7 +4744,7 @@ fieldset[disabled] .navbar-inverse .btn-link:focus { .pagination > li > span:hover, .pagination > li > a:focus, .pagination > li > span:focus { - z-index: 3; + z-index: 2; color: #23527c; background-color: #eee; border-color: #ddd; @@ -4803,7 +4755,7 @@ fieldset[disabled] .navbar-inverse .btn-link:focus { .pagination > .active > span:hover, .pagination > .active > a:focus, .pagination > .active > span:focus { - z-index: 2; + z-index: 3; color: #fff; cursor: default; background-color: #337ab7; @@ -5024,6 +4976,8 @@ a.badge:focus { } .container .jumbotron, .container-fluid .jumbotron { + padding-right: 15px; + padding-left: 15px; border-radius: 6px; } .jumbotron .container { @@ -5978,7 +5932,6 @@ button.close { opacity: .5; } .modal-header { - min-height: 16.42857143px; padding: 15px; border-bottom: 1px solid #e5e5e5; } @@ -6371,6 +6324,7 @@ button.close { color: #fff; text-align: center; text-shadow: 0 1px 2px rgba(0, 0, 0, .6); + background-color: rgba(0, 0, 0, 0); filter: alpha(opacity=50); opacity: .5; } @@ -6484,16 +6438,16 @@ button.close { .carousel-control .icon-next { width: 30px; height: 30px; - margin-top: -15px; + margin-top: -10px; font-size: 30px; } .carousel-control .glyphicon-chevron-left, .carousel-control .icon-prev { - margin-left: -15px; + margin-left: -10px; } .carousel-control .glyphicon-chevron-right, .carousel-control .icon-next { - margin-right: -15px; + margin-right: -10px; } .carousel-caption { right: 20%; @@ -6532,6 +6486,8 @@ button.close { .pager:after, .panel-body:before, .panel-body:after, +.modal-header:before, +.modal-header:after, .modal-footer:before, .modal-footer:after { display: table; @@ -6551,6 +6507,7 @@ button.close { .navbar-collapse:after, .pager:after, .panel-body:after, +.modal-header:after, .modal-footer:after { clear: both; } diff --git a/library/bootstrap/css/bootstrap.min.css b/library/bootstrap/css/bootstrap.min.css index d65c66b1b..ed3905e0e 100644 --- a/library/bootstrap/css/bootstrap.min.css +++ b/library/bootstrap/css/bootstrap.min.css @@ -1,5 +1,6 @@ /*! - * Bootstrap v3.3.5 (http://getbootstrap.com) - * Copyright 2011-2015 Twitter, Inc. + * Bootstrap v3.3.7 (http://getbootstrap.com) + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) - *//*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css */html{font-family:sans-serif;-webkit-text-size-adjust:100%;-ms-text-size-adjust:100%}body{margin:0}article,aside,details,figcaption,figure,footer,header,hgroup,main,menu,nav,section,summary{display:block}audio,canvas,progress,video{display:inline-block;vertical-align:baseline}audio:not([controls]){display:none;height:0}[hidden],template{display:none}a{background-color:transparent}a:active,a:hover{outline:0}abbr[title]{border-bottom:1px dotted}b,strong{font-weight:700}dfn{font-style:italic}h1{margin:.67em 0;font-size:2em}mark{color:#000;background:#ff0}small{font-size:80%}sub,sup{position:relative;font-size:75%;line-height:0;vertical-align:baseline}sup{top:-.5em}sub{bottom:-.25em}img{border:0}svg:not(:root){overflow:hidden}figure{margin:1em 40px}hr{height:0;-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box}pre{overflow:auto}code,kbd,pre,samp{font-family:monospace,monospace;font-size:1em}button,input,optgroup,select,textarea{margin:0;font:inherit;color:inherit}button{overflow:visible}button,select{text-transform:none}button,html input[type=button],input[type=reset],input[type=submit]{-webkit-appearance:button;cursor:pointer}button[disabled],html input[disabled]{cursor:default}button::-moz-focus-inner,input::-moz-focus-inner{padding:0;border:0}input{line-height:normal}input[type=checkbox],input[type=radio]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;padding:0}input[type=number]::-webkit-inner-spin-button,input[type=number]::-webkit-outer-spin-button{height:auto}input[type=search]{-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;-webkit-appearance:textfield}input[type=search]::-webkit-search-cancel-button,input[type=search]::-webkit-search-decoration{-webkit-appearance:none}fieldset{padding:.35em .625em .75em;margin:0 2px;border:1px solid silver}legend{padding:0;border:0}textarea{overflow:auto}optgroup{font-weight:700}table{border-spacing:0;border-collapse:collapse}td,th{padding:0}/*! Source: https://github.com/h5bp/html5-boilerplate/blob/master/src/css/main.css */@media print{*,:after,:before{color:#000!important;text-shadow:none!important;background:0 0!important;-webkit-box-shadow:none!important;box-shadow:none!important}a,a:visited{text-decoration:underline}a[href]:after{content:" (" attr(href) ")"}abbr[title]:after{content:" (" attr(title) ")"}a[href^="javascript:"]:after,a[href^="#"]:after{content:""}blockquote,pre{border:1px solid #999;page-break-inside:avoid}thead{display:table-header-group}img,tr{page-break-inside:avoid}img{max-width:100%!important}h2,h3,p{orphans:3;widows:3}h2,h3{page-break-after:avoid}.navbar{display:none}.btn>.caret,.dropup>.btn>.caret{border-top-color:#000!important}.label{border:1px solid #000}.table{border-collapse:collapse!important}.table td,.table th{background-color:#fff!important}.table-bordered td,.table-bordered th{border:1px solid #ddd!important}}@font-face{font-family:'Glyphicons Halflings';src:url(../fonts/glyphicons-halflings-regular.eot);src:url(../fonts/glyphicons-halflings-regular.eot?#iefix) format('embedded-opentype'),url(../fonts/glyphicons-halflings-regular.woff2) format('woff2'),url(../fonts/glyphicons-halflings-regular.woff) format('woff'),url(../fonts/glyphicons-halflings-regular.ttf) format('truetype'),url(../fonts/glyphicons-halflings-regular.svg#glyphicons_halflingsregular) format('svg')}.glyphicon{position:relative;top:1px;display:inline-block;font-family:'Glyphicons Halflings';font-style:normal;font-weight:400;line-height:1;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.glyphicon-asterisk:before{content:"\2a"}.glyphicon-plus:before{content:"\2b"}.glyphicon-eur:before,.glyphicon-euro:before{content:"\20ac"}.glyphicon-minus:before{content:"\2212"}.glyphicon-cloud:before{content:"\2601"}.glyphicon-envelope:before{content:"\2709"}.glyphicon-pencil:before{content:"\270f"}.glyphicon-glass:before{content:"\e001"}.glyphicon-music:before{content:"\e002"}.glyphicon-search:before{content:"\e003"}.glyphicon-heart:before{content:"\e005"}.glyphicon-star:before{content:"\e006"}.glyphicon-star-empty:before{content:"\e007"}.glyphicon-user:before{content:"\e008"}.glyphicon-film:before{content:"\e009"}.glyphicon-th-large:before{content:"\e010"}.glyphicon-th:before{content:"\e011"}.glyphicon-th-list:before{content:"\e012"}.glyphicon-ok:before{content:"\e013"}.glyphicon-remove:before{content:"\e014"}.glyphicon-zoom-in:before{content:"\e015"}.glyphicon-zoom-out:before{content:"\e016"}.glyphicon-off:before{content:"\e017"}.glyphicon-signal:before{content:"\e018"}.glyphicon-cog:before{content:"\e019"}.glyphicon-trash:before{content:"\e020"}.glyphicon-home:before{content:"\e021"}.glyphicon-file:before{content:"\e022"}.glyphicon-time:before{content:"\e023"}.glyphicon-road:before{content:"\e024"}.glyphicon-download-alt:before{content:"\e025"}.glyphicon-download:before{content:"\e026"}.glyphicon-upload:before{content:"\e027"}.glyphicon-inbox:before{content:"\e028"}.glyphicon-play-circle:before{content:"\e029"}.glyphicon-repeat:before{content:"\e030"}.glyphicon-refresh:before{content:"\e031"}.glyphicon-list-alt:before{content:"\e032"}.glyphicon-lock:before{content:"\e033"}.glyphicon-flag:before{content:"\e034"}.glyphicon-headphones:before{content:"\e035"}.glyphicon-volume-off:before{content:"\e036"}.glyphicon-volume-down:before{content:"\e037"}.glyphicon-volume-up:before{content:"\e038"}.glyphicon-qrcode:before{content:"\e039"}.glyphicon-barcode:before{content:"\e040"}.glyphicon-tag:before{content:"\e041"}.glyphicon-tags:before{content:"\e042"}.glyphicon-book:before{content:"\e043"}.glyphicon-bookmark:before{content:"\e044"}.glyphicon-print:before{content:"\e045"}.glyphicon-camera:before{content:"\e046"}.glyphicon-font:before{content:"\e047"}.glyphicon-bold:before{content:"\e048"}.glyphicon-italic:before{content:"\e049"}.glyphicon-text-height:before{content:"\e050"}.glyphicon-text-width:before{content:"\e051"}.glyphicon-align-left:before{content:"\e052"}.glyphicon-align-center:before{content:"\e053"}.glyphicon-align-right:before{content:"\e054"}.glyphicon-align-justify:before{content:"\e055"}.glyphicon-list:before{content:"\e056"}.glyphicon-indent-left:before{content:"\e057"}.glyphicon-indent-right:before{content:"\e058"}.glyphicon-facetime-video:before{content:"\e059"}.glyphicon-picture:before{content:"\e060"}.glyphicon-map-marker:before{content:"\e062"}.glyphicon-adjust:before{content:"\e063"}.glyphicon-tint:before{content:"\e064"}.glyphicon-edit:before{content:"\e065"}.glyphicon-share:before{content:"\e066"}.glyphicon-check:before{content:"\e067"}.glyphicon-move:before{content:"\e068"}.glyphicon-step-backward:before{content:"\e069"}.glyphicon-fast-backward:before{content:"\e070"}.glyphicon-backward:before{content:"\e071"}.glyphicon-play:before{content:"\e072"}.glyphicon-pause:before{content:"\e073"}.glyphicon-stop:before{content:"\e074"}.glyphicon-forward:before{content:"\e075"}.glyphicon-fast-forward:before{content:"\e076"}.glyphicon-step-forward:before{content:"\e077"}.glyphicon-eject:before{content:"\e078"}.glyphicon-chevron-left:before{content:"\e079"}.glyphicon-chevron-right:before{content:"\e080"}.glyphicon-plus-sign:before{content:"\e081"}.glyphicon-minus-sign:before{content:"\e082"}.glyphicon-remove-sign:before{content:"\e083"}.glyphicon-ok-sign:before{content:"\e084"}.glyphicon-question-sign:before{content:"\e085"}.glyphicon-info-sign:before{content:"\e086"}.glyphicon-screenshot:before{content:"\e087"}.glyphicon-remove-circle:before{content:"\e088"}.glyphicon-ok-circle:before{content:"\e089"}.glyphicon-ban-circle:before{content:"\e090"}.glyphicon-arrow-left:before{content:"\e091"}.glyphicon-arrow-right:before{content:"\e092"}.glyphicon-arrow-up:before{content:"\e093"}.glyphicon-arrow-down:before{content:"\e094"}.glyphicon-share-alt:before{content:"\e095"}.glyphicon-resize-full:before{content:"\e096"}.glyphicon-resize-small:before{content:"\e097"}.glyphicon-exclamation-sign:before{content:"\e101"}.glyphicon-gift:before{content:"\e102"}.glyphicon-leaf:before{content:"\e103"}.glyphicon-fire:before{content:"\e104"}.glyphicon-eye-open:before{content:"\e105"}.glyphicon-eye-close:before{content:"\e106"}.glyphicon-warning-sign:before{content:"\e107"}.glyphicon-plane:before{content:"\e108"}.glyphicon-calendar:before{content:"\e109"}.glyphicon-random:before{content:"\e110"}.glyphicon-comment:before{content:"\e111"}.glyphicon-magnet:before{content:"\e112"}.glyphicon-chevron-up:before{content:"\e113"}.glyphicon-chevron-down:before{content:"\e114"}.glyphicon-retweet:before{content:"\e115"}.glyphicon-shopping-cart:before{content:"\e116"}.glyphicon-folder-close:before{content:"\e117"}.glyphicon-folder-open:before{content:"\e118"}.glyphicon-resize-vertical:before{content:"\e119"}.glyphicon-resize-horizontal:before{content:"\e120"}.glyphicon-hdd:before{content:"\e121"}.glyphicon-bullhorn:before{content:"\e122"}.glyphicon-bell:before{content:"\e123"}.glyphicon-certificate:before{content:"\e124"}.glyphicon-thumbs-up:before{content:"\e125"}.glyphicon-thumbs-down:before{content:"\e126"}.glyphicon-hand-right:before{content:"\e127"}.glyphicon-hand-left:before{content:"\e128"}.glyphicon-hand-up:before{content:"\e129"}.glyphicon-hand-down:before{content:"\e130"}.glyphicon-circle-arrow-right:before{content:"\e131"}.glyphicon-circle-arrow-left:before{content:"\e132"}.glyphicon-circle-arrow-up:before{content:"\e133"}.glyphicon-circle-arrow-down:before{content:"\e134"}.glyphicon-globe:before{content:"\e135"}.glyphicon-wrench:before{content:"\e136"}.glyphicon-tasks:before{content:"\e137"}.glyphicon-filter:before{content:"\e138"}.glyphicon-briefcase:before{content:"\e139"}.glyphicon-fullscreen:before{content:"\e140"}.glyphicon-dashboard:before{content:"\e141"}.glyphicon-paperclip:before{content:"\e142"}.glyphicon-heart-empty:before{content:"\e143"}.glyphicon-link:before{content:"\e144"}.glyphicon-phone:before{content:"\e145"}.glyphicon-pushpin:before{content:"\e146"}.glyphicon-usd:before{content:"\e148"}.glyphicon-gbp:before{content:"\e149"}.glyphicon-sort:before{content:"\e150"}.glyphicon-sort-by-alphabet:before{content:"\e151"}.glyphicon-sort-by-alphabet-alt:before{content:"\e152"}.glyphicon-sort-by-order:before{content:"\e153"}.glyphicon-sort-by-order-alt:before{content:"\e154"}.glyphicon-sort-by-attributes:before{content:"\e155"}.glyphicon-sort-by-attributes-alt:before{content:"\e156"}.glyphicon-unchecked:before{content:"\e157"}.glyphicon-expand:before{content:"\e158"}.glyphicon-collapse-down:before{content:"\e159"}.glyphicon-collapse-up:before{content:"\e160"}.glyphicon-log-in:before{content:"\e161"}.glyphicon-flash:before{content:"\e162"}.glyphicon-log-out:before{content:"\e163"}.glyphicon-new-window:before{content:"\e164"}.glyphicon-record:before{content:"\e165"}.glyphicon-save:before{content:"\e166"}.glyphicon-open:before{content:"\e167"}.glyphicon-saved:before{content:"\e168"}.glyphicon-import:before{content:"\e169"}.glyphicon-export:before{content:"\e170"}.glyphicon-send:before{content:"\e171"}.glyphicon-floppy-disk:before{content:"\e172"}.glyphicon-floppy-saved:before{content:"\e173"}.glyphicon-floppy-remove:before{content:"\e174"}.glyphicon-floppy-save:before{content:"\e175"}.glyphicon-floppy-open:before{content:"\e176"}.glyphicon-credit-card:before{content:"\e177"}.glyphicon-transfer:before{content:"\e178"}.glyphicon-cutlery:before{content:"\e179"}.glyphicon-header:before{content:"\e180"}.glyphicon-compressed:before{content:"\e181"}.glyphicon-earphone:before{content:"\e182"}.glyphicon-phone-alt:before{content:"\e183"}.glyphicon-tower:before{content:"\e184"}.glyphicon-stats:before{content:"\e185"}.glyphicon-sd-video:before{content:"\e186"}.glyphicon-hd-video:before{content:"\e187"}.glyphicon-subtitles:before{content:"\e188"}.glyphicon-sound-stereo:before{content:"\e189"}.glyphicon-sound-dolby:before{content:"\e190"}.glyphicon-sound-5-1:before{content:"\e191"}.glyphicon-sound-6-1:before{content:"\e192"}.glyphicon-sound-7-1:before{content:"\e193"}.glyphicon-copyright-mark:before{content:"\e194"}.glyphicon-registration-mark:before{content:"\e195"}.glyphicon-cloud-download:before{content:"\e197"}.glyphicon-cloud-upload:before{content:"\e198"}.glyphicon-tree-conifer:before{content:"\e199"}.glyphicon-tree-deciduous:before{content:"\e200"}.glyphicon-cd:before{content:"\e201"}.glyphicon-save-file:before{content:"\e202"}.glyphicon-open-file:before{content:"\e203"}.glyphicon-level-up:before{content:"\e204"}.glyphicon-copy:before{content:"\e205"}.glyphicon-paste:before{content:"\e206"}.glyphicon-alert:before{content:"\e209"}.glyphicon-equalizer:before{content:"\e210"}.glyphicon-king:before{content:"\e211"}.glyphicon-queen:before{content:"\e212"}.glyphicon-pawn:before{content:"\e213"}.glyphicon-bishop:before{content:"\e214"}.glyphicon-knight:before{content:"\e215"}.glyphicon-baby-formula:before{content:"\e216"}.glyphicon-tent:before{content:"\26fa"}.glyphicon-blackboard:before{content:"\e218"}.glyphicon-bed:before{content:"\e219"}.glyphicon-apple:before{content:"\f8ff"}.glyphicon-erase:before{content:"\e221"}.glyphicon-hourglass:before{content:"\231b"}.glyphicon-lamp:before{content:"\e223"}.glyphicon-duplicate:before{content:"\e224"}.glyphicon-piggy-bank:before{content:"\e225"}.glyphicon-scissors:before{content:"\e226"}.glyphicon-bitcoin:before{content:"\e227"}.glyphicon-btc:before{content:"\e227"}.glyphicon-xbt:before{content:"\e227"}.glyphicon-yen:before{content:"\00a5"}.glyphicon-jpy:before{content:"\00a5"}.glyphicon-ruble:before{content:"\20bd"}.glyphicon-rub:before{content:"\20bd"}.glyphicon-scale:before{content:"\e230"}.glyphicon-ice-lolly:before{content:"\e231"}.glyphicon-ice-lolly-tasted:before{content:"\e232"}.glyphicon-education:before{content:"\e233"}.glyphicon-option-horizontal:before{content:"\e234"}.glyphicon-option-vertical:before{content:"\e235"}.glyphicon-menu-hamburger:before{content:"\e236"}.glyphicon-modal-window:before{content:"\e237"}.glyphicon-oil:before{content:"\e238"}.glyphicon-grain:before{content:"\e239"}.glyphicon-sunglasses:before{content:"\e240"}.glyphicon-text-size:before{content:"\e241"}.glyphicon-text-color:before{content:"\e242"}.glyphicon-text-background:before{content:"\e243"}.glyphicon-object-align-top:before{content:"\e244"}.glyphicon-object-align-bottom:before{content:"\e245"}.glyphicon-object-align-horizontal:before{content:"\e246"}.glyphicon-object-align-left:before{content:"\e247"}.glyphicon-object-align-vertical:before{content:"\e248"}.glyphicon-object-align-right:before{content:"\e249"}.glyphicon-triangle-right:before{content:"\e250"}.glyphicon-triangle-left:before{content:"\e251"}.glyphicon-triangle-bottom:before{content:"\e252"}.glyphicon-triangle-top:before{content:"\e253"}.glyphicon-console:before{content:"\e254"}.glyphicon-superscript:before{content:"\e255"}.glyphicon-subscript:before{content:"\e256"}.glyphicon-menu-left:before{content:"\e257"}.glyphicon-menu-right:before{content:"\e258"}.glyphicon-menu-down:before{content:"\e259"}.glyphicon-menu-up:before{content:"\e260"}*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}:after,:before{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}html{font-size:10px;-webkit-tap-highlight-color:rgba(0,0,0,0)}body{font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:14px;line-height:1.42857143;color:#333;background-color:#fff}button,input,select,textarea{font-family:inherit;font-size:inherit;line-height:inherit}a{color:#337ab7;text-decoration:none}a:focus,a:hover{color:#23527c;text-decoration:underline}a:focus{outline:thin dotted;outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}figure{margin:0}img{vertical-align:middle}.carousel-inner>.item>a>img,.carousel-inner>.item>img,.img-responsive,.thumbnail a>img,.thumbnail>img{display:block;max-width:100%;height:auto}.img-rounded{border-radius:6px}.img-thumbnail{display:inline-block;max-width:100%;height:auto;padding:4px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:all .2s ease-in-out;-o-transition:all .2s ease-in-out;transition:all .2s ease-in-out}.img-circle{border-radius:50%}hr{margin-top:20px;margin-bottom:20px;border:0;border-top:1px solid #eee}.sr-only{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}.sr-only-focusable:active,.sr-only-focusable:focus{position:static;width:auto;height:auto;margin:0;overflow:visible;clip:auto}[role=button]{cursor:pointer}.h1,.h2,.h3,.h4,.h5,.h6,h1,h2,h3,h4,h5,h6{font-family:inherit;font-weight:500;line-height:1.1;color:inherit}.h1 .small,.h1 small,.h2 .small,.h2 small,.h3 .small,.h3 small,.h4 .small,.h4 small,.h5 .small,.h5 small,.h6 .small,.h6 small,h1 .small,h1 small,h2 .small,h2 small,h3 .small,h3 small,h4 .small,h4 small,h5 .small,h5 small,h6 .small,h6 small{font-weight:400;line-height:1;color:#777}.h1,.h2,.h3,h1,h2,h3{margin-top:20px;margin-bottom:10px}.h1 .small,.h1 small,.h2 .small,.h2 small,.h3 .small,.h3 small,h1 .small,h1 small,h2 .small,h2 small,h3 .small,h3 small{font-size:65%}.h4,.h5,.h6,h4,h5,h6{margin-top:10px;margin-bottom:10px}.h4 .small,.h4 small,.h5 .small,.h5 small,.h6 .small,.h6 small,h4 .small,h4 small,h5 .small,h5 small,h6 .small,h6 small{font-size:75%}.h1,h1{font-size:36px}.h2,h2{font-size:30px}.h3,h3{font-size:24px}.h4,h4{font-size:18px}.h5,h5{font-size:14px}.h6,h6{font-size:12px}p{margin:0 0 10px}.lead{margin-bottom:20px;font-size:16px;font-weight:300;line-height:1.4}@media (min-width:768px){.lead{font-size:21px}}.small,small{font-size:85%}.mark,mark{padding:.2em;background-color:#fcf8e3}.text-left{text-align:left}.text-right{text-align:right}.text-center{text-align:center}.text-justify{text-align:justify}.text-nowrap{white-space:nowrap}.text-lowercase{text-transform:lowercase}.text-uppercase{text-transform:uppercase}.text-capitalize{text-transform:capitalize}.text-muted{color:#777}.text-primary{color:#337ab7}a.text-primary:focus,a.text-primary:hover{color:#286090}.text-success{color:#3c763d}a.text-success:focus,a.text-success:hover{color:#2b542c}.text-info{color:#31708f}a.text-info:focus,a.text-info:hover{color:#245269}.text-warning{color:#8a6d3b}a.text-warning:focus,a.text-warning:hover{color:#66512c}.text-danger{color:#a94442}a.text-danger:focus,a.text-danger:hover{color:#843534}.bg-primary{color:#fff;background-color:#337ab7}a.bg-primary:focus,a.bg-primary:hover{background-color:#286090}.bg-success{background-color:#dff0d8}a.bg-success:focus,a.bg-success:hover{background-color:#c1e2b3}.bg-info{background-color:#d9edf7}a.bg-info:focus,a.bg-info:hover{background-color:#afd9ee}.bg-warning{background-color:#fcf8e3}a.bg-warning:focus,a.bg-warning:hover{background-color:#f7ecb5}.bg-danger{background-color:#f2dede}a.bg-danger:focus,a.bg-danger:hover{background-color:#e4b9b9}.page-header{padding-bottom:9px;margin:40px 0 20px;border-bottom:1px solid #eee}ol,ul{margin-top:0;margin-bottom:10px}ol ol,ol ul,ul ol,ul ul{margin-bottom:0}.list-unstyled{padding-left:0;list-style:none}.list-inline{padding-left:0;margin-left:-5px;list-style:none}.list-inline>li{display:inline-block;padding-right:5px;padding-left:5px}dl{margin-top:0;margin-bottom:20px}dd,dt{line-height:1.42857143}dt{font-weight:700}dd{margin-left:0}@media (min-width:768px){.dl-horizontal dt{float:left;width:160px;overflow:hidden;clear:left;text-align:right;text-overflow:ellipsis;white-space:nowrap}.dl-horizontal dd{margin-left:180px}}abbr[data-original-title],abbr[title]{cursor:help;border-bottom:1px dotted #777}.initialism{font-size:90%;text-transform:uppercase}blockquote{padding:10px 20px;margin:0 0 20px;font-size:17.5px;border-left:5px solid #eee}blockquote ol:last-child,blockquote p:last-child,blockquote ul:last-child{margin-bottom:0}blockquote .small,blockquote footer,blockquote small{display:block;font-size:80%;line-height:1.42857143;color:#777}blockquote .small:before,blockquote footer:before,blockquote small:before{content:'\2014 \00A0'}.blockquote-reverse,blockquote.pull-right{padding-right:15px;padding-left:0;text-align:right;border-right:5px solid #eee;border-left:0}.blockquote-reverse .small:before,.blockquote-reverse footer:before,.blockquote-reverse small:before,blockquote.pull-right .small:before,blockquote.pull-right footer:before,blockquote.pull-right small:before{content:''}.blockquote-reverse .small:after,.blockquote-reverse footer:after,.blockquote-reverse small:after,blockquote.pull-right .small:after,blockquote.pull-right footer:after,blockquote.pull-right small:after{content:'\00A0 \2014'}address{margin-bottom:20px;font-style:normal;line-height:1.42857143}code,kbd,pre,samp{font-family:Menlo,Monaco,Consolas,"Courier New",monospace}code{padding:2px 4px;font-size:90%;color:#c7254e;background-color:#f9f2f4;border-radius:4px}kbd{padding:2px 4px;font-size:90%;color:#fff;background-color:#333;border-radius:3px;-webkit-box-shadow:inset 0 -1px 0 rgba(0,0,0,.25);box-shadow:inset 0 -1px 0 rgba(0,0,0,.25)}kbd kbd{padding:0;font-size:100%;font-weight:700;-webkit-box-shadow:none;box-shadow:none}pre{display:block;padding:9.5px;margin:0 0 10px;font-size:13px;line-height:1.42857143;color:#333;word-break:break-all;word-wrap:break-word;background-color:#f5f5f5;border:1px solid #ccc;border-radius:4px}pre code{padding:0;font-size:inherit;color:inherit;white-space:pre-wrap;background-color:transparent;border-radius:0}.pre-scrollable{max-height:340px;overflow-y:scroll}.container{padding-right:15px;padding-left:15px;margin-right:auto;margin-left:auto}@media (min-width:768px){.container{width:750px}}@media (min-width:992px){.container{width:970px}}@media (min-width:1200px){.container{width:1170px}}.container-fluid{padding-right:15px;padding-left:15px;margin-right:auto;margin-left:auto}.row{margin-right:-15px;margin-left:-15px}.col-lg-1,.col-lg-10,.col-lg-11,.col-lg-12,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9,.col-md-1,.col-md-10,.col-md-11,.col-md-12,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9,.col-sm-1,.col-sm-10,.col-sm-11,.col-sm-12,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9,.col-xs-1,.col-xs-10,.col-xs-11,.col-xs-12,.col-xs-2,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7,.col-xs-8,.col-xs-9{position:relative;min-height:1px;padding-right:15px;padding-left:15px}.col-xs-1,.col-xs-10,.col-xs-11,.col-xs-12,.col-xs-2,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7,.col-xs-8,.col-xs-9{float:left}.col-xs-12{width:100%}.col-xs-11{width:91.66666667%}.col-xs-10{width:83.33333333%}.col-xs-9{width:75%}.col-xs-8{width:66.66666667%}.col-xs-7{width:58.33333333%}.col-xs-6{width:50%}.col-xs-5{width:41.66666667%}.col-xs-4{width:33.33333333%}.col-xs-3{width:25%}.col-xs-2{width:16.66666667%}.col-xs-1{width:8.33333333%}.col-xs-pull-12{right:100%}.col-xs-pull-11{right:91.66666667%}.col-xs-pull-10{right:83.33333333%}.col-xs-pull-9{right:75%}.col-xs-pull-8{right:66.66666667%}.col-xs-pull-7{right:58.33333333%}.col-xs-pull-6{right:50%}.col-xs-pull-5{right:41.66666667%}.col-xs-pull-4{right:33.33333333%}.col-xs-pull-3{right:25%}.col-xs-pull-2{right:16.66666667%}.col-xs-pull-1{right:8.33333333%}.col-xs-pull-0{right:auto}.col-xs-push-12{left:100%}.col-xs-push-11{left:91.66666667%}.col-xs-push-10{left:83.33333333%}.col-xs-push-9{left:75%}.col-xs-push-8{left:66.66666667%}.col-xs-push-7{left:58.33333333%}.col-xs-push-6{left:50%}.col-xs-push-5{left:41.66666667%}.col-xs-push-4{left:33.33333333%}.col-xs-push-3{left:25%}.col-xs-push-2{left:16.66666667%}.col-xs-push-1{left:8.33333333%}.col-xs-push-0{left:auto}.col-xs-offset-12{margin-left:100%}.col-xs-offset-11{margin-left:91.66666667%}.col-xs-offset-10{margin-left:83.33333333%}.col-xs-offset-9{margin-left:75%}.col-xs-offset-8{margin-left:66.66666667%}.col-xs-offset-7{margin-left:58.33333333%}.col-xs-offset-6{margin-left:50%}.col-xs-offset-5{margin-left:41.66666667%}.col-xs-offset-4{margin-left:33.33333333%}.col-xs-offset-3{margin-left:25%}.col-xs-offset-2{margin-left:16.66666667%}.col-xs-offset-1{margin-left:8.33333333%}.col-xs-offset-0{margin-left:0}@media (min-width:768px){.col-sm-1,.col-sm-10,.col-sm-11,.col-sm-12,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9{float:left}.col-sm-12{width:100%}.col-sm-11{width:91.66666667%}.col-sm-10{width:83.33333333%}.col-sm-9{width:75%}.col-sm-8{width:66.66666667%}.col-sm-7{width:58.33333333%}.col-sm-6{width:50%}.col-sm-5{width:41.66666667%}.col-sm-4{width:33.33333333%}.col-sm-3{width:25%}.col-sm-2{width:16.66666667%}.col-sm-1{width:8.33333333%}.col-sm-pull-12{right:100%}.col-sm-pull-11{right:91.66666667%}.col-sm-pull-10{right:83.33333333%}.col-sm-pull-9{right:75%}.col-sm-pull-8{right:66.66666667%}.col-sm-pull-7{right:58.33333333%}.col-sm-pull-6{right:50%}.col-sm-pull-5{right:41.66666667%}.col-sm-pull-4{right:33.33333333%}.col-sm-pull-3{right:25%}.col-sm-pull-2{right:16.66666667%}.col-sm-pull-1{right:8.33333333%}.col-sm-pull-0{right:auto}.col-sm-push-12{left:100%}.col-sm-push-11{left:91.66666667%}.col-sm-push-10{left:83.33333333%}.col-sm-push-9{left:75%}.col-sm-push-8{left:66.66666667%}.col-sm-push-7{left:58.33333333%}.col-sm-push-6{left:50%}.col-sm-push-5{left:41.66666667%}.col-sm-push-4{left:33.33333333%}.col-sm-push-3{left:25%}.col-sm-push-2{left:16.66666667%}.col-sm-push-1{left:8.33333333%}.col-sm-push-0{left:auto}.col-sm-offset-12{margin-left:100%}.col-sm-offset-11{margin-left:91.66666667%}.col-sm-offset-10{margin-left:83.33333333%}.col-sm-offset-9{margin-left:75%}.col-sm-offset-8{margin-left:66.66666667%}.col-sm-offset-7{margin-left:58.33333333%}.col-sm-offset-6{margin-left:50%}.col-sm-offset-5{margin-left:41.66666667%}.col-sm-offset-4{margin-left:33.33333333%}.col-sm-offset-3{margin-left:25%}.col-sm-offset-2{margin-left:16.66666667%}.col-sm-offset-1{margin-left:8.33333333%}.col-sm-offset-0{margin-left:0}}@media (min-width:992px){.col-md-1,.col-md-10,.col-md-11,.col-md-12,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9{float:left}.col-md-12{width:100%}.col-md-11{width:91.66666667%}.col-md-10{width:83.33333333%}.col-md-9{width:75%}.col-md-8{width:66.66666667%}.col-md-7{width:58.33333333%}.col-md-6{width:50%}.col-md-5{width:41.66666667%}.col-md-4{width:33.33333333%}.col-md-3{width:25%}.col-md-2{width:16.66666667%}.col-md-1{width:8.33333333%}.col-md-pull-12{right:100%}.col-md-pull-11{right:91.66666667%}.col-md-pull-10{right:83.33333333%}.col-md-pull-9{right:75%}.col-md-pull-8{right:66.66666667%}.col-md-pull-7{right:58.33333333%}.col-md-pull-6{right:50%}.col-md-pull-5{right:41.66666667%}.col-md-pull-4{right:33.33333333%}.col-md-pull-3{right:25%}.col-md-pull-2{right:16.66666667%}.col-md-pull-1{right:8.33333333%}.col-md-pull-0{right:auto}.col-md-push-12{left:100%}.col-md-push-11{left:91.66666667%}.col-md-push-10{left:83.33333333%}.col-md-push-9{left:75%}.col-md-push-8{left:66.66666667%}.col-md-push-7{left:58.33333333%}.col-md-push-6{left:50%}.col-md-push-5{left:41.66666667%}.col-md-push-4{left:33.33333333%}.col-md-push-3{left:25%}.col-md-push-2{left:16.66666667%}.col-md-push-1{left:8.33333333%}.col-md-push-0{left:auto}.col-md-offset-12{margin-left:100%}.col-md-offset-11{margin-left:91.66666667%}.col-md-offset-10{margin-left:83.33333333%}.col-md-offset-9{margin-left:75%}.col-md-offset-8{margin-left:66.66666667%}.col-md-offset-7{margin-left:58.33333333%}.col-md-offset-6{margin-left:50%}.col-md-offset-5{margin-left:41.66666667%}.col-md-offset-4{margin-left:33.33333333%}.col-md-offset-3{margin-left:25%}.col-md-offset-2{margin-left:16.66666667%}.col-md-offset-1{margin-left:8.33333333%}.col-md-offset-0{margin-left:0}}@media (min-width:1200px){.col-lg-1,.col-lg-10,.col-lg-11,.col-lg-12,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9{float:left}.col-lg-12{width:100%}.col-lg-11{width:91.66666667%}.col-lg-10{width:83.33333333%}.col-lg-9{width:75%}.col-lg-8{width:66.66666667%}.col-lg-7{width:58.33333333%}.col-lg-6{width:50%}.col-lg-5{width:41.66666667%}.col-lg-4{width:33.33333333%}.col-lg-3{width:25%}.col-lg-2{width:16.66666667%}.col-lg-1{width:8.33333333%}.col-lg-pull-12{right:100%}.col-lg-pull-11{right:91.66666667%}.col-lg-pull-10{right:83.33333333%}.col-lg-pull-9{right:75%}.col-lg-pull-8{right:66.66666667%}.col-lg-pull-7{right:58.33333333%}.col-lg-pull-6{right:50%}.col-lg-pull-5{right:41.66666667%}.col-lg-pull-4{right:33.33333333%}.col-lg-pull-3{right:25%}.col-lg-pull-2{right:16.66666667%}.col-lg-pull-1{right:8.33333333%}.col-lg-pull-0{right:auto}.col-lg-push-12{left:100%}.col-lg-push-11{left:91.66666667%}.col-lg-push-10{left:83.33333333%}.col-lg-push-9{left:75%}.col-lg-push-8{left:66.66666667%}.col-lg-push-7{left:58.33333333%}.col-lg-push-6{left:50%}.col-lg-push-5{left:41.66666667%}.col-lg-push-4{left:33.33333333%}.col-lg-push-3{left:25%}.col-lg-push-2{left:16.66666667%}.col-lg-push-1{left:8.33333333%}.col-lg-push-0{left:auto}.col-lg-offset-12{margin-left:100%}.col-lg-offset-11{margin-left:91.66666667%}.col-lg-offset-10{margin-left:83.33333333%}.col-lg-offset-9{margin-left:75%}.col-lg-offset-8{margin-left:66.66666667%}.col-lg-offset-7{margin-left:58.33333333%}.col-lg-offset-6{margin-left:50%}.col-lg-offset-5{margin-left:41.66666667%}.col-lg-offset-4{margin-left:33.33333333%}.col-lg-offset-3{margin-left:25%}.col-lg-offset-2{margin-left:16.66666667%}.col-lg-offset-1{margin-left:8.33333333%}.col-lg-offset-0{margin-left:0}}table{background-color:transparent}caption{padding-top:8px;padding-bottom:8px;color:#777;text-align:left}th{text-align:left}.table{width:100%;max-width:100%;margin-bottom:20px}.table>tbody>tr>td,.table>tbody>tr>th,.table>tfoot>tr>td,.table>tfoot>tr>th,.table>thead>tr>td,.table>thead>tr>th{padding:8px;line-height:1.42857143;vertical-align:top;border-top:1px solid #ddd}.table>thead>tr>th{vertical-align:bottom;border-bottom:2px solid #ddd}.table>caption+thead>tr:first-child>td,.table>caption+thead>tr:first-child>th,.table>colgroup+thead>tr:first-child>td,.table>colgroup+thead>tr:first-child>th,.table>thead:first-child>tr:first-child>td,.table>thead:first-child>tr:first-child>th{border-top:0}.table>tbody+tbody{border-top:2px solid #ddd}.table .table{background-color:#fff}.table-condensed>tbody>tr>td,.table-condensed>tbody>tr>th,.table-condensed>tfoot>tr>td,.table-condensed>tfoot>tr>th,.table-condensed>thead>tr>td,.table-condensed>thead>tr>th{padding:5px}.table-bordered{border:1px solid #ddd}.table-bordered>tbody>tr>td,.table-bordered>tbody>tr>th,.table-bordered>tfoot>tr>td,.table-bordered>tfoot>tr>th,.table-bordered>thead>tr>td,.table-bordered>thead>tr>th{border:1px solid #ddd}.table-bordered>thead>tr>td,.table-bordered>thead>tr>th{border-bottom-width:2px}.table-striped>tbody>tr:nth-of-type(odd){background-color:#f9f9f9}.table-hover>tbody>tr:hover{background-color:#f5f5f5}table col[class*=col-]{position:static;display:table-column;float:none}table td[class*=col-],table th[class*=col-]{position:static;display:table-cell;float:none}.table>tbody>tr.active>td,.table>tbody>tr.active>th,.table>tbody>tr>td.active,.table>tbody>tr>th.active,.table>tfoot>tr.active>td,.table>tfoot>tr.active>th,.table>tfoot>tr>td.active,.table>tfoot>tr>th.active,.table>thead>tr.active>td,.table>thead>tr.active>th,.table>thead>tr>td.active,.table>thead>tr>th.active{background-color:#f5f5f5}.table-hover>tbody>tr.active:hover>td,.table-hover>tbody>tr.active:hover>th,.table-hover>tbody>tr:hover>.active,.table-hover>tbody>tr>td.active:hover,.table-hover>tbody>tr>th.active:hover{background-color:#e8e8e8}.table>tbody>tr.success>td,.table>tbody>tr.success>th,.table>tbody>tr>td.success,.table>tbody>tr>th.success,.table>tfoot>tr.success>td,.table>tfoot>tr.success>th,.table>tfoot>tr>td.success,.table>tfoot>tr>th.success,.table>thead>tr.success>td,.table>thead>tr.success>th,.table>thead>tr>td.success,.table>thead>tr>th.success{background-color:#dff0d8}.table-hover>tbody>tr.success:hover>td,.table-hover>tbody>tr.success:hover>th,.table-hover>tbody>tr:hover>.success,.table-hover>tbody>tr>td.success:hover,.table-hover>tbody>tr>th.success:hover{background-color:#d0e9c6}.table>tbody>tr.info>td,.table>tbody>tr.info>th,.table>tbody>tr>td.info,.table>tbody>tr>th.info,.table>tfoot>tr.info>td,.table>tfoot>tr.info>th,.table>tfoot>tr>td.info,.table>tfoot>tr>th.info,.table>thead>tr.info>td,.table>thead>tr.info>th,.table>thead>tr>td.info,.table>thead>tr>th.info{background-color:#d9edf7}.table-hover>tbody>tr.info:hover>td,.table-hover>tbody>tr.info:hover>th,.table-hover>tbody>tr:hover>.info,.table-hover>tbody>tr>td.info:hover,.table-hover>tbody>tr>th.info:hover{background-color:#c4e3f3}.table>tbody>tr.warning>td,.table>tbody>tr.warning>th,.table>tbody>tr>td.warning,.table>tbody>tr>th.warning,.table>tfoot>tr.warning>td,.table>tfoot>tr.warning>th,.table>tfoot>tr>td.warning,.table>tfoot>tr>th.warning,.table>thead>tr.warning>td,.table>thead>tr.warning>th,.table>thead>tr>td.warning,.table>thead>tr>th.warning{background-color:#fcf8e3}.table-hover>tbody>tr.warning:hover>td,.table-hover>tbody>tr.warning:hover>th,.table-hover>tbody>tr:hover>.warning,.table-hover>tbody>tr>td.warning:hover,.table-hover>tbody>tr>th.warning:hover{background-color:#faf2cc}.table>tbody>tr.danger>td,.table>tbody>tr.danger>th,.table>tbody>tr>td.danger,.table>tbody>tr>th.danger,.table>tfoot>tr.danger>td,.table>tfoot>tr.danger>th,.table>tfoot>tr>td.danger,.table>tfoot>tr>th.danger,.table>thead>tr.danger>td,.table>thead>tr.danger>th,.table>thead>tr>td.danger,.table>thead>tr>th.danger{background-color:#f2dede}.table-hover>tbody>tr.danger:hover>td,.table-hover>tbody>tr.danger:hover>th,.table-hover>tbody>tr:hover>.danger,.table-hover>tbody>tr>td.danger:hover,.table-hover>tbody>tr>th.danger:hover{background-color:#ebcccc}.table-responsive{min-height:.01%;overflow-x:auto}@media screen and (max-width:767px){.table-responsive{width:100%;margin-bottom:15px;overflow-y:hidden;-ms-overflow-style:-ms-autohiding-scrollbar;border:1px solid #ddd}.table-responsive>.table{margin-bottom:0}.table-responsive>.table>tbody>tr>td,.table-responsive>.table>tbody>tr>th,.table-responsive>.table>tfoot>tr>td,.table-responsive>.table>tfoot>tr>th,.table-responsive>.table>thead>tr>td,.table-responsive>.table>thead>tr>th{white-space:nowrap}.table-responsive>.table-bordered{border:0}.table-responsive>.table-bordered>tbody>tr>td:first-child,.table-responsive>.table-bordered>tbody>tr>th:first-child,.table-responsive>.table-bordered>tfoot>tr>td:first-child,.table-responsive>.table-bordered>tfoot>tr>th:first-child,.table-responsive>.table-bordered>thead>tr>td:first-child,.table-responsive>.table-bordered>thead>tr>th:first-child{border-left:0}.table-responsive>.table-bordered>tbody>tr>td:last-child,.table-responsive>.table-bordered>tbody>tr>th:last-child,.table-responsive>.table-bordered>tfoot>tr>td:last-child,.table-responsive>.table-bordered>tfoot>tr>th:last-child,.table-responsive>.table-bordered>thead>tr>td:last-child,.table-responsive>.table-bordered>thead>tr>th:last-child{border-right:0}.table-responsive>.table-bordered>tbody>tr:last-child>td,.table-responsive>.table-bordered>tbody>tr:last-child>th,.table-responsive>.table-bordered>tfoot>tr:last-child>td,.table-responsive>.table-bordered>tfoot>tr:last-child>th{border-bottom:0}}fieldset{min-width:0;padding:0;margin:0;border:0}legend{display:block;width:100%;padding:0;margin-bottom:20px;font-size:21px;line-height:inherit;color:#333;border:0;border-bottom:1px solid #e5e5e5}label{display:inline-block;max-width:100%;margin-bottom:5px;font-weight:700}input[type=search]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}input[type=checkbox],input[type=radio]{margin:4px 0 0;margin-top:1px\9;line-height:normal}input[type=file]{display:block}input[type=range]{display:block;width:100%}select[multiple],select[size]{height:auto}input[type=file]:focus,input[type=checkbox]:focus,input[type=radio]:focus{outline:thin dotted;outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}output{display:block;padding-top:7px;font-size:14px;line-height:1.42857143;color:#555}.form-control{display:block;width:100%;height:34px;padding:6px 12px;font-size:14px;line-height:1.42857143;color:#555;background-color:#fff;background-image:none;border:1px solid #ccc;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075);-webkit-transition:border-color ease-in-out .15s,-webkit-box-shadow ease-in-out .15s;-o-transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s}.form-control:focus{border-color:#66afe9;outline:0;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 8px rgba(102,175,233,.6);box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 8px rgba(102,175,233,.6)}.form-control::-moz-placeholder{color:#999;opacity:1}.form-control:-ms-input-placeholder{color:#999}.form-control::-webkit-input-placeholder{color:#999}.form-control[disabled],.form-control[readonly],fieldset[disabled] .form-control{background-color:#eee;opacity:1}.form-control[disabled],fieldset[disabled] .form-control{cursor:not-allowed}textarea.form-control{height:auto}input[type=search]{-webkit-appearance:none}@media screen and (-webkit-min-device-pixel-ratio:0){input[type=date].form-control,input[type=time].form-control,input[type=datetime-local].form-control,input[type=month].form-control{line-height:34px}.input-group-sm input[type=date],.input-group-sm input[type=time],.input-group-sm input[type=datetime-local],.input-group-sm input[type=month],input[type=date].input-sm,input[type=time].input-sm,input[type=datetime-local].input-sm,input[type=month].input-sm{line-height:30px}.input-group-lg input[type=date],.input-group-lg input[type=time],.input-group-lg input[type=datetime-local],.input-group-lg input[type=month],input[type=date].input-lg,input[type=time].input-lg,input[type=datetime-local].input-lg,input[type=month].input-lg{line-height:46px}}.form-group{margin-bottom:15px}.checkbox,.radio{position:relative;display:block;margin-top:10px;margin-bottom:10px}.checkbox label,.radio label{min-height:20px;padding-left:20px;margin-bottom:0;font-weight:400;cursor:pointer}.checkbox input[type=checkbox],.checkbox-inline input[type=checkbox],.radio input[type=radio],.radio-inline input[type=radio]{position:absolute;margin-top:4px\9;margin-left:-20px}.checkbox+.checkbox,.radio+.radio{margin-top:-5px}.checkbox-inline,.radio-inline{position:relative;display:inline-block;padding-left:20px;margin-bottom:0;font-weight:400;vertical-align:middle;cursor:pointer}.checkbox-inline+.checkbox-inline,.radio-inline+.radio-inline{margin-top:0;margin-left:10px}fieldset[disabled] input[type=checkbox],fieldset[disabled] input[type=radio],input[type=checkbox].disabled,input[type=checkbox][disabled],input[type=radio].disabled,input[type=radio][disabled]{cursor:not-allowed}.checkbox-inline.disabled,.radio-inline.disabled,fieldset[disabled] .checkbox-inline,fieldset[disabled] .radio-inline{cursor:not-allowed}.checkbox.disabled label,.radio.disabled label,fieldset[disabled] .checkbox label,fieldset[disabled] .radio label{cursor:not-allowed}.form-control-static{min-height:34px;padding-top:7px;padding-bottom:7px;margin-bottom:0}.form-control-static.input-lg,.form-control-static.input-sm{padding-right:0;padding-left:0}.input-sm{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}select.input-sm{height:30px;line-height:30px}select[multiple].input-sm,textarea.input-sm{height:auto}.form-group-sm .form-control{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}.form-group-sm select.form-control{height:30px;line-height:30px}.form-group-sm select[multiple].form-control,.form-group-sm textarea.form-control{height:auto}.form-group-sm .form-control-static{height:30px;min-height:32px;padding:6px 10px;font-size:12px;line-height:1.5}.input-lg{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}select.input-lg{height:46px;line-height:46px}select[multiple].input-lg,textarea.input-lg{height:auto}.form-group-lg .form-control{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}.form-group-lg select.form-control{height:46px;line-height:46px}.form-group-lg select[multiple].form-control,.form-group-lg textarea.form-control{height:auto}.form-group-lg .form-control-static{height:46px;min-height:38px;padding:11px 16px;font-size:18px;line-height:1.3333333}.has-feedback{position:relative}.has-feedback .form-control{padding-right:42.5px}.form-control-feedback{position:absolute;top:0;right:0;z-index:2;display:block;width:34px;height:34px;line-height:34px;text-align:center;pointer-events:none}.form-group-lg .form-control+.form-control-feedback,.input-group-lg+.form-control-feedback,.input-lg+.form-control-feedback{width:46px;height:46px;line-height:46px}.form-group-sm .form-control+.form-control-feedback,.input-group-sm+.form-control-feedback,.input-sm+.form-control-feedback{width:30px;height:30px;line-height:30px}.has-success .checkbox,.has-success .checkbox-inline,.has-success .control-label,.has-success .help-block,.has-success .radio,.has-success .radio-inline,.has-success.checkbox label,.has-success.checkbox-inline label,.has-success.radio label,.has-success.radio-inline label{color:#3c763d}.has-success .form-control{border-color:#3c763d;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-success .form-control:focus{border-color:#2b542c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #67b168;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #67b168}.has-success .input-group-addon{color:#3c763d;background-color:#dff0d8;border-color:#3c763d}.has-success .form-control-feedback{color:#3c763d}.has-warning .checkbox,.has-warning .checkbox-inline,.has-warning .control-label,.has-warning .help-block,.has-warning .radio,.has-warning .radio-inline,.has-warning.checkbox label,.has-warning.checkbox-inline label,.has-warning.radio label,.has-warning.radio-inline label{color:#8a6d3b}.has-warning .form-control{border-color:#8a6d3b;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-warning .form-control:focus{border-color:#66512c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #c0a16b;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #c0a16b}.has-warning .input-group-addon{color:#8a6d3b;background-color:#fcf8e3;border-color:#8a6d3b}.has-warning .form-control-feedback{color:#8a6d3b}.has-error .checkbox,.has-error .checkbox-inline,.has-error .control-label,.has-error .help-block,.has-error .radio,.has-error .radio-inline,.has-error.checkbox label,.has-error.checkbox-inline label,.has-error.radio label,.has-error.radio-inline label{color:#a94442}.has-error .form-control{border-color:#a94442;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-error .form-control:focus{border-color:#843534;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #ce8483;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #ce8483}.has-error .input-group-addon{color:#a94442;background-color:#f2dede;border-color:#a94442}.has-error .form-control-feedback{color:#a94442}.has-feedback label~.form-control-feedback{top:25px}.has-feedback label.sr-only~.form-control-feedback{top:0}.help-block{display:block;margin-top:5px;margin-bottom:10px;color:#737373}@media (min-width:768px){.form-inline .form-group{display:inline-block;margin-bottom:0;vertical-align:middle}.form-inline .form-control{display:inline-block;width:auto;vertical-align:middle}.form-inline .form-control-static{display:inline-block}.form-inline .input-group{display:inline-table;vertical-align:middle}.form-inline .input-group .form-control,.form-inline .input-group .input-group-addon,.form-inline .input-group .input-group-btn{width:auto}.form-inline .input-group>.form-control{width:100%}.form-inline .control-label{margin-bottom:0;vertical-align:middle}.form-inline .checkbox,.form-inline .radio{display:inline-block;margin-top:0;margin-bottom:0;vertical-align:middle}.form-inline .checkbox label,.form-inline .radio label{padding-left:0}.form-inline .checkbox input[type=checkbox],.form-inline .radio input[type=radio]{position:relative;margin-left:0}.form-inline .has-feedback .form-control-feedback{top:0}}.form-horizontal .checkbox,.form-horizontal .checkbox-inline,.form-horizontal .radio,.form-horizontal .radio-inline{padding-top:7px;margin-top:0;margin-bottom:0}.form-horizontal .checkbox,.form-horizontal .radio{min-height:27px}.form-horizontal .form-group{margin-right:-15px;margin-left:-15px}@media (min-width:768px){.form-horizontal .control-label{padding-top:7px;margin-bottom:0;text-align:right}}.form-horizontal .has-feedback .form-control-feedback{right:15px}@media (min-width:768px){.form-horizontal .form-group-lg .control-label{padding-top:14.33px;font-size:18px}}@media (min-width:768px){.form-horizontal .form-group-sm .control-label{padding-top:6px;font-size:12px}}.btn{display:inline-block;padding:6px 12px;margin-bottom:0;font-size:14px;font-weight:400;line-height:1.42857143;text-align:center;white-space:nowrap;vertical-align:middle;-ms-touch-action:manipulation;touch-action:manipulation;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;background-image:none;border:1px solid transparent;border-radius:4px}.btn.active.focus,.btn.active:focus,.btn.focus,.btn:active.focus,.btn:active:focus,.btn:focus{outline:thin dotted;outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}.btn.focus,.btn:focus,.btn:hover{color:#333;text-decoration:none}.btn.active,.btn:active{background-image:none;outline:0;-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)}.btn.disabled,.btn[disabled],fieldset[disabled] .btn{cursor:not-allowed;filter:alpha(opacity=65);-webkit-box-shadow:none;box-shadow:none;opacity:.65}a.btn.disabled,fieldset[disabled] a.btn{pointer-events:none}.btn-default{color:#333;background-color:#fff;border-color:#ccc}.btn-default.focus,.btn-default:focus{color:#333;background-color:#e6e6e6;border-color:#8c8c8c}.btn-default:hover{color:#333;background-color:#e6e6e6;border-color:#adadad}.btn-default.active,.btn-default:active,.open>.dropdown-toggle.btn-default{color:#333;background-color:#e6e6e6;border-color:#adadad}.btn-default.active.focus,.btn-default.active:focus,.btn-default.active:hover,.btn-default:active.focus,.btn-default:active:focus,.btn-default:active:hover,.open>.dropdown-toggle.btn-default.focus,.open>.dropdown-toggle.btn-default:focus,.open>.dropdown-toggle.btn-default:hover{color:#333;background-color:#d4d4d4;border-color:#8c8c8c}.btn-default.active,.btn-default:active,.open>.dropdown-toggle.btn-default{background-image:none}.btn-default.disabled,.btn-default.disabled.active,.btn-default.disabled.focus,.btn-default.disabled:active,.btn-default.disabled:focus,.btn-default.disabled:hover,.btn-default[disabled],.btn-default[disabled].active,.btn-default[disabled].focus,.btn-default[disabled]:active,.btn-default[disabled]:focus,.btn-default[disabled]:hover,fieldset[disabled] .btn-default,fieldset[disabled] .btn-default.active,fieldset[disabled] .btn-default.focus,fieldset[disabled] .btn-default:active,fieldset[disabled] .btn-default:focus,fieldset[disabled] .btn-default:hover{background-color:#fff;border-color:#ccc}.btn-default .badge{color:#fff;background-color:#333}.btn-primary{color:#fff;background-color:#337ab7;border-color:#2e6da4}.btn-primary.focus,.btn-primary:focus{color:#fff;background-color:#286090;border-color:#122b40}.btn-primary:hover{color:#fff;background-color:#286090;border-color:#204d74}.btn-primary.active,.btn-primary:active,.open>.dropdown-toggle.btn-primary{color:#fff;background-color:#286090;border-color:#204d74}.btn-primary.active.focus,.btn-primary.active:focus,.btn-primary.active:hover,.btn-primary:active.focus,.btn-primary:active:focus,.btn-primary:active:hover,.open>.dropdown-toggle.btn-primary.focus,.open>.dropdown-toggle.btn-primary:focus,.open>.dropdown-toggle.btn-primary:hover{color:#fff;background-color:#204d74;border-color:#122b40}.btn-primary.active,.btn-primary:active,.open>.dropdown-toggle.btn-primary{background-image:none}.btn-primary.disabled,.btn-primary.disabled.active,.btn-primary.disabled.focus,.btn-primary.disabled:active,.btn-primary.disabled:focus,.btn-primary.disabled:hover,.btn-primary[disabled],.btn-primary[disabled].active,.btn-primary[disabled].focus,.btn-primary[disabled]:active,.btn-primary[disabled]:focus,.btn-primary[disabled]:hover,fieldset[disabled] .btn-primary,fieldset[disabled] .btn-primary.active,fieldset[disabled] .btn-primary.focus,fieldset[disabled] .btn-primary:active,fieldset[disabled] .btn-primary:focus,fieldset[disabled] .btn-primary:hover{background-color:#337ab7;border-color:#2e6da4}.btn-primary .badge{color:#337ab7;background-color:#fff}.btn-success{color:#fff;background-color:#5cb85c;border-color:#4cae4c}.btn-success.focus,.btn-success:focus{color:#fff;background-color:#449d44;border-color:#255625}.btn-success:hover{color:#fff;background-color:#449d44;border-color:#398439}.btn-success.active,.btn-success:active,.open>.dropdown-toggle.btn-success{color:#fff;background-color:#449d44;border-color:#398439}.btn-success.active.focus,.btn-success.active:focus,.btn-success.active:hover,.btn-success:active.focus,.btn-success:active:focus,.btn-success:active:hover,.open>.dropdown-toggle.btn-success.focus,.open>.dropdown-toggle.btn-success:focus,.open>.dropdown-toggle.btn-success:hover{color:#fff;background-color:#398439;border-color:#255625}.btn-success.active,.btn-success:active,.open>.dropdown-toggle.btn-success{background-image:none}.btn-success.disabled,.btn-success.disabled.active,.btn-success.disabled.focus,.btn-success.disabled:active,.btn-success.disabled:focus,.btn-success.disabled:hover,.btn-success[disabled],.btn-success[disabled].active,.btn-success[disabled].focus,.btn-success[disabled]:active,.btn-success[disabled]:focus,.btn-success[disabled]:hover,fieldset[disabled] .btn-success,fieldset[disabled] .btn-success.active,fieldset[disabled] .btn-success.focus,fieldset[disabled] .btn-success:active,fieldset[disabled] .btn-success:focus,fieldset[disabled] .btn-success:hover{background-color:#5cb85c;border-color:#4cae4c}.btn-success .badge{color:#5cb85c;background-color:#fff}.btn-info{color:#fff;background-color:#5bc0de;border-color:#46b8da}.btn-info.focus,.btn-info:focus{color:#fff;background-color:#31b0d5;border-color:#1b6d85}.btn-info:hover{color:#fff;background-color:#31b0d5;border-color:#269abc}.btn-info.active,.btn-info:active,.open>.dropdown-toggle.btn-info{color:#fff;background-color:#31b0d5;border-color:#269abc}.btn-info.active.focus,.btn-info.active:focus,.btn-info.active:hover,.btn-info:active.focus,.btn-info:active:focus,.btn-info:active:hover,.open>.dropdown-toggle.btn-info.focus,.open>.dropdown-toggle.btn-info:focus,.open>.dropdown-toggle.btn-info:hover{color:#fff;background-color:#269abc;border-color:#1b6d85}.btn-info.active,.btn-info:active,.open>.dropdown-toggle.btn-info{background-image:none}.btn-info.disabled,.btn-info.disabled.active,.btn-info.disabled.focus,.btn-info.disabled:active,.btn-info.disabled:focus,.btn-info.disabled:hover,.btn-info[disabled],.btn-info[disabled].active,.btn-info[disabled].focus,.btn-info[disabled]:active,.btn-info[disabled]:focus,.btn-info[disabled]:hover,fieldset[disabled] .btn-info,fieldset[disabled] .btn-info.active,fieldset[disabled] .btn-info.focus,fieldset[disabled] .btn-info:active,fieldset[disabled] .btn-info:focus,fieldset[disabled] .btn-info:hover{background-color:#5bc0de;border-color:#46b8da}.btn-info .badge{color:#5bc0de;background-color:#fff}.btn-warning{color:#fff;background-color:#f0ad4e;border-color:#eea236}.btn-warning.focus,.btn-warning:focus{color:#fff;background-color:#ec971f;border-color:#985f0d}.btn-warning:hover{color:#fff;background-color:#ec971f;border-color:#d58512}.btn-warning.active,.btn-warning:active,.open>.dropdown-toggle.btn-warning{color:#fff;background-color:#ec971f;border-color:#d58512}.btn-warning.active.focus,.btn-warning.active:focus,.btn-warning.active:hover,.btn-warning:active.focus,.btn-warning:active:focus,.btn-warning:active:hover,.open>.dropdown-toggle.btn-warning.focus,.open>.dropdown-toggle.btn-warning:focus,.open>.dropdown-toggle.btn-warning:hover{color:#fff;background-color:#d58512;border-color:#985f0d}.btn-warning.active,.btn-warning:active,.open>.dropdown-toggle.btn-warning{background-image:none}.btn-warning.disabled,.btn-warning.disabled.active,.btn-warning.disabled.focus,.btn-warning.disabled:active,.btn-warning.disabled:focus,.btn-warning.disabled:hover,.btn-warning[disabled],.btn-warning[disabled].active,.btn-warning[disabled].focus,.btn-warning[disabled]:active,.btn-warning[disabled]:focus,.btn-warning[disabled]:hover,fieldset[disabled] .btn-warning,fieldset[disabled] .btn-warning.active,fieldset[disabled] .btn-warning.focus,fieldset[disabled] .btn-warning:active,fieldset[disabled] .btn-warning:focus,fieldset[disabled] .btn-warning:hover{background-color:#f0ad4e;border-color:#eea236}.btn-warning .badge{color:#f0ad4e;background-color:#fff}.btn-danger{color:#fff;background-color:#d9534f;border-color:#d43f3a}.btn-danger.focus,.btn-danger:focus{color:#fff;background-color:#c9302c;border-color:#761c19}.btn-danger:hover{color:#fff;background-color:#c9302c;border-color:#ac2925}.btn-danger.active,.btn-danger:active,.open>.dropdown-toggle.btn-danger{color:#fff;background-color:#c9302c;border-color:#ac2925}.btn-danger.active.focus,.btn-danger.active:focus,.btn-danger.active:hover,.btn-danger:active.focus,.btn-danger:active:focus,.btn-danger:active:hover,.open>.dropdown-toggle.btn-danger.focus,.open>.dropdown-toggle.btn-danger:focus,.open>.dropdown-toggle.btn-danger:hover{color:#fff;background-color:#ac2925;border-color:#761c19}.btn-danger.active,.btn-danger:active,.open>.dropdown-toggle.btn-danger{background-image:none}.btn-danger.disabled,.btn-danger.disabled.active,.btn-danger.disabled.focus,.btn-danger.disabled:active,.btn-danger.disabled:focus,.btn-danger.disabled:hover,.btn-danger[disabled],.btn-danger[disabled].active,.btn-danger[disabled].focus,.btn-danger[disabled]:active,.btn-danger[disabled]:focus,.btn-danger[disabled]:hover,fieldset[disabled] .btn-danger,fieldset[disabled] .btn-danger.active,fieldset[disabled] .btn-danger.focus,fieldset[disabled] .btn-danger:active,fieldset[disabled] .btn-danger:focus,fieldset[disabled] .btn-danger:hover{background-color:#d9534f;border-color:#d43f3a}.btn-danger .badge{color:#d9534f;background-color:#fff}.btn-link{font-weight:400;color:#337ab7;border-radius:0}.btn-link,.btn-link.active,.btn-link:active,.btn-link[disabled],fieldset[disabled] .btn-link{background-color:transparent;-webkit-box-shadow:none;box-shadow:none}.btn-link,.btn-link:active,.btn-link:focus,.btn-link:hover{border-color:transparent}.btn-link:focus,.btn-link:hover{color:#23527c;text-decoration:underline;background-color:transparent}.btn-link[disabled]:focus,.btn-link[disabled]:hover,fieldset[disabled] .btn-link:focus,fieldset[disabled] .btn-link:hover{color:#777;text-decoration:none}.btn-group-lg>.btn,.btn-lg{padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}.btn-group-sm>.btn,.btn-sm{padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}.btn-group-xs>.btn,.btn-xs{padding:1px 5px;font-size:12px;line-height:1.5;border-radius:3px}.btn-block{display:block;width:100%}.btn-block+.btn-block{margin-top:5px}input[type=button].btn-block,input[type=reset].btn-block,input[type=submit].btn-block{width:100%}.fade{opacity:0;-webkit-transition:opacity .15s linear;-o-transition:opacity .15s linear;transition:opacity .15s linear}.fade.in{opacity:1}.collapse{display:none}.collapse.in{display:block}tr.collapse.in{display:table-row}tbody.collapse.in{display:table-row-group}.collapsing{position:relative;height:0;overflow:hidden;-webkit-transition-timing-function:ease;-o-transition-timing-function:ease;transition-timing-function:ease;-webkit-transition-duration:.35s;-o-transition-duration:.35s;transition-duration:.35s;-webkit-transition-property:height,visibility;-o-transition-property:height,visibility;transition-property:height,visibility}.caret{display:inline-block;width:0;height:0;margin-left:2px;vertical-align:middle;border-top:4px dashed;border-top:4px solid\9;border-right:4px solid transparent;border-left:4px solid transparent}.dropdown,.dropup{position:relative}.dropdown-toggle:focus{outline:0}.dropdown-menu{position:absolute;top:100%;left:0;z-index:1000;display:none;float:left;min-width:160px;padding:5px 0;margin:2px 0 0;font-size:14px;text-align:left;list-style:none;background-color:#fff;-webkit-background-clip:padding-box;background-clip:padding-box;border:1px solid #ccc;border:1px solid rgba(0,0,0,.15);border-radius:4px;-webkit-box-shadow:0 6px 12px rgba(0,0,0,.175);box-shadow:0 6px 12px rgba(0,0,0,.175)}.dropdown-menu.pull-right{right:0;left:auto}.dropdown-menu .divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5}.dropdown-menu>li>a{display:block;padding:3px 20px;clear:both;font-weight:400;line-height:1.42857143;color:#333;white-space:nowrap}.dropdown-menu>li>a:focus,.dropdown-menu>li>a:hover{color:#262626;text-decoration:none;background-color:#f5f5f5}.dropdown-menu>.active>a,.dropdown-menu>.active>a:focus,.dropdown-menu>.active>a:hover{color:#fff;text-decoration:none;background-color:#337ab7;outline:0}.dropdown-menu>.disabled>a,.dropdown-menu>.disabled>a:focus,.dropdown-menu>.disabled>a:hover{color:#777}.dropdown-menu>.disabled>a:focus,.dropdown-menu>.disabled>a:hover{text-decoration:none;cursor:not-allowed;background-color:transparent;background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled=false)}.open>.dropdown-menu{display:block}.open>a{outline:0}.dropdown-menu-right{right:0;left:auto}.dropdown-menu-left{right:auto;left:0}.dropdown-header{display:block;padding:3px 20px;font-size:12px;line-height:1.42857143;color:#777;white-space:nowrap}.dropdown-backdrop{position:fixed;top:0;right:0;bottom:0;left:0;z-index:990}.pull-right>.dropdown-menu{right:0;left:auto}.dropup .caret,.navbar-fixed-bottom .dropdown .caret{content:"";border-top:0;border-bottom:4px dashed;border-bottom:4px solid\9}.dropup .dropdown-menu,.navbar-fixed-bottom .dropdown .dropdown-menu{top:auto;bottom:100%;margin-bottom:2px}@media (min-width:768px){.navbar-right .dropdown-menu{right:0;left:auto}.navbar-right .dropdown-menu-left{right:auto;left:0}}.btn-group,.btn-group-vertical{position:relative;display:inline-block;vertical-align:middle}.btn-group-vertical>.btn,.btn-group>.btn{position:relative;float:left}.btn-group-vertical>.btn.active,.btn-group-vertical>.btn:active,.btn-group-vertical>.btn:focus,.btn-group-vertical>.btn:hover,.btn-group>.btn.active,.btn-group>.btn:active,.btn-group>.btn:focus,.btn-group>.btn:hover{z-index:2}.btn-group .btn+.btn,.btn-group .btn+.btn-group,.btn-group .btn-group+.btn,.btn-group .btn-group+.btn-group{margin-left:-1px}.btn-toolbar{margin-left:-5px}.btn-toolbar .btn,.btn-toolbar .btn-group,.btn-toolbar .input-group{float:left}.btn-toolbar>.btn,.btn-toolbar>.btn-group,.btn-toolbar>.input-group{margin-left:5px}.btn-group>.btn:not(:first-child):not(:last-child):not(.dropdown-toggle){border-radius:0}.btn-group>.btn:first-child{margin-left:0}.btn-group>.btn:first-child:not(:last-child):not(.dropdown-toggle){border-top-right-radius:0;border-bottom-right-radius:0}.btn-group>.btn:last-child:not(:first-child),.btn-group>.dropdown-toggle:not(:first-child){border-top-left-radius:0;border-bottom-left-radius:0}.btn-group>.btn-group{float:left}.btn-group>.btn-group:not(:first-child):not(:last-child)>.btn{border-radius:0}.btn-group>.btn-group:first-child:not(:last-child)>.btn:last-child,.btn-group>.btn-group:first-child:not(:last-child)>.dropdown-toggle{border-top-right-radius:0;border-bottom-right-radius:0}.btn-group>.btn-group:last-child:not(:first-child)>.btn:first-child{border-top-left-radius:0;border-bottom-left-radius:0}.btn-group .dropdown-toggle:active,.btn-group.open .dropdown-toggle{outline:0}.btn-group>.btn+.dropdown-toggle{padding-right:8px;padding-left:8px}.btn-group>.btn-lg+.dropdown-toggle{padding-right:12px;padding-left:12px}.btn-group.open .dropdown-toggle{-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)}.btn-group.open .dropdown-toggle.btn-link{-webkit-box-shadow:none;box-shadow:none}.btn .caret{margin-left:0}.btn-lg .caret{border-width:5px 5px 0;border-bottom-width:0}.dropup .btn-lg .caret{border-width:0 5px 5px}.btn-group-vertical>.btn,.btn-group-vertical>.btn-group,.btn-group-vertical>.btn-group>.btn{display:block;float:none;width:100%;max-width:100%}.btn-group-vertical>.btn-group>.btn{float:none}.btn-group-vertical>.btn+.btn,.btn-group-vertical>.btn+.btn-group,.btn-group-vertical>.btn-group+.btn,.btn-group-vertical>.btn-group+.btn-group{margin-top:-1px;margin-left:0}.btn-group-vertical>.btn:not(:first-child):not(:last-child){border-radius:0}.btn-group-vertical>.btn:first-child:not(:last-child){border-top-right-radius:4px;border-bottom-right-radius:0;border-bottom-left-radius:0}.btn-group-vertical>.btn:last-child:not(:first-child){border-top-left-radius:0;border-top-right-radius:0;border-bottom-left-radius:4px}.btn-group-vertical>.btn-group:not(:first-child):not(:last-child)>.btn{border-radius:0}.btn-group-vertical>.btn-group:first-child:not(:last-child)>.btn:last-child,.btn-group-vertical>.btn-group:first-child:not(:last-child)>.dropdown-toggle{border-bottom-right-radius:0;border-bottom-left-radius:0}.btn-group-vertical>.btn-group:last-child:not(:first-child)>.btn:first-child{border-top-left-radius:0;border-top-right-radius:0}.btn-group-justified{display:table;width:100%;table-layout:fixed;border-collapse:separate}.btn-group-justified>.btn,.btn-group-justified>.btn-group{display:table-cell;float:none;width:1%}.btn-group-justified>.btn-group .btn{width:100%}.btn-group-justified>.btn-group .dropdown-menu{left:auto}[data-toggle=buttons]>.btn input[type=checkbox],[data-toggle=buttons]>.btn input[type=radio],[data-toggle=buttons]>.btn-group>.btn input[type=checkbox],[data-toggle=buttons]>.btn-group>.btn input[type=radio]{position:absolute;clip:rect(0,0,0,0);pointer-events:none}.input-group{position:relative;display:table;border-collapse:separate}.input-group[class*=col-]{float:none;padding-right:0;padding-left:0}.input-group .form-control{position:relative;z-index:2;float:left;width:100%;margin-bottom:0}.input-group-lg>.form-control,.input-group-lg>.input-group-addon,.input-group-lg>.input-group-btn>.btn{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}select.input-group-lg>.form-control,select.input-group-lg>.input-group-addon,select.input-group-lg>.input-group-btn>.btn{height:46px;line-height:46px}select[multiple].input-group-lg>.form-control,select[multiple].input-group-lg>.input-group-addon,select[multiple].input-group-lg>.input-group-btn>.btn,textarea.input-group-lg>.form-control,textarea.input-group-lg>.input-group-addon,textarea.input-group-lg>.input-group-btn>.btn{height:auto}.input-group-sm>.form-control,.input-group-sm>.input-group-addon,.input-group-sm>.input-group-btn>.btn{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}select.input-group-sm>.form-control,select.input-group-sm>.input-group-addon,select.input-group-sm>.input-group-btn>.btn{height:30px;line-height:30px}select[multiple].input-group-sm>.form-control,select[multiple].input-group-sm>.input-group-addon,select[multiple].input-group-sm>.input-group-btn>.btn,textarea.input-group-sm>.form-control,textarea.input-group-sm>.input-group-addon,textarea.input-group-sm>.input-group-btn>.btn{height:auto}.input-group .form-control,.input-group-addon,.input-group-btn{display:table-cell}.input-group .form-control:not(:first-child):not(:last-child),.input-group-addon:not(:first-child):not(:last-child),.input-group-btn:not(:first-child):not(:last-child){border-radius:0}.input-group-addon,.input-group-btn{width:1%;white-space:nowrap;vertical-align:middle}.input-group-addon{padding:6px 12px;font-size:14px;font-weight:400;line-height:1;color:#555;text-align:center;background-color:#eee;border:1px solid #ccc;border-radius:4px}.input-group-addon.input-sm{padding:5px 10px;font-size:12px;border-radius:3px}.input-group-addon.input-lg{padding:10px 16px;font-size:18px;border-radius:6px}.input-group-addon input[type=checkbox],.input-group-addon input[type=radio]{margin-top:0}.input-group .form-control:first-child,.input-group-addon:first-child,.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group>.btn,.input-group-btn:first-child>.dropdown-toggle,.input-group-btn:last-child>.btn-group:not(:last-child)>.btn,.input-group-btn:last-child>.btn:not(:last-child):not(.dropdown-toggle){border-top-right-radius:0;border-bottom-right-radius:0}.input-group-addon:first-child{border-right:0}.input-group .form-control:last-child,.input-group-addon:last-child,.input-group-btn:first-child>.btn-group:not(:first-child)>.btn,.input-group-btn:first-child>.btn:not(:first-child),.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group>.btn,.input-group-btn:last-child>.dropdown-toggle{border-top-left-radius:0;border-bottom-left-radius:0}.input-group-addon:last-child{border-left:0}.input-group-btn{position:relative;font-size:0;white-space:nowrap}.input-group-btn>.btn{position:relative}.input-group-btn>.btn+.btn{margin-left:-1px}.input-group-btn>.btn:active,.input-group-btn>.btn:focus,.input-group-btn>.btn:hover{z-index:2}.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group{margin-right:-1px}.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group{z-index:2;margin-left:-1px}.nav{padding-left:0;margin-bottom:0;list-style:none}.nav>li{position:relative;display:block}.nav>li>a{position:relative;display:block;padding:10px 15px}.nav>li>a:focus,.nav>li>a:hover{text-decoration:none;background-color:#eee}.nav>li.disabled>a{color:#777}.nav>li.disabled>a:focus,.nav>li.disabled>a:hover{color:#777;text-decoration:none;cursor:not-allowed;background-color:transparent}.nav .open>a,.nav .open>a:focus,.nav .open>a:hover{background-color:#eee;border-color:#337ab7}.nav .nav-divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5}.nav>li>a>img{max-width:none}.nav-tabs{border-bottom:1px solid #ddd}.nav-tabs>li{float:left;margin-bottom:-1px}.nav-tabs>li>a{margin-right:2px;line-height:1.42857143;border:1px solid transparent;border-radius:4px 4px 0 0}.nav-tabs>li>a:hover{border-color:#eee #eee #ddd}.nav-tabs>li.active>a,.nav-tabs>li.active>a:focus,.nav-tabs>li.active>a:hover{color:#555;cursor:default;background-color:#fff;border:1px solid #ddd;border-bottom-color:transparent}.nav-tabs.nav-justified{width:100%;border-bottom:0}.nav-tabs.nav-justified>li{float:none}.nav-tabs.nav-justified>li>a{margin-bottom:5px;text-align:center}.nav-tabs.nav-justified>.dropdown .dropdown-menu{top:auto;left:auto}@media (min-width:768px){.nav-tabs.nav-justified>li{display:table-cell;width:1%}.nav-tabs.nav-justified>li>a{margin-bottom:0}}.nav-tabs.nav-justified>li>a{margin-right:0;border-radius:4px}.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:focus,.nav-tabs.nav-justified>.active>a:hover{border:1px solid #ddd}@media (min-width:768px){.nav-tabs.nav-justified>li>a{border-bottom:1px solid #ddd;border-radius:4px 4px 0 0}.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:focus,.nav-tabs.nav-justified>.active>a:hover{border-bottom-color:#fff}}.nav-pills>li{float:left}.nav-pills>li>a{border-radius:4px}.nav-pills>li+li{margin-left:2px}.nav-pills>li.active>a,.nav-pills>li.active>a:focus,.nav-pills>li.active>a:hover{color:#fff;background-color:#337ab7}.nav-stacked>li{float:none}.nav-stacked>li+li{margin-top:2px;margin-left:0}.nav-justified{width:100%}.nav-justified>li{float:none}.nav-justified>li>a{margin-bottom:5px;text-align:center}.nav-justified>.dropdown .dropdown-menu{top:auto;left:auto}@media (min-width:768px){.nav-justified>li{display:table-cell;width:1%}.nav-justified>li>a{margin-bottom:0}}.nav-tabs-justified{border-bottom:0}.nav-tabs-justified>li>a{margin-right:0;border-radius:4px}.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:focus,.nav-tabs-justified>.active>a:hover{border:1px solid #ddd}@media (min-width:768px){.nav-tabs-justified>li>a{border-bottom:1px solid #ddd;border-radius:4px 4px 0 0}.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:focus,.nav-tabs-justified>.active>a:hover{border-bottom-color:#fff}}.tab-content>.tab-pane{display:none}.tab-content>.active{display:block}.nav-tabs .dropdown-menu{margin-top:-1px;border-top-left-radius:0;border-top-right-radius:0}.navbar{position:relative;min-height:50px;margin-bottom:20px;border:1px solid transparent}@media (min-width:768px){.navbar{border-radius:4px}}@media (min-width:768px){.navbar-header{float:left}}.navbar-collapse{padding-right:15px;padding-left:15px;overflow-x:visible;-webkit-overflow-scrolling:touch;border-top:1px solid transparent;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 0 rgba(255,255,255,.1)}.navbar-collapse.in{overflow-y:auto}@media (min-width:768px){.navbar-collapse{width:auto;border-top:0;-webkit-box-shadow:none;box-shadow:none}.navbar-collapse.collapse{display:block!important;height:auto!important;padding-bottom:0;overflow:visible!important}.navbar-collapse.in{overflow-y:visible}.navbar-fixed-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse,.navbar-static-top .navbar-collapse{padding-right:0;padding-left:0}}.navbar-fixed-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse{max-height:340px}@media (max-device-width:480px) and (orientation:landscape){.navbar-fixed-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse{max-height:200px}}.container-fluid>.navbar-collapse,.container-fluid>.navbar-header,.container>.navbar-collapse,.container>.navbar-header{margin-right:-15px;margin-left:-15px}@media (min-width:768px){.container-fluid>.navbar-collapse,.container-fluid>.navbar-header,.container>.navbar-collapse,.container>.navbar-header{margin-right:0;margin-left:0}}.navbar-static-top{z-index:1000;border-width:0 0 1px}@media (min-width:768px){.navbar-static-top{border-radius:0}}.navbar-fixed-bottom,.navbar-fixed-top{position:fixed;right:0;left:0;z-index:1030}@media (min-width:768px){.navbar-fixed-bottom,.navbar-fixed-top{border-radius:0}}.navbar-fixed-top{top:0;border-width:0 0 1px}.navbar-fixed-bottom{bottom:0;margin-bottom:0;border-width:1px 0 0}.navbar-brand{float:left;height:50px;padding:15px 15px;font-size:18px;line-height:20px}.navbar-brand:focus,.navbar-brand:hover{text-decoration:none}.navbar-brand>img{display:block}@media (min-width:768px){.navbar>.container .navbar-brand,.navbar>.container-fluid .navbar-brand{margin-left:-15px}}.navbar-toggle{position:relative;float:right;padding:9px 10px;margin-top:8px;margin-right:15px;margin-bottom:8px;background-color:transparent;background-image:none;border:1px solid transparent;border-radius:4px}.navbar-toggle:focus{outline:0}.navbar-toggle .icon-bar{display:block;width:22px;height:2px;border-radius:1px}.navbar-toggle .icon-bar+.icon-bar{margin-top:4px}@media (min-width:768px){.navbar-toggle{display:none}}.navbar-nav{margin:7.5px -15px}.navbar-nav>li>a{padding-top:10px;padding-bottom:10px;line-height:20px}@media (max-width:767px){.navbar-nav .open .dropdown-menu{position:static;float:none;width:auto;margin-top:0;background-color:transparent;border:0;-webkit-box-shadow:none;box-shadow:none}.navbar-nav .open .dropdown-menu .dropdown-header,.navbar-nav .open .dropdown-menu>li>a{padding:5px 15px 5px 25px}.navbar-nav .open .dropdown-menu>li>a{line-height:20px}.navbar-nav .open .dropdown-menu>li>a:focus,.navbar-nav .open .dropdown-menu>li>a:hover{background-image:none}}@media (min-width:768px){.navbar-nav{float:left;margin:0}.navbar-nav>li{float:left}.navbar-nav>li>a{padding-top:15px;padding-bottom:15px}}.navbar-form{padding:10px 15px;margin-top:8px;margin-right:-15px;margin-bottom:8px;margin-left:-15px;border-top:1px solid transparent;border-bottom:1px solid transparent;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.1),0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 0 rgba(255,255,255,.1),0 1px 0 rgba(255,255,255,.1)}@media (min-width:768px){.navbar-form .form-group{display:inline-block;margin-bottom:0;vertical-align:middle}.navbar-form .form-control{display:inline-block;width:auto;vertical-align:middle}.navbar-form .form-control-static{display:inline-block}.navbar-form .input-group{display:inline-table;vertical-align:middle}.navbar-form .input-group .form-control,.navbar-form .input-group .input-group-addon,.navbar-form .input-group .input-group-btn{width:auto}.navbar-form .input-group>.form-control{width:100%}.navbar-form .control-label{margin-bottom:0;vertical-align:middle}.navbar-form .checkbox,.navbar-form .radio{display:inline-block;margin-top:0;margin-bottom:0;vertical-align:middle}.navbar-form .checkbox label,.navbar-form .radio label{padding-left:0}.navbar-form .checkbox input[type=checkbox],.navbar-form .radio input[type=radio]{position:relative;margin-left:0}.navbar-form .has-feedback .form-control-feedback{top:0}}@media (max-width:767px){.navbar-form .form-group{margin-bottom:5px}.navbar-form .form-group:last-child{margin-bottom:0}}@media (min-width:768px){.navbar-form{width:auto;padding-top:0;padding-bottom:0;margin-right:0;margin-left:0;border:0;-webkit-box-shadow:none;box-shadow:none}}.navbar-nav>li>.dropdown-menu{margin-top:0;border-top-left-radius:0;border-top-right-radius:0}.navbar-fixed-bottom .navbar-nav>li>.dropdown-menu{margin-bottom:0;border-top-left-radius:4px;border-top-right-radius:4px;border-bottom-right-radius:0;border-bottom-left-radius:0}.navbar-btn{margin-top:8px;margin-bottom:8px}.navbar-btn.btn-sm{margin-top:10px;margin-bottom:10px}.navbar-btn.btn-xs{margin-top:14px;margin-bottom:14px}.navbar-text{margin-top:15px;margin-bottom:15px}@media (min-width:768px){.navbar-text{float:left;margin-right:15px;margin-left:15px}}@media (min-width:768px){.navbar-left{float:left!important}.navbar-right{float:right!important;margin-right:-15px}.navbar-right~.navbar-right{margin-right:0}}.navbar-default{background-color:#f8f8f8;border-color:#e7e7e7}.navbar-default .navbar-brand{color:#777}.navbar-default .navbar-brand:focus,.navbar-default .navbar-brand:hover{color:#5e5e5e;background-color:transparent}.navbar-default .navbar-text{color:#777}.navbar-default .navbar-nav>li>a{color:#777}.navbar-default .navbar-nav>li>a:focus,.navbar-default .navbar-nav>li>a:hover{color:#333;background-color:transparent}.navbar-default .navbar-nav>.active>a,.navbar-default .navbar-nav>.active>a:focus,.navbar-default .navbar-nav>.active>a:hover{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav>.disabled>a,.navbar-default .navbar-nav>.disabled>a:focus,.navbar-default .navbar-nav>.disabled>a:hover{color:#ccc;background-color:transparent}.navbar-default .navbar-toggle{border-color:#ddd}.navbar-default .navbar-toggle:focus,.navbar-default .navbar-toggle:hover{background-color:#ddd}.navbar-default .navbar-toggle .icon-bar{background-color:#888}.navbar-default .navbar-collapse,.navbar-default .navbar-form{border-color:#e7e7e7}.navbar-default .navbar-nav>.open>a,.navbar-default .navbar-nav>.open>a:focus,.navbar-default .navbar-nav>.open>a:hover{color:#555;background-color:#e7e7e7}@media (max-width:767px){.navbar-default .navbar-nav .open .dropdown-menu>li>a{color:#777}.navbar-default .navbar-nav .open .dropdown-menu>li>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>li>a:hover{color:#333;background-color:transparent}.navbar-default .navbar-nav .open .dropdown-menu>.active>a,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:hover{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:hover{color:#ccc;background-color:transparent}}.navbar-default .navbar-link{color:#777}.navbar-default .navbar-link:hover{color:#333}.navbar-default .btn-link{color:#777}.navbar-default .btn-link:focus,.navbar-default .btn-link:hover{color:#333}.navbar-default .btn-link[disabled]:focus,.navbar-default .btn-link[disabled]:hover,fieldset[disabled] .navbar-default .btn-link:focus,fieldset[disabled] .navbar-default .btn-link:hover{color:#ccc}.navbar-inverse{background-color:#222;border-color:#080808}.navbar-inverse .navbar-brand{color:#9d9d9d}.navbar-inverse .navbar-brand:focus,.navbar-inverse .navbar-brand:hover{color:#fff;background-color:transparent}.navbar-inverse .navbar-text{color:#9d9d9d}.navbar-inverse .navbar-nav>li>a{color:#9d9d9d}.navbar-inverse .navbar-nav>li>a:focus,.navbar-inverse .navbar-nav>li>a:hover{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav>.active>a,.navbar-inverse .navbar-nav>.active>a:focus,.navbar-inverse .navbar-nav>.active>a:hover{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav>.disabled>a,.navbar-inverse .navbar-nav>.disabled>a:focus,.navbar-inverse .navbar-nav>.disabled>a:hover{color:#444;background-color:transparent}.navbar-inverse .navbar-toggle{border-color:#333}.navbar-inverse .navbar-toggle:focus,.navbar-inverse .navbar-toggle:hover{background-color:#333}.navbar-inverse .navbar-toggle .icon-bar{background-color:#fff}.navbar-inverse .navbar-collapse,.navbar-inverse .navbar-form{border-color:#101010}.navbar-inverse .navbar-nav>.open>a,.navbar-inverse .navbar-nav>.open>a:focus,.navbar-inverse .navbar-nav>.open>a:hover{color:#fff;background-color:#080808}@media (max-width:767px){.navbar-inverse .navbar-nav .open .dropdown-menu>.dropdown-header{border-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu .divider{background-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu>li>a{color:#9d9d9d}.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:hover{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:hover{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:hover{color:#444;background-color:transparent}}.navbar-inverse .navbar-link{color:#9d9d9d}.navbar-inverse .navbar-link:hover{color:#fff}.navbar-inverse .btn-link{color:#9d9d9d}.navbar-inverse .btn-link:focus,.navbar-inverse .btn-link:hover{color:#fff}.navbar-inverse .btn-link[disabled]:focus,.navbar-inverse .btn-link[disabled]:hover,fieldset[disabled] .navbar-inverse .btn-link:focus,fieldset[disabled] .navbar-inverse .btn-link:hover{color:#444}.breadcrumb{padding:8px 15px;margin-bottom:20px;list-style:none;background-color:#f5f5f5;border-radius:4px}.breadcrumb>li{display:inline-block}.breadcrumb>li+li:before{padding:0 5px;color:#ccc;content:"/\00a0"}.breadcrumb>.active{color:#777}.pagination{display:inline-block;padding-left:0;margin:20px 0;border-radius:4px}.pagination>li{display:inline}.pagination>li>a,.pagination>li>span{position:relative;float:left;padding:6px 12px;margin-left:-1px;line-height:1.42857143;color:#337ab7;text-decoration:none;background-color:#fff;border:1px solid #ddd}.pagination>li:first-child>a,.pagination>li:first-child>span{margin-left:0;border-top-left-radius:4px;border-bottom-left-radius:4px}.pagination>li:last-child>a,.pagination>li:last-child>span{border-top-right-radius:4px;border-bottom-right-radius:4px}.pagination>li>a:focus,.pagination>li>a:hover,.pagination>li>span:focus,.pagination>li>span:hover{z-index:3;color:#23527c;background-color:#eee;border-color:#ddd}.pagination>.active>a,.pagination>.active>a:focus,.pagination>.active>a:hover,.pagination>.active>span,.pagination>.active>span:focus,.pagination>.active>span:hover{z-index:2;color:#fff;cursor:default;background-color:#337ab7;border-color:#337ab7}.pagination>.disabled>a,.pagination>.disabled>a:focus,.pagination>.disabled>a:hover,.pagination>.disabled>span,.pagination>.disabled>span:focus,.pagination>.disabled>span:hover{color:#777;cursor:not-allowed;background-color:#fff;border-color:#ddd}.pagination-lg>li>a,.pagination-lg>li>span{padding:10px 16px;font-size:18px;line-height:1.3333333}.pagination-lg>li:first-child>a,.pagination-lg>li:first-child>span{border-top-left-radius:6px;border-bottom-left-radius:6px}.pagination-lg>li:last-child>a,.pagination-lg>li:last-child>span{border-top-right-radius:6px;border-bottom-right-radius:6px}.pagination-sm>li>a,.pagination-sm>li>span{padding:5px 10px;font-size:12px;line-height:1.5}.pagination-sm>li:first-child>a,.pagination-sm>li:first-child>span{border-top-left-radius:3px;border-bottom-left-radius:3px}.pagination-sm>li:last-child>a,.pagination-sm>li:last-child>span{border-top-right-radius:3px;border-bottom-right-radius:3px}.pager{padding-left:0;margin:20px 0;text-align:center;list-style:none}.pager li{display:inline}.pager li>a,.pager li>span{display:inline-block;padding:5px 14px;background-color:#fff;border:1px solid #ddd;border-radius:15px}.pager li>a:focus,.pager li>a:hover{text-decoration:none;background-color:#eee}.pager .next>a,.pager .next>span{float:right}.pager .previous>a,.pager .previous>span{float:left}.pager .disabled>a,.pager .disabled>a:focus,.pager .disabled>a:hover,.pager .disabled>span{color:#777;cursor:not-allowed;background-color:#fff}.label{display:inline;padding:.2em .6em .3em;font-size:75%;font-weight:700;line-height:1;color:#fff;text-align:center;white-space:nowrap;vertical-align:baseline;border-radius:.25em}a.label:focus,a.label:hover{color:#fff;text-decoration:none;cursor:pointer}.label:empty{display:none}.btn .label{position:relative;top:-1px}.label-default{background-color:#777}.label-default[href]:focus,.label-default[href]:hover{background-color:#5e5e5e}.label-primary{background-color:#337ab7}.label-primary[href]:focus,.label-primary[href]:hover{background-color:#286090}.label-success{background-color:#5cb85c}.label-success[href]:focus,.label-success[href]:hover{background-color:#449d44}.label-info{background-color:#5bc0de}.label-info[href]:focus,.label-info[href]:hover{background-color:#31b0d5}.label-warning{background-color:#f0ad4e}.label-warning[href]:focus,.label-warning[href]:hover{background-color:#ec971f}.label-danger{background-color:#d9534f}.label-danger[href]:focus,.label-danger[href]:hover{background-color:#c9302c}.badge{display:inline-block;min-width:10px;padding:3px 7px;font-size:12px;font-weight:700;line-height:1;color:#fff;text-align:center;white-space:nowrap;vertical-align:middle;background-color:#777;border-radius:10px}.badge:empty{display:none}.btn .badge{position:relative;top:-1px}.btn-group-xs>.btn .badge,.btn-xs .badge{top:0;padding:1px 5px}a.badge:focus,a.badge:hover{color:#fff;text-decoration:none;cursor:pointer}.list-group-item.active>.badge,.nav-pills>.active>a>.badge{color:#337ab7;background-color:#fff}.list-group-item>.badge{float:right}.list-group-item>.badge+.badge{margin-right:5px}.nav-pills>li>a>.badge{margin-left:3px}.jumbotron{padding-top:30px;padding-bottom:30px;margin-bottom:30px;color:inherit;background-color:#eee}.jumbotron .h1,.jumbotron h1{color:inherit}.jumbotron p{margin-bottom:15px;font-size:21px;font-weight:200}.jumbotron>hr{border-top-color:#d5d5d5}.container .jumbotron,.container-fluid .jumbotron{border-radius:6px}.jumbotron .container{max-width:100%}@media screen and (min-width:768px){.jumbotron{padding-top:48px;padding-bottom:48px}.container .jumbotron,.container-fluid .jumbotron{padding-right:60px;padding-left:60px}.jumbotron .h1,.jumbotron h1{font-size:63px}}.thumbnail{display:block;padding:4px;margin-bottom:20px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:border .2s ease-in-out;-o-transition:border .2s ease-in-out;transition:border .2s ease-in-out}.thumbnail a>img,.thumbnail>img{margin-right:auto;margin-left:auto}a.thumbnail.active,a.thumbnail:focus,a.thumbnail:hover{border-color:#337ab7}.thumbnail .caption{padding:9px;color:#333}.alert{padding:15px;margin-bottom:20px;border:1px solid transparent;border-radius:4px}.alert h4{margin-top:0;color:inherit}.alert .alert-link{font-weight:700}.alert>p,.alert>ul{margin-bottom:0}.alert>p+p{margin-top:5px}.alert-dismissable,.alert-dismissible{padding-right:35px}.alert-dismissable .close,.alert-dismissible .close{position:relative;top:-2px;right:-21px;color:inherit}.alert-success{color:#3c763d;background-color:#dff0d8;border-color:#d6e9c6}.alert-success hr{border-top-color:#c9e2b3}.alert-success .alert-link{color:#2b542c}.alert-info{color:#31708f;background-color:#d9edf7;border-color:#bce8f1}.alert-info hr{border-top-color:#a6e1ec}.alert-info .alert-link{color:#245269}.alert-warning{color:#8a6d3b;background-color:#fcf8e3;border-color:#faebcc}.alert-warning hr{border-top-color:#f7e1b5}.alert-warning .alert-link{color:#66512c}.alert-danger{color:#a94442;background-color:#f2dede;border-color:#ebccd1}.alert-danger hr{border-top-color:#e4b9c0}.alert-danger .alert-link{color:#843534}@-webkit-keyframes progress-bar-stripes{from{background-position:40px 0}to{background-position:0 0}}@-o-keyframes progress-bar-stripes{from{background-position:40px 0}to{background-position:0 0}}@keyframes progress-bar-stripes{from{background-position:40px 0}to{background-position:0 0}}.progress{height:20px;margin-bottom:20px;overflow:hidden;background-color:#f5f5f5;border-radius:4px;-webkit-box-shadow:inset 0 1px 2px rgba(0,0,0,.1);box-shadow:inset 0 1px 2px rgba(0,0,0,.1)}.progress-bar{float:left;width:0;height:100%;font-size:12px;line-height:20px;color:#fff;text-align:center;background-color:#337ab7;-webkit-box-shadow:inset 0 -1px 0 rgba(0,0,0,.15);box-shadow:inset 0 -1px 0 rgba(0,0,0,.15);-webkit-transition:width .6s ease;-o-transition:width .6s ease;transition:width .6s ease}.progress-bar-striped,.progress-striped .progress-bar{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);-webkit-background-size:40px 40px;background-size:40px 40px}.progress-bar.active,.progress.active .progress-bar{-webkit-animation:progress-bar-stripes 2s linear infinite;-o-animation:progress-bar-stripes 2s linear infinite;animation:progress-bar-stripes 2s linear infinite}.progress-bar-success{background-color:#5cb85c}.progress-striped .progress-bar-success{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-info{background-color:#5bc0de}.progress-striped .progress-bar-info{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-warning{background-color:#f0ad4e}.progress-striped .progress-bar-warning{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-danger{background-color:#d9534f}.progress-striped .progress-bar-danger{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.media{margin-top:15px}.media:first-child{margin-top:0}.media,.media-body{overflow:hidden;zoom:1}.media-body{width:10000px}.media-object{display:block}.media-object.img-thumbnail{max-width:none}.media-right,.media>.pull-right{padding-left:10px}.media-left,.media>.pull-left{padding-right:10px}.media-body,.media-left,.media-right{display:table-cell;vertical-align:top}.media-middle{vertical-align:middle}.media-bottom{vertical-align:bottom}.media-heading{margin-top:0;margin-bottom:5px}.media-list{padding-left:0;list-style:none}.list-group{padding-left:0;margin-bottom:20px}.list-group-item{position:relative;display:block;padding:10px 15px;margin-bottom:-1px;background-color:#fff;border:1px solid #ddd}.list-group-item:first-child{border-top-left-radius:4px;border-top-right-radius:4px}.list-group-item:last-child{margin-bottom:0;border-bottom-right-radius:4px;border-bottom-left-radius:4px}a.list-group-item,button.list-group-item{color:#555}a.list-group-item .list-group-item-heading,button.list-group-item .list-group-item-heading{color:#333}a.list-group-item:focus,a.list-group-item:hover,button.list-group-item:focus,button.list-group-item:hover{color:#555;text-decoration:none;background-color:#f5f5f5}button.list-group-item{width:100%;text-align:left}.list-group-item.disabled,.list-group-item.disabled:focus,.list-group-item.disabled:hover{color:#777;cursor:not-allowed;background-color:#eee}.list-group-item.disabled .list-group-item-heading,.list-group-item.disabled:focus .list-group-item-heading,.list-group-item.disabled:hover .list-group-item-heading{color:inherit}.list-group-item.disabled .list-group-item-text,.list-group-item.disabled:focus .list-group-item-text,.list-group-item.disabled:hover .list-group-item-text{color:#777}.list-group-item.active,.list-group-item.active:focus,.list-group-item.active:hover{z-index:2;color:#fff;background-color:#337ab7;border-color:#337ab7}.list-group-item.active .list-group-item-heading,.list-group-item.active .list-group-item-heading>.small,.list-group-item.active .list-group-item-heading>small,.list-group-item.active:focus .list-group-item-heading,.list-group-item.active:focus .list-group-item-heading>.small,.list-group-item.active:focus .list-group-item-heading>small,.list-group-item.active:hover .list-group-item-heading,.list-group-item.active:hover .list-group-item-heading>.small,.list-group-item.active:hover .list-group-item-heading>small{color:inherit}.list-group-item.active .list-group-item-text,.list-group-item.active:focus .list-group-item-text,.list-group-item.active:hover .list-group-item-text{color:#c7ddef}.list-group-item-success{color:#3c763d;background-color:#dff0d8}a.list-group-item-success,button.list-group-item-success{color:#3c763d}a.list-group-item-success .list-group-item-heading,button.list-group-item-success .list-group-item-heading{color:inherit}a.list-group-item-success:focus,a.list-group-item-success:hover,button.list-group-item-success:focus,button.list-group-item-success:hover{color:#3c763d;background-color:#d0e9c6}a.list-group-item-success.active,a.list-group-item-success.active:focus,a.list-group-item-success.active:hover,button.list-group-item-success.active,button.list-group-item-success.active:focus,button.list-group-item-success.active:hover{color:#fff;background-color:#3c763d;border-color:#3c763d}.list-group-item-info{color:#31708f;background-color:#d9edf7}a.list-group-item-info,button.list-group-item-info{color:#31708f}a.list-group-item-info .list-group-item-heading,button.list-group-item-info .list-group-item-heading{color:inherit}a.list-group-item-info:focus,a.list-group-item-info:hover,button.list-group-item-info:focus,button.list-group-item-info:hover{color:#31708f;background-color:#c4e3f3}a.list-group-item-info.active,a.list-group-item-info.active:focus,a.list-group-item-info.active:hover,button.list-group-item-info.active,button.list-group-item-info.active:focus,button.list-group-item-info.active:hover{color:#fff;background-color:#31708f;border-color:#31708f}.list-group-item-warning{color:#8a6d3b;background-color:#fcf8e3}a.list-group-item-warning,button.list-group-item-warning{color:#8a6d3b}a.list-group-item-warning .list-group-item-heading,button.list-group-item-warning .list-group-item-heading{color:inherit}a.list-group-item-warning:focus,a.list-group-item-warning:hover,button.list-group-item-warning:focus,button.list-group-item-warning:hover{color:#8a6d3b;background-color:#faf2cc}a.list-group-item-warning.active,a.list-group-item-warning.active:focus,a.list-group-item-warning.active:hover,button.list-group-item-warning.active,button.list-group-item-warning.active:focus,button.list-group-item-warning.active:hover{color:#fff;background-color:#8a6d3b;border-color:#8a6d3b}.list-group-item-danger{color:#a94442;background-color:#f2dede}a.list-group-item-danger,button.list-group-item-danger{color:#a94442}a.list-group-item-danger .list-group-item-heading,button.list-group-item-danger .list-group-item-heading{color:inherit}a.list-group-item-danger:focus,a.list-group-item-danger:hover,button.list-group-item-danger:focus,button.list-group-item-danger:hover{color:#a94442;background-color:#ebcccc}a.list-group-item-danger.active,a.list-group-item-danger.active:focus,a.list-group-item-danger.active:hover,button.list-group-item-danger.active,button.list-group-item-danger.active:focus,button.list-group-item-danger.active:hover{color:#fff;background-color:#a94442;border-color:#a94442}.list-group-item-heading{margin-top:0;margin-bottom:5px}.list-group-item-text{margin-bottom:0;line-height:1.3}.panel{margin-bottom:20px;background-color:#fff;border:1px solid transparent;border-radius:4px;-webkit-box-shadow:0 1px 1px rgba(0,0,0,.05);box-shadow:0 1px 1px rgba(0,0,0,.05)}.panel-body{padding:15px}.panel-heading{padding:10px 15px;border-bottom:1px solid transparent;border-top-left-radius:3px;border-top-right-radius:3px}.panel-heading>.dropdown .dropdown-toggle{color:inherit}.panel-title{margin-top:0;margin-bottom:0;font-size:16px;color:inherit}.panel-title>.small,.panel-title>.small>a,.panel-title>a,.panel-title>small,.panel-title>small>a{color:inherit}.panel-footer{padding:10px 15px;background-color:#f5f5f5;border-top:1px solid #ddd;border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.list-group,.panel>.panel-collapse>.list-group{margin-bottom:0}.panel>.list-group .list-group-item,.panel>.panel-collapse>.list-group .list-group-item{border-width:1px 0;border-radius:0}.panel>.list-group:first-child .list-group-item:first-child,.panel>.panel-collapse>.list-group:first-child .list-group-item:first-child{border-top:0;border-top-left-radius:3px;border-top-right-radius:3px}.panel>.list-group:last-child .list-group-item:last-child,.panel>.panel-collapse>.list-group:last-child .list-group-item:last-child{border-bottom:0;border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.panel-heading+.panel-collapse>.list-group .list-group-item:first-child{border-top-left-radius:0;border-top-right-radius:0}.panel-heading+.list-group .list-group-item:first-child{border-top-width:0}.list-group+.panel-footer{border-top-width:0}.panel>.panel-collapse>.table,.panel>.table,.panel>.table-responsive>.table{margin-bottom:0}.panel>.panel-collapse>.table caption,.panel>.table caption,.panel>.table-responsive>.table caption{padding-right:15px;padding-left:15px}.panel>.table-responsive:first-child>.table:first-child,.panel>.table:first-child{border-top-left-radius:3px;border-top-right-radius:3px}.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child,.panel>.table:first-child>thead:first-child>tr:first-child{border-top-left-radius:3px;border-top-right-radius:3px}.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:first-child,.panel>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table:first-child>thead:first-child>tr:first-child th:first-child{border-top-left-radius:3px}.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:last-child,.panel>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table:first-child>thead:first-child>tr:first-child th:last-child{border-top-right-radius:3px}.panel>.table-responsive:last-child>.table:last-child,.panel>.table:last-child{border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child{border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:first-child,.panel>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:first-child{border-bottom-left-radius:3px}.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:last-child{border-bottom-right-radius:3px}.panel>.panel-body+.table,.panel>.panel-body+.table-responsive,.panel>.table+.panel-body,.panel>.table-responsive+.panel-body{border-top:1px solid #ddd}.panel>.table>tbody:first-child>tr:first-child td,.panel>.table>tbody:first-child>tr:first-child th{border-top:0}.panel>.table-bordered,.panel>.table-responsive>.table-bordered{border:0}.panel>.table-bordered>tbody>tr>td:first-child,.panel>.table-bordered>tbody>tr>th:first-child,.panel>.table-bordered>tfoot>tr>td:first-child,.panel>.table-bordered>tfoot>tr>th:first-child,.panel>.table-bordered>thead>tr>td:first-child,.panel>.table-bordered>thead>tr>th:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:first-child,.panel>.table-responsive>.table-bordered>thead>tr>td:first-child,.panel>.table-responsive>.table-bordered>thead>tr>th:first-child{border-left:0}.panel>.table-bordered>tbody>tr>td:last-child,.panel>.table-bordered>tbody>tr>th:last-child,.panel>.table-bordered>tfoot>tr>td:last-child,.panel>.table-bordered>tfoot>tr>th:last-child,.panel>.table-bordered>thead>tr>td:last-child,.panel>.table-bordered>thead>tr>th:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:last-child,.panel>.table-responsive>.table-bordered>thead>tr>td:last-child,.panel>.table-responsive>.table-bordered>thead>tr>th:last-child{border-right:0}.panel>.table-bordered>tbody>tr:first-child>td,.panel>.table-bordered>tbody>tr:first-child>th,.panel>.table-bordered>thead>tr:first-child>td,.panel>.table-bordered>thead>tr:first-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>th,.panel>.table-responsive>.table-bordered>thead>tr:first-child>td,.panel>.table-responsive>.table-bordered>thead>tr:first-child>th{border-bottom:0}.panel>.table-bordered>tbody>tr:last-child>td,.panel>.table-bordered>tbody>tr:last-child>th,.panel>.table-bordered>tfoot>tr:last-child>td,.panel>.table-bordered>tfoot>tr:last-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>th,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>td,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>th{border-bottom:0}.panel>.table-responsive{margin-bottom:0;border:0}.panel-group{margin-bottom:20px}.panel-group .panel{margin-bottom:0;border-radius:4px}.panel-group .panel+.panel{margin-top:5px}.panel-group .panel-heading{border-bottom:0}.panel-group .panel-heading+.panel-collapse>.list-group,.panel-group .panel-heading+.panel-collapse>.panel-body{border-top:1px solid #ddd}.panel-group .panel-footer{border-top:0}.panel-group .panel-footer+.panel-collapse .panel-body{border-bottom:1px solid #ddd}.panel-default{border-color:#ddd}.panel-default>.panel-heading{color:#333;background-color:#f5f5f5;border-color:#ddd}.panel-default>.panel-heading+.panel-collapse>.panel-body{border-top-color:#ddd}.panel-default>.panel-heading .badge{color:#f5f5f5;background-color:#333}.panel-default>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#ddd}.panel-primary{border-color:#337ab7}.panel-primary>.panel-heading{color:#fff;background-color:#337ab7;border-color:#337ab7}.panel-primary>.panel-heading+.panel-collapse>.panel-body{border-top-color:#337ab7}.panel-primary>.panel-heading .badge{color:#337ab7;background-color:#fff}.panel-primary>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#337ab7}.panel-success{border-color:#d6e9c6}.panel-success>.panel-heading{color:#3c763d;background-color:#dff0d8;border-color:#d6e9c6}.panel-success>.panel-heading+.panel-collapse>.panel-body{border-top-color:#d6e9c6}.panel-success>.panel-heading .badge{color:#dff0d8;background-color:#3c763d}.panel-success>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#d6e9c6}.panel-info{border-color:#bce8f1}.panel-info>.panel-heading{color:#31708f;background-color:#d9edf7;border-color:#bce8f1}.panel-info>.panel-heading+.panel-collapse>.panel-body{border-top-color:#bce8f1}.panel-info>.panel-heading .badge{color:#d9edf7;background-color:#31708f}.panel-info>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#bce8f1}.panel-warning{border-color:#faebcc}.panel-warning>.panel-heading{color:#8a6d3b;background-color:#fcf8e3;border-color:#faebcc}.panel-warning>.panel-heading+.panel-collapse>.panel-body{border-top-color:#faebcc}.panel-warning>.panel-heading .badge{color:#fcf8e3;background-color:#8a6d3b}.panel-warning>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#faebcc}.panel-danger{border-color:#ebccd1}.panel-danger>.panel-heading{color:#a94442;background-color:#f2dede;border-color:#ebccd1}.panel-danger>.panel-heading+.panel-collapse>.panel-body{border-top-color:#ebccd1}.panel-danger>.panel-heading .badge{color:#f2dede;background-color:#a94442}.panel-danger>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#ebccd1}.embed-responsive{position:relative;display:block;height:0;padding:0;overflow:hidden}.embed-responsive .embed-responsive-item,.embed-responsive embed,.embed-responsive iframe,.embed-responsive object,.embed-responsive video{position:absolute;top:0;bottom:0;left:0;width:100%;height:100%;border:0}.embed-responsive-16by9{padding-bottom:56.25%}.embed-responsive-4by3{padding-bottom:75%}.well{min-height:20px;padding:19px;margin-bottom:20px;background-color:#f5f5f5;border:1px solid #e3e3e3;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.05);box-shadow:inset 0 1px 1px rgba(0,0,0,.05)}.well blockquote{border-color:#ddd;border-color:rgba(0,0,0,.15)}.well-lg{padding:24px;border-radius:6px}.well-sm{padding:9px;border-radius:3px}.close{float:right;font-size:21px;font-weight:700;line-height:1;color:#000;text-shadow:0 1px 0 #fff;filter:alpha(opacity=20);opacity:.2}.close:focus,.close:hover{color:#000;text-decoration:none;cursor:pointer;filter:alpha(opacity=50);opacity:.5}button.close{-webkit-appearance:none;padding:0;cursor:pointer;background:0 0;border:0}.modal-open{overflow:hidden}.modal{position:fixed;top:0;right:0;bottom:0;left:0;z-index:1050;display:none;overflow:hidden;-webkit-overflow-scrolling:touch;outline:0}.modal.fade .modal-dialog{-webkit-transition:-webkit-transform .3s ease-out;-o-transition:-o-transform .3s ease-out;transition:transform .3s ease-out;-webkit-transform:translate(0,-25%);-ms-transform:translate(0,-25%);-o-transform:translate(0,-25%);transform:translate(0,-25%)}.modal.in .modal-dialog{-webkit-transform:translate(0,0);-ms-transform:translate(0,0);-o-transform:translate(0,0);transform:translate(0,0)}.modal-open .modal{overflow-x:hidden;overflow-y:auto}.modal-dialog{position:relative;width:auto;margin:10px}.modal-content{position:relative;background-color:#fff;-webkit-background-clip:padding-box;background-clip:padding-box;border:1px solid #999;border:1px solid rgba(0,0,0,.2);border-radius:6px;outline:0;-webkit-box-shadow:0 3px 9px rgba(0,0,0,.5);box-shadow:0 3px 9px rgba(0,0,0,.5)}.modal-backdrop{position:fixed;top:0;right:0;bottom:0;left:0;z-index:1040;background-color:#000}.modal-backdrop.fade{filter:alpha(opacity=0);opacity:0}.modal-backdrop.in{filter:alpha(opacity=50);opacity:.5}.modal-header{min-height:16.43px;padding:15px;border-bottom:1px solid #e5e5e5}.modal-header .close{margin-top:-2px}.modal-title{margin:0;line-height:1.42857143}.modal-body{position:relative;padding:15px}.modal-footer{padding:15px;text-align:right;border-top:1px solid #e5e5e5}.modal-footer .btn+.btn{margin-bottom:0;margin-left:5px}.modal-footer .btn-group .btn+.btn{margin-left:-1px}.modal-footer .btn-block+.btn-block{margin-left:0}.modal-scrollbar-measure{position:absolute;top:-9999px;width:50px;height:50px;overflow:scroll}@media (min-width:768px){.modal-dialog{width:600px;margin:30px auto}.modal-content{-webkit-box-shadow:0 5px 15px rgba(0,0,0,.5);box-shadow:0 5px 15px rgba(0,0,0,.5)}.modal-sm{width:300px}}@media (min-width:992px){.modal-lg{width:900px}}.tooltip{position:absolute;z-index:1070;display:block;font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:12px;font-style:normal;font-weight:400;line-height:1.42857143;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;letter-spacing:normal;word-break:normal;word-spacing:normal;word-wrap:normal;white-space:normal;filter:alpha(opacity=0);opacity:0;line-break:auto}.tooltip.in{filter:alpha(opacity=90);opacity:.9}.tooltip.top{padding:5px 0;margin-top:-3px}.tooltip.right{padding:0 5px;margin-left:3px}.tooltip.bottom{padding:5px 0;margin-top:3px}.tooltip.left{padding:0 5px;margin-left:-3px}.tooltip-inner{max-width:200px;padding:3px 8px;color:#fff;text-align:center;background-color:#000;border-radius:4px}.tooltip-arrow{position:absolute;width:0;height:0;border-color:transparent;border-style:solid}.tooltip.top .tooltip-arrow{bottom:0;left:50%;margin-left:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.top-left .tooltip-arrow{right:5px;bottom:0;margin-bottom:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.top-right .tooltip-arrow{bottom:0;left:5px;margin-bottom:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.right .tooltip-arrow{top:50%;left:0;margin-top:-5px;border-width:5px 5px 5px 0;border-right-color:#000}.tooltip.left .tooltip-arrow{top:50%;right:0;margin-top:-5px;border-width:5px 0 5px 5px;border-left-color:#000}.tooltip.bottom .tooltip-arrow{top:0;left:50%;margin-left:-5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip.bottom-left .tooltip-arrow{top:0;right:5px;margin-top:-5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip.bottom-right .tooltip-arrow{top:0;left:5px;margin-top:-5px;border-width:0 5px 5px;border-bottom-color:#000}.popover{position:absolute;top:0;left:0;z-index:1060;display:none;max-width:276px;padding:1px;font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:14px;font-style:normal;font-weight:400;line-height:1.42857143;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;letter-spacing:normal;word-break:normal;word-spacing:normal;word-wrap:normal;white-space:normal;background-color:#fff;-webkit-background-clip:padding-box;background-clip:padding-box;border:1px solid #ccc;border:1px solid rgba(0,0,0,.2);border-radius:6px;-webkit-box-shadow:0 5px 10px rgba(0,0,0,.2);box-shadow:0 5px 10px rgba(0,0,0,.2);line-break:auto}.popover.top{margin-top:-10px}.popover.right{margin-left:10px}.popover.bottom{margin-top:10px}.popover.left{margin-left:-10px}.popover-title{padding:8px 14px;margin:0;font-size:14px;background-color:#f7f7f7;border-bottom:1px solid #ebebeb;border-radius:5px 5px 0 0}.popover-content{padding:9px 14px}.popover>.arrow,.popover>.arrow:after{position:absolute;display:block;width:0;height:0;border-color:transparent;border-style:solid}.popover>.arrow{border-width:11px}.popover>.arrow:after{content:"";border-width:10px}.popover.top>.arrow{bottom:-11px;left:50%;margin-left:-11px;border-top-color:#999;border-top-color:rgba(0,0,0,.25);border-bottom-width:0}.popover.top>.arrow:after{bottom:1px;margin-left:-10px;content:" ";border-top-color:#fff;border-bottom-width:0}.popover.right>.arrow{top:50%;left:-11px;margin-top:-11px;border-right-color:#999;border-right-color:rgba(0,0,0,.25);border-left-width:0}.popover.right>.arrow:after{bottom:-10px;left:1px;content:" ";border-right-color:#fff;border-left-width:0}.popover.bottom>.arrow{top:-11px;left:50%;margin-left:-11px;border-top-width:0;border-bottom-color:#999;border-bottom-color:rgba(0,0,0,.25)}.popover.bottom>.arrow:after{top:1px;margin-left:-10px;content:" ";border-top-width:0;border-bottom-color:#fff}.popover.left>.arrow{top:50%;right:-11px;margin-top:-11px;border-right-width:0;border-left-color:#999;border-left-color:rgba(0,0,0,.25)}.popover.left>.arrow:after{right:1px;bottom:-10px;content:" ";border-right-width:0;border-left-color:#fff}.carousel{position:relative}.carousel-inner{position:relative;width:100%;overflow:hidden}.carousel-inner>.item{position:relative;display:none;-webkit-transition:.6s ease-in-out left;-o-transition:.6s ease-in-out left;transition:.6s ease-in-out left}.carousel-inner>.item>a>img,.carousel-inner>.item>img{line-height:1}@media all and (transform-3d),(-webkit-transform-3d){.carousel-inner>.item{-webkit-transition:-webkit-transform .6s ease-in-out;-o-transition:-o-transform .6s ease-in-out;transition:transform .6s ease-in-out;-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-perspective:1000px;perspective:1000px}.carousel-inner>.item.active.right,.carousel-inner>.item.next{left:0;-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)}.carousel-inner>.item.active.left,.carousel-inner>.item.prev{left:0;-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)}.carousel-inner>.item.active,.carousel-inner>.item.next.left,.carousel-inner>.item.prev.right{left:0;-webkit-transform:translate3d(0,0,0);transform:translate3d(0,0,0)}}.carousel-inner>.active,.carousel-inner>.next,.carousel-inner>.prev{display:block}.carousel-inner>.active{left:0}.carousel-inner>.next,.carousel-inner>.prev{position:absolute;top:0;width:100%}.carousel-inner>.next{left:100%}.carousel-inner>.prev{left:-100%}.carousel-inner>.next.left,.carousel-inner>.prev.right{left:0}.carousel-inner>.active.left{left:-100%}.carousel-inner>.active.right{left:100%}.carousel-control{position:absolute;top:0;bottom:0;left:0;width:15%;font-size:20px;color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6);filter:alpha(opacity=50);opacity:.5}.carousel-control.left{background-image:-webkit-linear-gradient(left,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);background-image:-o-linear-gradient(left,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);background-image:-webkit-gradient(linear,left top,right top,from(rgba(0,0,0,.5)),to(rgba(0,0,0,.0001)));background-image:linear-gradient(to right,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#80000000', endColorstr='#00000000', GradientType=1);background-repeat:repeat-x}.carousel-control.right{right:0;left:auto;background-image:-webkit-linear-gradient(left,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);background-image:-o-linear-gradient(left,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);background-image:-webkit-gradient(linear,left top,right top,from(rgba(0,0,0,.0001)),to(rgba(0,0,0,.5)));background-image:linear-gradient(to right,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#80000000', GradientType=1);background-repeat:repeat-x}.carousel-control:focus,.carousel-control:hover{color:#fff;text-decoration:none;filter:alpha(opacity=90);outline:0;opacity:.9}.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next,.carousel-control .icon-prev{position:absolute;top:50%;z-index:5;display:inline-block;margin-top:-10px}.carousel-control .glyphicon-chevron-left,.carousel-control .icon-prev{left:50%;margin-left:-10px}.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next{right:50%;margin-right:-10px}.carousel-control .icon-next,.carousel-control .icon-prev{width:20px;height:20px;font-family:serif;line-height:1}.carousel-control .icon-prev:before{content:'\2039'}.carousel-control .icon-next:before{content:'\203a'}.carousel-indicators{position:absolute;bottom:10px;left:50%;z-index:15;width:60%;padding-left:0;margin-left:-30%;text-align:center;list-style:none}.carousel-indicators li{display:inline-block;width:10px;height:10px;margin:1px;text-indent:-999px;cursor:pointer;background-color:#000\9;background-color:rgba(0,0,0,0);border:1px solid #fff;border-radius:10px}.carousel-indicators .active{width:12px;height:12px;margin:0;background-color:#fff}.carousel-caption{position:absolute;right:15%;bottom:20px;left:15%;z-index:10;padding-top:20px;padding-bottom:20px;color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6)}.carousel-caption .btn{text-shadow:none}@media screen and (min-width:768px){.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next,.carousel-control .icon-prev{width:30px;height:30px;margin-top:-15px;font-size:30px}.carousel-control .glyphicon-chevron-left,.carousel-control .icon-prev{margin-left:-15px}.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next{margin-right:-15px}.carousel-caption{right:20%;left:20%;padding-bottom:30px}.carousel-indicators{bottom:20px}}.btn-group-vertical>.btn-group:after,.btn-group-vertical>.btn-group:before,.btn-toolbar:after,.btn-toolbar:before,.clearfix:after,.clearfix:before,.container-fluid:after,.container-fluid:before,.container:after,.container:before,.dl-horizontal dd:after,.dl-horizontal dd:before,.form-horizontal .form-group:after,.form-horizontal .form-group:before,.modal-footer:after,.modal-footer:before,.nav:after,.nav:before,.navbar-collapse:after,.navbar-collapse:before,.navbar-header:after,.navbar-header:before,.navbar:after,.navbar:before,.pager:after,.pager:before,.panel-body:after,.panel-body:before,.row:after,.row:before{display:table;content:" "}.btn-group-vertical>.btn-group:after,.btn-toolbar:after,.clearfix:after,.container-fluid:after,.container:after,.dl-horizontal dd:after,.form-horizontal .form-group:after,.modal-footer:after,.nav:after,.navbar-collapse:after,.navbar-header:after,.navbar:after,.pager:after,.panel-body:after,.row:after{clear:both}.center-block{display:block;margin-right:auto;margin-left:auto}.pull-right{float:right!important}.pull-left{float:left!important}.hide{display:none!important}.show{display:block!important}.invisible{visibility:hidden}.text-hide{font:0/0 a;color:transparent;text-shadow:none;background-color:transparent;border:0}.hidden{display:none!important}.affix{position:fixed}@-ms-viewport{width:device-width}.visible-lg,.visible-md,.visible-sm,.visible-xs{display:none!important}.visible-lg-block,.visible-lg-inline,.visible-lg-inline-block,.visible-md-block,.visible-md-inline,.visible-md-inline-block,.visible-sm-block,.visible-sm-inline,.visible-sm-inline-block,.visible-xs-block,.visible-xs-inline,.visible-xs-inline-block{display:none!important}@media (max-width:767px){.visible-xs{display:block!important}table.visible-xs{display:table!important}tr.visible-xs{display:table-row!important}td.visible-xs,th.visible-xs{display:table-cell!important}}@media (max-width:767px){.visible-xs-block{display:block!important}}@media (max-width:767px){.visible-xs-inline{display:inline!important}}@media (max-width:767px){.visible-xs-inline-block{display:inline-block!important}}@media (min-width:768px) and (max-width:991px){.visible-sm{display:block!important}table.visible-sm{display:table!important}tr.visible-sm{display:table-row!important}td.visible-sm,th.visible-sm{display:table-cell!important}}@media (min-width:768px) and (max-width:991px){.visible-sm-block{display:block!important}}@media (min-width:768px) and (max-width:991px){.visible-sm-inline{display:inline!important}}@media (min-width:768px) and (max-width:991px){.visible-sm-inline-block{display:inline-block!important}}@media (min-width:992px) and (max-width:1199px){.visible-md{display:block!important}table.visible-md{display:table!important}tr.visible-md{display:table-row!important}td.visible-md,th.visible-md{display:table-cell!important}}@media (min-width:992px) and (max-width:1199px){.visible-md-block{display:block!important}}@media (min-width:992px) and (max-width:1199px){.visible-md-inline{display:inline!important}}@media (min-width:992px) and (max-width:1199px){.visible-md-inline-block{display:inline-block!important}}@media (min-width:1200px){.visible-lg{display:block!important}table.visible-lg{display:table!important}tr.visible-lg{display:table-row!important}td.visible-lg,th.visible-lg{display:table-cell!important}}@media (min-width:1200px){.visible-lg-block{display:block!important}}@media (min-width:1200px){.visible-lg-inline{display:inline!important}}@media (min-width:1200px){.visible-lg-inline-block{display:inline-block!important}}@media (max-width:767px){.hidden-xs{display:none!important}}@media (min-width:768px) and (max-width:991px){.hidden-sm{display:none!important}}@media (min-width:992px) and (max-width:1199px){.hidden-md{display:none!important}}@media (min-width:1200px){.hidden-lg{display:none!important}}.visible-print{display:none!important}@media print{.visible-print{display:block!important}table.visible-print{display:table!important}tr.visible-print{display:table-row!important}td.visible-print,th.visible-print{display:table-cell!important}}.visible-print-block{display:none!important}@media print{.visible-print-block{display:block!important}}.visible-print-inline{display:none!important}@media print{.visible-print-inline{display:inline!important}}.visible-print-inline-block{display:none!important}@media print{.visible-print-inline-block{display:inline-block!important}}@media print{.hidden-print{display:none!important}} \ No newline at end of file + *//*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css */html{font-family:sans-serif;-webkit-text-size-adjust:100%;-ms-text-size-adjust:100%}body{margin:0}article,aside,details,figcaption,figure,footer,header,hgroup,main,menu,nav,section,summary{display:block}audio,canvas,progress,video{display:inline-block;vertical-align:baseline}audio:not([controls]){display:none;height:0}[hidden],template{display:none}a{background-color:transparent}a:active,a:hover{outline:0}abbr[title]{border-bottom:1px dotted}b,strong{font-weight:700}dfn{font-style:italic}h1{margin:.67em 0;font-size:2em}mark{color:#000;background:#ff0}small{font-size:80%}sub,sup{position:relative;font-size:75%;line-height:0;vertical-align:baseline}sup{top:-.5em}sub{bottom:-.25em}img{border:0}svg:not(:root){overflow:hidden}figure{margin:1em 40px}hr{height:0;-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box}pre{overflow:auto}code,kbd,pre,samp{font-family:monospace,monospace;font-size:1em}button,input,optgroup,select,textarea{margin:0;font:inherit;color:inherit}button{overflow:visible}button,select{text-transform:none}button,html input[type=button],input[type=reset],input[type=submit]{-webkit-appearance:button;cursor:pointer}button[disabled],html input[disabled]{cursor:default}button::-moz-focus-inner,input::-moz-focus-inner{padding:0;border:0}input{line-height:normal}input[type=checkbox],input[type=radio]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;padding:0}input[type=number]::-webkit-inner-spin-button,input[type=number]::-webkit-outer-spin-button{height:auto}input[type=search]{-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;-webkit-appearance:textfield}input[type=search]::-webkit-search-cancel-button,input[type=search]::-webkit-search-decoration{-webkit-appearance:none}fieldset{padding:.35em .625em .75em;margin:0 2px;border:1px solid silver}legend{padding:0;border:0}textarea{overflow:auto}optgroup{font-weight:700}table{border-spacing:0;border-collapse:collapse}td,th{padding:0}/*! Source: https://github.com/h5bp/html5-boilerplate/blob/master/src/css/main.css */@media print{*,:after,:before{color:#000!important;text-shadow:none!important;background:0 0!important;-webkit-box-shadow:none!important;box-shadow:none!important}a,a:visited{text-decoration:underline}a[href]:after{content:" (" attr(href) ")"}abbr[title]:after{content:" (" attr(title) ")"}a[href^="javascript:"]:after,a[href^="#"]:after{content:""}blockquote,pre{border:1px solid #999;page-break-inside:avoid}thead{display:table-header-group}img,tr{page-break-inside:avoid}img{max-width:100%!important}h2,h3,p{orphans:3;widows:3}h2,h3{page-break-after:avoid}.navbar{display:none}.btn>.caret,.dropup>.btn>.caret{border-top-color:#000!important}.label{border:1px solid #000}.table{border-collapse:collapse!important}.table td,.table th{background-color:#fff!important}.table-bordered td,.table-bordered th{border:1px solid #ddd!important}}@font-face{font-family:'Glyphicons Halflings';src:url(../fonts/glyphicons-halflings-regular.eot);src:url(../fonts/glyphicons-halflings-regular.eot?#iefix) format('embedded-opentype'),url(../fonts/glyphicons-halflings-regular.woff2) format('woff2'),url(../fonts/glyphicons-halflings-regular.woff) format('woff'),url(../fonts/glyphicons-halflings-regular.ttf) format('truetype'),url(../fonts/glyphicons-halflings-regular.svg#glyphicons_halflingsregular) format('svg')}.glyphicon{position:relative;top:1px;display:inline-block;font-family:'Glyphicons Halflings';font-style:normal;font-weight:400;line-height:1;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.glyphicon-asterisk:before{content:"\002a"}.glyphicon-plus:before{content:"\002b"}.glyphicon-eur:before,.glyphicon-euro:before{content:"\20ac"}.glyphicon-minus:before{content:"\2212"}.glyphicon-cloud:before{content:"\2601"}.glyphicon-envelope:before{content:"\2709"}.glyphicon-pencil:before{content:"\270f"}.glyphicon-glass:before{content:"\e001"}.glyphicon-music:before{content:"\e002"}.glyphicon-search:before{content:"\e003"}.glyphicon-heart:before{content:"\e005"}.glyphicon-star:before{content:"\e006"}.glyphicon-star-empty:before{content:"\e007"}.glyphicon-user:before{content:"\e008"}.glyphicon-film:before{content:"\e009"}.glyphicon-th-large:before{content:"\e010"}.glyphicon-th:before{content:"\e011"}.glyphicon-th-list:before{content:"\e012"}.glyphicon-ok:before{content:"\e013"}.glyphicon-remove:before{content:"\e014"}.glyphicon-zoom-in:before{content:"\e015"}.glyphicon-zoom-out:before{content:"\e016"}.glyphicon-off:before{content:"\e017"}.glyphicon-signal:before{content:"\e018"}.glyphicon-cog:before{content:"\e019"}.glyphicon-trash:before{content:"\e020"}.glyphicon-home:before{content:"\e021"}.glyphicon-file:before{content:"\e022"}.glyphicon-time:before{content:"\e023"}.glyphicon-road:before{content:"\e024"}.glyphicon-download-alt:before{content:"\e025"}.glyphicon-download:before{content:"\e026"}.glyphicon-upload:before{content:"\e027"}.glyphicon-inbox:before{content:"\e028"}.glyphicon-play-circle:before{content:"\e029"}.glyphicon-repeat:before{content:"\e030"}.glyphicon-refresh:before{content:"\e031"}.glyphicon-list-alt:before{content:"\e032"}.glyphicon-lock:before{content:"\e033"}.glyphicon-flag:before{content:"\e034"}.glyphicon-headphones:before{content:"\e035"}.glyphicon-volume-off:before{content:"\e036"}.glyphicon-volume-down:before{content:"\e037"}.glyphicon-volume-up:before{content:"\e038"}.glyphicon-qrcode:before{content:"\e039"}.glyphicon-barcode:before{content:"\e040"}.glyphicon-tag:before{content:"\e041"}.glyphicon-tags:before{content:"\e042"}.glyphicon-book:before{content:"\e043"}.glyphicon-bookmark:before{content:"\e044"}.glyphicon-print:before{content:"\e045"}.glyphicon-camera:before{content:"\e046"}.glyphicon-font:before{content:"\e047"}.glyphicon-bold:before{content:"\e048"}.glyphicon-italic:before{content:"\e049"}.glyphicon-text-height:before{content:"\e050"}.glyphicon-text-width:before{content:"\e051"}.glyphicon-align-left:before{content:"\e052"}.glyphicon-align-center:before{content:"\e053"}.glyphicon-align-right:before{content:"\e054"}.glyphicon-align-justify:before{content:"\e055"}.glyphicon-list:before{content:"\e056"}.glyphicon-indent-left:before{content:"\e057"}.glyphicon-indent-right:before{content:"\e058"}.glyphicon-facetime-video:before{content:"\e059"}.glyphicon-picture:before{content:"\e060"}.glyphicon-map-marker:before{content:"\e062"}.glyphicon-adjust:before{content:"\e063"}.glyphicon-tint:before{content:"\e064"}.glyphicon-edit:before{content:"\e065"}.glyphicon-share:before{content:"\e066"}.glyphicon-check:before{content:"\e067"}.glyphicon-move:before{content:"\e068"}.glyphicon-step-backward:before{content:"\e069"}.glyphicon-fast-backward:before{content:"\e070"}.glyphicon-backward:before{content:"\e071"}.glyphicon-play:before{content:"\e072"}.glyphicon-pause:before{content:"\e073"}.glyphicon-stop:before{content:"\e074"}.glyphicon-forward:before{content:"\e075"}.glyphicon-fast-forward:before{content:"\e076"}.glyphicon-step-forward:before{content:"\e077"}.glyphicon-eject:before{content:"\e078"}.glyphicon-chevron-left:before{content:"\e079"}.glyphicon-chevron-right:before{content:"\e080"}.glyphicon-plus-sign:before{content:"\e081"}.glyphicon-minus-sign:before{content:"\e082"}.glyphicon-remove-sign:before{content:"\e083"}.glyphicon-ok-sign:before{content:"\e084"}.glyphicon-question-sign:before{content:"\e085"}.glyphicon-info-sign:before{content:"\e086"}.glyphicon-screenshot:before{content:"\e087"}.glyphicon-remove-circle:before{content:"\e088"}.glyphicon-ok-circle:before{content:"\e089"}.glyphicon-ban-circle:before{content:"\e090"}.glyphicon-arrow-left:before{content:"\e091"}.glyphicon-arrow-right:before{content:"\e092"}.glyphicon-arrow-up:before{content:"\e093"}.glyphicon-arrow-down:before{content:"\e094"}.glyphicon-share-alt:before{content:"\e095"}.glyphicon-resize-full:before{content:"\e096"}.glyphicon-resize-small:before{content:"\e097"}.glyphicon-exclamation-sign:before{content:"\e101"}.glyphicon-gift:before{content:"\e102"}.glyphicon-leaf:before{content:"\e103"}.glyphicon-fire:before{content:"\e104"}.glyphicon-eye-open:before{content:"\e105"}.glyphicon-eye-close:before{content:"\e106"}.glyphicon-warning-sign:before{content:"\e107"}.glyphicon-plane:before{content:"\e108"}.glyphicon-calendar:before{content:"\e109"}.glyphicon-random:before{content:"\e110"}.glyphicon-comment:before{content:"\e111"}.glyphicon-magnet:before{content:"\e112"}.glyphicon-chevron-up:before{content:"\e113"}.glyphicon-chevron-down:before{content:"\e114"}.glyphicon-retweet:before{content:"\e115"}.glyphicon-shopping-cart:before{content:"\e116"}.glyphicon-folder-close:before{content:"\e117"}.glyphicon-folder-open:before{content:"\e118"}.glyphicon-resize-vertical:before{content:"\e119"}.glyphicon-resize-horizontal:before{content:"\e120"}.glyphicon-hdd:before{content:"\e121"}.glyphicon-bullhorn:before{content:"\e122"}.glyphicon-bell:before{content:"\e123"}.glyphicon-certificate:before{content:"\e124"}.glyphicon-thumbs-up:before{content:"\e125"}.glyphicon-thumbs-down:before{content:"\e126"}.glyphicon-hand-right:before{content:"\e127"}.glyphicon-hand-left:before{content:"\e128"}.glyphicon-hand-up:before{content:"\e129"}.glyphicon-hand-down:before{content:"\e130"}.glyphicon-circle-arrow-right:before{content:"\e131"}.glyphicon-circle-arrow-left:before{content:"\e132"}.glyphicon-circle-arrow-up:before{content:"\e133"}.glyphicon-circle-arrow-down:before{content:"\e134"}.glyphicon-globe:before{content:"\e135"}.glyphicon-wrench:before{content:"\e136"}.glyphicon-tasks:before{content:"\e137"}.glyphicon-filter:before{content:"\e138"}.glyphicon-briefcase:before{content:"\e139"}.glyphicon-fullscreen:before{content:"\e140"}.glyphicon-dashboard:before{content:"\e141"}.glyphicon-paperclip:before{content:"\e142"}.glyphicon-heart-empty:before{content:"\e143"}.glyphicon-link:before{content:"\e144"}.glyphicon-phone:before{content:"\e145"}.glyphicon-pushpin:before{content:"\e146"}.glyphicon-usd:before{content:"\e148"}.glyphicon-gbp:before{content:"\e149"}.glyphicon-sort:before{content:"\e150"}.glyphicon-sort-by-alphabet:before{content:"\e151"}.glyphicon-sort-by-alphabet-alt:before{content:"\e152"}.glyphicon-sort-by-order:before{content:"\e153"}.glyphicon-sort-by-order-alt:before{content:"\e154"}.glyphicon-sort-by-attributes:before{content:"\e155"}.glyphicon-sort-by-attributes-alt:before{content:"\e156"}.glyphicon-unchecked:before{content:"\e157"}.glyphicon-expand:before{content:"\e158"}.glyphicon-collapse-down:before{content:"\e159"}.glyphicon-collapse-up:before{content:"\e160"}.glyphicon-log-in:before{content:"\e161"}.glyphicon-flash:before{content:"\e162"}.glyphicon-log-out:before{content:"\e163"}.glyphicon-new-window:before{content:"\e164"}.glyphicon-record:before{content:"\e165"}.glyphicon-save:before{content:"\e166"}.glyphicon-open:before{content:"\e167"}.glyphicon-saved:before{content:"\e168"}.glyphicon-import:before{content:"\e169"}.glyphicon-export:before{content:"\e170"}.glyphicon-send:before{content:"\e171"}.glyphicon-floppy-disk:before{content:"\e172"}.glyphicon-floppy-saved:before{content:"\e173"}.glyphicon-floppy-remove:before{content:"\e174"}.glyphicon-floppy-save:before{content:"\e175"}.glyphicon-floppy-open:before{content:"\e176"}.glyphicon-credit-card:before{content:"\e177"}.glyphicon-transfer:before{content:"\e178"}.glyphicon-cutlery:before{content:"\e179"}.glyphicon-header:before{content:"\e180"}.glyphicon-compressed:before{content:"\e181"}.glyphicon-earphone:before{content:"\e182"}.glyphicon-phone-alt:before{content:"\e183"}.glyphicon-tower:before{content:"\e184"}.glyphicon-stats:before{content:"\e185"}.glyphicon-sd-video:before{content:"\e186"}.glyphicon-hd-video:before{content:"\e187"}.glyphicon-subtitles:before{content:"\e188"}.glyphicon-sound-stereo:before{content:"\e189"}.glyphicon-sound-dolby:before{content:"\e190"}.glyphicon-sound-5-1:before{content:"\e191"}.glyphicon-sound-6-1:before{content:"\e192"}.glyphicon-sound-7-1:before{content:"\e193"}.glyphicon-copyright-mark:before{content:"\e194"}.glyphicon-registration-mark:before{content:"\e195"}.glyphicon-cloud-download:before{content:"\e197"}.glyphicon-cloud-upload:before{content:"\e198"}.glyphicon-tree-conifer:before{content:"\e199"}.glyphicon-tree-deciduous:before{content:"\e200"}.glyphicon-cd:before{content:"\e201"}.glyphicon-save-file:before{content:"\e202"}.glyphicon-open-file:before{content:"\e203"}.glyphicon-level-up:before{content:"\e204"}.glyphicon-copy:before{content:"\e205"}.glyphicon-paste:before{content:"\e206"}.glyphicon-alert:before{content:"\e209"}.glyphicon-equalizer:before{content:"\e210"}.glyphicon-king:before{content:"\e211"}.glyphicon-queen:before{content:"\e212"}.glyphicon-pawn:before{content:"\e213"}.glyphicon-bishop:before{content:"\e214"}.glyphicon-knight:before{content:"\e215"}.glyphicon-baby-formula:before{content:"\e216"}.glyphicon-tent:before{content:"\26fa"}.glyphicon-blackboard:before{content:"\e218"}.glyphicon-bed:before{content:"\e219"}.glyphicon-apple:before{content:"\f8ff"}.glyphicon-erase:before{content:"\e221"}.glyphicon-hourglass:before{content:"\231b"}.glyphicon-lamp:before{content:"\e223"}.glyphicon-duplicate:before{content:"\e224"}.glyphicon-piggy-bank:before{content:"\e225"}.glyphicon-scissors:before{content:"\e226"}.glyphicon-bitcoin:before{content:"\e227"}.glyphicon-btc:before{content:"\e227"}.glyphicon-xbt:before{content:"\e227"}.glyphicon-yen:before{content:"\00a5"}.glyphicon-jpy:before{content:"\00a5"}.glyphicon-ruble:before{content:"\20bd"}.glyphicon-rub:before{content:"\20bd"}.glyphicon-scale:before{content:"\e230"}.glyphicon-ice-lolly:before{content:"\e231"}.glyphicon-ice-lolly-tasted:before{content:"\e232"}.glyphicon-education:before{content:"\e233"}.glyphicon-option-horizontal:before{content:"\e234"}.glyphicon-option-vertical:before{content:"\e235"}.glyphicon-menu-hamburger:before{content:"\e236"}.glyphicon-modal-window:before{content:"\e237"}.glyphicon-oil:before{content:"\e238"}.glyphicon-grain:before{content:"\e239"}.glyphicon-sunglasses:before{content:"\e240"}.glyphicon-text-size:before{content:"\e241"}.glyphicon-text-color:before{content:"\e242"}.glyphicon-text-background:before{content:"\e243"}.glyphicon-object-align-top:before{content:"\e244"}.glyphicon-object-align-bottom:before{content:"\e245"}.glyphicon-object-align-horizontal:before{content:"\e246"}.glyphicon-object-align-left:before{content:"\e247"}.glyphicon-object-align-vertical:before{content:"\e248"}.glyphicon-object-align-right:before{content:"\e249"}.glyphicon-triangle-right:before{content:"\e250"}.glyphicon-triangle-left:before{content:"\e251"}.glyphicon-triangle-bottom:before{content:"\e252"}.glyphicon-triangle-top:before{content:"\e253"}.glyphicon-console:before{content:"\e254"}.glyphicon-superscript:before{content:"\e255"}.glyphicon-subscript:before{content:"\e256"}.glyphicon-menu-left:before{content:"\e257"}.glyphicon-menu-right:before{content:"\e258"}.glyphicon-menu-down:before{content:"\e259"}.glyphicon-menu-up:before{content:"\e260"}*{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}:after,:before{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}html{font-size:10px;-webkit-tap-highlight-color:rgba(0,0,0,0)}body{font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:14px;line-height:1.42857143;color:#333;background-color:#fff}button,input,select,textarea{font-family:inherit;font-size:inherit;line-height:inherit}a{color:#337ab7;text-decoration:none}a:focus,a:hover{color:#23527c;text-decoration:underline}a:focus{outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}figure{margin:0}img{vertical-align:middle}.carousel-inner>.item>a>img,.carousel-inner>.item>img,.img-responsive,.thumbnail a>img,.thumbnail>img{display:block;max-width:100%;height:auto}.img-rounded{border-radius:6px}.img-thumbnail{display:inline-block;max-width:100%;height:auto;padding:4px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:all .2s ease-in-out;-o-transition:all .2s ease-in-out;transition:all .2s ease-in-out}.img-circle{border-radius:50%}hr{margin-top:20px;margin-bottom:20px;border:0;border-top:1px solid #eee}.sr-only{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}.sr-only-focusable:active,.sr-only-focusable:focus{position:static;width:auto;height:auto;margin:0;overflow:visible;clip:auto}[role=button]{cursor:pointer}.h1,.h2,.h3,.h4,.h5,.h6,h1,h2,h3,h4,h5,h6{font-family:inherit;font-weight:500;line-height:1.1;color:inherit}.h1 .small,.h1 small,.h2 .small,.h2 small,.h3 .small,.h3 small,.h4 .small,.h4 small,.h5 .small,.h5 small,.h6 .small,.h6 small,h1 .small,h1 small,h2 .small,h2 small,h3 .small,h3 small,h4 .small,h4 small,h5 .small,h5 small,h6 .small,h6 small{font-weight:400;line-height:1;color:#777}.h1,.h2,.h3,h1,h2,h3{margin-top:20px;margin-bottom:10px}.h1 .small,.h1 small,.h2 .small,.h2 small,.h3 .small,.h3 small,h1 .small,h1 small,h2 .small,h2 small,h3 .small,h3 small{font-size:65%}.h4,.h5,.h6,h4,h5,h6{margin-top:10px;margin-bottom:10px}.h4 .small,.h4 small,.h5 .small,.h5 small,.h6 .small,.h6 small,h4 .small,h4 small,h5 .small,h5 small,h6 .small,h6 small{font-size:75%}.h1,h1{font-size:36px}.h2,h2{font-size:30px}.h3,h3{font-size:24px}.h4,h4{font-size:18px}.h5,h5{font-size:14px}.h6,h6{font-size:12px}p{margin:0 0 10px}.lead{margin-bottom:20px;font-size:16px;font-weight:300;line-height:1.4}@media (min-width:768px){.lead{font-size:21px}}.small,small{font-size:85%}.mark,mark{padding:.2em;background-color:#fcf8e3}.text-left{text-align:left}.text-right{text-align:right}.text-center{text-align:center}.text-justify{text-align:justify}.text-nowrap{white-space:nowrap}.text-lowercase{text-transform:lowercase}.text-uppercase{text-transform:uppercase}.text-capitalize{text-transform:capitalize}.text-muted{color:#777}.text-primary{color:#337ab7}a.text-primary:focus,a.text-primary:hover{color:#286090}.text-success{color:#3c763d}a.text-success:focus,a.text-success:hover{color:#2b542c}.text-info{color:#31708f}a.text-info:focus,a.text-info:hover{color:#245269}.text-warning{color:#8a6d3b}a.text-warning:focus,a.text-warning:hover{color:#66512c}.text-danger{color:#a94442}a.text-danger:focus,a.text-danger:hover{color:#843534}.bg-primary{color:#fff;background-color:#337ab7}a.bg-primary:focus,a.bg-primary:hover{background-color:#286090}.bg-success{background-color:#dff0d8}a.bg-success:focus,a.bg-success:hover{background-color:#c1e2b3}.bg-info{background-color:#d9edf7}a.bg-info:focus,a.bg-info:hover{background-color:#afd9ee}.bg-warning{background-color:#fcf8e3}a.bg-warning:focus,a.bg-warning:hover{background-color:#f7ecb5}.bg-danger{background-color:#f2dede}a.bg-danger:focus,a.bg-danger:hover{background-color:#e4b9b9}.page-header{padding-bottom:9px;margin:40px 0 20px;border-bottom:1px solid #eee}ol,ul{margin-top:0;margin-bottom:10px}ol ol,ol ul,ul ol,ul ul{margin-bottom:0}.list-unstyled{padding-left:0;list-style:none}.list-inline{padding-left:0;margin-left:-5px;list-style:none}.list-inline>li{display:inline-block;padding-right:5px;padding-left:5px}dl{margin-top:0;margin-bottom:20px}dd,dt{line-height:1.42857143}dt{font-weight:700}dd{margin-left:0}@media (min-width:768px){.dl-horizontal dt{float:left;width:160px;overflow:hidden;clear:left;text-align:right;text-overflow:ellipsis;white-space:nowrap}.dl-horizontal dd{margin-left:180px}}abbr[data-original-title],abbr[title]{cursor:help;border-bottom:1px dotted #777}.initialism{font-size:90%;text-transform:uppercase}blockquote{padding:10px 20px;margin:0 0 20px;font-size:17.5px;border-left:5px solid #eee}blockquote ol:last-child,blockquote p:last-child,blockquote ul:last-child{margin-bottom:0}blockquote .small,blockquote footer,blockquote small{display:block;font-size:80%;line-height:1.42857143;color:#777}blockquote .small:before,blockquote footer:before,blockquote small:before{content:'\2014 \00A0'}.blockquote-reverse,blockquote.pull-right{padding-right:15px;padding-left:0;text-align:right;border-right:5px solid #eee;border-left:0}.blockquote-reverse .small:before,.blockquote-reverse footer:before,.blockquote-reverse small:before,blockquote.pull-right .small:before,blockquote.pull-right footer:before,blockquote.pull-right small:before{content:''}.blockquote-reverse .small:after,.blockquote-reverse footer:after,.blockquote-reverse small:after,blockquote.pull-right .small:after,blockquote.pull-right footer:after,blockquote.pull-right small:after{content:'\00A0 \2014'}address{margin-bottom:20px;font-style:normal;line-height:1.42857143}code,kbd,pre,samp{font-family:Menlo,Monaco,Consolas,"Courier New",monospace}code{padding:2px 4px;font-size:90%;color:#c7254e;background-color:#f9f2f4;border-radius:4px}kbd{padding:2px 4px;font-size:90%;color:#fff;background-color:#333;border-radius:3px;-webkit-box-shadow:inset 0 -1px 0 rgba(0,0,0,.25);box-shadow:inset 0 -1px 0 rgba(0,0,0,.25)}kbd kbd{padding:0;font-size:100%;font-weight:700;-webkit-box-shadow:none;box-shadow:none}pre{display:block;padding:9.5px;margin:0 0 10px;font-size:13px;line-height:1.42857143;color:#333;word-break:break-all;word-wrap:break-word;background-color:#f5f5f5;border:1px solid #ccc;border-radius:4px}pre code{padding:0;font-size:inherit;color:inherit;white-space:pre-wrap;background-color:transparent;border-radius:0}.pre-scrollable{max-height:340px;overflow-y:scroll}.container{padding-right:15px;padding-left:15px;margin-right:auto;margin-left:auto}@media (min-width:768px){.container{width:750px}}@media (min-width:992px){.container{width:970px}}@media (min-width:1200px){.container{width:1170px}}.container-fluid{padding-right:15px;padding-left:15px;margin-right:auto;margin-left:auto}.row{margin-right:-15px;margin-left:-15px}.col-lg-1,.col-lg-10,.col-lg-11,.col-lg-12,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9,.col-md-1,.col-md-10,.col-md-11,.col-md-12,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9,.col-sm-1,.col-sm-10,.col-sm-11,.col-sm-12,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9,.col-xs-1,.col-xs-10,.col-xs-11,.col-xs-12,.col-xs-2,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7,.col-xs-8,.col-xs-9{position:relative;min-height:1px;padding-right:15px;padding-left:15px}.col-xs-1,.col-xs-10,.col-xs-11,.col-xs-12,.col-xs-2,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7,.col-xs-8,.col-xs-9{float:left}.col-xs-12{width:100%}.col-xs-11{width:91.66666667%}.col-xs-10{width:83.33333333%}.col-xs-9{width:75%}.col-xs-8{width:66.66666667%}.col-xs-7{width:58.33333333%}.col-xs-6{width:50%}.col-xs-5{width:41.66666667%}.col-xs-4{width:33.33333333%}.col-xs-3{width:25%}.col-xs-2{width:16.66666667%}.col-xs-1{width:8.33333333%}.col-xs-pull-12{right:100%}.col-xs-pull-11{right:91.66666667%}.col-xs-pull-10{right:83.33333333%}.col-xs-pull-9{right:75%}.col-xs-pull-8{right:66.66666667%}.col-xs-pull-7{right:58.33333333%}.col-xs-pull-6{right:50%}.col-xs-pull-5{right:41.66666667%}.col-xs-pull-4{right:33.33333333%}.col-xs-pull-3{right:25%}.col-xs-pull-2{right:16.66666667%}.col-xs-pull-1{right:8.33333333%}.col-xs-pull-0{right:auto}.col-xs-push-12{left:100%}.col-xs-push-11{left:91.66666667%}.col-xs-push-10{left:83.33333333%}.col-xs-push-9{left:75%}.col-xs-push-8{left:66.66666667%}.col-xs-push-7{left:58.33333333%}.col-xs-push-6{left:50%}.col-xs-push-5{left:41.66666667%}.col-xs-push-4{left:33.33333333%}.col-xs-push-3{left:25%}.col-xs-push-2{left:16.66666667%}.col-xs-push-1{left:8.33333333%}.col-xs-push-0{left:auto}.col-xs-offset-12{margin-left:100%}.col-xs-offset-11{margin-left:91.66666667%}.col-xs-offset-10{margin-left:83.33333333%}.col-xs-offset-9{margin-left:75%}.col-xs-offset-8{margin-left:66.66666667%}.col-xs-offset-7{margin-left:58.33333333%}.col-xs-offset-6{margin-left:50%}.col-xs-offset-5{margin-left:41.66666667%}.col-xs-offset-4{margin-left:33.33333333%}.col-xs-offset-3{margin-left:25%}.col-xs-offset-2{margin-left:16.66666667%}.col-xs-offset-1{margin-left:8.33333333%}.col-xs-offset-0{margin-left:0}@media (min-width:768px){.col-sm-1,.col-sm-10,.col-sm-11,.col-sm-12,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9{float:left}.col-sm-12{width:100%}.col-sm-11{width:91.66666667%}.col-sm-10{width:83.33333333%}.col-sm-9{width:75%}.col-sm-8{width:66.66666667%}.col-sm-7{width:58.33333333%}.col-sm-6{width:50%}.col-sm-5{width:41.66666667%}.col-sm-4{width:33.33333333%}.col-sm-3{width:25%}.col-sm-2{width:16.66666667%}.col-sm-1{width:8.33333333%}.col-sm-pull-12{right:100%}.col-sm-pull-11{right:91.66666667%}.col-sm-pull-10{right:83.33333333%}.col-sm-pull-9{right:75%}.col-sm-pull-8{right:66.66666667%}.col-sm-pull-7{right:58.33333333%}.col-sm-pull-6{right:50%}.col-sm-pull-5{right:41.66666667%}.col-sm-pull-4{right:33.33333333%}.col-sm-pull-3{right:25%}.col-sm-pull-2{right:16.66666667%}.col-sm-pull-1{right:8.33333333%}.col-sm-pull-0{right:auto}.col-sm-push-12{left:100%}.col-sm-push-11{left:91.66666667%}.col-sm-push-10{left:83.33333333%}.col-sm-push-9{left:75%}.col-sm-push-8{left:66.66666667%}.col-sm-push-7{left:58.33333333%}.col-sm-push-6{left:50%}.col-sm-push-5{left:41.66666667%}.col-sm-push-4{left:33.33333333%}.col-sm-push-3{left:25%}.col-sm-push-2{left:16.66666667%}.col-sm-push-1{left:8.33333333%}.col-sm-push-0{left:auto}.col-sm-offset-12{margin-left:100%}.col-sm-offset-11{margin-left:91.66666667%}.col-sm-offset-10{margin-left:83.33333333%}.col-sm-offset-9{margin-left:75%}.col-sm-offset-8{margin-left:66.66666667%}.col-sm-offset-7{margin-left:58.33333333%}.col-sm-offset-6{margin-left:50%}.col-sm-offset-5{margin-left:41.66666667%}.col-sm-offset-4{margin-left:33.33333333%}.col-sm-offset-3{margin-left:25%}.col-sm-offset-2{margin-left:16.66666667%}.col-sm-offset-1{margin-left:8.33333333%}.col-sm-offset-0{margin-left:0}}@media (min-width:992px){.col-md-1,.col-md-10,.col-md-11,.col-md-12,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9{float:left}.col-md-12{width:100%}.col-md-11{width:91.66666667%}.col-md-10{width:83.33333333%}.col-md-9{width:75%}.col-md-8{width:66.66666667%}.col-md-7{width:58.33333333%}.col-md-6{width:50%}.col-md-5{width:41.66666667%}.col-md-4{width:33.33333333%}.col-md-3{width:25%}.col-md-2{width:16.66666667%}.col-md-1{width:8.33333333%}.col-md-pull-12{right:100%}.col-md-pull-11{right:91.66666667%}.col-md-pull-10{right:83.33333333%}.col-md-pull-9{right:75%}.col-md-pull-8{right:66.66666667%}.col-md-pull-7{right:58.33333333%}.col-md-pull-6{right:50%}.col-md-pull-5{right:41.66666667%}.col-md-pull-4{right:33.33333333%}.col-md-pull-3{right:25%}.col-md-pull-2{right:16.66666667%}.col-md-pull-1{right:8.33333333%}.col-md-pull-0{right:auto}.col-md-push-12{left:100%}.col-md-push-11{left:91.66666667%}.col-md-push-10{left:83.33333333%}.col-md-push-9{left:75%}.col-md-push-8{left:66.66666667%}.col-md-push-7{left:58.33333333%}.col-md-push-6{left:50%}.col-md-push-5{left:41.66666667%}.col-md-push-4{left:33.33333333%}.col-md-push-3{left:25%}.col-md-push-2{left:16.66666667%}.col-md-push-1{left:8.33333333%}.col-md-push-0{left:auto}.col-md-offset-12{margin-left:100%}.col-md-offset-11{margin-left:91.66666667%}.col-md-offset-10{margin-left:83.33333333%}.col-md-offset-9{margin-left:75%}.col-md-offset-8{margin-left:66.66666667%}.col-md-offset-7{margin-left:58.33333333%}.col-md-offset-6{margin-left:50%}.col-md-offset-5{margin-left:41.66666667%}.col-md-offset-4{margin-left:33.33333333%}.col-md-offset-3{margin-left:25%}.col-md-offset-2{margin-left:16.66666667%}.col-md-offset-1{margin-left:8.33333333%}.col-md-offset-0{margin-left:0}}@media (min-width:1200px){.col-lg-1,.col-lg-10,.col-lg-11,.col-lg-12,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9{float:left}.col-lg-12{width:100%}.col-lg-11{width:91.66666667%}.col-lg-10{width:83.33333333%}.col-lg-9{width:75%}.col-lg-8{width:66.66666667%}.col-lg-7{width:58.33333333%}.col-lg-6{width:50%}.col-lg-5{width:41.66666667%}.col-lg-4{width:33.33333333%}.col-lg-3{width:25%}.col-lg-2{width:16.66666667%}.col-lg-1{width:8.33333333%}.col-lg-pull-12{right:100%}.col-lg-pull-11{right:91.66666667%}.col-lg-pull-10{right:83.33333333%}.col-lg-pull-9{right:75%}.col-lg-pull-8{right:66.66666667%}.col-lg-pull-7{right:58.33333333%}.col-lg-pull-6{right:50%}.col-lg-pull-5{right:41.66666667%}.col-lg-pull-4{right:33.33333333%}.col-lg-pull-3{right:25%}.col-lg-pull-2{right:16.66666667%}.col-lg-pull-1{right:8.33333333%}.col-lg-pull-0{right:auto}.col-lg-push-12{left:100%}.col-lg-push-11{left:91.66666667%}.col-lg-push-10{left:83.33333333%}.col-lg-push-9{left:75%}.col-lg-push-8{left:66.66666667%}.col-lg-push-7{left:58.33333333%}.col-lg-push-6{left:50%}.col-lg-push-5{left:41.66666667%}.col-lg-push-4{left:33.33333333%}.col-lg-push-3{left:25%}.col-lg-push-2{left:16.66666667%}.col-lg-push-1{left:8.33333333%}.col-lg-push-0{left:auto}.col-lg-offset-12{margin-left:100%}.col-lg-offset-11{margin-left:91.66666667%}.col-lg-offset-10{margin-left:83.33333333%}.col-lg-offset-9{margin-left:75%}.col-lg-offset-8{margin-left:66.66666667%}.col-lg-offset-7{margin-left:58.33333333%}.col-lg-offset-6{margin-left:50%}.col-lg-offset-5{margin-left:41.66666667%}.col-lg-offset-4{margin-left:33.33333333%}.col-lg-offset-3{margin-left:25%}.col-lg-offset-2{margin-left:16.66666667%}.col-lg-offset-1{margin-left:8.33333333%}.col-lg-offset-0{margin-left:0}}table{background-color:transparent}caption{padding-top:8px;padding-bottom:8px;color:#777;text-align:left}th{text-align:left}.table{width:100%;max-width:100%;margin-bottom:20px}.table>tbody>tr>td,.table>tbody>tr>th,.table>tfoot>tr>td,.table>tfoot>tr>th,.table>thead>tr>td,.table>thead>tr>th{padding:8px;line-height:1.42857143;vertical-align:top;border-top:1px solid #ddd}.table>thead>tr>th{vertical-align:bottom;border-bottom:2px solid #ddd}.table>caption+thead>tr:first-child>td,.table>caption+thead>tr:first-child>th,.table>colgroup+thead>tr:first-child>td,.table>colgroup+thead>tr:first-child>th,.table>thead:first-child>tr:first-child>td,.table>thead:first-child>tr:first-child>th{border-top:0}.table>tbody+tbody{border-top:2px solid #ddd}.table .table{background-color:#fff}.table-condensed>tbody>tr>td,.table-condensed>tbody>tr>th,.table-condensed>tfoot>tr>td,.table-condensed>tfoot>tr>th,.table-condensed>thead>tr>td,.table-condensed>thead>tr>th{padding:5px}.table-bordered{border:1px solid #ddd}.table-bordered>tbody>tr>td,.table-bordered>tbody>tr>th,.table-bordered>tfoot>tr>td,.table-bordered>tfoot>tr>th,.table-bordered>thead>tr>td,.table-bordered>thead>tr>th{border:1px solid #ddd}.table-bordered>thead>tr>td,.table-bordered>thead>tr>th{border-bottom-width:2px}.table-striped>tbody>tr:nth-of-type(odd){background-color:#f9f9f9}.table-hover>tbody>tr:hover{background-color:#f5f5f5}table col[class*=col-]{position:static;display:table-column;float:none}table td[class*=col-],table th[class*=col-]{position:static;display:table-cell;float:none}.table>tbody>tr.active>td,.table>tbody>tr.active>th,.table>tbody>tr>td.active,.table>tbody>tr>th.active,.table>tfoot>tr.active>td,.table>tfoot>tr.active>th,.table>tfoot>tr>td.active,.table>tfoot>tr>th.active,.table>thead>tr.active>td,.table>thead>tr.active>th,.table>thead>tr>td.active,.table>thead>tr>th.active{background-color:#f5f5f5}.table-hover>tbody>tr.active:hover>td,.table-hover>tbody>tr.active:hover>th,.table-hover>tbody>tr:hover>.active,.table-hover>tbody>tr>td.active:hover,.table-hover>tbody>tr>th.active:hover{background-color:#e8e8e8}.table>tbody>tr.success>td,.table>tbody>tr.success>th,.table>tbody>tr>td.success,.table>tbody>tr>th.success,.table>tfoot>tr.success>td,.table>tfoot>tr.success>th,.table>tfoot>tr>td.success,.table>tfoot>tr>th.success,.table>thead>tr.success>td,.table>thead>tr.success>th,.table>thead>tr>td.success,.table>thead>tr>th.success{background-color:#dff0d8}.table-hover>tbody>tr.success:hover>td,.table-hover>tbody>tr.success:hover>th,.table-hover>tbody>tr:hover>.success,.table-hover>tbody>tr>td.success:hover,.table-hover>tbody>tr>th.success:hover{background-color:#d0e9c6}.table>tbody>tr.info>td,.table>tbody>tr.info>th,.table>tbody>tr>td.info,.table>tbody>tr>th.info,.table>tfoot>tr.info>td,.table>tfoot>tr.info>th,.table>tfoot>tr>td.info,.table>tfoot>tr>th.info,.table>thead>tr.info>td,.table>thead>tr.info>th,.table>thead>tr>td.info,.table>thead>tr>th.info{background-color:#d9edf7}.table-hover>tbody>tr.info:hover>td,.table-hover>tbody>tr.info:hover>th,.table-hover>tbody>tr:hover>.info,.table-hover>tbody>tr>td.info:hover,.table-hover>tbody>tr>th.info:hover{background-color:#c4e3f3}.table>tbody>tr.warning>td,.table>tbody>tr.warning>th,.table>tbody>tr>td.warning,.table>tbody>tr>th.warning,.table>tfoot>tr.warning>td,.table>tfoot>tr.warning>th,.table>tfoot>tr>td.warning,.table>tfoot>tr>th.warning,.table>thead>tr.warning>td,.table>thead>tr.warning>th,.table>thead>tr>td.warning,.table>thead>tr>th.warning{background-color:#fcf8e3}.table-hover>tbody>tr.warning:hover>td,.table-hover>tbody>tr.warning:hover>th,.table-hover>tbody>tr:hover>.warning,.table-hover>tbody>tr>td.warning:hover,.table-hover>tbody>tr>th.warning:hover{background-color:#faf2cc}.table>tbody>tr.danger>td,.table>tbody>tr.danger>th,.table>tbody>tr>td.danger,.table>tbody>tr>th.danger,.table>tfoot>tr.danger>td,.table>tfoot>tr.danger>th,.table>tfoot>tr>td.danger,.table>tfoot>tr>th.danger,.table>thead>tr.danger>td,.table>thead>tr.danger>th,.table>thead>tr>td.danger,.table>thead>tr>th.danger{background-color:#f2dede}.table-hover>tbody>tr.danger:hover>td,.table-hover>tbody>tr.danger:hover>th,.table-hover>tbody>tr:hover>.danger,.table-hover>tbody>tr>td.danger:hover,.table-hover>tbody>tr>th.danger:hover{background-color:#ebcccc}.table-responsive{min-height:.01%;overflow-x:auto}@media screen and (max-width:767px){.table-responsive{width:100%;margin-bottom:15px;overflow-y:hidden;-ms-overflow-style:-ms-autohiding-scrollbar;border:1px solid #ddd}.table-responsive>.table{margin-bottom:0}.table-responsive>.table>tbody>tr>td,.table-responsive>.table>tbody>tr>th,.table-responsive>.table>tfoot>tr>td,.table-responsive>.table>tfoot>tr>th,.table-responsive>.table>thead>tr>td,.table-responsive>.table>thead>tr>th{white-space:nowrap}.table-responsive>.table-bordered{border:0}.table-responsive>.table-bordered>tbody>tr>td:first-child,.table-responsive>.table-bordered>tbody>tr>th:first-child,.table-responsive>.table-bordered>tfoot>tr>td:first-child,.table-responsive>.table-bordered>tfoot>tr>th:first-child,.table-responsive>.table-bordered>thead>tr>td:first-child,.table-responsive>.table-bordered>thead>tr>th:first-child{border-left:0}.table-responsive>.table-bordered>tbody>tr>td:last-child,.table-responsive>.table-bordered>tbody>tr>th:last-child,.table-responsive>.table-bordered>tfoot>tr>td:last-child,.table-responsive>.table-bordered>tfoot>tr>th:last-child,.table-responsive>.table-bordered>thead>tr>td:last-child,.table-responsive>.table-bordered>thead>tr>th:last-child{border-right:0}.table-responsive>.table-bordered>tbody>tr:last-child>td,.table-responsive>.table-bordered>tbody>tr:last-child>th,.table-responsive>.table-bordered>tfoot>tr:last-child>td,.table-responsive>.table-bordered>tfoot>tr:last-child>th{border-bottom:0}}fieldset{min-width:0;padding:0;margin:0;border:0}legend{display:block;width:100%;padding:0;margin-bottom:20px;font-size:21px;line-height:inherit;color:#333;border:0;border-bottom:1px solid #e5e5e5}label{display:inline-block;max-width:100%;margin-bottom:5px;font-weight:700}input[type=search]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}input[type=checkbox],input[type=radio]{margin:4px 0 0;margin-top:1px\9;line-height:normal}input[type=file]{display:block}input[type=range]{display:block;width:100%}select[multiple],select[size]{height:auto}input[type=file]:focus,input[type=checkbox]:focus,input[type=radio]:focus{outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}output{display:block;padding-top:7px;font-size:14px;line-height:1.42857143;color:#555}.form-control{display:block;width:100%;height:34px;padding:6px 12px;font-size:14px;line-height:1.42857143;color:#555;background-color:#fff;background-image:none;border:1px solid #ccc;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075);-webkit-transition:border-color ease-in-out .15s,-webkit-box-shadow ease-in-out .15s;-o-transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s}.form-control:focus{border-color:#66afe9;outline:0;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 8px rgba(102,175,233,.6);box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 8px rgba(102,175,233,.6)}.form-control::-moz-placeholder{color:#999;opacity:1}.form-control:-ms-input-placeholder{color:#999}.form-control::-webkit-input-placeholder{color:#999}.form-control::-ms-expand{background-color:transparent;border:0}.form-control[disabled],.form-control[readonly],fieldset[disabled] .form-control{background-color:#eee;opacity:1}.form-control[disabled],fieldset[disabled] .form-control{cursor:not-allowed}textarea.form-control{height:auto}input[type=search]{-webkit-appearance:none}@media screen and (-webkit-min-device-pixel-ratio:0){input[type=date].form-control,input[type=time].form-control,input[type=datetime-local].form-control,input[type=month].form-control{line-height:34px}.input-group-sm input[type=date],.input-group-sm input[type=time],.input-group-sm input[type=datetime-local],.input-group-sm input[type=month],input[type=date].input-sm,input[type=time].input-sm,input[type=datetime-local].input-sm,input[type=month].input-sm{line-height:30px}.input-group-lg input[type=date],.input-group-lg input[type=time],.input-group-lg input[type=datetime-local],.input-group-lg input[type=month],input[type=date].input-lg,input[type=time].input-lg,input[type=datetime-local].input-lg,input[type=month].input-lg{line-height:46px}}.form-group{margin-bottom:15px}.checkbox,.radio{position:relative;display:block;margin-top:10px;margin-bottom:10px}.checkbox label,.radio label{min-height:20px;padding-left:20px;margin-bottom:0;font-weight:400;cursor:pointer}.checkbox input[type=checkbox],.checkbox-inline input[type=checkbox],.radio input[type=radio],.radio-inline input[type=radio]{position:absolute;margin-top:4px\9;margin-left:-20px}.checkbox+.checkbox,.radio+.radio{margin-top:-5px}.checkbox-inline,.radio-inline{position:relative;display:inline-block;padding-left:20px;margin-bottom:0;font-weight:400;vertical-align:middle;cursor:pointer}.checkbox-inline+.checkbox-inline,.radio-inline+.radio-inline{margin-top:0;margin-left:10px}fieldset[disabled] input[type=checkbox],fieldset[disabled] input[type=radio],input[type=checkbox].disabled,input[type=checkbox][disabled],input[type=radio].disabled,input[type=radio][disabled]{cursor:not-allowed}.checkbox-inline.disabled,.radio-inline.disabled,fieldset[disabled] .checkbox-inline,fieldset[disabled] .radio-inline{cursor:not-allowed}.checkbox.disabled label,.radio.disabled label,fieldset[disabled] .checkbox label,fieldset[disabled] .radio label{cursor:not-allowed}.form-control-static{min-height:34px;padding-top:7px;padding-bottom:7px;margin-bottom:0}.form-control-static.input-lg,.form-control-static.input-sm{padding-right:0;padding-left:0}.input-sm{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}select.input-sm{height:30px;line-height:30px}select[multiple].input-sm,textarea.input-sm{height:auto}.form-group-sm .form-control{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}.form-group-sm select.form-control{height:30px;line-height:30px}.form-group-sm select[multiple].form-control,.form-group-sm textarea.form-control{height:auto}.form-group-sm .form-control-static{height:30px;min-height:32px;padding:6px 10px;font-size:12px;line-height:1.5}.input-lg{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}select.input-lg{height:46px;line-height:46px}select[multiple].input-lg,textarea.input-lg{height:auto}.form-group-lg .form-control{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}.form-group-lg select.form-control{height:46px;line-height:46px}.form-group-lg select[multiple].form-control,.form-group-lg textarea.form-control{height:auto}.form-group-lg .form-control-static{height:46px;min-height:38px;padding:11px 16px;font-size:18px;line-height:1.3333333}.has-feedback{position:relative}.has-feedback .form-control{padding-right:42.5px}.form-control-feedback{position:absolute;top:0;right:0;z-index:2;display:block;width:34px;height:34px;line-height:34px;text-align:center;pointer-events:none}.form-group-lg .form-control+.form-control-feedback,.input-group-lg+.form-control-feedback,.input-lg+.form-control-feedback{width:46px;height:46px;line-height:46px}.form-group-sm .form-control+.form-control-feedback,.input-group-sm+.form-control-feedback,.input-sm+.form-control-feedback{width:30px;height:30px;line-height:30px}.has-success .checkbox,.has-success .checkbox-inline,.has-success .control-label,.has-success .help-block,.has-success .radio,.has-success .radio-inline,.has-success.checkbox label,.has-success.checkbox-inline label,.has-success.radio label,.has-success.radio-inline label{color:#3c763d}.has-success .form-control{border-color:#3c763d;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-success .form-control:focus{border-color:#2b542c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #67b168;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #67b168}.has-success .input-group-addon{color:#3c763d;background-color:#dff0d8;border-color:#3c763d}.has-success .form-control-feedback{color:#3c763d}.has-warning .checkbox,.has-warning .checkbox-inline,.has-warning .control-label,.has-warning .help-block,.has-warning .radio,.has-warning .radio-inline,.has-warning.checkbox label,.has-warning.checkbox-inline label,.has-warning.radio label,.has-warning.radio-inline label{color:#8a6d3b}.has-warning .form-control{border-color:#8a6d3b;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-warning .form-control:focus{border-color:#66512c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #c0a16b;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #c0a16b}.has-warning .input-group-addon{color:#8a6d3b;background-color:#fcf8e3;border-color:#8a6d3b}.has-warning .form-control-feedback{color:#8a6d3b}.has-error .checkbox,.has-error .checkbox-inline,.has-error .control-label,.has-error .help-block,.has-error .radio,.has-error .radio-inline,.has-error.checkbox label,.has-error.checkbox-inline label,.has-error.radio label,.has-error.radio-inline label{color:#a94442}.has-error .form-control{border-color:#a94442;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)}.has-error .form-control:focus{border-color:#843534;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #ce8483;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #ce8483}.has-error .input-group-addon{color:#a94442;background-color:#f2dede;border-color:#a94442}.has-error .form-control-feedback{color:#a94442}.has-feedback label~.form-control-feedback{top:25px}.has-feedback label.sr-only~.form-control-feedback{top:0}.help-block{display:block;margin-top:5px;margin-bottom:10px;color:#737373}@media (min-width:768px){.form-inline .form-group{display:inline-block;margin-bottom:0;vertical-align:middle}.form-inline .form-control{display:inline-block;width:auto;vertical-align:middle}.form-inline .form-control-static{display:inline-block}.form-inline .input-group{display:inline-table;vertical-align:middle}.form-inline .input-group .form-control,.form-inline .input-group .input-group-addon,.form-inline .input-group .input-group-btn{width:auto}.form-inline .input-group>.form-control{width:100%}.form-inline .control-label{margin-bottom:0;vertical-align:middle}.form-inline .checkbox,.form-inline .radio{display:inline-block;margin-top:0;margin-bottom:0;vertical-align:middle}.form-inline .checkbox label,.form-inline .radio label{padding-left:0}.form-inline .checkbox input[type=checkbox],.form-inline .radio input[type=radio]{position:relative;margin-left:0}.form-inline .has-feedback .form-control-feedback{top:0}}.form-horizontal .checkbox,.form-horizontal .checkbox-inline,.form-horizontal .radio,.form-horizontal .radio-inline{padding-top:7px;margin-top:0;margin-bottom:0}.form-horizontal .checkbox,.form-horizontal .radio{min-height:27px}.form-horizontal .form-group{margin-right:-15px;margin-left:-15px}@media (min-width:768px){.form-horizontal .control-label{padding-top:7px;margin-bottom:0;text-align:right}}.form-horizontal .has-feedback .form-control-feedback{right:15px}@media (min-width:768px){.form-horizontal .form-group-lg .control-label{padding-top:11px;font-size:18px}}@media (min-width:768px){.form-horizontal .form-group-sm .control-label{padding-top:6px;font-size:12px}}.btn{display:inline-block;padding:6px 12px;margin-bottom:0;font-size:14px;font-weight:400;line-height:1.42857143;text-align:center;white-space:nowrap;vertical-align:middle;-ms-touch-action:manipulation;touch-action:manipulation;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;background-image:none;border:1px solid transparent;border-radius:4px}.btn.active.focus,.btn.active:focus,.btn.focus,.btn:active.focus,.btn:active:focus,.btn:focus{outline:5px auto -webkit-focus-ring-color;outline-offset:-2px}.btn.focus,.btn:focus,.btn:hover{color:#333;text-decoration:none}.btn.active,.btn:active{background-image:none;outline:0;-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)}.btn.disabled,.btn[disabled],fieldset[disabled] .btn{cursor:not-allowed;filter:alpha(opacity=65);-webkit-box-shadow:none;box-shadow:none;opacity:.65}a.btn.disabled,fieldset[disabled] a.btn{pointer-events:none}.btn-default{color:#333;background-color:#fff;border-color:#ccc}.btn-default.focus,.btn-default:focus{color:#333;background-color:#e6e6e6;border-color:#8c8c8c}.btn-default:hover{color:#333;background-color:#e6e6e6;border-color:#adadad}.btn-default.active,.btn-default:active,.open>.dropdown-toggle.btn-default{color:#333;background-color:#e6e6e6;border-color:#adadad}.btn-default.active.focus,.btn-default.active:focus,.btn-default.active:hover,.btn-default:active.focus,.btn-default:active:focus,.btn-default:active:hover,.open>.dropdown-toggle.btn-default.focus,.open>.dropdown-toggle.btn-default:focus,.open>.dropdown-toggle.btn-default:hover{color:#333;background-color:#d4d4d4;border-color:#8c8c8c}.btn-default.active,.btn-default:active,.open>.dropdown-toggle.btn-default{background-image:none}.btn-default.disabled.focus,.btn-default.disabled:focus,.btn-default.disabled:hover,.btn-default[disabled].focus,.btn-default[disabled]:focus,.btn-default[disabled]:hover,fieldset[disabled] .btn-default.focus,fieldset[disabled] .btn-default:focus,fieldset[disabled] .btn-default:hover{background-color:#fff;border-color:#ccc}.btn-default .badge{color:#fff;background-color:#333}.btn-primary{color:#fff;background-color:#337ab7;border-color:#2e6da4}.btn-primary.focus,.btn-primary:focus{color:#fff;background-color:#286090;border-color:#122b40}.btn-primary:hover{color:#fff;background-color:#286090;border-color:#204d74}.btn-primary.active,.btn-primary:active,.open>.dropdown-toggle.btn-primary{color:#fff;background-color:#286090;border-color:#204d74}.btn-primary.active.focus,.btn-primary.active:focus,.btn-primary.active:hover,.btn-primary:active.focus,.btn-primary:active:focus,.btn-primary:active:hover,.open>.dropdown-toggle.btn-primary.focus,.open>.dropdown-toggle.btn-primary:focus,.open>.dropdown-toggle.btn-primary:hover{color:#fff;background-color:#204d74;border-color:#122b40}.btn-primary.active,.btn-primary:active,.open>.dropdown-toggle.btn-primary{background-image:none}.btn-primary.disabled.focus,.btn-primary.disabled:focus,.btn-primary.disabled:hover,.btn-primary[disabled].focus,.btn-primary[disabled]:focus,.btn-primary[disabled]:hover,fieldset[disabled] .btn-primary.focus,fieldset[disabled] .btn-primary:focus,fieldset[disabled] .btn-primary:hover{background-color:#337ab7;border-color:#2e6da4}.btn-primary .badge{color:#337ab7;background-color:#fff}.btn-success{color:#fff;background-color:#5cb85c;border-color:#4cae4c}.btn-success.focus,.btn-success:focus{color:#fff;background-color:#449d44;border-color:#255625}.btn-success:hover{color:#fff;background-color:#449d44;border-color:#398439}.btn-success.active,.btn-success:active,.open>.dropdown-toggle.btn-success{color:#fff;background-color:#449d44;border-color:#398439}.btn-success.active.focus,.btn-success.active:focus,.btn-success.active:hover,.btn-success:active.focus,.btn-success:active:focus,.btn-success:active:hover,.open>.dropdown-toggle.btn-success.focus,.open>.dropdown-toggle.btn-success:focus,.open>.dropdown-toggle.btn-success:hover{color:#fff;background-color:#398439;border-color:#255625}.btn-success.active,.btn-success:active,.open>.dropdown-toggle.btn-success{background-image:none}.btn-success.disabled.focus,.btn-success.disabled:focus,.btn-success.disabled:hover,.btn-success[disabled].focus,.btn-success[disabled]:focus,.btn-success[disabled]:hover,fieldset[disabled] .btn-success.focus,fieldset[disabled] .btn-success:focus,fieldset[disabled] .btn-success:hover{background-color:#5cb85c;border-color:#4cae4c}.btn-success .badge{color:#5cb85c;background-color:#fff}.btn-info{color:#fff;background-color:#5bc0de;border-color:#46b8da}.btn-info.focus,.btn-info:focus{color:#fff;background-color:#31b0d5;border-color:#1b6d85}.btn-info:hover{color:#fff;background-color:#31b0d5;border-color:#269abc}.btn-info.active,.btn-info:active,.open>.dropdown-toggle.btn-info{color:#fff;background-color:#31b0d5;border-color:#269abc}.btn-info.active.focus,.btn-info.active:focus,.btn-info.active:hover,.btn-info:active.focus,.btn-info:active:focus,.btn-info:active:hover,.open>.dropdown-toggle.btn-info.focus,.open>.dropdown-toggle.btn-info:focus,.open>.dropdown-toggle.btn-info:hover{color:#fff;background-color:#269abc;border-color:#1b6d85}.btn-info.active,.btn-info:active,.open>.dropdown-toggle.btn-info{background-image:none}.btn-info.disabled.focus,.btn-info.disabled:focus,.btn-info.disabled:hover,.btn-info[disabled].focus,.btn-info[disabled]:focus,.btn-info[disabled]:hover,fieldset[disabled] .btn-info.focus,fieldset[disabled] .btn-info:focus,fieldset[disabled] .btn-info:hover{background-color:#5bc0de;border-color:#46b8da}.btn-info .badge{color:#5bc0de;background-color:#fff}.btn-warning{color:#fff;background-color:#f0ad4e;border-color:#eea236}.btn-warning.focus,.btn-warning:focus{color:#fff;background-color:#ec971f;border-color:#985f0d}.btn-warning:hover{color:#fff;background-color:#ec971f;border-color:#d58512}.btn-warning.active,.btn-warning:active,.open>.dropdown-toggle.btn-warning{color:#fff;background-color:#ec971f;border-color:#d58512}.btn-warning.active.focus,.btn-warning.active:focus,.btn-warning.active:hover,.btn-warning:active.focus,.btn-warning:active:focus,.btn-warning:active:hover,.open>.dropdown-toggle.btn-warning.focus,.open>.dropdown-toggle.btn-warning:focus,.open>.dropdown-toggle.btn-warning:hover{color:#fff;background-color:#d58512;border-color:#985f0d}.btn-warning.active,.btn-warning:active,.open>.dropdown-toggle.btn-warning{background-image:none}.btn-warning.disabled.focus,.btn-warning.disabled:focus,.btn-warning.disabled:hover,.btn-warning[disabled].focus,.btn-warning[disabled]:focus,.btn-warning[disabled]:hover,fieldset[disabled] .btn-warning.focus,fieldset[disabled] .btn-warning:focus,fieldset[disabled] .btn-warning:hover{background-color:#f0ad4e;border-color:#eea236}.btn-warning .badge{color:#f0ad4e;background-color:#fff}.btn-danger{color:#fff;background-color:#d9534f;border-color:#d43f3a}.btn-danger.focus,.btn-danger:focus{color:#fff;background-color:#c9302c;border-color:#761c19}.btn-danger:hover{color:#fff;background-color:#c9302c;border-color:#ac2925}.btn-danger.active,.btn-danger:active,.open>.dropdown-toggle.btn-danger{color:#fff;background-color:#c9302c;border-color:#ac2925}.btn-danger.active.focus,.btn-danger.active:focus,.btn-danger.active:hover,.btn-danger:active.focus,.btn-danger:active:focus,.btn-danger:active:hover,.open>.dropdown-toggle.btn-danger.focus,.open>.dropdown-toggle.btn-danger:focus,.open>.dropdown-toggle.btn-danger:hover{color:#fff;background-color:#ac2925;border-color:#761c19}.btn-danger.active,.btn-danger:active,.open>.dropdown-toggle.btn-danger{background-image:none}.btn-danger.disabled.focus,.btn-danger.disabled:focus,.btn-danger.disabled:hover,.btn-danger[disabled].focus,.btn-danger[disabled]:focus,.btn-danger[disabled]:hover,fieldset[disabled] .btn-danger.focus,fieldset[disabled] .btn-danger:focus,fieldset[disabled] .btn-danger:hover{background-color:#d9534f;border-color:#d43f3a}.btn-danger .badge{color:#d9534f;background-color:#fff}.btn-link{font-weight:400;color:#337ab7;border-radius:0}.btn-link,.btn-link.active,.btn-link:active,.btn-link[disabled],fieldset[disabled] .btn-link{background-color:transparent;-webkit-box-shadow:none;box-shadow:none}.btn-link,.btn-link:active,.btn-link:focus,.btn-link:hover{border-color:transparent}.btn-link:focus,.btn-link:hover{color:#23527c;text-decoration:underline;background-color:transparent}.btn-link[disabled]:focus,.btn-link[disabled]:hover,fieldset[disabled] .btn-link:focus,fieldset[disabled] .btn-link:hover{color:#777;text-decoration:none}.btn-group-lg>.btn,.btn-lg{padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}.btn-group-sm>.btn,.btn-sm{padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}.btn-group-xs>.btn,.btn-xs{padding:1px 5px;font-size:12px;line-height:1.5;border-radius:3px}.btn-block{display:block;width:100%}.btn-block+.btn-block{margin-top:5px}input[type=button].btn-block,input[type=reset].btn-block,input[type=submit].btn-block{width:100%}.fade{opacity:0;-webkit-transition:opacity .15s linear;-o-transition:opacity .15s linear;transition:opacity .15s linear}.fade.in{opacity:1}.collapse{display:none}.collapse.in{display:block}tr.collapse.in{display:table-row}tbody.collapse.in{display:table-row-group}.collapsing{position:relative;height:0;overflow:hidden;-webkit-transition-timing-function:ease;-o-transition-timing-function:ease;transition-timing-function:ease;-webkit-transition-duration:.35s;-o-transition-duration:.35s;transition-duration:.35s;-webkit-transition-property:height,visibility;-o-transition-property:height,visibility;transition-property:height,visibility}.caret{display:inline-block;width:0;height:0;margin-left:2px;vertical-align:middle;border-top:4px dashed;border-top:4px solid\9;border-right:4px solid transparent;border-left:4px solid transparent}.dropdown,.dropup{position:relative}.dropdown-toggle:focus{outline:0}.dropdown-menu{position:absolute;top:100%;left:0;z-index:1000;display:none;float:left;min-width:160px;padding:5px 0;margin:2px 0 0;font-size:14px;text-align:left;list-style:none;background-color:#fff;-webkit-background-clip:padding-box;background-clip:padding-box;border:1px solid #ccc;border:1px solid rgba(0,0,0,.15);border-radius:4px;-webkit-box-shadow:0 6px 12px rgba(0,0,0,.175);box-shadow:0 6px 12px rgba(0,0,0,.175)}.dropdown-menu.pull-right{right:0;left:auto}.dropdown-menu .divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5}.dropdown-menu>li>a{display:block;padding:3px 20px;clear:both;font-weight:400;line-height:1.42857143;color:#333;white-space:nowrap}.dropdown-menu>li>a:focus,.dropdown-menu>li>a:hover{color:#262626;text-decoration:none;background-color:#f5f5f5}.dropdown-menu>.active>a,.dropdown-menu>.active>a:focus,.dropdown-menu>.active>a:hover{color:#fff;text-decoration:none;background-color:#337ab7;outline:0}.dropdown-menu>.disabled>a,.dropdown-menu>.disabled>a:focus,.dropdown-menu>.disabled>a:hover{color:#777}.dropdown-menu>.disabled>a:focus,.dropdown-menu>.disabled>a:hover{text-decoration:none;cursor:not-allowed;background-color:transparent;background-image:none;filter:progid:DXImageTransform.Microsoft.gradient(enabled=false)}.open>.dropdown-menu{display:block}.open>a{outline:0}.dropdown-menu-right{right:0;left:auto}.dropdown-menu-left{right:auto;left:0}.dropdown-header{display:block;padding:3px 20px;font-size:12px;line-height:1.42857143;color:#777;white-space:nowrap}.dropdown-backdrop{position:fixed;top:0;right:0;bottom:0;left:0;z-index:990}.pull-right>.dropdown-menu{right:0;left:auto}.dropup .caret,.navbar-fixed-bottom .dropdown .caret{content:"";border-top:0;border-bottom:4px dashed;border-bottom:4px solid\9}.dropup .dropdown-menu,.navbar-fixed-bottom .dropdown .dropdown-menu{top:auto;bottom:100%;margin-bottom:2px}@media (min-width:768px){.navbar-right .dropdown-menu{right:0;left:auto}.navbar-right .dropdown-menu-left{right:auto;left:0}}.btn-group,.btn-group-vertical{position:relative;display:inline-block;vertical-align:middle}.btn-group-vertical>.btn,.btn-group>.btn{position:relative;float:left}.btn-group-vertical>.btn.active,.btn-group-vertical>.btn:active,.btn-group-vertical>.btn:focus,.btn-group-vertical>.btn:hover,.btn-group>.btn.active,.btn-group>.btn:active,.btn-group>.btn:focus,.btn-group>.btn:hover{z-index:2}.btn-group .btn+.btn,.btn-group .btn+.btn-group,.btn-group .btn-group+.btn,.btn-group .btn-group+.btn-group{margin-left:-1px}.btn-toolbar{margin-left:-5px}.btn-toolbar .btn,.btn-toolbar .btn-group,.btn-toolbar .input-group{float:left}.btn-toolbar>.btn,.btn-toolbar>.btn-group,.btn-toolbar>.input-group{margin-left:5px}.btn-group>.btn:not(:first-child):not(:last-child):not(.dropdown-toggle){border-radius:0}.btn-group>.btn:first-child{margin-left:0}.btn-group>.btn:first-child:not(:last-child):not(.dropdown-toggle){border-top-right-radius:0;border-bottom-right-radius:0}.btn-group>.btn:last-child:not(:first-child),.btn-group>.dropdown-toggle:not(:first-child){border-top-left-radius:0;border-bottom-left-radius:0}.btn-group>.btn-group{float:left}.btn-group>.btn-group:not(:first-child):not(:last-child)>.btn{border-radius:0}.btn-group>.btn-group:first-child:not(:last-child)>.btn:last-child,.btn-group>.btn-group:first-child:not(:last-child)>.dropdown-toggle{border-top-right-radius:0;border-bottom-right-radius:0}.btn-group>.btn-group:last-child:not(:first-child)>.btn:first-child{border-top-left-radius:0;border-bottom-left-radius:0}.btn-group .dropdown-toggle:active,.btn-group.open .dropdown-toggle{outline:0}.btn-group>.btn+.dropdown-toggle{padding-right:8px;padding-left:8px}.btn-group>.btn-lg+.dropdown-toggle{padding-right:12px;padding-left:12px}.btn-group.open .dropdown-toggle{-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)}.btn-group.open .dropdown-toggle.btn-link{-webkit-box-shadow:none;box-shadow:none}.btn .caret{margin-left:0}.btn-lg .caret{border-width:5px 5px 0;border-bottom-width:0}.dropup .btn-lg .caret{border-width:0 5px 5px}.btn-group-vertical>.btn,.btn-group-vertical>.btn-group,.btn-group-vertical>.btn-group>.btn{display:block;float:none;width:100%;max-width:100%}.btn-group-vertical>.btn-group>.btn{float:none}.btn-group-vertical>.btn+.btn,.btn-group-vertical>.btn+.btn-group,.btn-group-vertical>.btn-group+.btn,.btn-group-vertical>.btn-group+.btn-group{margin-top:-1px;margin-left:0}.btn-group-vertical>.btn:not(:first-child):not(:last-child){border-radius:0}.btn-group-vertical>.btn:first-child:not(:last-child){border-top-left-radius:4px;border-top-right-radius:4px;border-bottom-right-radius:0;border-bottom-left-radius:0}.btn-group-vertical>.btn:last-child:not(:first-child){border-top-left-radius:0;border-top-right-radius:0;border-bottom-right-radius:4px;border-bottom-left-radius:4px}.btn-group-vertical>.btn-group:not(:first-child):not(:last-child)>.btn{border-radius:0}.btn-group-vertical>.btn-group:first-child:not(:last-child)>.btn:last-child,.btn-group-vertical>.btn-group:first-child:not(:last-child)>.dropdown-toggle{border-bottom-right-radius:0;border-bottom-left-radius:0}.btn-group-vertical>.btn-group:last-child:not(:first-child)>.btn:first-child{border-top-left-radius:0;border-top-right-radius:0}.btn-group-justified{display:table;width:100%;table-layout:fixed;border-collapse:separate}.btn-group-justified>.btn,.btn-group-justified>.btn-group{display:table-cell;float:none;width:1%}.btn-group-justified>.btn-group .btn{width:100%}.btn-group-justified>.btn-group .dropdown-menu{left:auto}[data-toggle=buttons]>.btn input[type=checkbox],[data-toggle=buttons]>.btn input[type=radio],[data-toggle=buttons]>.btn-group>.btn input[type=checkbox],[data-toggle=buttons]>.btn-group>.btn input[type=radio]{position:absolute;clip:rect(0,0,0,0);pointer-events:none}.input-group{position:relative;display:table;border-collapse:separate}.input-group[class*=col-]{float:none;padding-right:0;padding-left:0}.input-group .form-control{position:relative;z-index:2;float:left;width:100%;margin-bottom:0}.input-group .form-control:focus{z-index:3}.input-group-lg>.form-control,.input-group-lg>.input-group-addon,.input-group-lg>.input-group-btn>.btn{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px}select.input-group-lg>.form-control,select.input-group-lg>.input-group-addon,select.input-group-lg>.input-group-btn>.btn{height:46px;line-height:46px}select[multiple].input-group-lg>.form-control,select[multiple].input-group-lg>.input-group-addon,select[multiple].input-group-lg>.input-group-btn>.btn,textarea.input-group-lg>.form-control,textarea.input-group-lg>.input-group-addon,textarea.input-group-lg>.input-group-btn>.btn{height:auto}.input-group-sm>.form-control,.input-group-sm>.input-group-addon,.input-group-sm>.input-group-btn>.btn{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px}select.input-group-sm>.form-control,select.input-group-sm>.input-group-addon,select.input-group-sm>.input-group-btn>.btn{height:30px;line-height:30px}select[multiple].input-group-sm>.form-control,select[multiple].input-group-sm>.input-group-addon,select[multiple].input-group-sm>.input-group-btn>.btn,textarea.input-group-sm>.form-control,textarea.input-group-sm>.input-group-addon,textarea.input-group-sm>.input-group-btn>.btn{height:auto}.input-group .form-control,.input-group-addon,.input-group-btn{display:table-cell}.input-group .form-control:not(:first-child):not(:last-child),.input-group-addon:not(:first-child):not(:last-child),.input-group-btn:not(:first-child):not(:last-child){border-radius:0}.input-group-addon,.input-group-btn{width:1%;white-space:nowrap;vertical-align:middle}.input-group-addon{padding:6px 12px;font-size:14px;font-weight:400;line-height:1;color:#555;text-align:center;background-color:#eee;border:1px solid #ccc;border-radius:4px}.input-group-addon.input-sm{padding:5px 10px;font-size:12px;border-radius:3px}.input-group-addon.input-lg{padding:10px 16px;font-size:18px;border-radius:6px}.input-group-addon input[type=checkbox],.input-group-addon input[type=radio]{margin-top:0}.input-group .form-control:first-child,.input-group-addon:first-child,.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group>.btn,.input-group-btn:first-child>.dropdown-toggle,.input-group-btn:last-child>.btn-group:not(:last-child)>.btn,.input-group-btn:last-child>.btn:not(:last-child):not(.dropdown-toggle){border-top-right-radius:0;border-bottom-right-radius:0}.input-group-addon:first-child{border-right:0}.input-group .form-control:last-child,.input-group-addon:last-child,.input-group-btn:first-child>.btn-group:not(:first-child)>.btn,.input-group-btn:first-child>.btn:not(:first-child),.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group>.btn,.input-group-btn:last-child>.dropdown-toggle{border-top-left-radius:0;border-bottom-left-radius:0}.input-group-addon:last-child{border-left:0}.input-group-btn{position:relative;font-size:0;white-space:nowrap}.input-group-btn>.btn{position:relative}.input-group-btn>.btn+.btn{margin-left:-1px}.input-group-btn>.btn:active,.input-group-btn>.btn:focus,.input-group-btn>.btn:hover{z-index:2}.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group{margin-right:-1px}.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group{z-index:2;margin-left:-1px}.nav{padding-left:0;margin-bottom:0;list-style:none}.nav>li{position:relative;display:block}.nav>li>a{position:relative;display:block;padding:10px 15px}.nav>li>a:focus,.nav>li>a:hover{text-decoration:none;background-color:#eee}.nav>li.disabled>a{color:#777}.nav>li.disabled>a:focus,.nav>li.disabled>a:hover{color:#777;text-decoration:none;cursor:not-allowed;background-color:transparent}.nav .open>a,.nav .open>a:focus,.nav .open>a:hover{background-color:#eee;border-color:#337ab7}.nav .nav-divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5}.nav>li>a>img{max-width:none}.nav-tabs{border-bottom:1px solid #ddd}.nav-tabs>li{float:left;margin-bottom:-1px}.nav-tabs>li>a{margin-right:2px;line-height:1.42857143;border:1px solid transparent;border-radius:4px 4px 0 0}.nav-tabs>li>a:hover{border-color:#eee #eee #ddd}.nav-tabs>li.active>a,.nav-tabs>li.active>a:focus,.nav-tabs>li.active>a:hover{color:#555;cursor:default;background-color:#fff;border:1px solid #ddd;border-bottom-color:transparent}.nav-tabs.nav-justified{width:100%;border-bottom:0}.nav-tabs.nav-justified>li{float:none}.nav-tabs.nav-justified>li>a{margin-bottom:5px;text-align:center}.nav-tabs.nav-justified>.dropdown .dropdown-menu{top:auto;left:auto}@media (min-width:768px){.nav-tabs.nav-justified>li{display:table-cell;width:1%}.nav-tabs.nav-justified>li>a{margin-bottom:0}}.nav-tabs.nav-justified>li>a{margin-right:0;border-radius:4px}.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:focus,.nav-tabs.nav-justified>.active>a:hover{border:1px solid #ddd}@media (min-width:768px){.nav-tabs.nav-justified>li>a{border-bottom:1px solid #ddd;border-radius:4px 4px 0 0}.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:focus,.nav-tabs.nav-justified>.active>a:hover{border-bottom-color:#fff}}.nav-pills>li{float:left}.nav-pills>li>a{border-radius:4px}.nav-pills>li+li{margin-left:2px}.nav-pills>li.active>a,.nav-pills>li.active>a:focus,.nav-pills>li.active>a:hover{color:#fff;background-color:#337ab7}.nav-stacked>li{float:none}.nav-stacked>li+li{margin-top:2px;margin-left:0}.nav-justified{width:100%}.nav-justified>li{float:none}.nav-justified>li>a{margin-bottom:5px;text-align:center}.nav-justified>.dropdown .dropdown-menu{top:auto;left:auto}@media (min-width:768px){.nav-justified>li{display:table-cell;width:1%}.nav-justified>li>a{margin-bottom:0}}.nav-tabs-justified{border-bottom:0}.nav-tabs-justified>li>a{margin-right:0;border-radius:4px}.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:focus,.nav-tabs-justified>.active>a:hover{border:1px solid #ddd}@media (min-width:768px){.nav-tabs-justified>li>a{border-bottom:1px solid #ddd;border-radius:4px 4px 0 0}.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:focus,.nav-tabs-justified>.active>a:hover{border-bottom-color:#fff}}.tab-content>.tab-pane{display:none}.tab-content>.active{display:block}.nav-tabs .dropdown-menu{margin-top:-1px;border-top-left-radius:0;border-top-right-radius:0}.navbar{position:relative;min-height:50px;margin-bottom:20px;border:1px solid transparent}@media (min-width:768px){.navbar{border-radius:4px}}@media (min-width:768px){.navbar-header{float:left}}.navbar-collapse{padding-right:15px;padding-left:15px;overflow-x:visible;-webkit-overflow-scrolling:touch;border-top:1px solid transparent;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 0 rgba(255,255,255,.1)}.navbar-collapse.in{overflow-y:auto}@media (min-width:768px){.navbar-collapse{width:auto;border-top:0;-webkit-box-shadow:none;box-shadow:none}.navbar-collapse.collapse{display:block!important;height:auto!important;padding-bottom:0;overflow:visible!important}.navbar-collapse.in{overflow-y:visible}.navbar-fixed-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse,.navbar-static-top .navbar-collapse{padding-right:0;padding-left:0}}.navbar-fixed-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse{max-height:340px}@media (max-device-width:480px) and (orientation:landscape){.navbar-fixed-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse{max-height:200px}}.container-fluid>.navbar-collapse,.container-fluid>.navbar-header,.container>.navbar-collapse,.container>.navbar-header{margin-right:-15px;margin-left:-15px}@media (min-width:768px){.container-fluid>.navbar-collapse,.container-fluid>.navbar-header,.container>.navbar-collapse,.container>.navbar-header{margin-right:0;margin-left:0}}.navbar-static-top{z-index:1000;border-width:0 0 1px}@media (min-width:768px){.navbar-static-top{border-radius:0}}.navbar-fixed-bottom,.navbar-fixed-top{position:fixed;right:0;left:0;z-index:1030}@media (min-width:768px){.navbar-fixed-bottom,.navbar-fixed-top{border-radius:0}}.navbar-fixed-top{top:0;border-width:0 0 1px}.navbar-fixed-bottom{bottom:0;margin-bottom:0;border-width:1px 0 0}.navbar-brand{float:left;height:50px;padding:15px 15px;font-size:18px;line-height:20px}.navbar-brand:focus,.navbar-brand:hover{text-decoration:none}.navbar-brand>img{display:block}@media (min-width:768px){.navbar>.container .navbar-brand,.navbar>.container-fluid .navbar-brand{margin-left:-15px}}.navbar-toggle{position:relative;float:right;padding:9px 10px;margin-top:8px;margin-right:15px;margin-bottom:8px;background-color:transparent;background-image:none;border:1px solid transparent;border-radius:4px}.navbar-toggle:focus{outline:0}.navbar-toggle .icon-bar{display:block;width:22px;height:2px;border-radius:1px}.navbar-toggle .icon-bar+.icon-bar{margin-top:4px}@media (min-width:768px){.navbar-toggle{display:none}}.navbar-nav{margin:7.5px -15px}.navbar-nav>li>a{padding-top:10px;padding-bottom:10px;line-height:20px}@media (max-width:767px){.navbar-nav .open .dropdown-menu{position:static;float:none;width:auto;margin-top:0;background-color:transparent;border:0;-webkit-box-shadow:none;box-shadow:none}.navbar-nav .open .dropdown-menu .dropdown-header,.navbar-nav .open .dropdown-menu>li>a{padding:5px 15px 5px 25px}.navbar-nav .open .dropdown-menu>li>a{line-height:20px}.navbar-nav .open .dropdown-menu>li>a:focus,.navbar-nav .open .dropdown-menu>li>a:hover{background-image:none}}@media (min-width:768px){.navbar-nav{float:left;margin:0}.navbar-nav>li{float:left}.navbar-nav>li>a{padding-top:15px;padding-bottom:15px}}.navbar-form{padding:10px 15px;margin-top:8px;margin-right:-15px;margin-bottom:8px;margin-left:-15px;border-top:1px solid transparent;border-bottom:1px solid transparent;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.1),0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 0 rgba(255,255,255,.1),0 1px 0 rgba(255,255,255,.1)}@media (min-width:768px){.navbar-form .form-group{display:inline-block;margin-bottom:0;vertical-align:middle}.navbar-form .form-control{display:inline-block;width:auto;vertical-align:middle}.navbar-form .form-control-static{display:inline-block}.navbar-form .input-group{display:inline-table;vertical-align:middle}.navbar-form .input-group .form-control,.navbar-form .input-group .input-group-addon,.navbar-form .input-group .input-group-btn{width:auto}.navbar-form .input-group>.form-control{width:100%}.navbar-form .control-label{margin-bottom:0;vertical-align:middle}.navbar-form .checkbox,.navbar-form .radio{display:inline-block;margin-top:0;margin-bottom:0;vertical-align:middle}.navbar-form .checkbox label,.navbar-form .radio label{padding-left:0}.navbar-form .checkbox input[type=checkbox],.navbar-form .radio input[type=radio]{position:relative;margin-left:0}.navbar-form .has-feedback .form-control-feedback{top:0}}@media (max-width:767px){.navbar-form .form-group{margin-bottom:5px}.navbar-form .form-group:last-child{margin-bottom:0}}@media (min-width:768px){.navbar-form{width:auto;padding-top:0;padding-bottom:0;margin-right:0;margin-left:0;border:0;-webkit-box-shadow:none;box-shadow:none}}.navbar-nav>li>.dropdown-menu{margin-top:0;border-top-left-radius:0;border-top-right-radius:0}.navbar-fixed-bottom .navbar-nav>li>.dropdown-menu{margin-bottom:0;border-top-left-radius:4px;border-top-right-radius:4px;border-bottom-right-radius:0;border-bottom-left-radius:0}.navbar-btn{margin-top:8px;margin-bottom:8px}.navbar-btn.btn-sm{margin-top:10px;margin-bottom:10px}.navbar-btn.btn-xs{margin-top:14px;margin-bottom:14px}.navbar-text{margin-top:15px;margin-bottom:15px}@media (min-width:768px){.navbar-text{float:left;margin-right:15px;margin-left:15px}}@media (min-width:768px){.navbar-left{float:left!important}.navbar-right{float:right!important;margin-right:-15px}.navbar-right~.navbar-right{margin-right:0}}.navbar-default{background-color:#f8f8f8;border-color:#e7e7e7}.navbar-default .navbar-brand{color:#777}.navbar-default .navbar-brand:focus,.navbar-default .navbar-brand:hover{color:#5e5e5e;background-color:transparent}.navbar-default .navbar-text{color:#777}.navbar-default .navbar-nav>li>a{color:#777}.navbar-default .navbar-nav>li>a:focus,.navbar-default .navbar-nav>li>a:hover{color:#333;background-color:transparent}.navbar-default .navbar-nav>.active>a,.navbar-default .navbar-nav>.active>a:focus,.navbar-default .navbar-nav>.active>a:hover{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav>.disabled>a,.navbar-default .navbar-nav>.disabled>a:focus,.navbar-default .navbar-nav>.disabled>a:hover{color:#ccc;background-color:transparent}.navbar-default .navbar-toggle{border-color:#ddd}.navbar-default .navbar-toggle:focus,.navbar-default .navbar-toggle:hover{background-color:#ddd}.navbar-default .navbar-toggle .icon-bar{background-color:#888}.navbar-default .navbar-collapse,.navbar-default .navbar-form{border-color:#e7e7e7}.navbar-default .navbar-nav>.open>a,.navbar-default .navbar-nav>.open>a:focus,.navbar-default .navbar-nav>.open>a:hover{color:#555;background-color:#e7e7e7}@media (max-width:767px){.navbar-default .navbar-nav .open .dropdown-menu>li>a{color:#777}.navbar-default .navbar-nav .open .dropdown-menu>li>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>li>a:hover{color:#333;background-color:transparent}.navbar-default .navbar-nav .open .dropdown-menu>.active>a,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:hover{color:#555;background-color:#e7e7e7}.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:hover{color:#ccc;background-color:transparent}}.navbar-default .navbar-link{color:#777}.navbar-default .navbar-link:hover{color:#333}.navbar-default .btn-link{color:#777}.navbar-default .btn-link:focus,.navbar-default .btn-link:hover{color:#333}.navbar-default .btn-link[disabled]:focus,.navbar-default .btn-link[disabled]:hover,fieldset[disabled] .navbar-default .btn-link:focus,fieldset[disabled] .navbar-default .btn-link:hover{color:#ccc}.navbar-inverse{background-color:#222;border-color:#080808}.navbar-inverse .navbar-brand{color:#9d9d9d}.navbar-inverse .navbar-brand:focus,.navbar-inverse .navbar-brand:hover{color:#fff;background-color:transparent}.navbar-inverse .navbar-text{color:#9d9d9d}.navbar-inverse .navbar-nav>li>a{color:#9d9d9d}.navbar-inverse .navbar-nav>li>a:focus,.navbar-inverse .navbar-nav>li>a:hover{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav>.active>a,.navbar-inverse .navbar-nav>.active>a:focus,.navbar-inverse .navbar-nav>.active>a:hover{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav>.disabled>a,.navbar-inverse .navbar-nav>.disabled>a:focus,.navbar-inverse .navbar-nav>.disabled>a:hover{color:#444;background-color:transparent}.navbar-inverse .navbar-toggle{border-color:#333}.navbar-inverse .navbar-toggle:focus,.navbar-inverse .navbar-toggle:hover{background-color:#333}.navbar-inverse .navbar-toggle .icon-bar{background-color:#fff}.navbar-inverse .navbar-collapse,.navbar-inverse .navbar-form{border-color:#101010}.navbar-inverse .navbar-nav>.open>a,.navbar-inverse .navbar-nav>.open>a:focus,.navbar-inverse .navbar-nav>.open>a:hover{color:#fff;background-color:#080808}@media (max-width:767px){.navbar-inverse .navbar-nav .open .dropdown-menu>.dropdown-header{border-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu .divider{background-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu>li>a{color:#9d9d9d}.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:hover{color:#fff;background-color:transparent}.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:hover{color:#fff;background-color:#080808}.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:hover{color:#444;background-color:transparent}}.navbar-inverse .navbar-link{color:#9d9d9d}.navbar-inverse .navbar-link:hover{color:#fff}.navbar-inverse .btn-link{color:#9d9d9d}.navbar-inverse .btn-link:focus,.navbar-inverse .btn-link:hover{color:#fff}.navbar-inverse .btn-link[disabled]:focus,.navbar-inverse .btn-link[disabled]:hover,fieldset[disabled] .navbar-inverse .btn-link:focus,fieldset[disabled] .navbar-inverse .btn-link:hover{color:#444}.breadcrumb{padding:8px 15px;margin-bottom:20px;list-style:none;background-color:#f5f5f5;border-radius:4px}.breadcrumb>li{display:inline-block}.breadcrumb>li+li:before{padding:0 5px;color:#ccc;content:"/\00a0"}.breadcrumb>.active{color:#777}.pagination{display:inline-block;padding-left:0;margin:20px 0;border-radius:4px}.pagination>li{display:inline}.pagination>li>a,.pagination>li>span{position:relative;float:left;padding:6px 12px;margin-left:-1px;line-height:1.42857143;color:#337ab7;text-decoration:none;background-color:#fff;border:1px solid #ddd}.pagination>li:first-child>a,.pagination>li:first-child>span{margin-left:0;border-top-left-radius:4px;border-bottom-left-radius:4px}.pagination>li:last-child>a,.pagination>li:last-child>span{border-top-right-radius:4px;border-bottom-right-radius:4px}.pagination>li>a:focus,.pagination>li>a:hover,.pagination>li>span:focus,.pagination>li>span:hover{z-index:2;color:#23527c;background-color:#eee;border-color:#ddd}.pagination>.active>a,.pagination>.active>a:focus,.pagination>.active>a:hover,.pagination>.active>span,.pagination>.active>span:focus,.pagination>.active>span:hover{z-index:3;color:#fff;cursor:default;background-color:#337ab7;border-color:#337ab7}.pagination>.disabled>a,.pagination>.disabled>a:focus,.pagination>.disabled>a:hover,.pagination>.disabled>span,.pagination>.disabled>span:focus,.pagination>.disabled>span:hover{color:#777;cursor:not-allowed;background-color:#fff;border-color:#ddd}.pagination-lg>li>a,.pagination-lg>li>span{padding:10px 16px;font-size:18px;line-height:1.3333333}.pagination-lg>li:first-child>a,.pagination-lg>li:first-child>span{border-top-left-radius:6px;border-bottom-left-radius:6px}.pagination-lg>li:last-child>a,.pagination-lg>li:last-child>span{border-top-right-radius:6px;border-bottom-right-radius:6px}.pagination-sm>li>a,.pagination-sm>li>span{padding:5px 10px;font-size:12px;line-height:1.5}.pagination-sm>li:first-child>a,.pagination-sm>li:first-child>span{border-top-left-radius:3px;border-bottom-left-radius:3px}.pagination-sm>li:last-child>a,.pagination-sm>li:last-child>span{border-top-right-radius:3px;border-bottom-right-radius:3px}.pager{padding-left:0;margin:20px 0;text-align:center;list-style:none}.pager li{display:inline}.pager li>a,.pager li>span{display:inline-block;padding:5px 14px;background-color:#fff;border:1px solid #ddd;border-radius:15px}.pager li>a:focus,.pager li>a:hover{text-decoration:none;background-color:#eee}.pager .next>a,.pager .next>span{float:right}.pager .previous>a,.pager .previous>span{float:left}.pager .disabled>a,.pager .disabled>a:focus,.pager .disabled>a:hover,.pager .disabled>span{color:#777;cursor:not-allowed;background-color:#fff}.label{display:inline;padding:.2em .6em .3em;font-size:75%;font-weight:700;line-height:1;color:#fff;text-align:center;white-space:nowrap;vertical-align:baseline;border-radius:.25em}a.label:focus,a.label:hover{color:#fff;text-decoration:none;cursor:pointer}.label:empty{display:none}.btn .label{position:relative;top:-1px}.label-default{background-color:#777}.label-default[href]:focus,.label-default[href]:hover{background-color:#5e5e5e}.label-primary{background-color:#337ab7}.label-primary[href]:focus,.label-primary[href]:hover{background-color:#286090}.label-success{background-color:#5cb85c}.label-success[href]:focus,.label-success[href]:hover{background-color:#449d44}.label-info{background-color:#5bc0de}.label-info[href]:focus,.label-info[href]:hover{background-color:#31b0d5}.label-warning{background-color:#f0ad4e}.label-warning[href]:focus,.label-warning[href]:hover{background-color:#ec971f}.label-danger{background-color:#d9534f}.label-danger[href]:focus,.label-danger[href]:hover{background-color:#c9302c}.badge{display:inline-block;min-width:10px;padding:3px 7px;font-size:12px;font-weight:700;line-height:1;color:#fff;text-align:center;white-space:nowrap;vertical-align:middle;background-color:#777;border-radius:10px}.badge:empty{display:none}.btn .badge{position:relative;top:-1px}.btn-group-xs>.btn .badge,.btn-xs .badge{top:0;padding:1px 5px}a.badge:focus,a.badge:hover{color:#fff;text-decoration:none;cursor:pointer}.list-group-item.active>.badge,.nav-pills>.active>a>.badge{color:#337ab7;background-color:#fff}.list-group-item>.badge{float:right}.list-group-item>.badge+.badge{margin-right:5px}.nav-pills>li>a>.badge{margin-left:3px}.jumbotron{padding-top:30px;padding-bottom:30px;margin-bottom:30px;color:inherit;background-color:#eee}.jumbotron .h1,.jumbotron h1{color:inherit}.jumbotron p{margin-bottom:15px;font-size:21px;font-weight:200}.jumbotron>hr{border-top-color:#d5d5d5}.container .jumbotron,.container-fluid .jumbotron{padding-right:15px;padding-left:15px;border-radius:6px}.jumbotron .container{max-width:100%}@media screen and (min-width:768px){.jumbotron{padding-top:48px;padding-bottom:48px}.container .jumbotron,.container-fluid .jumbotron{padding-right:60px;padding-left:60px}.jumbotron .h1,.jumbotron h1{font-size:63px}}.thumbnail{display:block;padding:4px;margin-bottom:20px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:border .2s ease-in-out;-o-transition:border .2s ease-in-out;transition:border .2s ease-in-out}.thumbnail a>img,.thumbnail>img{margin-right:auto;margin-left:auto}a.thumbnail.active,a.thumbnail:focus,a.thumbnail:hover{border-color:#337ab7}.thumbnail .caption{padding:9px;color:#333}.alert{padding:15px;margin-bottom:20px;border:1px solid transparent;border-radius:4px}.alert h4{margin-top:0;color:inherit}.alert .alert-link{font-weight:700}.alert>p,.alert>ul{margin-bottom:0}.alert>p+p{margin-top:5px}.alert-dismissable,.alert-dismissible{padding-right:35px}.alert-dismissable .close,.alert-dismissible .close{position:relative;top:-2px;right:-21px;color:inherit}.alert-success{color:#3c763d;background-color:#dff0d8;border-color:#d6e9c6}.alert-success hr{border-top-color:#c9e2b3}.alert-success .alert-link{color:#2b542c}.alert-info{color:#31708f;background-color:#d9edf7;border-color:#bce8f1}.alert-info hr{border-top-color:#a6e1ec}.alert-info .alert-link{color:#245269}.alert-warning{color:#8a6d3b;background-color:#fcf8e3;border-color:#faebcc}.alert-warning hr{border-top-color:#f7e1b5}.alert-warning .alert-link{color:#66512c}.alert-danger{color:#a94442;background-color:#f2dede;border-color:#ebccd1}.alert-danger hr{border-top-color:#e4b9c0}.alert-danger .alert-link{color:#843534}@-webkit-keyframes progress-bar-stripes{from{background-position:40px 0}to{background-position:0 0}}@-o-keyframes progress-bar-stripes{from{background-position:40px 0}to{background-position:0 0}}@keyframes progress-bar-stripes{from{background-position:40px 0}to{background-position:0 0}}.progress{height:20px;margin-bottom:20px;overflow:hidden;background-color:#f5f5f5;border-radius:4px;-webkit-box-shadow:inset 0 1px 2px rgba(0,0,0,.1);box-shadow:inset 0 1px 2px rgba(0,0,0,.1)}.progress-bar{float:left;width:0;height:100%;font-size:12px;line-height:20px;color:#fff;text-align:center;background-color:#337ab7;-webkit-box-shadow:inset 0 -1px 0 rgba(0,0,0,.15);box-shadow:inset 0 -1px 0 rgba(0,0,0,.15);-webkit-transition:width .6s ease;-o-transition:width .6s ease;transition:width .6s ease}.progress-bar-striped,.progress-striped .progress-bar{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);-webkit-background-size:40px 40px;background-size:40px 40px}.progress-bar.active,.progress.active .progress-bar{-webkit-animation:progress-bar-stripes 2s linear infinite;-o-animation:progress-bar-stripes 2s linear infinite;animation:progress-bar-stripes 2s linear infinite}.progress-bar-success{background-color:#5cb85c}.progress-striped .progress-bar-success{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-info{background-color:#5bc0de}.progress-striped .progress-bar-info{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-warning{background-color:#f0ad4e}.progress-striped .progress-bar-warning{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.progress-bar-danger{background-color:#d9534f}.progress-striped .progress-bar-danger{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.media{margin-top:15px}.media:first-child{margin-top:0}.media,.media-body{overflow:hidden;zoom:1}.media-body{width:10000px}.media-object{display:block}.media-object.img-thumbnail{max-width:none}.media-right,.media>.pull-right{padding-left:10px}.media-left,.media>.pull-left{padding-right:10px}.media-body,.media-left,.media-right{display:table-cell;vertical-align:top}.media-middle{vertical-align:middle}.media-bottom{vertical-align:bottom}.media-heading{margin-top:0;margin-bottom:5px}.media-list{padding-left:0;list-style:none}.list-group{padding-left:0;margin-bottom:20px}.list-group-item{position:relative;display:block;padding:10px 15px;margin-bottom:-1px;background-color:#fff;border:1px solid #ddd}.list-group-item:first-child{border-top-left-radius:4px;border-top-right-radius:4px}.list-group-item:last-child{margin-bottom:0;border-bottom-right-radius:4px;border-bottom-left-radius:4px}a.list-group-item,button.list-group-item{color:#555}a.list-group-item .list-group-item-heading,button.list-group-item .list-group-item-heading{color:#333}a.list-group-item:focus,a.list-group-item:hover,button.list-group-item:focus,button.list-group-item:hover{color:#555;text-decoration:none;background-color:#f5f5f5}button.list-group-item{width:100%;text-align:left}.list-group-item.disabled,.list-group-item.disabled:focus,.list-group-item.disabled:hover{color:#777;cursor:not-allowed;background-color:#eee}.list-group-item.disabled .list-group-item-heading,.list-group-item.disabled:focus .list-group-item-heading,.list-group-item.disabled:hover .list-group-item-heading{color:inherit}.list-group-item.disabled .list-group-item-text,.list-group-item.disabled:focus .list-group-item-text,.list-group-item.disabled:hover .list-group-item-text{color:#777}.list-group-item.active,.list-group-item.active:focus,.list-group-item.active:hover{z-index:2;color:#fff;background-color:#337ab7;border-color:#337ab7}.list-group-item.active .list-group-item-heading,.list-group-item.active .list-group-item-heading>.small,.list-group-item.active .list-group-item-heading>small,.list-group-item.active:focus .list-group-item-heading,.list-group-item.active:focus .list-group-item-heading>.small,.list-group-item.active:focus .list-group-item-heading>small,.list-group-item.active:hover .list-group-item-heading,.list-group-item.active:hover .list-group-item-heading>.small,.list-group-item.active:hover .list-group-item-heading>small{color:inherit}.list-group-item.active .list-group-item-text,.list-group-item.active:focus .list-group-item-text,.list-group-item.active:hover .list-group-item-text{color:#c7ddef}.list-group-item-success{color:#3c763d;background-color:#dff0d8}a.list-group-item-success,button.list-group-item-success{color:#3c763d}a.list-group-item-success .list-group-item-heading,button.list-group-item-success .list-group-item-heading{color:inherit}a.list-group-item-success:focus,a.list-group-item-success:hover,button.list-group-item-success:focus,button.list-group-item-success:hover{color:#3c763d;background-color:#d0e9c6}a.list-group-item-success.active,a.list-group-item-success.active:focus,a.list-group-item-success.active:hover,button.list-group-item-success.active,button.list-group-item-success.active:focus,button.list-group-item-success.active:hover{color:#fff;background-color:#3c763d;border-color:#3c763d}.list-group-item-info{color:#31708f;background-color:#d9edf7}a.list-group-item-info,button.list-group-item-info{color:#31708f}a.list-group-item-info .list-group-item-heading,button.list-group-item-info .list-group-item-heading{color:inherit}a.list-group-item-info:focus,a.list-group-item-info:hover,button.list-group-item-info:focus,button.list-group-item-info:hover{color:#31708f;background-color:#c4e3f3}a.list-group-item-info.active,a.list-group-item-info.active:focus,a.list-group-item-info.active:hover,button.list-group-item-info.active,button.list-group-item-info.active:focus,button.list-group-item-info.active:hover{color:#fff;background-color:#31708f;border-color:#31708f}.list-group-item-warning{color:#8a6d3b;background-color:#fcf8e3}a.list-group-item-warning,button.list-group-item-warning{color:#8a6d3b}a.list-group-item-warning .list-group-item-heading,button.list-group-item-warning .list-group-item-heading{color:inherit}a.list-group-item-warning:focus,a.list-group-item-warning:hover,button.list-group-item-warning:focus,button.list-group-item-warning:hover{color:#8a6d3b;background-color:#faf2cc}a.list-group-item-warning.active,a.list-group-item-warning.active:focus,a.list-group-item-warning.active:hover,button.list-group-item-warning.active,button.list-group-item-warning.active:focus,button.list-group-item-warning.active:hover{color:#fff;background-color:#8a6d3b;border-color:#8a6d3b}.list-group-item-danger{color:#a94442;background-color:#f2dede}a.list-group-item-danger,button.list-group-item-danger{color:#a94442}a.list-group-item-danger .list-group-item-heading,button.list-group-item-danger .list-group-item-heading{color:inherit}a.list-group-item-danger:focus,a.list-group-item-danger:hover,button.list-group-item-danger:focus,button.list-group-item-danger:hover{color:#a94442;background-color:#ebcccc}a.list-group-item-danger.active,a.list-group-item-danger.active:focus,a.list-group-item-danger.active:hover,button.list-group-item-danger.active,button.list-group-item-danger.active:focus,button.list-group-item-danger.active:hover{color:#fff;background-color:#a94442;border-color:#a94442}.list-group-item-heading{margin-top:0;margin-bottom:5px}.list-group-item-text{margin-bottom:0;line-height:1.3}.panel{margin-bottom:20px;background-color:#fff;border:1px solid transparent;border-radius:4px;-webkit-box-shadow:0 1px 1px rgba(0,0,0,.05);box-shadow:0 1px 1px rgba(0,0,0,.05)}.panel-body{padding:15px}.panel-heading{padding:10px 15px;border-bottom:1px solid transparent;border-top-left-radius:3px;border-top-right-radius:3px}.panel-heading>.dropdown .dropdown-toggle{color:inherit}.panel-title{margin-top:0;margin-bottom:0;font-size:16px;color:inherit}.panel-title>.small,.panel-title>.small>a,.panel-title>a,.panel-title>small,.panel-title>small>a{color:inherit}.panel-footer{padding:10px 15px;background-color:#f5f5f5;border-top:1px solid #ddd;border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.list-group,.panel>.panel-collapse>.list-group{margin-bottom:0}.panel>.list-group .list-group-item,.panel>.panel-collapse>.list-group .list-group-item{border-width:1px 0;border-radius:0}.panel>.list-group:first-child .list-group-item:first-child,.panel>.panel-collapse>.list-group:first-child .list-group-item:first-child{border-top:0;border-top-left-radius:3px;border-top-right-radius:3px}.panel>.list-group:last-child .list-group-item:last-child,.panel>.panel-collapse>.list-group:last-child .list-group-item:last-child{border-bottom:0;border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.panel-heading+.panel-collapse>.list-group .list-group-item:first-child{border-top-left-radius:0;border-top-right-radius:0}.panel-heading+.list-group .list-group-item:first-child{border-top-width:0}.list-group+.panel-footer{border-top-width:0}.panel>.panel-collapse>.table,.panel>.table,.panel>.table-responsive>.table{margin-bottom:0}.panel>.panel-collapse>.table caption,.panel>.table caption,.panel>.table-responsive>.table caption{padding-right:15px;padding-left:15px}.panel>.table-responsive:first-child>.table:first-child,.panel>.table:first-child{border-top-left-radius:3px;border-top-right-radius:3px}.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child,.panel>.table:first-child>thead:first-child>tr:first-child{border-top-left-radius:3px;border-top-right-radius:3px}.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:first-child,.panel>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table:first-child>thead:first-child>tr:first-child th:first-child{border-top-left-radius:3px}.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:last-child,.panel>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table:first-child>thead:first-child>tr:first-child th:last-child{border-top-right-radius:3px}.panel>.table-responsive:last-child>.table:last-child,.panel>.table:last-child{border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child{border-bottom-right-radius:3px;border-bottom-left-radius:3px}.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:first-child,.panel>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:first-child{border-bottom-left-radius:3px}.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:last-child{border-bottom-right-radius:3px}.panel>.panel-body+.table,.panel>.panel-body+.table-responsive,.panel>.table+.panel-body,.panel>.table-responsive+.panel-body{border-top:1px solid #ddd}.panel>.table>tbody:first-child>tr:first-child td,.panel>.table>tbody:first-child>tr:first-child th{border-top:0}.panel>.table-bordered,.panel>.table-responsive>.table-bordered{border:0}.panel>.table-bordered>tbody>tr>td:first-child,.panel>.table-bordered>tbody>tr>th:first-child,.panel>.table-bordered>tfoot>tr>td:first-child,.panel>.table-bordered>tfoot>tr>th:first-child,.panel>.table-bordered>thead>tr>td:first-child,.panel>.table-bordered>thead>tr>th:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:first-child,.panel>.table-responsive>.table-bordered>thead>tr>td:first-child,.panel>.table-responsive>.table-bordered>thead>tr>th:first-child{border-left:0}.panel>.table-bordered>tbody>tr>td:last-child,.panel>.table-bordered>tbody>tr>th:last-child,.panel>.table-bordered>tfoot>tr>td:last-child,.panel>.table-bordered>tfoot>tr>th:last-child,.panel>.table-bordered>thead>tr>td:last-child,.panel>.table-bordered>thead>tr>th:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:last-child,.panel>.table-responsive>.table-bordered>thead>tr>td:last-child,.panel>.table-responsive>.table-bordered>thead>tr>th:last-child{border-right:0}.panel>.table-bordered>tbody>tr:first-child>td,.panel>.table-bordered>tbody>tr:first-child>th,.panel>.table-bordered>thead>tr:first-child>td,.panel>.table-bordered>thead>tr:first-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>th,.panel>.table-responsive>.table-bordered>thead>tr:first-child>td,.panel>.table-responsive>.table-bordered>thead>tr:first-child>th{border-bottom:0}.panel>.table-bordered>tbody>tr:last-child>td,.panel>.table-bordered>tbody>tr:last-child>th,.panel>.table-bordered>tfoot>tr:last-child>td,.panel>.table-bordered>tfoot>tr:last-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>th,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>td,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>th{border-bottom:0}.panel>.table-responsive{margin-bottom:0;border:0}.panel-group{margin-bottom:20px}.panel-group .panel{margin-bottom:0;border-radius:4px}.panel-group .panel+.panel{margin-top:5px}.panel-group .panel-heading{border-bottom:0}.panel-group .panel-heading+.panel-collapse>.list-group,.panel-group .panel-heading+.panel-collapse>.panel-body{border-top:1px solid #ddd}.panel-group .panel-footer{border-top:0}.panel-group .panel-footer+.panel-collapse .panel-body{border-bottom:1px solid #ddd}.panel-default{border-color:#ddd}.panel-default>.panel-heading{color:#333;background-color:#f5f5f5;border-color:#ddd}.panel-default>.panel-heading+.panel-collapse>.panel-body{border-top-color:#ddd}.panel-default>.panel-heading .badge{color:#f5f5f5;background-color:#333}.panel-default>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#ddd}.panel-primary{border-color:#337ab7}.panel-primary>.panel-heading{color:#fff;background-color:#337ab7;border-color:#337ab7}.panel-primary>.panel-heading+.panel-collapse>.panel-body{border-top-color:#337ab7}.panel-primary>.panel-heading .badge{color:#337ab7;background-color:#fff}.panel-primary>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#337ab7}.panel-success{border-color:#d6e9c6}.panel-success>.panel-heading{color:#3c763d;background-color:#dff0d8;border-color:#d6e9c6}.panel-success>.panel-heading+.panel-collapse>.panel-body{border-top-color:#d6e9c6}.panel-success>.panel-heading .badge{color:#dff0d8;background-color:#3c763d}.panel-success>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#d6e9c6}.panel-info{border-color:#bce8f1}.panel-info>.panel-heading{color:#31708f;background-color:#d9edf7;border-color:#bce8f1}.panel-info>.panel-heading+.panel-collapse>.panel-body{border-top-color:#bce8f1}.panel-info>.panel-heading .badge{color:#d9edf7;background-color:#31708f}.panel-info>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#bce8f1}.panel-warning{border-color:#faebcc}.panel-warning>.panel-heading{color:#8a6d3b;background-color:#fcf8e3;border-color:#faebcc}.panel-warning>.panel-heading+.panel-collapse>.panel-body{border-top-color:#faebcc}.panel-warning>.panel-heading .badge{color:#fcf8e3;background-color:#8a6d3b}.panel-warning>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#faebcc}.panel-danger{border-color:#ebccd1}.panel-danger>.panel-heading{color:#a94442;background-color:#f2dede;border-color:#ebccd1}.panel-danger>.panel-heading+.panel-collapse>.panel-body{border-top-color:#ebccd1}.panel-danger>.panel-heading .badge{color:#f2dede;background-color:#a94442}.panel-danger>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#ebccd1}.embed-responsive{position:relative;display:block;height:0;padding:0;overflow:hidden}.embed-responsive .embed-responsive-item,.embed-responsive embed,.embed-responsive iframe,.embed-responsive object,.embed-responsive video{position:absolute;top:0;bottom:0;left:0;width:100%;height:100%;border:0}.embed-responsive-16by9{padding-bottom:56.25%}.embed-responsive-4by3{padding-bottom:75%}.well{min-height:20px;padding:19px;margin-bottom:20px;background-color:#f5f5f5;border:1px solid #e3e3e3;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.05);box-shadow:inset 0 1px 1px rgba(0,0,0,.05)}.well blockquote{border-color:#ddd;border-color:rgba(0,0,0,.15)}.well-lg{padding:24px;border-radius:6px}.well-sm{padding:9px;border-radius:3px}.close{float:right;font-size:21px;font-weight:700;line-height:1;color:#000;text-shadow:0 1px 0 #fff;filter:alpha(opacity=20);opacity:.2}.close:focus,.close:hover{color:#000;text-decoration:none;cursor:pointer;filter:alpha(opacity=50);opacity:.5}button.close{-webkit-appearance:none;padding:0;cursor:pointer;background:0 0;border:0}.modal-open{overflow:hidden}.modal{position:fixed;top:0;right:0;bottom:0;left:0;z-index:1050;display:none;overflow:hidden;-webkit-overflow-scrolling:touch;outline:0}.modal.fade .modal-dialog{-webkit-transition:-webkit-transform .3s ease-out;-o-transition:-o-transform .3s ease-out;transition:transform .3s ease-out;-webkit-transform:translate(0,-25%);-ms-transform:translate(0,-25%);-o-transform:translate(0,-25%);transform:translate(0,-25%)}.modal.in .modal-dialog{-webkit-transform:translate(0,0);-ms-transform:translate(0,0);-o-transform:translate(0,0);transform:translate(0,0)}.modal-open .modal{overflow-x:hidden;overflow-y:auto}.modal-dialog{position:relative;width:auto;margin:10px}.modal-content{position:relative;background-color:#fff;-webkit-background-clip:padding-box;background-clip:padding-box;border:1px solid #999;border:1px solid rgba(0,0,0,.2);border-radius:6px;outline:0;-webkit-box-shadow:0 3px 9px rgba(0,0,0,.5);box-shadow:0 3px 9px rgba(0,0,0,.5)}.modal-backdrop{position:fixed;top:0;right:0;bottom:0;left:0;z-index:1040;background-color:#000}.modal-backdrop.fade{filter:alpha(opacity=0);opacity:0}.modal-backdrop.in{filter:alpha(opacity=50);opacity:.5}.modal-header{padding:15px;border-bottom:1px solid #e5e5e5}.modal-header .close{margin-top:-2px}.modal-title{margin:0;line-height:1.42857143}.modal-body{position:relative;padding:15px}.modal-footer{padding:15px;text-align:right;border-top:1px solid #e5e5e5}.modal-footer .btn+.btn{margin-bottom:0;margin-left:5px}.modal-footer .btn-group .btn+.btn{margin-left:-1px}.modal-footer .btn-block+.btn-block{margin-left:0}.modal-scrollbar-measure{position:absolute;top:-9999px;width:50px;height:50px;overflow:scroll}@media (min-width:768px){.modal-dialog{width:600px;margin:30px auto}.modal-content{-webkit-box-shadow:0 5px 15px rgba(0,0,0,.5);box-shadow:0 5px 15px rgba(0,0,0,.5)}.modal-sm{width:300px}}@media (min-width:992px){.modal-lg{width:900px}}.tooltip{position:absolute;z-index:1070;display:block;font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:12px;font-style:normal;font-weight:400;line-height:1.42857143;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;letter-spacing:normal;word-break:normal;word-spacing:normal;word-wrap:normal;white-space:normal;filter:alpha(opacity=0);opacity:0;line-break:auto}.tooltip.in{filter:alpha(opacity=90);opacity:.9}.tooltip.top{padding:5px 0;margin-top:-3px}.tooltip.right{padding:0 5px;margin-left:3px}.tooltip.bottom{padding:5px 0;margin-top:3px}.tooltip.left{padding:0 5px;margin-left:-3px}.tooltip-inner{max-width:200px;padding:3px 8px;color:#fff;text-align:center;background-color:#000;border-radius:4px}.tooltip-arrow{position:absolute;width:0;height:0;border-color:transparent;border-style:solid}.tooltip.top .tooltip-arrow{bottom:0;left:50%;margin-left:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.top-left .tooltip-arrow{right:5px;bottom:0;margin-bottom:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.top-right .tooltip-arrow{bottom:0;left:5px;margin-bottom:-5px;border-width:5px 5px 0;border-top-color:#000}.tooltip.right .tooltip-arrow{top:50%;left:0;margin-top:-5px;border-width:5px 5px 5px 0;border-right-color:#000}.tooltip.left .tooltip-arrow{top:50%;right:0;margin-top:-5px;border-width:5px 0 5px 5px;border-left-color:#000}.tooltip.bottom .tooltip-arrow{top:0;left:50%;margin-left:-5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip.bottom-left .tooltip-arrow{top:0;right:5px;margin-top:-5px;border-width:0 5px 5px;border-bottom-color:#000}.tooltip.bottom-right .tooltip-arrow{top:0;left:5px;margin-top:-5px;border-width:0 5px 5px;border-bottom-color:#000}.popover{position:absolute;top:0;left:0;z-index:1060;display:none;max-width:276px;padding:1px;font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:14px;font-style:normal;font-weight:400;line-height:1.42857143;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;letter-spacing:normal;word-break:normal;word-spacing:normal;word-wrap:normal;white-space:normal;background-color:#fff;-webkit-background-clip:padding-box;background-clip:padding-box;border:1px solid #ccc;border:1px solid rgba(0,0,0,.2);border-radius:6px;-webkit-box-shadow:0 5px 10px rgba(0,0,0,.2);box-shadow:0 5px 10px rgba(0,0,0,.2);line-break:auto}.popover.top{margin-top:-10px}.popover.right{margin-left:10px}.popover.bottom{margin-top:10px}.popover.left{margin-left:-10px}.popover-title{padding:8px 14px;margin:0;font-size:14px;background-color:#f7f7f7;border-bottom:1px solid #ebebeb;border-radius:5px 5px 0 0}.popover-content{padding:9px 14px}.popover>.arrow,.popover>.arrow:after{position:absolute;display:block;width:0;height:0;border-color:transparent;border-style:solid}.popover>.arrow{border-width:11px}.popover>.arrow:after{content:"";border-width:10px}.popover.top>.arrow{bottom:-11px;left:50%;margin-left:-11px;border-top-color:#999;border-top-color:rgba(0,0,0,.25);border-bottom-width:0}.popover.top>.arrow:after{bottom:1px;margin-left:-10px;content:" ";border-top-color:#fff;border-bottom-width:0}.popover.right>.arrow{top:50%;left:-11px;margin-top:-11px;border-right-color:#999;border-right-color:rgba(0,0,0,.25);border-left-width:0}.popover.right>.arrow:after{bottom:-10px;left:1px;content:" ";border-right-color:#fff;border-left-width:0}.popover.bottom>.arrow{top:-11px;left:50%;margin-left:-11px;border-top-width:0;border-bottom-color:#999;border-bottom-color:rgba(0,0,0,.25)}.popover.bottom>.arrow:after{top:1px;margin-left:-10px;content:" ";border-top-width:0;border-bottom-color:#fff}.popover.left>.arrow{top:50%;right:-11px;margin-top:-11px;border-right-width:0;border-left-color:#999;border-left-color:rgba(0,0,0,.25)}.popover.left>.arrow:after{right:1px;bottom:-10px;content:" ";border-right-width:0;border-left-color:#fff}.carousel{position:relative}.carousel-inner{position:relative;width:100%;overflow:hidden}.carousel-inner>.item{position:relative;display:none;-webkit-transition:.6s ease-in-out left;-o-transition:.6s ease-in-out left;transition:.6s ease-in-out left}.carousel-inner>.item>a>img,.carousel-inner>.item>img{line-height:1}@media all and (transform-3d),(-webkit-transform-3d){.carousel-inner>.item{-webkit-transition:-webkit-transform .6s ease-in-out;-o-transition:-o-transform .6s ease-in-out;transition:transform .6s ease-in-out;-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-perspective:1000px;perspective:1000px}.carousel-inner>.item.active.right,.carousel-inner>.item.next{left:0;-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)}.carousel-inner>.item.active.left,.carousel-inner>.item.prev{left:0;-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)}.carousel-inner>.item.active,.carousel-inner>.item.next.left,.carousel-inner>.item.prev.right{left:0;-webkit-transform:translate3d(0,0,0);transform:translate3d(0,0,0)}}.carousel-inner>.active,.carousel-inner>.next,.carousel-inner>.prev{display:block}.carousel-inner>.active{left:0}.carousel-inner>.next,.carousel-inner>.prev{position:absolute;top:0;width:100%}.carousel-inner>.next{left:100%}.carousel-inner>.prev{left:-100%}.carousel-inner>.next.left,.carousel-inner>.prev.right{left:0}.carousel-inner>.active.left{left:-100%}.carousel-inner>.active.right{left:100%}.carousel-control{position:absolute;top:0;bottom:0;left:0;width:15%;font-size:20px;color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6);background-color:rgba(0,0,0,0);filter:alpha(opacity=50);opacity:.5}.carousel-control.left{background-image:-webkit-linear-gradient(left,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);background-image:-o-linear-gradient(left,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);background-image:-webkit-gradient(linear,left top,right top,from(rgba(0,0,0,.5)),to(rgba(0,0,0,.0001)));background-image:linear-gradient(to right,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#80000000', endColorstr='#00000000', GradientType=1);background-repeat:repeat-x}.carousel-control.right{right:0;left:auto;background-image:-webkit-linear-gradient(left,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);background-image:-o-linear-gradient(left,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);background-image:-webkit-gradient(linear,left top,right top,from(rgba(0,0,0,.0001)),to(rgba(0,0,0,.5)));background-image:linear-gradient(to right,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#80000000', GradientType=1);background-repeat:repeat-x}.carousel-control:focus,.carousel-control:hover{color:#fff;text-decoration:none;filter:alpha(opacity=90);outline:0;opacity:.9}.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next,.carousel-control .icon-prev{position:absolute;top:50%;z-index:5;display:inline-block;margin-top:-10px}.carousel-control .glyphicon-chevron-left,.carousel-control .icon-prev{left:50%;margin-left:-10px}.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next{right:50%;margin-right:-10px}.carousel-control .icon-next,.carousel-control .icon-prev{width:20px;height:20px;font-family:serif;line-height:1}.carousel-control .icon-prev:before{content:'\2039'}.carousel-control .icon-next:before{content:'\203a'}.carousel-indicators{position:absolute;bottom:10px;left:50%;z-index:15;width:60%;padding-left:0;margin-left:-30%;text-align:center;list-style:none}.carousel-indicators li{display:inline-block;width:10px;height:10px;margin:1px;text-indent:-999px;cursor:pointer;background-color:#000\9;background-color:rgba(0,0,0,0);border:1px solid #fff;border-radius:10px}.carousel-indicators .active{width:12px;height:12px;margin:0;background-color:#fff}.carousel-caption{position:absolute;right:15%;bottom:20px;left:15%;z-index:10;padding-top:20px;padding-bottom:20px;color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6)}.carousel-caption .btn{text-shadow:none}@media screen and (min-width:768px){.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next,.carousel-control .icon-prev{width:30px;height:30px;margin-top:-10px;font-size:30px}.carousel-control .glyphicon-chevron-left,.carousel-control .icon-prev{margin-left:-10px}.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next{margin-right:-10px}.carousel-caption{right:20%;left:20%;padding-bottom:30px}.carousel-indicators{bottom:20px}}.btn-group-vertical>.btn-group:after,.btn-group-vertical>.btn-group:before,.btn-toolbar:after,.btn-toolbar:before,.clearfix:after,.clearfix:before,.container-fluid:after,.container-fluid:before,.container:after,.container:before,.dl-horizontal dd:after,.dl-horizontal dd:before,.form-horizontal .form-group:after,.form-horizontal .form-group:before,.modal-footer:after,.modal-footer:before,.modal-header:after,.modal-header:before,.nav:after,.nav:before,.navbar-collapse:after,.navbar-collapse:before,.navbar-header:after,.navbar-header:before,.navbar:after,.navbar:before,.pager:after,.pager:before,.panel-body:after,.panel-body:before,.row:after,.row:before{display:table;content:" "}.btn-group-vertical>.btn-group:after,.btn-toolbar:after,.clearfix:after,.container-fluid:after,.container:after,.dl-horizontal dd:after,.form-horizontal .form-group:after,.modal-footer:after,.modal-header:after,.nav:after,.navbar-collapse:after,.navbar-header:after,.navbar:after,.pager:after,.panel-body:after,.row:after{clear:both}.center-block{display:block;margin-right:auto;margin-left:auto}.pull-right{float:right!important}.pull-left{float:left!important}.hide{display:none!important}.show{display:block!important}.invisible{visibility:hidden}.text-hide{font:0/0 a;color:transparent;text-shadow:none;background-color:transparent;border:0}.hidden{display:none!important}.affix{position:fixed}@-ms-viewport{width:device-width}.visible-lg,.visible-md,.visible-sm,.visible-xs{display:none!important}.visible-lg-block,.visible-lg-inline,.visible-lg-inline-block,.visible-md-block,.visible-md-inline,.visible-md-inline-block,.visible-sm-block,.visible-sm-inline,.visible-sm-inline-block,.visible-xs-block,.visible-xs-inline,.visible-xs-inline-block{display:none!important}@media (max-width:767px){.visible-xs{display:block!important}table.visible-xs{display:table!important}tr.visible-xs{display:table-row!important}td.visible-xs,th.visible-xs{display:table-cell!important}}@media (max-width:767px){.visible-xs-block{display:block!important}}@media (max-width:767px){.visible-xs-inline{display:inline!important}}@media (max-width:767px){.visible-xs-inline-block{display:inline-block!important}}@media (min-width:768px) and (max-width:991px){.visible-sm{display:block!important}table.visible-sm{display:table!important}tr.visible-sm{display:table-row!important}td.visible-sm,th.visible-sm{display:table-cell!important}}@media (min-width:768px) and (max-width:991px){.visible-sm-block{display:block!important}}@media (min-width:768px) and (max-width:991px){.visible-sm-inline{display:inline!important}}@media (min-width:768px) and (max-width:991px){.visible-sm-inline-block{display:inline-block!important}}@media (min-width:992px) and (max-width:1199px){.visible-md{display:block!important}table.visible-md{display:table!important}tr.visible-md{display:table-row!important}td.visible-md,th.visible-md{display:table-cell!important}}@media (min-width:992px) and (max-width:1199px){.visible-md-block{display:block!important}}@media (min-width:992px) and (max-width:1199px){.visible-md-inline{display:inline!important}}@media (min-width:992px) and (max-width:1199px){.visible-md-inline-block{display:inline-block!important}}@media (min-width:1200px){.visible-lg{display:block!important}table.visible-lg{display:table!important}tr.visible-lg{display:table-row!important}td.visible-lg,th.visible-lg{display:table-cell!important}}@media (min-width:1200px){.visible-lg-block{display:block!important}}@media (min-width:1200px){.visible-lg-inline{display:inline!important}}@media (min-width:1200px){.visible-lg-inline-block{display:inline-block!important}}@media (max-width:767px){.hidden-xs{display:none!important}}@media (min-width:768px) and (max-width:991px){.hidden-sm{display:none!important}}@media (min-width:992px) and (max-width:1199px){.hidden-md{display:none!important}}@media (min-width:1200px){.hidden-lg{display:none!important}}.visible-print{display:none!important}@media print{.visible-print{display:block!important}table.visible-print{display:table!important}tr.visible-print{display:table-row!important}td.visible-print,th.visible-print{display:table-cell!important}}.visible-print-block{display:none!important}@media print{.visible-print-block{display:block!important}}.visible-print-inline{display:none!important}@media print{.visible-print-inline{display:inline!important}}.visible-print-inline-block{display:none!important}@media print{.visible-print-inline-block{display:inline-block!important}}@media print{.hidden-print{display:none!important}} +/*# sourceMappingURL=bootstrap.min.css.map */ \ No newline at end of file diff --git a/library/bootstrap/js/bootstrap.js b/library/bootstrap/js/bootstrap.js index 5debfd7de..8a2e99a53 100644 --- a/library/bootstrap/js/bootstrap.js +++ b/library/bootstrap/js/bootstrap.js @@ -1,6 +1,6 @@ /*! - * Bootstrap v3.3.5 (http://getbootstrap.com) - * Copyright 2011-2015 Twitter, Inc. + * Bootstrap v3.3.7 (http://getbootstrap.com) + * Copyright 2011-2016 Twitter, Inc. * Licensed under the MIT license */ @@ -11,16 +11,16 @@ if (typeof jQuery === 'undefined') { +function ($) { 'use strict'; var version = $.fn.jquery.split(' ')[0].split('.') - if ((version[0] < 2 && version[1] < 9) || (version[0] == 1 && version[1] == 9 && version[2] < 1)) { - throw new Error('Bootstrap\'s JavaScript requires jQuery version 1.9.1 or higher') + if ((version[0] < 2 && version[1] < 9) || (version[0] == 1 && version[1] == 9 && version[2] < 1) || (version[0] > 3)) { + throw new Error('Bootstrap\'s JavaScript requires jQuery version 1.9.1 or higher, but lower than version 4') } }(jQuery); /* ======================================================================== - * Bootstrap: transition.js v3.3.5 + * Bootstrap: transition.js v3.3.7 * http://getbootstrap.com/javascript/#transitions * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ @@ -77,10 +77,10 @@ if (typeof jQuery === 'undefined') { }(jQuery); /* ======================================================================== - * Bootstrap: alert.js v3.3.5 + * Bootstrap: alert.js v3.3.7 * http://getbootstrap.com/javascript/#alerts * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ @@ -96,7 +96,7 @@ if (typeof jQuery === 'undefined') { $(el).on('click', dismiss, this.close) } - Alert.VERSION = '3.3.5' + Alert.VERSION = '3.3.7' Alert.TRANSITION_DURATION = 150 @@ -109,7 +109,7 @@ if (typeof jQuery === 'undefined') { selector = selector && selector.replace(/.*(?=#[^\s]*$)/, '') // strip for ie7 } - var $parent = $(selector) + var $parent = $(selector === '#' ? [] : selector) if (e) e.preventDefault() @@ -172,10 +172,10 @@ if (typeof jQuery === 'undefined') { }(jQuery); /* ======================================================================== - * Bootstrap: button.js v3.3.5 + * Bootstrap: button.js v3.3.7 * http://getbootstrap.com/javascript/#buttons * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ @@ -192,7 +192,7 @@ if (typeof jQuery === 'undefined') { this.isLoading = false } - Button.VERSION = '3.3.5' + Button.VERSION = '3.3.7' Button.DEFAULTS = { loadingText: 'loading...' @@ -214,10 +214,10 @@ if (typeof jQuery === 'undefined') { if (state == 'loadingText') { this.isLoading = true - $el.addClass(d).attr(d, d) + $el.addClass(d).attr(d, d).prop(d, true) } else if (this.isLoading) { this.isLoading = false - $el.removeClass(d).removeAttr(d) + $el.removeClass(d).removeAttr(d).prop(d, false) } }, this), 0) } @@ -281,10 +281,15 @@ if (typeof jQuery === 'undefined') { $(document) .on('click.bs.button.data-api', '[data-toggle^="button"]', function (e) { - var $btn = $(e.target) - if (!$btn.hasClass('btn')) $btn = $btn.closest('.btn') + var $btn = $(e.target).closest('.btn') Plugin.call($btn, 'toggle') - if (!($(e.target).is('input[type="radio"]') || $(e.target).is('input[type="checkbox"]'))) e.preventDefault() + if (!($(e.target).is('input[type="radio"], input[type="checkbox"]'))) { + // Prevent double click on radios, and the double selections (so cancellation) on checkboxes + e.preventDefault() + // The target component still receive the focus + if ($btn.is('input,button')) $btn.trigger('focus') + else $btn.find('input:visible,button:visible').first().trigger('focus') + } }) .on('focus.bs.button.data-api blur.bs.button.data-api', '[data-toggle^="button"]', function (e) { $(e.target).closest('.btn').toggleClass('focus', /^focus(in)?$/.test(e.type)) @@ -293,10 +298,10 @@ if (typeof jQuery === 'undefined') { }(jQuery); /* ======================================================================== - * Bootstrap: carousel.js v3.3.5 + * Bootstrap: carousel.js v3.3.7 * http://getbootstrap.com/javascript/#carousel * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ @@ -324,7 +329,7 @@ if (typeof jQuery === 'undefined') { .on('mouseleave.bs.carousel', $.proxy(this.cycle, this)) } - Carousel.VERSION = '3.3.5' + Carousel.VERSION = '3.3.7' Carousel.TRANSITION_DURATION = 600 @@ -531,13 +536,14 @@ if (typeof jQuery === 'undefined') { }(jQuery); /* ======================================================================== - * Bootstrap: collapse.js v3.3.5 + * Bootstrap: collapse.js v3.3.7 * http://getbootstrap.com/javascript/#collapse * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ +/* jshint latedef: false */ +function ($) { 'use strict'; @@ -561,7 +567,7 @@ if (typeof jQuery === 'undefined') { if (this.options.toggle) this.toggle() } - Collapse.VERSION = '3.3.5' + Collapse.VERSION = '3.3.7' Collapse.TRANSITION_DURATION = 350 @@ -743,10 +749,10 @@ if (typeof jQuery === 'undefined') { }(jQuery); /* ======================================================================== - * Bootstrap: dropdown.js v3.3.5 + * Bootstrap: dropdown.js v3.3.7 * http://getbootstrap.com/javascript/#dropdowns * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ @@ -763,7 +769,7 @@ if (typeof jQuery === 'undefined') { $(element).on('click.bs.dropdown', this.toggle) } - Dropdown.VERSION = '3.3.5' + Dropdown.VERSION = '3.3.7' function getParent($this) { var selector = $this.attr('data-target') @@ -795,7 +801,7 @@ if (typeof jQuery === 'undefined') { if (e.isDefaultPrevented()) return $this.attr('aria-expanded', 'false') - $parent.removeClass('open').trigger('hidden.bs.dropdown', relatedTarget) + $parent.removeClass('open').trigger($.Event('hidden.bs.dropdown', relatedTarget)) }) } @@ -829,7 +835,7 @@ if (typeof jQuery === 'undefined') { $parent .toggleClass('open') - .trigger('shown.bs.dropdown', relatedTarget) + .trigger($.Event('shown.bs.dropdown', relatedTarget)) } return false @@ -909,10 +915,10 @@ if (typeof jQuery === 'undefined') { }(jQuery); /* ======================================================================== - * Bootstrap: modal.js v3.3.5 + * Bootstrap: modal.js v3.3.7 * http://getbootstrap.com/javascript/#modals * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ @@ -943,7 +949,7 @@ if (typeof jQuery === 'undefined') { } } - Modal.VERSION = '3.3.5' + Modal.VERSION = '3.3.7' Modal.TRANSITION_DURATION = 300 Modal.BACKDROP_TRANSITION_DURATION = 150 @@ -1050,7 +1056,9 @@ if (typeof jQuery === 'undefined') { $(document) .off('focusin.bs.modal') // guard against infinite focus loop .on('focusin.bs.modal', $.proxy(function (e) { - if (this.$element[0] !== e.target && !this.$element.has(e.target).length) { + if (document !== e.target && + this.$element[0] !== e.target && + !this.$element.has(e.target).length) { this.$element.trigger('focus') } }, this)) @@ -1247,11 +1255,11 @@ if (typeof jQuery === 'undefined') { }(jQuery); /* ======================================================================== - * Bootstrap: tooltip.js v3.3.5 + * Bootstrap: tooltip.js v3.3.7 * http://getbootstrap.com/javascript/#tooltip * Inspired by the original jQuery.tipsy by Jason Frame * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ @@ -1274,7 +1282,7 @@ if (typeof jQuery === 'undefined') { this.init('tooltip', element, options) } - Tooltip.VERSION = '3.3.5' + Tooltip.VERSION = '3.3.7' Tooltip.TRANSITION_DURATION = 150 @@ -1565,9 +1573,11 @@ if (typeof jQuery === 'undefined') { function complete() { if (that.hoverState != 'in') $tip.detach() - that.$element - .removeAttr('aria-describedby') - .trigger('hidden.bs.' + that.type) + if (that.$element) { // TODO: Check whether guarding this code with this `if` is really necessary. + that.$element + .removeAttr('aria-describedby') + .trigger('hidden.bs.' + that.type) + } callback && callback() } @@ -1610,7 +1620,10 @@ if (typeof jQuery === 'undefined') { // width and height are missing in IE8, so compute them manually; see https://github.com/twbs/bootstrap/issues/14093 elRect = $.extend({}, elRect, { width: elRect.right - elRect.left, height: elRect.bottom - elRect.top }) } - var elOffset = isBody ? { top: 0, left: 0 } : $element.offset() + var isSvg = window.SVGElement && el instanceof window.SVGElement + // Avoid using $.offset() on SVGs since it gives incorrect results in jQuery 3. + // See https://github.com/twbs/bootstrap/issues/20280 + var elOffset = isBody ? { top: 0, left: 0 } : (isSvg ? null : $element.offset()) var scroll = { scroll: isBody ? document.documentElement.scrollTop || document.body.scrollTop : $element.scrollTop() } var outerDims = isBody ? { width: $(window).width(), height: $(window).height() } : null @@ -1726,6 +1739,7 @@ if (typeof jQuery === 'undefined') { that.$tip = null that.$arrow = null that.$viewport = null + that.$element = null }) } @@ -1762,10 +1776,10 @@ if (typeof jQuery === 'undefined') { }(jQuery); /* ======================================================================== - * Bootstrap: popover.js v3.3.5 + * Bootstrap: popover.js v3.3.7 * http://getbootstrap.com/javascript/#popovers * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ @@ -1782,7 +1796,7 @@ if (typeof jQuery === 'undefined') { if (!$.fn.tooltip) throw new Error('Popover requires tooltip.js') - Popover.VERSION = '3.3.5' + Popover.VERSION = '3.3.7' Popover.DEFAULTS = $.extend({}, $.fn.tooltip.Constructor.DEFAULTS, { placement: 'right', @@ -1871,10 +1885,10 @@ if (typeof jQuery === 'undefined') { }(jQuery); /* ======================================================================== - * Bootstrap: scrollspy.js v3.3.5 + * Bootstrap: scrollspy.js v3.3.7 * http://getbootstrap.com/javascript/#scrollspy * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ @@ -1900,7 +1914,7 @@ if (typeof jQuery === 'undefined') { this.process() } - ScrollSpy.VERSION = '3.3.5' + ScrollSpy.VERSION = '3.3.7' ScrollSpy.DEFAULTS = { offset: 10 @@ -2044,10 +2058,10 @@ if (typeof jQuery === 'undefined') { }(jQuery); /* ======================================================================== - * Bootstrap: tab.js v3.3.5 + * Bootstrap: tab.js v3.3.7 * http://getbootstrap.com/javascript/#tabs * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ @@ -2064,7 +2078,7 @@ if (typeof jQuery === 'undefined') { // jscs:enable requireDollarBeforejQueryAssignment } - Tab.VERSION = '3.3.5' + Tab.VERSION = '3.3.7' Tab.TRANSITION_DURATION = 150 @@ -2200,10 +2214,10 @@ if (typeof jQuery === 'undefined') { }(jQuery); /* ======================================================================== - * Bootstrap: affix.js v3.3.5 + * Bootstrap: affix.js v3.3.7 * http://getbootstrap.com/javascript/#affix * ======================================================================== - * Copyright 2011-2015 Twitter, Inc. + * Copyright 2011-2016 Twitter, Inc. * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) * ======================================================================== */ @@ -2229,7 +2243,7 @@ if (typeof jQuery === 'undefined') { this.checkPosition() } - Affix.VERSION = '3.3.5' + Affix.VERSION = '3.3.7' Affix.RESET = 'affix affix-top affix-bottom' diff --git a/library/bootstrap/js/bootstrap.min.js b/library/bootstrap/js/bootstrap.min.js index 133aeecb9..9bcd2fcca 100644 --- a/library/bootstrap/js/bootstrap.min.js +++ b/library/bootstrap/js/bootstrap.min.js @@ -1,7 +1,7 @@ /*! - * Bootstrap v3.3.5 (http://getbootstrap.com) - * Copyright 2011-2015 Twitter, Inc. + * Bootstrap v3.3.7 (http://getbootstrap.com) + * Copyright 2011-2016 Twitter, Inc. * Licensed under the MIT license */ -if("undefined"==typeof jQuery)throw new Error("Bootstrap's JavaScript requires jQuery");+function(a){"use strict";var b=a.fn.jquery.split(" ")[0].split(".");if(b[0]<2&&b[1]<9||1==b[0]&&9==b[1]&&b[2]<1)throw new Error("Bootstrap's JavaScript requires jQuery version 1.9.1 or higher")}(jQuery),+function(a){"use strict";function b(){var a=document.createElement("bootstrap"),b={WebkitTransition:"webkitTransitionEnd",MozTransition:"transitionend",OTransition:"oTransitionEnd otransitionend",transition:"transitionend"};for(var c in b)if(void 0!==a.style[c])return{end:b[c]};return!1}a.fn.emulateTransitionEnd=function(b){var c=!1,d=this;a(this).one("bsTransitionEnd",function(){c=!0});var e=function(){c||a(d).trigger(a.support.transition.end)};return setTimeout(e,b),this},a(function(){a.support.transition=b(),a.support.transition&&(a.event.special.bsTransitionEnd={bindType:a.support.transition.end,delegateType:a.support.transition.end,handle:function(b){return a(b.target).is(this)?b.handleObj.handler.apply(this,arguments):void 0}})})}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var c=a(this),e=c.data("bs.alert");e||c.data("bs.alert",e=new d(this)),"string"==typeof b&&e[b].call(c)})}var c='[data-dismiss="alert"]',d=function(b){a(b).on("click",c,this.close)};d.VERSION="3.3.5",d.TRANSITION_DURATION=150,d.prototype.close=function(b){function c(){g.detach().trigger("closed.bs.alert").remove()}var e=a(this),f=e.attr("data-target");f||(f=e.attr("href"),f=f&&f.replace(/.*(?=#[^\s]*$)/,""));var g=a(f);b&&b.preventDefault(),g.length||(g=e.closest(".alert")),g.trigger(b=a.Event("close.bs.alert")),b.isDefaultPrevented()||(g.removeClass("in"),a.support.transition&&g.hasClass("fade")?g.one("bsTransitionEnd",c).emulateTransitionEnd(d.TRANSITION_DURATION):c())};var e=a.fn.alert;a.fn.alert=b,a.fn.alert.Constructor=d,a.fn.alert.noConflict=function(){return a.fn.alert=e,this},a(document).on("click.bs.alert.data-api",c,d.prototype.close)}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.button"),f="object"==typeof b&&b;e||d.data("bs.button",e=new c(this,f)),"toggle"==b?e.toggle():b&&e.setState(b)})}var c=function(b,d){this.$element=a(b),this.options=a.extend({},c.DEFAULTS,d),this.isLoading=!1};c.VERSION="3.3.5",c.DEFAULTS={loadingText:"loading..."},c.prototype.setState=function(b){var c="disabled",d=this.$element,e=d.is("input")?"val":"html",f=d.data();b+="Text",null==f.resetText&&d.data("resetText",d[e]()),setTimeout(a.proxy(function(){d[e](null==f[b]?this.options[b]:f[b]),"loadingText"==b?(this.isLoading=!0,d.addClass(c).attr(c,c)):this.isLoading&&(this.isLoading=!1,d.removeClass(c).removeAttr(c))},this),0)},c.prototype.toggle=function(){var a=!0,b=this.$element.closest('[data-toggle="buttons"]');if(b.length){var c=this.$element.find("input");"radio"==c.prop("type")?(c.prop("checked")&&(a=!1),b.find(".active").removeClass("active"),this.$element.addClass("active")):"checkbox"==c.prop("type")&&(c.prop("checked")!==this.$element.hasClass("active")&&(a=!1),this.$element.toggleClass("active")),c.prop("checked",this.$element.hasClass("active")),a&&c.trigger("change")}else this.$element.attr("aria-pressed",!this.$element.hasClass("active")),this.$element.toggleClass("active")};var d=a.fn.button;a.fn.button=b,a.fn.button.Constructor=c,a.fn.button.noConflict=function(){return a.fn.button=d,this},a(document).on("click.bs.button.data-api",'[data-toggle^="button"]',function(c){var d=a(c.target);d.hasClass("btn")||(d=d.closest(".btn")),b.call(d,"toggle"),a(c.target).is('input[type="radio"]')||a(c.target).is('input[type="checkbox"]')||c.preventDefault()}).on("focus.bs.button.data-api blur.bs.button.data-api",'[data-toggle^="button"]',function(b){a(b.target).closest(".btn").toggleClass("focus",/^focus(in)?$/.test(b.type))})}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.carousel"),f=a.extend({},c.DEFAULTS,d.data(),"object"==typeof b&&b),g="string"==typeof b?b:f.slide;e||d.data("bs.carousel",e=new c(this,f)),"number"==typeof b?e.to(b):g?e[g]():f.interval&&e.pause().cycle()})}var c=function(b,c){this.$element=a(b),this.$indicators=this.$element.find(".carousel-indicators"),this.options=c,this.paused=null,this.sliding=null,this.interval=null,this.$active=null,this.$items=null,this.options.keyboard&&this.$element.on("keydown.bs.carousel",a.proxy(this.keydown,this)),"hover"==this.options.pause&&!("ontouchstart"in document.documentElement)&&this.$element.on("mouseenter.bs.carousel",a.proxy(this.pause,this)).on("mouseleave.bs.carousel",a.proxy(this.cycle,this))};c.VERSION="3.3.5",c.TRANSITION_DURATION=600,c.DEFAULTS={interval:5e3,pause:"hover",wrap:!0,keyboard:!0},c.prototype.keydown=function(a){if(!/input|textarea/i.test(a.target.tagName)){switch(a.which){case 37:this.prev();break;case 39:this.next();break;default:return}a.preventDefault()}},c.prototype.cycle=function(b){return b||(this.paused=!1),this.interval&&clearInterval(this.interval),this.options.interval&&!this.paused&&(this.interval=setInterval(a.proxy(this.next,this),this.options.interval)),this},c.prototype.getItemIndex=function(a){return this.$items=a.parent().children(".item"),this.$items.index(a||this.$active)},c.prototype.getItemForDirection=function(a,b){var c=this.getItemIndex(b),d="prev"==a&&0===c||"next"==a&&c==this.$items.length-1;if(d&&!this.options.wrap)return b;var e="prev"==a?-1:1,f=(c+e)%this.$items.length;return this.$items.eq(f)},c.prototype.to=function(a){var b=this,c=this.getItemIndex(this.$active=this.$element.find(".item.active"));return a>this.$items.length-1||0>a?void 0:this.sliding?this.$element.one("slid.bs.carousel",function(){b.to(a)}):c==a?this.pause().cycle():this.slide(a>c?"next":"prev",this.$items.eq(a))},c.prototype.pause=function(b){return b||(this.paused=!0),this.$element.find(".next, .prev").length&&a.support.transition&&(this.$element.trigger(a.support.transition.end),this.cycle(!0)),this.interval=clearInterval(this.interval),this},c.prototype.next=function(){return this.sliding?void 0:this.slide("next")},c.prototype.prev=function(){return this.sliding?void 0:this.slide("prev")},c.prototype.slide=function(b,d){var e=this.$element.find(".item.active"),f=d||this.getItemForDirection(b,e),g=this.interval,h="next"==b?"left":"right",i=this;if(f.hasClass("active"))return this.sliding=!1;var j=f[0],k=a.Event("slide.bs.carousel",{relatedTarget:j,direction:h});if(this.$element.trigger(k),!k.isDefaultPrevented()){if(this.sliding=!0,g&&this.pause(),this.$indicators.length){this.$indicators.find(".active").removeClass("active");var l=a(this.$indicators.children()[this.getItemIndex(f)]);l&&l.addClass("active")}var m=a.Event("slid.bs.carousel",{relatedTarget:j,direction:h});return a.support.transition&&this.$element.hasClass("slide")?(f.addClass(b),f[0].offsetWidth,e.addClass(h),f.addClass(h),e.one("bsTransitionEnd",function(){f.removeClass([b,h].join(" ")).addClass("active"),e.removeClass(["active",h].join(" ")),i.sliding=!1,setTimeout(function(){i.$element.trigger(m)},0)}).emulateTransitionEnd(c.TRANSITION_DURATION)):(e.removeClass("active"),f.addClass("active"),this.sliding=!1,this.$element.trigger(m)),g&&this.cycle(),this}};var d=a.fn.carousel;a.fn.carousel=b,a.fn.carousel.Constructor=c,a.fn.carousel.noConflict=function(){return a.fn.carousel=d,this};var e=function(c){var d,e=a(this),f=a(e.attr("data-target")||(d=e.attr("href"))&&d.replace(/.*(?=#[^\s]+$)/,""));if(f.hasClass("carousel")){var g=a.extend({},f.data(),e.data()),h=e.attr("data-slide-to");h&&(g.interval=!1),b.call(f,g),h&&f.data("bs.carousel").to(h),c.preventDefault()}};a(document).on("click.bs.carousel.data-api","[data-slide]",e).on("click.bs.carousel.data-api","[data-slide-to]",e),a(window).on("load",function(){a('[data-ride="carousel"]').each(function(){var c=a(this);b.call(c,c.data())})})}(jQuery),+function(a){"use strict";function b(b){var c,d=b.attr("data-target")||(c=b.attr("href"))&&c.replace(/.*(?=#[^\s]+$)/,"");return a(d)}function c(b){return this.each(function(){var c=a(this),e=c.data("bs.collapse"),f=a.extend({},d.DEFAULTS,c.data(),"object"==typeof b&&b);!e&&f.toggle&&/show|hide/.test(b)&&(f.toggle=!1),e||c.data("bs.collapse",e=new d(this,f)),"string"==typeof b&&e[b]()})}var d=function(b,c){this.$element=a(b),this.options=a.extend({},d.DEFAULTS,c),this.$trigger=a('[data-toggle="collapse"][href="#'+b.id+'"],[data-toggle="collapse"][data-target="#'+b.id+'"]'),this.transitioning=null,this.options.parent?this.$parent=this.getParent():this.addAriaAndCollapsedClass(this.$element,this.$trigger),this.options.toggle&&this.toggle()};d.VERSION="3.3.5",d.TRANSITION_DURATION=350,d.DEFAULTS={toggle:!0},d.prototype.dimension=function(){var a=this.$element.hasClass("width");return a?"width":"height"},d.prototype.show=function(){if(!this.transitioning&&!this.$element.hasClass("in")){var b,e=this.$parent&&this.$parent.children(".panel").children(".in, .collapsing");if(!(e&&e.length&&(b=e.data("bs.collapse"),b&&b.transitioning))){var f=a.Event("show.bs.collapse");if(this.$element.trigger(f),!f.isDefaultPrevented()){e&&e.length&&(c.call(e,"hide"),b||e.data("bs.collapse",null));var g=this.dimension();this.$element.removeClass("collapse").addClass("collapsing")[g](0).attr("aria-expanded",!0),this.$trigger.removeClass("collapsed").attr("aria-expanded",!0),this.transitioning=1;var h=function(){this.$element.removeClass("collapsing").addClass("collapse in")[g](""),this.transitioning=0,this.$element.trigger("shown.bs.collapse")};if(!a.support.transition)return h.call(this);var i=a.camelCase(["scroll",g].join("-"));this.$element.one("bsTransitionEnd",a.proxy(h,this)).emulateTransitionEnd(d.TRANSITION_DURATION)[g](this.$element[0][i])}}}},d.prototype.hide=function(){if(!this.transitioning&&this.$element.hasClass("in")){var b=a.Event("hide.bs.collapse");if(this.$element.trigger(b),!b.isDefaultPrevented()){var c=this.dimension();this.$element[c](this.$element[c]())[0].offsetHeight,this.$element.addClass("collapsing").removeClass("collapse in").attr("aria-expanded",!1),this.$trigger.addClass("collapsed").attr("aria-expanded",!1),this.transitioning=1;var e=function(){this.transitioning=0,this.$element.removeClass("collapsing").addClass("collapse").trigger("hidden.bs.collapse")};return a.support.transition?void this.$element[c](0).one("bsTransitionEnd",a.proxy(e,this)).emulateTransitionEnd(d.TRANSITION_DURATION):e.call(this)}}},d.prototype.toggle=function(){this[this.$element.hasClass("in")?"hide":"show"]()},d.prototype.getParent=function(){return a(this.options.parent).find('[data-toggle="collapse"][data-parent="'+this.options.parent+'"]').each(a.proxy(function(c,d){var e=a(d);this.addAriaAndCollapsedClass(b(e),e)},this)).end()},d.prototype.addAriaAndCollapsedClass=function(a,b){var c=a.hasClass("in");a.attr("aria-expanded",c),b.toggleClass("collapsed",!c).attr("aria-expanded",c)};var e=a.fn.collapse;a.fn.collapse=c,a.fn.collapse.Constructor=d,a.fn.collapse.noConflict=function(){return a.fn.collapse=e,this},a(document).on("click.bs.collapse.data-api",'[data-toggle="collapse"]',function(d){var e=a(this);e.attr("data-target")||d.preventDefault();var f=b(e),g=f.data("bs.collapse"),h=g?"toggle":e.data();c.call(f,h)})}(jQuery),+function(a){"use strict";function b(b){var c=b.attr("data-target");c||(c=b.attr("href"),c=c&&/#[A-Za-z]/.test(c)&&c.replace(/.*(?=#[^\s]*$)/,""));var d=c&&a(c);return d&&d.length?d:b.parent()}function c(c){c&&3===c.which||(a(e).remove(),a(f).each(function(){var d=a(this),e=b(d),f={relatedTarget:this};e.hasClass("open")&&(c&&"click"==c.type&&/input|textarea/i.test(c.target.tagName)&&a.contains(e[0],c.target)||(e.trigger(c=a.Event("hide.bs.dropdown",f)),c.isDefaultPrevented()||(d.attr("aria-expanded","false"),e.removeClass("open").trigger("hidden.bs.dropdown",f))))}))}function d(b){return this.each(function(){var c=a(this),d=c.data("bs.dropdown");d||c.data("bs.dropdown",d=new g(this)),"string"==typeof b&&d[b].call(c)})}var e=".dropdown-backdrop",f='[data-toggle="dropdown"]',g=function(b){a(b).on("click.bs.dropdown",this.toggle)};g.VERSION="3.3.5",g.prototype.toggle=function(d){var e=a(this);if(!e.is(".disabled, :disabled")){var f=b(e),g=f.hasClass("open");if(c(),!g){"ontouchstart"in document.documentElement&&!f.closest(".navbar-nav").length&&a(document.createElement("div")).addClass("dropdown-backdrop").insertAfter(a(this)).on("click",c);var h={relatedTarget:this};if(f.trigger(d=a.Event("show.bs.dropdown",h)),d.isDefaultPrevented())return;e.trigger("focus").attr("aria-expanded","true"),f.toggleClass("open").trigger("shown.bs.dropdown",h)}return!1}},g.prototype.keydown=function(c){if(/(38|40|27|32)/.test(c.which)&&!/input|textarea/i.test(c.target.tagName)){var d=a(this);if(c.preventDefault(),c.stopPropagation(),!d.is(".disabled, :disabled")){var e=b(d),g=e.hasClass("open");if(!g&&27!=c.which||g&&27==c.which)return 27==c.which&&e.find(f).trigger("focus"),d.trigger("click");var h=" li:not(.disabled):visible a",i=e.find(".dropdown-menu"+h);if(i.length){var j=i.index(c.target);38==c.which&&j>0&&j--,40==c.which&&jdocument.documentElement.clientHeight;this.$element.css({paddingLeft:!this.bodyIsOverflowing&&a?this.scrollbarWidth:"",paddingRight:this.bodyIsOverflowing&&!a?this.scrollbarWidth:""})},c.prototype.resetAdjustments=function(){this.$element.css({paddingLeft:"",paddingRight:""})},c.prototype.checkScrollbar=function(){var a=window.innerWidth;if(!a){var b=document.documentElement.getBoundingClientRect();a=b.right-Math.abs(b.left)}this.bodyIsOverflowing=document.body.clientWidth
',trigger:"hover focus",title:"",delay:0,html:!1,container:!1,viewport:{selector:"body",padding:0}},c.prototype.init=function(b,c,d){if(this.enabled=!0,this.type=b,this.$element=a(c),this.options=this.getOptions(d),this.$viewport=this.options.viewport&&a(a.isFunction(this.options.viewport)?this.options.viewport.call(this,this.$element):this.options.viewport.selector||this.options.viewport),this.inState={click:!1,hover:!1,focus:!1},this.$element[0]instanceof document.constructor&&!this.options.selector)throw new Error("`selector` option must be specified when initializing "+this.type+" on the window.document object!");for(var e=this.options.trigger.split(" "),f=e.length;f--;){var g=e[f];if("click"==g)this.$element.on("click."+this.type,this.options.selector,a.proxy(this.toggle,this));else if("manual"!=g){var h="hover"==g?"mouseenter":"focusin",i="hover"==g?"mouseleave":"focusout";this.$element.on(h+"."+this.type,this.options.selector,a.proxy(this.enter,this)),this.$element.on(i+"."+this.type,this.options.selector,a.proxy(this.leave,this))}}this.options.selector?this._options=a.extend({},this.options,{trigger:"manual",selector:""}):this.fixTitle()},c.prototype.getDefaults=function(){return c.DEFAULTS},c.prototype.getOptions=function(b){return b=a.extend({},this.getDefaults(),this.$element.data(),b),b.delay&&"number"==typeof b.delay&&(b.delay={show:b.delay,hide:b.delay}),b},c.prototype.getDelegateOptions=function(){var b={},c=this.getDefaults();return this._options&&a.each(this._options,function(a,d){c[a]!=d&&(b[a]=d)}),b},c.prototype.enter=function(b){var c=b instanceof this.constructor?b:a(b.currentTarget).data("bs."+this.type);return c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c)),b instanceof a.Event&&(c.inState["focusin"==b.type?"focus":"hover"]=!0),c.tip().hasClass("in")||"in"==c.hoverState?void(c.hoverState="in"):(clearTimeout(c.timeout),c.hoverState="in",c.options.delay&&c.options.delay.show?void(c.timeout=setTimeout(function(){"in"==c.hoverState&&c.show()},c.options.delay.show)):c.show())},c.prototype.isInStateTrue=function(){for(var a in this.inState)if(this.inState[a])return!0;return!1},c.prototype.leave=function(b){var c=b instanceof this.constructor?b:a(b.currentTarget).data("bs."+this.type);return c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c)),b instanceof a.Event&&(c.inState["focusout"==b.type?"focus":"hover"]=!1),c.isInStateTrue()?void 0:(clearTimeout(c.timeout),c.hoverState="out",c.options.delay&&c.options.delay.hide?void(c.timeout=setTimeout(function(){"out"==c.hoverState&&c.hide()},c.options.delay.hide)):c.hide())},c.prototype.show=function(){var b=a.Event("show.bs."+this.type);if(this.hasContent()&&this.enabled){this.$element.trigger(b);var d=a.contains(this.$element[0].ownerDocument.documentElement,this.$element[0]);if(b.isDefaultPrevented()||!d)return;var e=this,f=this.tip(),g=this.getUID(this.type);this.setContent(),f.attr("id",g),this.$element.attr("aria-describedby",g),this.options.animation&&f.addClass("fade");var h="function"==typeof this.options.placement?this.options.placement.call(this,f[0],this.$element[0]):this.options.placement,i=/\s?auto?\s?/i,j=i.test(h);j&&(h=h.replace(i,"")||"top"),f.detach().css({top:0,left:0,display:"block"}).addClass(h).data("bs."+this.type,this),this.options.container?f.appendTo(this.options.container):f.insertAfter(this.$element),this.$element.trigger("inserted.bs."+this.type);var k=this.getPosition(),l=f[0].offsetWidth,m=f[0].offsetHeight;if(j){var n=h,o=this.getPosition(this.$viewport);h="bottom"==h&&k.bottom+m>o.bottom?"top":"top"==h&&k.top-mo.width?"left":"left"==h&&k.left-lg.top+g.height&&(e.top=g.top+g.height-i)}else{var j=b.left-f,k=b.left+f+c;jg.right&&(e.left=g.left+g.width-k)}return e},c.prototype.getTitle=function(){var a,b=this.$element,c=this.options;return a=b.attr("data-original-title")||("function"==typeof c.title?c.title.call(b[0]):c.title)},c.prototype.getUID=function(a){do a+=~~(1e6*Math.random());while(document.getElementById(a));return a},c.prototype.tip=function(){if(!this.$tip&&(this.$tip=a(this.options.template),1!=this.$tip.length))throw new Error(this.type+" `template` option must consist of exactly 1 top-level element!");return this.$tip},c.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".tooltip-arrow")},c.prototype.enable=function(){this.enabled=!0},c.prototype.disable=function(){this.enabled=!1},c.prototype.toggleEnabled=function(){this.enabled=!this.enabled},c.prototype.toggle=function(b){var c=this;b&&(c=a(b.currentTarget).data("bs."+this.type),c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c))),b?(c.inState.click=!c.inState.click,c.isInStateTrue()?c.enter(c):c.leave(c)):c.tip().hasClass("in")?c.leave(c):c.enter(c)},c.prototype.destroy=function(){var a=this;clearTimeout(this.timeout),this.hide(function(){a.$element.off("."+a.type).removeData("bs."+a.type),a.$tip&&a.$tip.detach(),a.$tip=null,a.$arrow=null,a.$viewport=null})};var d=a.fn.tooltip;a.fn.tooltip=b,a.fn.tooltip.Constructor=c,a.fn.tooltip.noConflict=function(){return a.fn.tooltip=d,this}}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.popover"),f="object"==typeof b&&b;(e||!/destroy|hide/.test(b))&&(e||d.data("bs.popover",e=new c(this,f)),"string"==typeof b&&e[b]())})}var c=function(a,b){this.init("popover",a,b)};if(!a.fn.tooltip)throw new Error("Popover requires tooltip.js");c.VERSION="3.3.5",c.DEFAULTS=a.extend({},a.fn.tooltip.Constructor.DEFAULTS,{placement:"right",trigger:"click",content:"",template:''}),c.prototype=a.extend({},a.fn.tooltip.Constructor.prototype),c.prototype.constructor=c,c.prototype.getDefaults=function(){return c.DEFAULTS},c.prototype.setContent=function(){var a=this.tip(),b=this.getTitle(),c=this.getContent();a.find(".popover-title")[this.options.html?"html":"text"](b),a.find(".popover-content").children().detach().end()[this.options.html?"string"==typeof c?"html":"append":"text"](c),a.removeClass("fade top bottom left right in"),a.find(".popover-title").html()||a.find(".popover-title").hide()},c.prototype.hasContent=function(){return this.getTitle()||this.getContent()},c.prototype.getContent=function(){var a=this.$element,b=this.options;return a.attr("data-content")||("function"==typeof b.content?b.content.call(a[0]):b.content)},c.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".arrow")};var d=a.fn.popover;a.fn.popover=b,a.fn.popover.Constructor=c,a.fn.popover.noConflict=function(){return a.fn.popover=d,this}}(jQuery),+function(a){"use strict";function b(c,d){this.$body=a(document.body),this.$scrollElement=a(a(c).is(document.body)?window:c),this.options=a.extend({},b.DEFAULTS,d),this.selector=(this.options.target||"")+" .nav li > a",this.offsets=[],this.targets=[],this.activeTarget=null,this.scrollHeight=0,this.$scrollElement.on("scroll.bs.scrollspy",a.proxy(this.process,this)),this.refresh(),this.process()}function c(c){return this.each(function(){var d=a(this),e=d.data("bs.scrollspy"),f="object"==typeof c&&c;e||d.data("bs.scrollspy",e=new b(this,f)),"string"==typeof c&&e[c]()})}b.VERSION="3.3.5",b.DEFAULTS={offset:10},b.prototype.getScrollHeight=function(){return this.$scrollElement[0].scrollHeight||Math.max(this.$body[0].scrollHeight,document.documentElement.scrollHeight)},b.prototype.refresh=function(){var b=this,c="offset",d=0;this.offsets=[],this.targets=[],this.scrollHeight=this.getScrollHeight(),a.isWindow(this.$scrollElement[0])||(c="position",d=this.$scrollElement.scrollTop()),this.$body.find(this.selector).map(function(){var b=a(this),e=b.data("target")||b.attr("href"),f=/^#./.test(e)&&a(e);return f&&f.length&&f.is(":visible")&&[[f[c]().top+d,e]]||null}).sort(function(a,b){return a[0]-b[0]}).each(function(){b.offsets.push(this[0]),b.targets.push(this[1])})},b.prototype.process=function(){var a,b=this.$scrollElement.scrollTop()+this.options.offset,c=this.getScrollHeight(),d=this.options.offset+c-this.$scrollElement.height(),e=this.offsets,f=this.targets,g=this.activeTarget;if(this.scrollHeight!=c&&this.refresh(),b>=d)return g!=(a=f[f.length-1])&&this.activate(a);if(g&&b=e[a]&&(void 0===e[a+1]||b .dropdown-menu > .active").removeClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!1),b.addClass("active").find('[data-toggle="tab"]').attr("aria-expanded",!0),h?(b[0].offsetWidth,b.addClass("in")):b.removeClass("fade"),b.parent(".dropdown-menu").length&&b.closest("li.dropdown").addClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!0),e&&e()}var g=d.find("> .active"),h=e&&a.support.transition&&(g.length&&g.hasClass("fade")||!!d.find("> .fade").length);g.length&&h?g.one("bsTransitionEnd",f).emulateTransitionEnd(c.TRANSITION_DURATION):f(),g.removeClass("in")};var d=a.fn.tab;a.fn.tab=b,a.fn.tab.Constructor=c,a.fn.tab.noConflict=function(){return a.fn.tab=d,this};var e=function(c){c.preventDefault(),b.call(a(this),"show")};a(document).on("click.bs.tab.data-api",'[data-toggle="tab"]',e).on("click.bs.tab.data-api",'[data-toggle="pill"]',e)}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.affix"),f="object"==typeof b&&b;e||d.data("bs.affix",e=new c(this,f)),"string"==typeof b&&e[b]()})}var c=function(b,d){this.options=a.extend({},c.DEFAULTS,d),this.$target=a(this.options.target).on("scroll.bs.affix.data-api",a.proxy(this.checkPosition,this)).on("click.bs.affix.data-api",a.proxy(this.checkPositionWithEventLoop,this)),this.$element=a(b),this.affixed=null,this.unpin=null,this.pinnedOffset=null,this.checkPosition()};c.VERSION="3.3.5",c.RESET="affix affix-top affix-bottom",c.DEFAULTS={offset:0,target:window},c.prototype.getState=function(a,b,c,d){var e=this.$target.scrollTop(),f=this.$element.offset(),g=this.$target.height();if(null!=c&&"top"==this.affixed)return c>e?"top":!1;if("bottom"==this.affixed)return null!=c?e+this.unpin<=f.top?!1:"bottom":a-d>=e+g?!1:"bottom";var h=null==this.affixed,i=h?e:f.top,j=h?g:b;return null!=c&&c>=e?"top":null!=d&&i+j>=a-d?"bottom":!1},c.prototype.getPinnedOffset=function(){if(this.pinnedOffset)return this.pinnedOffset;this.$element.removeClass(c.RESET).addClass("affix");var a=this.$target.scrollTop(),b=this.$element.offset();return this.pinnedOffset=b.top-a},c.prototype.checkPositionWithEventLoop=function(){setTimeout(a.proxy(this.checkPosition,this),1)},c.prototype.checkPosition=function(){if(this.$element.is(":visible")){var b=this.$element.height(),d=this.options.offset,e=d.top,f=d.bottom,g=Math.max(a(document).height(),a(document.body).height());"object"!=typeof d&&(f=e=d),"function"==typeof e&&(e=d.top(this.$element)),"function"==typeof f&&(f=d.bottom(this.$element));var h=this.getState(g,b,e,f);if(this.affixed!=h){null!=this.unpin&&this.$element.css("top","");var i="affix"+(h?"-"+h:""),j=a.Event(i+".bs.affix");if(this.$element.trigger(j),j.isDefaultPrevented())return;this.affixed=h,this.unpin="bottom"==h?this.getPinnedOffset():null,this.$element.removeClass(c.RESET).addClass(i).trigger(i.replace("affix","affixed")+".bs.affix")}"bottom"==h&&this.$element.offset({top:g-b-f})}};var d=a.fn.affix;a.fn.affix=b,a.fn.affix.Constructor=c,a.fn.affix.noConflict=function(){return a.fn.affix=d,this},a(window).on("load",function(){a('[data-spy="affix"]').each(function(){var c=a(this),d=c.data();d.offset=d.offset||{},null!=d.offsetBottom&&(d.offset.bottom=d.offsetBottom),null!=d.offsetTop&&(d.offset.top=d.offsetTop),b.call(c,d)})})}(jQuery); \ No newline at end of file +if("undefined"==typeof jQuery)throw new Error("Bootstrap's JavaScript requires jQuery");+function(a){"use strict";var b=a.fn.jquery.split(" ")[0].split(".");if(b[0]<2&&b[1]<9||1==b[0]&&9==b[1]&&b[2]<1||b[0]>3)throw new Error("Bootstrap's JavaScript requires jQuery version 1.9.1 or higher, but lower than version 4")}(jQuery),+function(a){"use strict";function b(){var a=document.createElement("bootstrap"),b={WebkitTransition:"webkitTransitionEnd",MozTransition:"transitionend",OTransition:"oTransitionEnd otransitionend",transition:"transitionend"};for(var c in b)if(void 0!==a.style[c])return{end:b[c]};return!1}a.fn.emulateTransitionEnd=function(b){var c=!1,d=this;a(this).one("bsTransitionEnd",function(){c=!0});var e=function(){c||a(d).trigger(a.support.transition.end)};return setTimeout(e,b),this},a(function(){a.support.transition=b(),a.support.transition&&(a.event.special.bsTransitionEnd={bindType:a.support.transition.end,delegateType:a.support.transition.end,handle:function(b){if(a(b.target).is(this))return b.handleObj.handler.apply(this,arguments)}})})}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var c=a(this),e=c.data("bs.alert");e||c.data("bs.alert",e=new d(this)),"string"==typeof b&&e[b].call(c)})}var c='[data-dismiss="alert"]',d=function(b){a(b).on("click",c,this.close)};d.VERSION="3.3.7",d.TRANSITION_DURATION=150,d.prototype.close=function(b){function c(){g.detach().trigger("closed.bs.alert").remove()}var e=a(this),f=e.attr("data-target");f||(f=e.attr("href"),f=f&&f.replace(/.*(?=#[^\s]*$)/,""));var g=a("#"===f?[]:f);b&&b.preventDefault(),g.length||(g=e.closest(".alert")),g.trigger(b=a.Event("close.bs.alert")),b.isDefaultPrevented()||(g.removeClass("in"),a.support.transition&&g.hasClass("fade")?g.one("bsTransitionEnd",c).emulateTransitionEnd(d.TRANSITION_DURATION):c())};var e=a.fn.alert;a.fn.alert=b,a.fn.alert.Constructor=d,a.fn.alert.noConflict=function(){return a.fn.alert=e,this},a(document).on("click.bs.alert.data-api",c,d.prototype.close)}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.button"),f="object"==typeof b&&b;e||d.data("bs.button",e=new c(this,f)),"toggle"==b?e.toggle():b&&e.setState(b)})}var c=function(b,d){this.$element=a(b),this.options=a.extend({},c.DEFAULTS,d),this.isLoading=!1};c.VERSION="3.3.7",c.DEFAULTS={loadingText:"loading..."},c.prototype.setState=function(b){var c="disabled",d=this.$element,e=d.is("input")?"val":"html",f=d.data();b+="Text",null==f.resetText&&d.data("resetText",d[e]()),setTimeout(a.proxy(function(){d[e](null==f[b]?this.options[b]:f[b]),"loadingText"==b?(this.isLoading=!0,d.addClass(c).attr(c,c).prop(c,!0)):this.isLoading&&(this.isLoading=!1,d.removeClass(c).removeAttr(c).prop(c,!1))},this),0)},c.prototype.toggle=function(){var a=!0,b=this.$element.closest('[data-toggle="buttons"]');if(b.length){var c=this.$element.find("input");"radio"==c.prop("type")?(c.prop("checked")&&(a=!1),b.find(".active").removeClass("active"),this.$element.addClass("active")):"checkbox"==c.prop("type")&&(c.prop("checked")!==this.$element.hasClass("active")&&(a=!1),this.$element.toggleClass("active")),c.prop("checked",this.$element.hasClass("active")),a&&c.trigger("change")}else this.$element.attr("aria-pressed",!this.$element.hasClass("active")),this.$element.toggleClass("active")};var d=a.fn.button;a.fn.button=b,a.fn.button.Constructor=c,a.fn.button.noConflict=function(){return a.fn.button=d,this},a(document).on("click.bs.button.data-api",'[data-toggle^="button"]',function(c){var d=a(c.target).closest(".btn");b.call(d,"toggle"),a(c.target).is('input[type="radio"], input[type="checkbox"]')||(c.preventDefault(),d.is("input,button")?d.trigger("focus"):d.find("input:visible,button:visible").first().trigger("focus"))}).on("focus.bs.button.data-api blur.bs.button.data-api",'[data-toggle^="button"]',function(b){a(b.target).closest(".btn").toggleClass("focus",/^focus(in)?$/.test(b.type))})}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.carousel"),f=a.extend({},c.DEFAULTS,d.data(),"object"==typeof b&&b),g="string"==typeof b?b:f.slide;e||d.data("bs.carousel",e=new c(this,f)),"number"==typeof b?e.to(b):g?e[g]():f.interval&&e.pause().cycle()})}var c=function(b,c){this.$element=a(b),this.$indicators=this.$element.find(".carousel-indicators"),this.options=c,this.paused=null,this.sliding=null,this.interval=null,this.$active=null,this.$items=null,this.options.keyboard&&this.$element.on("keydown.bs.carousel",a.proxy(this.keydown,this)),"hover"==this.options.pause&&!("ontouchstart"in document.documentElement)&&this.$element.on("mouseenter.bs.carousel",a.proxy(this.pause,this)).on("mouseleave.bs.carousel",a.proxy(this.cycle,this))};c.VERSION="3.3.7",c.TRANSITION_DURATION=600,c.DEFAULTS={interval:5e3,pause:"hover",wrap:!0,keyboard:!0},c.prototype.keydown=function(a){if(!/input|textarea/i.test(a.target.tagName)){switch(a.which){case 37:this.prev();break;case 39:this.next();break;default:return}a.preventDefault()}},c.prototype.cycle=function(b){return b||(this.paused=!1),this.interval&&clearInterval(this.interval),this.options.interval&&!this.paused&&(this.interval=setInterval(a.proxy(this.next,this),this.options.interval)),this},c.prototype.getItemIndex=function(a){return this.$items=a.parent().children(".item"),this.$items.index(a||this.$active)},c.prototype.getItemForDirection=function(a,b){var c=this.getItemIndex(b),d="prev"==a&&0===c||"next"==a&&c==this.$items.length-1;if(d&&!this.options.wrap)return b;var e="prev"==a?-1:1,f=(c+e)%this.$items.length;return this.$items.eq(f)},c.prototype.to=function(a){var b=this,c=this.getItemIndex(this.$active=this.$element.find(".item.active"));if(!(a>this.$items.length-1||a<0))return this.sliding?this.$element.one("slid.bs.carousel",function(){b.to(a)}):c==a?this.pause().cycle():this.slide(a>c?"next":"prev",this.$items.eq(a))},c.prototype.pause=function(b){return b||(this.paused=!0),this.$element.find(".next, .prev").length&&a.support.transition&&(this.$element.trigger(a.support.transition.end),this.cycle(!0)),this.interval=clearInterval(this.interval),this},c.prototype.next=function(){if(!this.sliding)return this.slide("next")},c.prototype.prev=function(){if(!this.sliding)return this.slide("prev")},c.prototype.slide=function(b,d){var e=this.$element.find(".item.active"),f=d||this.getItemForDirection(b,e),g=this.interval,h="next"==b?"left":"right",i=this;if(f.hasClass("active"))return this.sliding=!1;var j=f[0],k=a.Event("slide.bs.carousel",{relatedTarget:j,direction:h});if(this.$element.trigger(k),!k.isDefaultPrevented()){if(this.sliding=!0,g&&this.pause(),this.$indicators.length){this.$indicators.find(".active").removeClass("active");var l=a(this.$indicators.children()[this.getItemIndex(f)]);l&&l.addClass("active")}var m=a.Event("slid.bs.carousel",{relatedTarget:j,direction:h});return a.support.transition&&this.$element.hasClass("slide")?(f.addClass(b),f[0].offsetWidth,e.addClass(h),f.addClass(h),e.one("bsTransitionEnd",function(){f.removeClass([b,h].join(" ")).addClass("active"),e.removeClass(["active",h].join(" ")),i.sliding=!1,setTimeout(function(){i.$element.trigger(m)},0)}).emulateTransitionEnd(c.TRANSITION_DURATION)):(e.removeClass("active"),f.addClass("active"),this.sliding=!1,this.$element.trigger(m)),g&&this.cycle(),this}};var d=a.fn.carousel;a.fn.carousel=b,a.fn.carousel.Constructor=c,a.fn.carousel.noConflict=function(){return a.fn.carousel=d,this};var e=function(c){var d,e=a(this),f=a(e.attr("data-target")||(d=e.attr("href"))&&d.replace(/.*(?=#[^\s]+$)/,""));if(f.hasClass("carousel")){var g=a.extend({},f.data(),e.data()),h=e.attr("data-slide-to");h&&(g.interval=!1),b.call(f,g),h&&f.data("bs.carousel").to(h),c.preventDefault()}};a(document).on("click.bs.carousel.data-api","[data-slide]",e).on("click.bs.carousel.data-api","[data-slide-to]",e),a(window).on("load",function(){a('[data-ride="carousel"]').each(function(){var c=a(this);b.call(c,c.data())})})}(jQuery),+function(a){"use strict";function b(b){var c,d=b.attr("data-target")||(c=b.attr("href"))&&c.replace(/.*(?=#[^\s]+$)/,"");return a(d)}function c(b){return this.each(function(){var c=a(this),e=c.data("bs.collapse"),f=a.extend({},d.DEFAULTS,c.data(),"object"==typeof b&&b);!e&&f.toggle&&/show|hide/.test(b)&&(f.toggle=!1),e||c.data("bs.collapse",e=new d(this,f)),"string"==typeof b&&e[b]()})}var d=function(b,c){this.$element=a(b),this.options=a.extend({},d.DEFAULTS,c),this.$trigger=a('[data-toggle="collapse"][href="#'+b.id+'"],[data-toggle="collapse"][data-target="#'+b.id+'"]'),this.transitioning=null,this.options.parent?this.$parent=this.getParent():this.addAriaAndCollapsedClass(this.$element,this.$trigger),this.options.toggle&&this.toggle()};d.VERSION="3.3.7",d.TRANSITION_DURATION=350,d.DEFAULTS={toggle:!0},d.prototype.dimension=function(){var a=this.$element.hasClass("width");return a?"width":"height"},d.prototype.show=function(){if(!this.transitioning&&!this.$element.hasClass("in")){var b,e=this.$parent&&this.$parent.children(".panel").children(".in, .collapsing");if(!(e&&e.length&&(b=e.data("bs.collapse"),b&&b.transitioning))){var f=a.Event("show.bs.collapse");if(this.$element.trigger(f),!f.isDefaultPrevented()){e&&e.length&&(c.call(e,"hide"),b||e.data("bs.collapse",null));var g=this.dimension();this.$element.removeClass("collapse").addClass("collapsing")[g](0).attr("aria-expanded",!0),this.$trigger.removeClass("collapsed").attr("aria-expanded",!0),this.transitioning=1;var h=function(){this.$element.removeClass("collapsing").addClass("collapse in")[g](""),this.transitioning=0,this.$element.trigger("shown.bs.collapse")};if(!a.support.transition)return h.call(this);var i=a.camelCase(["scroll",g].join("-"));this.$element.one("bsTransitionEnd",a.proxy(h,this)).emulateTransitionEnd(d.TRANSITION_DURATION)[g](this.$element[0][i])}}}},d.prototype.hide=function(){if(!this.transitioning&&this.$element.hasClass("in")){var b=a.Event("hide.bs.collapse");if(this.$element.trigger(b),!b.isDefaultPrevented()){var c=this.dimension();this.$element[c](this.$element[c]())[0].offsetHeight,this.$element.addClass("collapsing").removeClass("collapse in").attr("aria-expanded",!1),this.$trigger.addClass("collapsed").attr("aria-expanded",!1),this.transitioning=1;var e=function(){this.transitioning=0,this.$element.removeClass("collapsing").addClass("collapse").trigger("hidden.bs.collapse")};return a.support.transition?void this.$element[c](0).one("bsTransitionEnd",a.proxy(e,this)).emulateTransitionEnd(d.TRANSITION_DURATION):e.call(this)}}},d.prototype.toggle=function(){this[this.$element.hasClass("in")?"hide":"show"]()},d.prototype.getParent=function(){return a(this.options.parent).find('[data-toggle="collapse"][data-parent="'+this.options.parent+'"]').each(a.proxy(function(c,d){var e=a(d);this.addAriaAndCollapsedClass(b(e),e)},this)).end()},d.prototype.addAriaAndCollapsedClass=function(a,b){var c=a.hasClass("in");a.attr("aria-expanded",c),b.toggleClass("collapsed",!c).attr("aria-expanded",c)};var e=a.fn.collapse;a.fn.collapse=c,a.fn.collapse.Constructor=d,a.fn.collapse.noConflict=function(){return a.fn.collapse=e,this},a(document).on("click.bs.collapse.data-api",'[data-toggle="collapse"]',function(d){var e=a(this);e.attr("data-target")||d.preventDefault();var f=b(e),g=f.data("bs.collapse"),h=g?"toggle":e.data();c.call(f,h)})}(jQuery),+function(a){"use strict";function b(b){var c=b.attr("data-target");c||(c=b.attr("href"),c=c&&/#[A-Za-z]/.test(c)&&c.replace(/.*(?=#[^\s]*$)/,""));var d=c&&a(c);return d&&d.length?d:b.parent()}function c(c){c&&3===c.which||(a(e).remove(),a(f).each(function(){var d=a(this),e=b(d),f={relatedTarget:this};e.hasClass("open")&&(c&&"click"==c.type&&/input|textarea/i.test(c.target.tagName)&&a.contains(e[0],c.target)||(e.trigger(c=a.Event("hide.bs.dropdown",f)),c.isDefaultPrevented()||(d.attr("aria-expanded","false"),e.removeClass("open").trigger(a.Event("hidden.bs.dropdown",f)))))}))}function d(b){return this.each(function(){var c=a(this),d=c.data("bs.dropdown");d||c.data("bs.dropdown",d=new g(this)),"string"==typeof b&&d[b].call(c)})}var e=".dropdown-backdrop",f='[data-toggle="dropdown"]',g=function(b){a(b).on("click.bs.dropdown",this.toggle)};g.VERSION="3.3.7",g.prototype.toggle=function(d){var e=a(this);if(!e.is(".disabled, :disabled")){var f=b(e),g=f.hasClass("open");if(c(),!g){"ontouchstart"in document.documentElement&&!f.closest(".navbar-nav").length&&a(document.createElement("div")).addClass("dropdown-backdrop").insertAfter(a(this)).on("click",c);var h={relatedTarget:this};if(f.trigger(d=a.Event("show.bs.dropdown",h)),d.isDefaultPrevented())return;e.trigger("focus").attr("aria-expanded","true"),f.toggleClass("open").trigger(a.Event("shown.bs.dropdown",h))}return!1}},g.prototype.keydown=function(c){if(/(38|40|27|32)/.test(c.which)&&!/input|textarea/i.test(c.target.tagName)){var d=a(this);if(c.preventDefault(),c.stopPropagation(),!d.is(".disabled, :disabled")){var e=b(d),g=e.hasClass("open");if(!g&&27!=c.which||g&&27==c.which)return 27==c.which&&e.find(f).trigger("focus"),d.trigger("click");var h=" li:not(.disabled):visible a",i=e.find(".dropdown-menu"+h);if(i.length){var j=i.index(c.target);38==c.which&&j>0&&j--,40==c.which&&jdocument.documentElement.clientHeight;this.$element.css({paddingLeft:!this.bodyIsOverflowing&&a?this.scrollbarWidth:"",paddingRight:this.bodyIsOverflowing&&!a?this.scrollbarWidth:""})},c.prototype.resetAdjustments=function(){this.$element.css({paddingLeft:"",paddingRight:""})},c.prototype.checkScrollbar=function(){var a=window.innerWidth;if(!a){var b=document.documentElement.getBoundingClientRect();a=b.right-Math.abs(b.left)}this.bodyIsOverflowing=document.body.clientWidth
',trigger:"hover focus",title:"",delay:0,html:!1,container:!1,viewport:{selector:"body",padding:0}},c.prototype.init=function(b,c,d){if(this.enabled=!0,this.type=b,this.$element=a(c),this.options=this.getOptions(d),this.$viewport=this.options.viewport&&a(a.isFunction(this.options.viewport)?this.options.viewport.call(this,this.$element):this.options.viewport.selector||this.options.viewport),this.inState={click:!1,hover:!1,focus:!1},this.$element[0]instanceof document.constructor&&!this.options.selector)throw new Error("`selector` option must be specified when initializing "+this.type+" on the window.document object!");for(var e=this.options.trigger.split(" "),f=e.length;f--;){var g=e[f];if("click"==g)this.$element.on("click."+this.type,this.options.selector,a.proxy(this.toggle,this));else if("manual"!=g){var h="hover"==g?"mouseenter":"focusin",i="hover"==g?"mouseleave":"focusout";this.$element.on(h+"."+this.type,this.options.selector,a.proxy(this.enter,this)),this.$element.on(i+"."+this.type,this.options.selector,a.proxy(this.leave,this))}}this.options.selector?this._options=a.extend({},this.options,{trigger:"manual",selector:""}):this.fixTitle()},c.prototype.getDefaults=function(){return c.DEFAULTS},c.prototype.getOptions=function(b){return b=a.extend({},this.getDefaults(),this.$element.data(),b),b.delay&&"number"==typeof b.delay&&(b.delay={show:b.delay,hide:b.delay}),b},c.prototype.getDelegateOptions=function(){var b={},c=this.getDefaults();return this._options&&a.each(this._options,function(a,d){c[a]!=d&&(b[a]=d)}),b},c.prototype.enter=function(b){var c=b instanceof this.constructor?b:a(b.currentTarget).data("bs."+this.type);return c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c)),b instanceof a.Event&&(c.inState["focusin"==b.type?"focus":"hover"]=!0),c.tip().hasClass("in")||"in"==c.hoverState?void(c.hoverState="in"):(clearTimeout(c.timeout),c.hoverState="in",c.options.delay&&c.options.delay.show?void(c.timeout=setTimeout(function(){"in"==c.hoverState&&c.show()},c.options.delay.show)):c.show())},c.prototype.isInStateTrue=function(){for(var a in this.inState)if(this.inState[a])return!0;return!1},c.prototype.leave=function(b){var c=b instanceof this.constructor?b:a(b.currentTarget).data("bs."+this.type);if(c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c)),b instanceof a.Event&&(c.inState["focusout"==b.type?"focus":"hover"]=!1),!c.isInStateTrue())return clearTimeout(c.timeout),c.hoverState="out",c.options.delay&&c.options.delay.hide?void(c.timeout=setTimeout(function(){"out"==c.hoverState&&c.hide()},c.options.delay.hide)):c.hide()},c.prototype.show=function(){var b=a.Event("show.bs."+this.type);if(this.hasContent()&&this.enabled){this.$element.trigger(b);var d=a.contains(this.$element[0].ownerDocument.documentElement,this.$element[0]);if(b.isDefaultPrevented()||!d)return;var e=this,f=this.tip(),g=this.getUID(this.type);this.setContent(),f.attr("id",g),this.$element.attr("aria-describedby",g),this.options.animation&&f.addClass("fade");var h="function"==typeof this.options.placement?this.options.placement.call(this,f[0],this.$element[0]):this.options.placement,i=/\s?auto?\s?/i,j=i.test(h);j&&(h=h.replace(i,"")||"top"),f.detach().css({top:0,left:0,display:"block"}).addClass(h).data("bs."+this.type,this),this.options.container?f.appendTo(this.options.container):f.insertAfter(this.$element),this.$element.trigger("inserted.bs."+this.type);var k=this.getPosition(),l=f[0].offsetWidth,m=f[0].offsetHeight;if(j){var n=h,o=this.getPosition(this.$viewport);h="bottom"==h&&k.bottom+m>o.bottom?"top":"top"==h&&k.top-mo.width?"left":"left"==h&&k.left-lg.top+g.height&&(e.top=g.top+g.height-i)}else{var j=b.left-f,k=b.left+f+c;jg.right&&(e.left=g.left+g.width-k)}return e},c.prototype.getTitle=function(){var a,b=this.$element,c=this.options;return a=b.attr("data-original-title")||("function"==typeof c.title?c.title.call(b[0]):c.title)},c.prototype.getUID=function(a){do a+=~~(1e6*Math.random());while(document.getElementById(a));return a},c.prototype.tip=function(){if(!this.$tip&&(this.$tip=a(this.options.template),1!=this.$tip.length))throw new Error(this.type+" `template` option must consist of exactly 1 top-level element!");return this.$tip},c.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".tooltip-arrow")},c.prototype.enable=function(){this.enabled=!0},c.prototype.disable=function(){this.enabled=!1},c.prototype.toggleEnabled=function(){this.enabled=!this.enabled},c.prototype.toggle=function(b){var c=this;b&&(c=a(b.currentTarget).data("bs."+this.type),c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c))),b?(c.inState.click=!c.inState.click,c.isInStateTrue()?c.enter(c):c.leave(c)):c.tip().hasClass("in")?c.leave(c):c.enter(c)},c.prototype.destroy=function(){var a=this;clearTimeout(this.timeout),this.hide(function(){a.$element.off("."+a.type).removeData("bs."+a.type),a.$tip&&a.$tip.detach(),a.$tip=null,a.$arrow=null,a.$viewport=null,a.$element=null})};var d=a.fn.tooltip;a.fn.tooltip=b,a.fn.tooltip.Constructor=c,a.fn.tooltip.noConflict=function(){return a.fn.tooltip=d,this}}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.popover"),f="object"==typeof b&&b;!e&&/destroy|hide/.test(b)||(e||d.data("bs.popover",e=new c(this,f)),"string"==typeof b&&e[b]())})}var c=function(a,b){this.init("popover",a,b)};if(!a.fn.tooltip)throw new Error("Popover requires tooltip.js");c.VERSION="3.3.7",c.DEFAULTS=a.extend({},a.fn.tooltip.Constructor.DEFAULTS,{placement:"right",trigger:"click",content:"",template:''}),c.prototype=a.extend({},a.fn.tooltip.Constructor.prototype),c.prototype.constructor=c,c.prototype.getDefaults=function(){return c.DEFAULTS},c.prototype.setContent=function(){var a=this.tip(),b=this.getTitle(),c=this.getContent();a.find(".popover-title")[this.options.html?"html":"text"](b),a.find(".popover-content").children().detach().end()[this.options.html?"string"==typeof c?"html":"append":"text"](c),a.removeClass("fade top bottom left right in"),a.find(".popover-title").html()||a.find(".popover-title").hide()},c.prototype.hasContent=function(){return this.getTitle()||this.getContent()},c.prototype.getContent=function(){var a=this.$element,b=this.options;return a.attr("data-content")||("function"==typeof b.content?b.content.call(a[0]):b.content)},c.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".arrow")};var d=a.fn.popover;a.fn.popover=b,a.fn.popover.Constructor=c,a.fn.popover.noConflict=function(){return a.fn.popover=d,this}}(jQuery),+function(a){"use strict";function b(c,d){this.$body=a(document.body),this.$scrollElement=a(a(c).is(document.body)?window:c),this.options=a.extend({},b.DEFAULTS,d),this.selector=(this.options.target||"")+" .nav li > a",this.offsets=[],this.targets=[],this.activeTarget=null,this.scrollHeight=0,this.$scrollElement.on("scroll.bs.scrollspy",a.proxy(this.process,this)),this.refresh(),this.process()}function c(c){return this.each(function(){var d=a(this),e=d.data("bs.scrollspy"),f="object"==typeof c&&c;e||d.data("bs.scrollspy",e=new b(this,f)),"string"==typeof c&&e[c]()})}b.VERSION="3.3.7",b.DEFAULTS={offset:10},b.prototype.getScrollHeight=function(){return this.$scrollElement[0].scrollHeight||Math.max(this.$body[0].scrollHeight,document.documentElement.scrollHeight)},b.prototype.refresh=function(){var b=this,c="offset",d=0;this.offsets=[],this.targets=[],this.scrollHeight=this.getScrollHeight(),a.isWindow(this.$scrollElement[0])||(c="position",d=this.$scrollElement.scrollTop()),this.$body.find(this.selector).map(function(){var b=a(this),e=b.data("target")||b.attr("href"),f=/^#./.test(e)&&a(e);return f&&f.length&&f.is(":visible")&&[[f[c]().top+d,e]]||null}).sort(function(a,b){return a[0]-b[0]}).each(function(){b.offsets.push(this[0]),b.targets.push(this[1])})},b.prototype.process=function(){var a,b=this.$scrollElement.scrollTop()+this.options.offset,c=this.getScrollHeight(),d=this.options.offset+c-this.$scrollElement.height(),e=this.offsets,f=this.targets,g=this.activeTarget;if(this.scrollHeight!=c&&this.refresh(),b>=d)return g!=(a=f[f.length-1])&&this.activate(a);if(g&&b=e[a]&&(void 0===e[a+1]||b .dropdown-menu > .active").removeClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!1),b.addClass("active").find('[data-toggle="tab"]').attr("aria-expanded",!0),h?(b[0].offsetWidth,b.addClass("in")):b.removeClass("fade"),b.parent(".dropdown-menu").length&&b.closest("li.dropdown").addClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!0),e&&e()}var g=d.find("> .active"),h=e&&a.support.transition&&(g.length&&g.hasClass("fade")||!!d.find("> .fade").length);g.length&&h?g.one("bsTransitionEnd",f).emulateTransitionEnd(c.TRANSITION_DURATION):f(),g.removeClass("in")};var d=a.fn.tab;a.fn.tab=b,a.fn.tab.Constructor=c,a.fn.tab.noConflict=function(){return a.fn.tab=d,this};var e=function(c){c.preventDefault(),b.call(a(this),"show")};a(document).on("click.bs.tab.data-api",'[data-toggle="tab"]',e).on("click.bs.tab.data-api",'[data-toggle="pill"]',e)}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.affix"),f="object"==typeof b&&b;e||d.data("bs.affix",e=new c(this,f)),"string"==typeof b&&e[b]()})}var c=function(b,d){this.options=a.extend({},c.DEFAULTS,d),this.$target=a(this.options.target).on("scroll.bs.affix.data-api",a.proxy(this.checkPosition,this)).on("click.bs.affix.data-api",a.proxy(this.checkPositionWithEventLoop,this)),this.$element=a(b),this.affixed=null,this.unpin=null,this.pinnedOffset=null,this.checkPosition()};c.VERSION="3.3.7",c.RESET="affix affix-top affix-bottom",c.DEFAULTS={offset:0,target:window},c.prototype.getState=function(a,b,c,d){var e=this.$target.scrollTop(),f=this.$element.offset(),g=this.$target.height();if(null!=c&&"top"==this.affixed)return e=a-d&&"bottom"},c.prototype.getPinnedOffset=function(){if(this.pinnedOffset)return this.pinnedOffset;this.$element.removeClass(c.RESET).addClass("affix");var a=this.$target.scrollTop(),b=this.$element.offset();return this.pinnedOffset=b.top-a},c.prototype.checkPositionWithEventLoop=function(){setTimeout(a.proxy(this.checkPosition,this),1)},c.prototype.checkPosition=function(){if(this.$element.is(":visible")){var b=this.$element.height(),d=this.options.offset,e=d.top,f=d.bottom,g=Math.max(a(document).height(),a(document.body).height());"object"!=typeof d&&(f=e=d),"function"==typeof e&&(e=d.top(this.$element)),"function"==typeof f&&(f=d.bottom(this.$element));var h=this.getState(g,b,e,f);if(this.affixed!=h){null!=this.unpin&&this.$element.css("top","");var i="affix"+(h?"-"+h:""),j=a.Event(i+".bs.affix");if(this.$element.trigger(j),j.isDefaultPrevented())return;this.affixed=h,this.unpin="bottom"==h?this.getPinnedOffset():null,this.$element.removeClass(c.RESET).addClass(i).trigger(i.replace("affix","affixed")+".bs.affix")}"bottom"==h&&this.$element.offset({top:g-b-f})}};var d=a.fn.affix;a.fn.affix=b,a.fn.affix.Constructor=c,a.fn.affix.noConflict=function(){return a.fn.affix=d,this},a(window).on("load",function(){a('[data-spy="affix"]').each(function(){var c=a(this),d=c.data();d.offset=d.offset||{},null!=d.offsetBottom&&(d.offset.bottom=d.offsetBottom),null!=d.offsetTop&&(d.offset.top=d.offsetTop),b.call(c,d)})})}(jQuery); \ No newline at end of file diff --git a/util/hmessages.po b/util/hmessages.po index b076aadf8..75311641c 100644 --- a/util/hmessages.po +++ b/util/hmessages.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: \n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-07-15 00:02-0700\n" +"POT-Creation-Date: 2016-08-05 00:02-0700\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -17,11 +17,156 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +#: ../../Zotlabs/Access/PermissionRoles.php:182 +#: ../../include/permissions.php:939 +msgid "Social Networking" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:183 +#: ../../include/permissions.php:939 +msgid "Social - Mostly Public" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:184 +#: ../../include/permissions.php:939 +msgid "Social - Restricted" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:185 +#: ../../include/permissions.php:939 +msgid "Social - Private" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:188 +#: ../../include/permissions.php:940 +msgid "Community Forum" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:189 +#: ../../include/permissions.php:940 +msgid "Forum - Mostly Public" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:190 +#: ../../include/permissions.php:940 +msgid "Forum - Restricted" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:191 +#: ../../include/permissions.php:940 +msgid "Forum - Private" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:194 +#: ../../include/permissions.php:941 +msgid "Feed Republish" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:195 +#: ../../include/permissions.php:941 +msgid "Feed - Mostly Public" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:196 +#: ../../include/permissions.php:941 +msgid "Feed - Restricted" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:199 +#: ../../include/permissions.php:942 +msgid "Special Purpose" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:200 +#: ../../include/permissions.php:942 +msgid "Special - Celebrity/Soapbox" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:201 +#: ../../include/permissions.php:942 +msgid "Special - Group Repository" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:204 ../../include/selectors.php:49 +#: ../../include/selectors.php:66 ../../include/selectors.php:104 +#: ../../include/selectors.php:140 ../../include/permissions.php:943 +msgid "Other" +msgstr "" + +#: ../../Zotlabs/Access/PermissionRoles.php:205 +#: ../../include/permissions.php:943 +msgid "Custom/Expert Mode" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:30 +msgid "Can view my channel stream and posts" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:31 ../../include/permissions.php:36 +msgid "Can send me their channel stream and posts" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:32 ../../include/permissions.php:30 +msgid "Can view my default channel profile" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:33 ../../include/permissions.php:31 +msgid "Can view my connections" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:34 ../../include/permissions.php:32 +msgid "Can view my file storage and photos" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:35 +msgid "Can upload/modify my file storage and photos" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:36 +msgid "Can view my channel webpages" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:37 +msgid "Can create/edit my channel webpages" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:38 +msgid "Can post on my channel (wall) page" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:39 ../../include/permissions.php:38 +msgid "Can comment on or like my posts" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:40 ../../include/permissions.php:39 +msgid "Can send me private mail messages" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:41 +msgid "Can like/dislike profiles and profile things" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:42 +msgid "Can forward to all my channel connections via @+ mentions in posts" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:43 +msgid "Can chat with me" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:44 ../../include/permissions.php:47 +msgid "Can source my public posts in derived channels" +msgstr "" + +#: ../../Zotlabs/Access/Permissions.php:45 +msgid "Can administer my channel" +msgstr "" + #: ../../Zotlabs/Storage/Browser.php:107 ../../Zotlabs/Storage/Browser.php:239 msgid "parent" msgstr "" -#: ../../Zotlabs/Storage/Browser.php:131 ../../include/text.php:2613 +#: ../../Zotlabs/Storage/Browser.php:131 ../../include/text.php:2633 msgid "Collection" msgstr "" @@ -48,8 +193,8 @@ msgstr "" #: ../../Zotlabs/Storage/Browser.php:164 ../../Zotlabs/Module/Photos.php:796 #: ../../Zotlabs/Module/Photos.php:1241 #: ../../Zotlabs/Module/Embedphotos.php:147 ../../Zotlabs/Lib/Apps.php:490 -#: ../../Zotlabs/Lib/Apps.php:565 ../../include/widgets.php:1594 -#: ../../include/conversation.php:1035 +#: ../../Zotlabs/Lib/Apps.php:565 ../../include/conversation.php:1035 +#: ../../include/widgets.php:1613 msgid "Unknown" msgstr "" @@ -67,24 +212,25 @@ msgstr "" msgid "Shared" msgstr "" -#: ../../Zotlabs/Storage/Browser.php:230 ../../Zotlabs/Storage/Browser.php:306 -#: ../../Zotlabs/Module/Layouts.php:184 ../../Zotlabs/Module/Menu.php:118 +#: ../../Zotlabs/Storage/Browser.php:230 ../../Zotlabs/Storage/Browser.php:321 +#: ../../Zotlabs/Module/Webpages.php:215 #: ../../Zotlabs/Module/New_channel.php:142 -#: ../../Zotlabs/Module/Blocks.php:159 ../../Zotlabs/Module/Webpages.php:193 +#: ../../Zotlabs/Module/Blocks.php:159 ../../Zotlabs/Module/Layouts.php:184 +#: ../../Zotlabs/Module/Menu.php:118 msgid "Create" msgstr "" -#: ../../Zotlabs/Storage/Browser.php:231 ../../Zotlabs/Storage/Browser.php:308 -#: ../../Zotlabs/Module/Cover_photo.php:357 +#: ../../Zotlabs/Storage/Browser.php:231 ../../Zotlabs/Storage/Browser.php:323 #: ../../Zotlabs/Module/Photos.php:823 ../../Zotlabs/Module/Photos.php:1362 +#: ../../Zotlabs/Module/Cover_photo.php:357 #: ../../Zotlabs/Module/Profile_photo.php:390 -#: ../../Zotlabs/Module/Embedphotos.php:159 ../../include/widgets.php:1607 +#: ../../Zotlabs/Module/Embedphotos.php:159 ../../include/widgets.php:1626 msgid "Upload" msgstr "" -#: ../../Zotlabs/Storage/Browser.php:235 ../../Zotlabs/Module/Chat.php:247 -#: ../../Zotlabs/Module/Admin.php:1223 ../../Zotlabs/Module/Settings.php:627 -#: ../../Zotlabs/Module/Settings.php:653 +#: ../../Zotlabs/Storage/Browser.php:235 ../../Zotlabs/Module/Settings.php:662 +#: ../../Zotlabs/Module/Settings.php:688 ../../Zotlabs/Module/Chat.php:247 +#: ../../Zotlabs/Module/Admin.php:1223 #: ../../Zotlabs/Module/Sharedwithme.php:99 msgid "Name" msgstr "" @@ -103,124 +249,123 @@ msgstr "" msgid "Last Modified" msgstr "" -#: ../../Zotlabs/Storage/Browser.php:240 ../../Zotlabs/Module/Editpost.php:84 +#: ../../Zotlabs/Storage/Browser.php:240 #: ../../Zotlabs/Module/Connections.php:290 #: ../../Zotlabs/Module/Connections.php:310 +#: ../../Zotlabs/Module/Editblock.php:109 #: ../../Zotlabs/Module/Editlayout.php:114 #: ../../Zotlabs/Module/Editwebpage.php:145 -#: ../../Zotlabs/Module/Layouts.php:192 ../../Zotlabs/Module/Menu.php:112 -#: ../../Zotlabs/Module/Admin.php:2113 ../../Zotlabs/Module/Blocks.php:160 -#: ../../Zotlabs/Module/Editblock.php:109 -#: ../../Zotlabs/Module/Settings.php:687 ../../Zotlabs/Module/Thing.php:260 -#: ../../Zotlabs/Module/Webpages.php:194 ../../Zotlabs/Lib/Apps.php:341 -#: ../../Zotlabs/Lib/ThreadItem.php:106 ../../include/page_widgets.php:9 -#: ../../include/page_widgets.php:39 ../../include/channel.php:961 -#: ../../include/channel.php:965 ../../include/menu.php:108 +#: ../../Zotlabs/Module/Editpost.php:84 ../../Zotlabs/Module/Settings.php:722 +#: ../../Zotlabs/Module/Webpages.php:216 ../../Zotlabs/Module/Admin.php:2113 +#: ../../Zotlabs/Module/Blocks.php:160 ../../Zotlabs/Module/Layouts.php:192 +#: ../../Zotlabs/Module/Menu.php:112 ../../Zotlabs/Module/Thing.php:260 +#: ../../Zotlabs/Lib/Apps.php:341 ../../Zotlabs/Lib/ThreadItem.php:106 +#: ../../include/page_widgets.php:9 ../../include/page_widgets.php:39 +#: ../../include/menu.php:113 ../../include/channel.php:967 +#: ../../include/channel.php:971 msgid "Edit" msgstr "" -#: ../../Zotlabs/Storage/Browser.php:241 ../../Zotlabs/Module/Connedit.php:578 +#: ../../Zotlabs/Storage/Browser.php:241 ../../Zotlabs/Module/Photos.php:1171 #: ../../Zotlabs/Module/Connections.php:263 +#: ../../Zotlabs/Module/Editblock.php:134 #: ../../Zotlabs/Module/Editlayout.php:137 -#: ../../Zotlabs/Module/Editwebpage.php:169 ../../Zotlabs/Module/Group.php:177 -#: ../../Zotlabs/Module/Photos.php:1171 ../../Zotlabs/Module/Admin.php:1039 -#: ../../Zotlabs/Module/Admin.php:1213 ../../Zotlabs/Module/Admin.php:2114 -#: ../../Zotlabs/Module/Blocks.php:162 ../../Zotlabs/Module/Editblock.php:134 -#: ../../Zotlabs/Module/Settings.php:688 ../../Zotlabs/Module/Thing.php:261 -#: ../../Zotlabs/Module/Webpages.php:196 ../../Zotlabs/Lib/Apps.php:342 +#: ../../Zotlabs/Module/Editwebpage.php:169 +#: ../../Zotlabs/Module/Settings.php:723 ../../Zotlabs/Module/Webpages.php:218 +#: ../../Zotlabs/Module/Group.php:177 ../../Zotlabs/Module/Connedit.php:610 +#: ../../Zotlabs/Module/Admin.php:1039 ../../Zotlabs/Module/Admin.php:1213 +#: ../../Zotlabs/Module/Admin.php:2114 ../../Zotlabs/Module/Blocks.php:162 +#: ../../Zotlabs/Module/Thing.php:261 ../../Zotlabs/Lib/Apps.php:342 #: ../../Zotlabs/Lib/ThreadItem.php:126 ../../include/conversation.php:660 msgid "Delete" msgstr "" -#: ../../Zotlabs/Storage/Browser.php:285 +#: ../../Zotlabs/Storage/Browser.php:301 #, php-format msgid "You are using %1$s of your available file storage." msgstr "" -#: ../../Zotlabs/Storage/Browser.php:290 +#: ../../Zotlabs/Storage/Browser.php:306 #, php-format msgid "You are using %1$s of %2$s available file storage. (%3$s%)" msgstr "" -#: ../../Zotlabs/Storage/Browser.php:302 +#: ../../Zotlabs/Storage/Browser.php:317 msgid "WARNING:" msgstr "" -#: ../../Zotlabs/Storage/Browser.php:305 +#: ../../Zotlabs/Storage/Browser.php:320 msgid "Create new folder" msgstr "" -#: ../../Zotlabs/Storage/Browser.php:307 +#: ../../Zotlabs/Storage/Browser.php:322 msgid "Upload file" msgstr "" -#: ../../Zotlabs/Web/WebServer.php:127 ../../Zotlabs/Module/Dreport.php:10 -#: ../../Zotlabs/Module/Dreport.php:66 ../../Zotlabs/Module/Group.php:72 -#: ../../Zotlabs/Module/Like.php:284 ../../Zotlabs/Module/Import_items.php:114 -#: ../../Zotlabs/Module/Profperm.php:28 ../../Zotlabs/Module/Subthread.php:62 -#: ../../include/items.php:385 -msgid "Permission denied" +#: ../../Zotlabs/Storage/Browser.php:329 +msgid "Drop files here to immediately upload" msgstr "" -#: ../../Zotlabs/Web/WebServer.php:128 ../../Zotlabs/Web/Router.php:65 +#: ../../Zotlabs/Web/Router.php:65 ../../Zotlabs/Web/WebServer.php:128 #: ../../Zotlabs/Module/Achievements.php:34 -#: ../../Zotlabs/Module/Connedit.php:366 ../../Zotlabs/Module/Id.php:76 -#: ../../Zotlabs/Module/Authtest.php:16 ../../Zotlabs/Module/Events.php:264 -#: ../../Zotlabs/Module/Bookmarks.php:61 ../../Zotlabs/Module/Editpost.php:17 +#: ../../Zotlabs/Module/Network.php:15 ../../Zotlabs/Module/Photos.php:73 +#: ../../Zotlabs/Module/Authtest.php:16 ../../Zotlabs/Module/Bookmarks.php:61 #: ../../Zotlabs/Module/Page.php:35 ../../Zotlabs/Module/Page.php:91 #: ../../Zotlabs/Module/Connections.php:33 #: ../../Zotlabs/Module/Cover_photo.php:277 -#: ../../Zotlabs/Module/Cover_photo.php:290 ../../Zotlabs/Module/Chat.php:100 -#: ../../Zotlabs/Module/Chat.php:105 ../../Zotlabs/Module/Editlayout.php:67 +#: ../../Zotlabs/Module/Cover_photo.php:290 +#: ../../Zotlabs/Module/Channel.php:104 ../../Zotlabs/Module/Channel.php:225 +#: ../../Zotlabs/Module/Channel.php:266 ../../Zotlabs/Module/Editblock.php:67 +#: ../../Zotlabs/Module/Editlayout.php:67 #: ../../Zotlabs/Module/Editlayout.php:90 #: ../../Zotlabs/Module/Editwebpage.php:68 #: ../../Zotlabs/Module/Editwebpage.php:89 #: ../../Zotlabs/Module/Editwebpage.php:104 -#: ../../Zotlabs/Module/Editwebpage.php:126 ../../Zotlabs/Module/Group.php:13 -#: ../../Zotlabs/Module/Appman.php:75 ../../Zotlabs/Module/Pdledit.php:26 -#: ../../Zotlabs/Module/Filestorage.php:23 +#: ../../Zotlabs/Module/Editwebpage.php:126 +#: ../../Zotlabs/Module/Editpost.php:17 ../../Zotlabs/Module/Appman.php:75 +#: ../../Zotlabs/Module/Pdledit.php:26 ../../Zotlabs/Module/Filestorage.php:23 #: ../../Zotlabs/Module/Filestorage.php:78 #: ../../Zotlabs/Module/Filestorage.php:93 #: ../../Zotlabs/Module/Filestorage.php:120 -#: ../../Zotlabs/Module/Layouts.php:71 ../../Zotlabs/Module/Layouts.php:78 -#: ../../Zotlabs/Module/Layouts.php:89 ../../Zotlabs/Module/Like.php:181 -#: ../../Zotlabs/Module/Profiles.php:203 ../../Zotlabs/Module/Profiles.php:601 -#: ../../Zotlabs/Module/Item.php:211 ../../Zotlabs/Module/Item.php:219 -#: ../../Zotlabs/Module/Item.php:1067 ../../Zotlabs/Module/Photos.php:73 +#: ../../Zotlabs/Module/Settings.php:642 ../../Zotlabs/Module/Events.php:264 +#: ../../Zotlabs/Module/Webpages.php:95 ../../Zotlabs/Module/Group.php:13 +#: ../../Zotlabs/Module/Mail.php:121 ../../Zotlabs/Module/Block.php:26 +#: ../../Zotlabs/Module/Block.php:76 ../../Zotlabs/Module/Connedit.php:398 #: ../../Zotlabs/Module/Invite.php:17 ../../Zotlabs/Module/Invite.php:91 -#: ../../Zotlabs/Module/Locs.php:87 ../../Zotlabs/Module/Mail.php:129 -#: ../../Zotlabs/Module/Manage.php:10 ../../Zotlabs/Module/Menu.php:78 +#: ../../Zotlabs/Module/Locs.php:87 ../../Zotlabs/Module/Item.php:213 +#: ../../Zotlabs/Module/Item.php:221 ../../Zotlabs/Module/Item.php:1071 #: ../../Zotlabs/Module/Message.php:18 ../../Zotlabs/Module/Mood.php:116 -#: ../../Zotlabs/Module/Network.php:15 ../../Zotlabs/Module/Channel.php:104 -#: ../../Zotlabs/Module/Channel.php:225 ../../Zotlabs/Module/Channel.php:266 -#: ../../Zotlabs/Module/Mitem.php:115 ../../Zotlabs/Module/New_channel.php:77 +#: ../../Zotlabs/Module/Like.php:181 ../../Zotlabs/Module/Chat.php:100 +#: ../../Zotlabs/Module/Chat.php:105 ../../Zotlabs/Module/Mitem.php:115 +#: ../../Zotlabs/Module/New_channel.php:77 #: ../../Zotlabs/Module/New_channel.php:104 #: ../../Zotlabs/Module/Notifications.php:70 ../../Zotlabs/Module/Poke.php:137 #: ../../Zotlabs/Module/Profile.php:68 ../../Zotlabs/Module/Profile.php:76 -#: ../../Zotlabs/Module/Block.php:26 ../../Zotlabs/Module/Block.php:76 +#: ../../Zotlabs/Module/Blocks.php:73 ../../Zotlabs/Module/Blocks.php:80 +#: ../../Zotlabs/Module/Layouts.php:71 ../../Zotlabs/Module/Layouts.php:78 +#: ../../Zotlabs/Module/Layouts.php:89 #: ../../Zotlabs/Module/Profile_photo.php:265 #: ../../Zotlabs/Module/Profile_photo.php:278 -#: ../../Zotlabs/Module/Blocks.php:73 ../../Zotlabs/Module/Blocks.php:80 -#: ../../Zotlabs/Module/Rate.php:113 ../../Zotlabs/Module/Editblock.php:67 -#: ../../Zotlabs/Module/Common.php:39 ../../Zotlabs/Module/Register.php:77 +#: ../../Zotlabs/Module/Common.php:39 ../../Zotlabs/Module/Rate.php:113 +#: ../../Zotlabs/Module/Manage.php:10 ../../Zotlabs/Module/Register.php:77 #: ../../Zotlabs/Module/Regmod.php:21 -#: ../../Zotlabs/Module/Service_limits.php:11 -#: ../../Zotlabs/Module/Settings.php:607 ../../Zotlabs/Module/Setup.php:215 -#: ../../Zotlabs/Module/Sharedwithme.php:11 ../../Zotlabs/Module/Thing.php:274 -#: ../../Zotlabs/Module/Thing.php:294 ../../Zotlabs/Module/Thing.php:331 -#: ../../Zotlabs/Module/Sources.php:74 ../../Zotlabs/Module/Suggest.php:30 -#: ../../Zotlabs/Module/Webpages.php:73 +#: ../../Zotlabs/Module/Service_limits.php:11 ../../Zotlabs/Module/Menu.php:78 +#: ../../Zotlabs/Module/Setup.php:215 ../../Zotlabs/Module/Sharedwithme.php:11 +#: ../../Zotlabs/Module/Thing.php:274 ../../Zotlabs/Module/Thing.php:294 +#: ../../Zotlabs/Module/Thing.php:331 ../../Zotlabs/Module/Sources.php:74 +#: ../../Zotlabs/Module/Suggest.php:30 ../../Zotlabs/Module/Profiles.php:203 +#: ../../Zotlabs/Module/Profiles.php:601 #: ../../Zotlabs/Module/Viewconnections.php:28 #: ../../Zotlabs/Module/Viewconnections.php:33 #: ../../Zotlabs/Module/Viewsrc.php:18 ../../Zotlabs/Module/Api.php:13 #: ../../Zotlabs/Module/Api.php:18 ../../Zotlabs/Lib/Chatroom.php:137 -#: ../../include/photos.php:27 ../../include/items.php:3449 -#: ../../include/attach.php:141 ../../include/attach.php:189 -#: ../../include/attach.php:252 ../../include/attach.php:266 -#: ../../include/attach.php:273 ../../include/attach.php:338 -#: ../../include/attach.php:352 ../../include/attach.php:359 -#: ../../include/attach.php:439 ../../include/attach.php:901 -#: ../../include/attach.php:972 ../../include/attach.php:1124 +#: ../../include/items.php:3448 ../../include/photos.php:27 +#: ../../include/attach.php:142 ../../include/attach.php:190 +#: ../../include/attach.php:253 ../../include/attach.php:267 +#: ../../include/attach.php:274 ../../include/attach.php:339 +#: ../../include/attach.php:353 ../../include/attach.php:360 +#: ../../include/attach.php:440 ../../include/attach.php:902 +#: ../../include/attach.php:973 ../../include/attach.php:1125 msgid "Permission denied." msgstr "" @@ -228,31 +373,40 @@ msgstr "" msgid "Not Found" msgstr "" -#: ../../Zotlabs/Web/Router.php:149 ../../Zotlabs/Module/Display.php:118 -#: ../../Zotlabs/Module/Page.php:94 ../../Zotlabs/Module/Help.php:97 +#: ../../Zotlabs/Web/Router.php:149 ../../Zotlabs/Module/Page.php:94 +#: ../../Zotlabs/Module/Display.php:118 ../../Zotlabs/Module/Help.php:97 #: ../../Zotlabs/Module/Block.php:79 msgid "Page not found." msgstr "" +#: ../../Zotlabs/Web/WebServer.php:127 ../../Zotlabs/Module/Dreport.php:10 +#: ../../Zotlabs/Module/Dreport.php:66 ../../Zotlabs/Module/Group.php:72 +#: ../../Zotlabs/Module/Import_items.php:114 ../../Zotlabs/Module/Like.php:283 +#: ../../Zotlabs/Module/Profperm.php:28 ../../Zotlabs/Module/Subthread.php:62 +#: ../../include/items.php:384 +msgid "Permission denied" +msgstr "" + #: ../../Zotlabs/Zot/Auth.php:138 msgid "" "Remote authentication blocked. You are logged into this site locally. Please " "logout and retry." msgstr "" -#: ../../Zotlabs/Zot/Auth.php:246 ../../Zotlabs/Module/Openid.php:76 -#: ../../Zotlabs/Module/Openid.php:183 +#: ../../Zotlabs/Zot/Auth.php:246 #, php-format msgid "Welcome %s. Remote authentication successful." msgstr "" #: ../../Zotlabs/Module/Achievements.php:15 -#: ../../Zotlabs/Module/Connect.php:17 ../../Zotlabs/Module/Editlayout.php:31 -#: ../../Zotlabs/Module/Editwebpage.php:32 ../../Zotlabs/Module/Hcard.php:12 -#: ../../Zotlabs/Module/Filestorage.php:59 ../../Zotlabs/Module/Layouts.php:31 +#: ../../Zotlabs/Module/Editblock.php:31 +#: ../../Zotlabs/Module/Editlayout.php:31 +#: ../../Zotlabs/Module/Editwebpage.php:32 +#: ../../Zotlabs/Module/Filestorage.php:59 +#: ../../Zotlabs/Module/Webpages.php:33 ../../Zotlabs/Module/Hcard.php:12 #: ../../Zotlabs/Module/Profile.php:20 ../../Zotlabs/Module/Blocks.php:33 -#: ../../Zotlabs/Module/Editblock.php:31 ../../Zotlabs/Module/Webpages.php:33 -#: ../../include/channel.php:861 +#: ../../Zotlabs/Module/Layouts.php:31 ../../Zotlabs/Module/Connect.php:17 +#: ../../include/channel.php:867 msgid "Requested profile is not available." msgstr "" @@ -268,485 +422,487 @@ msgstr "" msgid "Online" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:80 -msgid "Could not access contact record." +#: ../../Zotlabs/Module/Network.php:94 +msgid "No such group" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:104 -msgid "Could not locate selected profile." +#: ../../Zotlabs/Module/Network.php:134 +msgid "No such channel" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:227 -msgid "Connection updated." +#: ../../Zotlabs/Module/Network.php:139 +msgid "forum" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:229 -msgid "Failed to update connection record." +#: ../../Zotlabs/Module/Network.php:151 +msgid "Search Results For:" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:276 -msgid "is now connected to" +#: ../../Zotlabs/Module/Network.php:215 +msgid "Privacy group is empty" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:379 ../../Zotlabs/Module/Connedit.php:660 -#: ../../Zotlabs/Module/Events.php:458 ../../Zotlabs/Module/Events.php:459 -#: ../../Zotlabs/Module/Events.php:468 +#: ../../Zotlabs/Module/Network.php:224 +msgid "Privacy group: " +msgstr "" + +#: ../../Zotlabs/Module/Network.php:250 +msgid "Invalid connection." +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:44 +msgid "Invalid message" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:76 +msgid "no results" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:91 +msgid "channel sync processed" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:95 +msgid "queued" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:99 +msgid "posted" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:103 +msgid "accepted for delivery" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:107 +msgid "updated" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:110 +msgid "update ignored" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:113 +msgid "permission denied" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:117 +msgid "recipient not found" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:120 +msgid "mail recalled" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:123 +msgid "duplicate mail received" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:126 +msgid "mail delivered" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:146 +#, php-format +msgid "Delivery report for %1$s" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:149 +msgid "Options" +msgstr "" + +#: ../../Zotlabs/Module/Dreport.php:150 +msgid "Redeliver" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:82 +msgid "Page owner information could not be retrieved." +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:97 ../../Zotlabs/Module/Photos.php:741 +#: ../../Zotlabs/Module/Profile_photo.php:115 +#: ../../Zotlabs/Module/Profile_photo.php:212 +#: ../../Zotlabs/Module/Profile_photo.php:311 +#: ../../include/photo/photo_driver.php:718 +msgid "Profile Photos" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:103 ../../Zotlabs/Module/Photos.php:147 +msgid "Album not found." +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:130 +msgid "Delete Album" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:151 +msgid "" +"Multiple storage folders exist with this album name, but within different " +"directories. Please remove the desired folder or folders using the Files " +"manager" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:208 ../../Zotlabs/Module/Photos.php:1051 +msgid "Delete Photo" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:520 ../../Zotlabs/Module/Directory.php:63 +#: ../../Zotlabs/Module/Display.php:17 ../../Zotlabs/Module/Ratings.php:86 +#: ../../Zotlabs/Module/Search.php:17 +#: ../../Zotlabs/Module/Viewconnections.php:23 +msgid "Public access denied." +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:531 +msgid "No photos selected" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:580 +msgid "Access to this item is restricted." +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:619 +#, php-format +msgid "%1$.2f MB of %2$.2f MB photo storage used." +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:622 +#, php-format +msgid "%1$.2f MB photo storage used." +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:658 +msgid "Upload Photos" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:662 +msgid "Enter an album name" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:663 +msgid "or select an existing album (doubleclick)" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:664 +msgid "Create a status post for this upload" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:664 #: ../../Zotlabs/Module/Filestorage.php:156 #: ../../Zotlabs/Module/Filestorage.php:164 -#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Photos.php:664 -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 +#: ../../Zotlabs/Module/Settings.php:651 ../../Zotlabs/Module/Events.php:458 +#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:468 +#: ../../Zotlabs/Module/Connedit.php:411 ../../Zotlabs/Module/Connedit.php:693 #: ../../Zotlabs/Module/Mitem.php:158 ../../Zotlabs/Module/Mitem.php:159 #: ../../Zotlabs/Module/Mitem.php:232 ../../Zotlabs/Module/Mitem.php:233 -#: ../../Zotlabs/Module/Admin.php:459 ../../Zotlabs/Module/Removeme.php:61 -#: ../../Zotlabs/Module/Settings.php:616 ../../Zotlabs/Module/Api.php:89 +#: ../../Zotlabs/Module/Admin.php:459 ../../Zotlabs/Module/Removeme.php:63 +#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 +#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Api.php:89 #: ../../include/dir_fns.php:143 ../../include/dir_fns.php:144 #: ../../include/dir_fns.php:145 ../../view/theme/redbasic/php/config.php:105 -#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1708 +#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1711 msgid "No" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:379 ../../Zotlabs/Module/Events.php:458 -#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:468 +#: ../../Zotlabs/Module/Photos.php:664 #: ../../Zotlabs/Module/Filestorage.php:156 #: ../../Zotlabs/Module/Filestorage.php:164 -#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Photos.php:664 -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 -#: ../../Zotlabs/Module/Mitem.php:158 ../../Zotlabs/Module/Mitem.php:159 -#: ../../Zotlabs/Module/Mitem.php:232 ../../Zotlabs/Module/Mitem.php:233 -#: ../../Zotlabs/Module/Admin.php:461 ../../Zotlabs/Module/Removeme.php:61 -#: ../../Zotlabs/Module/Settings.php:616 ../../Zotlabs/Module/Api.php:88 -#: ../../include/dir_fns.php:143 ../../include/dir_fns.php:144 -#: ../../include/dir_fns.php:145 ../../view/theme/redbasic/php/config.php:105 -#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1708 +#: ../../Zotlabs/Module/Settings.php:651 ../../Zotlabs/Module/Events.php:458 +#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:468 +#: ../../Zotlabs/Module/Connedit.php:411 ../../Zotlabs/Module/Mitem.php:158 +#: ../../Zotlabs/Module/Mitem.php:159 ../../Zotlabs/Module/Mitem.php:232 +#: ../../Zotlabs/Module/Mitem.php:233 ../../Zotlabs/Module/Admin.php:461 +#: ../../Zotlabs/Module/Removeme.php:63 ../../Zotlabs/Module/Menu.php:100 +#: ../../Zotlabs/Module/Menu.php:157 ../../Zotlabs/Module/Profiles.php:647 +#: ../../Zotlabs/Module/Api.php:88 ../../include/dir_fns.php:143 +#: ../../include/dir_fns.php:144 ../../include/dir_fns.php:145 +#: ../../view/theme/redbasic/php/config.php:105 +#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1711 msgid "Yes" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:411 -msgid "Could not access address book record." +#: ../../Zotlabs/Module/Photos.php:665 +msgid "Caption (optional):" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:431 -msgid "Refresh failed - channel is currently unavailable." +#: ../../Zotlabs/Module/Photos.php:666 +msgid "Description (optional):" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:446 ../../Zotlabs/Module/Connedit.php:455 -#: ../../Zotlabs/Module/Connedit.php:464 ../../Zotlabs/Module/Connedit.php:473 -#: ../../Zotlabs/Module/Connedit.php:486 -msgid "Unable to set address book parameters." +#: ../../Zotlabs/Module/Photos.php:669 ../../Zotlabs/Module/Photos.php:1043 +#: ../../Zotlabs/Module/Filestorage.php:152 ../../Zotlabs/Module/Chat.php:235 +#: ../../Zotlabs/Module/Thing.php:313 ../../Zotlabs/Module/Thing.php:359 +#: ../../include/acl_selectors.php:281 +msgid "Permissions" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:509 -msgid "Connection has been removed." -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:525 ../../Zotlabs/Lib/Apps.php:221 -#: ../../include/nav.php:86 ../../include/conversation.php:957 -msgid "View Profile" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:528 -#, php-format -msgid "View %s's profile" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:532 -msgid "Refresh Permissions" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:535 -msgid "Fetch updated permissions" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:539 -msgid "Recent Activity" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:542 -msgid "View recent posts and comments" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:546 ../../Zotlabs/Module/Admin.php:1041 -msgid "Unblock" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:546 ../../Zotlabs/Module/Admin.php:1040 -msgid "Block" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:549 -msgid "Block (or Unblock) all communications with this connection" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:550 -msgid "This connection is blocked!" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:554 -msgid "Unignore" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:554 -#: ../../Zotlabs/Module/Connections.php:277 -#: ../../Zotlabs/Module/Notifications.php:55 -msgid "Ignore" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:557 -msgid "Ignore (or Unignore) all inbound communications from this connection" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:558 -msgid "This connection is ignored!" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:562 -msgid "Unarchive" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:562 -msgid "Archive" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:565 -msgid "" -"Archive (or Unarchive) this connection - mark channel dead but keep content" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:566 -msgid "This connection is archived!" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:570 -msgid "Unhide" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:570 -msgid "Hide" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:573 -msgid "Hide or Unhide this connection from your other connections" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:574 -msgid "This connection is hidden!" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:581 -msgid "Delete this connection" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:596 ../../include/widgets.php:493 -msgid "Me" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:597 ../../include/widgets.php:494 -msgid "Family" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:598 ../../Zotlabs/Module/Settings.php:377 -#: ../../Zotlabs/Module/Settings.php:381 ../../Zotlabs/Module/Settings.php:382 -#: ../../Zotlabs/Module/Settings.php:385 ../../Zotlabs/Module/Settings.php:396 -#: ../../include/widgets.php:495 ../../include/channel.php:389 -#: ../../include/channel.php:390 ../../include/channel.php:397 -#: ../../include/selectors.php:123 -msgid "Friends" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:599 ../../include/widgets.php:496 -msgid "Acquaintances" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:600 -#: ../../Zotlabs/Module/Connections.php:92 -#: ../../Zotlabs/Module/Connections.php:107 ../../include/widgets.php:497 -msgid "All" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:660 -msgid "Approve this connection" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:660 -msgid "Accept connection to allow communication" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:665 -msgid "Set Affinity" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:668 -msgid "Set Profile" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:671 -msgid "Set Affinity & Profile" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:704 -msgid "none" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:708 ../../include/widgets.php:623 -msgid "Connection Default Permissions" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:708 ../../include/items.php:3936 -#, php-format -msgid "Connection: %s" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:709 -msgid "Apply these permissions automatically" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:709 -msgid "Connection requests will be approved without your interaction" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:711 -msgid "This connection's primary address is" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:712 -msgid "Available locations:" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:716 -msgid "" -"The permissions indicated on this page will be applied to all new " -"connections." -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:717 -msgid "Connection Tools" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:719 -msgid "Slide to adjust your degree of friendship" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:720 ../../Zotlabs/Module/Rate.php:159 -#: ../../include/js_strings.php:20 -msgid "Rating" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:721 -msgid "Slide to adjust your rating" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:722 ../../Zotlabs/Module/Connedit.php:727 -msgid "Optionally explain your rating" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:724 -msgid "Custom Filter" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:725 -msgid "Only import posts with this text" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:725 ../../Zotlabs/Module/Connedit.php:726 -msgid "" -"words one per line or #tags or /patterns/ or lang=xx, leave blank to import " -"all posts" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:726 -msgid "Do not import posts with this text" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:728 -msgid "This information is public!" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:733 -msgid "Connection Pending Approval" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:736 -msgid "inherited" -msgstr "" - -#: ../../Zotlabs/Module/Connedit.php:737 ../../Zotlabs/Module/Connect.php:98 -#: ../../Zotlabs/Module/Events.php:474 ../../Zotlabs/Module/Cal.php:338 -#: ../../Zotlabs/Module/Chat.php:196 ../../Zotlabs/Module/Chat.php:238 -#: ../../Zotlabs/Module/Group.php:85 ../../Zotlabs/Module/Appman.php:126 -#: ../../Zotlabs/Module/Pdledit.php:66 -#: ../../Zotlabs/Module/Filestorage.php:161 -#: ../../Zotlabs/Module/Profiles.php:687 ../../Zotlabs/Module/Import.php:551 #: ../../Zotlabs/Module/Photos.php:675 ../../Zotlabs/Module/Photos.php:1050 #: ../../Zotlabs/Module/Photos.php:1090 ../../Zotlabs/Module/Photos.php:1208 +#: ../../Zotlabs/Module/Appman.php:126 ../../Zotlabs/Module/Pdledit.php:66 +#: ../../Zotlabs/Module/Filestorage.php:161 +#: ../../Zotlabs/Module/Settings.php:660 ../../Zotlabs/Module/Settings.php:773 +#: ../../Zotlabs/Module/Settings.php:864 ../../Zotlabs/Module/Settings.php:890 +#: ../../Zotlabs/Module/Settings.php:913 +#: ../../Zotlabs/Module/Settings.php:1001 +#: ../../Zotlabs/Module/Settings.php:1187 ../../Zotlabs/Module/Events.php:474 +#: ../../Zotlabs/Module/Group.php:85 ../../Zotlabs/Module/Mail.php:370 +#: ../../Zotlabs/Module/Connedit.php:786 #: ../../Zotlabs/Module/Import_items.php:122 #: ../../Zotlabs/Module/Invite.php:146 ../../Zotlabs/Module/Locs.php:121 -#: ../../Zotlabs/Module/Mail.php:378 ../../Zotlabs/Module/Mood.php:139 +#: ../../Zotlabs/Module/Import.php:560 ../../Zotlabs/Module/Mood.php:139 +#: ../../Zotlabs/Module/Chat.php:196 ../../Zotlabs/Module/Chat.php:238 #: ../../Zotlabs/Module/Mitem.php:235 ../../Zotlabs/Module/Admin.php:492 #: ../../Zotlabs/Module/Admin.php:688 ../../Zotlabs/Module/Admin.php:771 #: ../../Zotlabs/Module/Admin.php:1032 ../../Zotlabs/Module/Admin.php:1211 #: ../../Zotlabs/Module/Admin.php:1421 ../../Zotlabs/Module/Admin.php:1648 #: ../../Zotlabs/Module/Admin.php:1733 ../../Zotlabs/Module/Admin.php:2116 #: ../../Zotlabs/Module/Poke.php:186 ../../Zotlabs/Module/Pconfig.php:107 -#: ../../Zotlabs/Module/Rate.php:170 ../../Zotlabs/Module/Settings.php:625 -#: ../../Zotlabs/Module/Settings.php:738 ../../Zotlabs/Module/Settings.php:779 -#: ../../Zotlabs/Module/Settings.php:805 ../../Zotlabs/Module/Settings.php:828 -#: ../../Zotlabs/Module/Settings.php:916 -#: ../../Zotlabs/Module/Settings.php:1108 ../../Zotlabs/Module/Setup.php:312 +#: ../../Zotlabs/Module/Cal.php:338 ../../Zotlabs/Module/Rate.php:170 +#: ../../Zotlabs/Module/Connect.php:98 ../../Zotlabs/Module/Setup.php:312 #: ../../Zotlabs/Module/Setup.php:353 ../../Zotlabs/Module/Thing.php:316 #: ../../Zotlabs/Module/Thing.php:362 ../../Zotlabs/Module/Sources.php:114 -#: ../../Zotlabs/Module/Sources.php:149 ../../Zotlabs/Module/Xchan.php:15 -#: ../../Zotlabs/Lib/ThreadItem.php:710 ../../include/widgets.php:763 -#: ../../include/js_strings.php:22 ../../view/theme/redbasic/php/config.php:99 +#: ../../Zotlabs/Module/Sources.php:149 ../../Zotlabs/Module/Profiles.php:687 +#: ../../Zotlabs/Module/Xchan.php:15 ../../Zotlabs/Lib/ThreadItem.php:710 +#: ../../include/js_strings.php:22 ../../include/widgets.php:763 +#: ../../view/theme/redbasic/php/config.php:99 msgid "Submit" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:738 -#, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." +#: ../../Zotlabs/Module/Photos.php:693 +msgid "Album name could not be decoded" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:740 -msgid "Their Settings" +#: ../../Zotlabs/Module/Photos.php:741 +msgid "Contact Photos" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:741 -msgid "My Settings" +#: ../../Zotlabs/Module/Photos.php:764 +msgid "Show Newest First" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:743 -msgid "Individual Permissions" +#: ../../Zotlabs/Module/Photos.php:766 +msgid "Show Oldest First" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:744 -msgid "" -"Some permissions may be inherited from your channel's privacy settings, which have higher priority than " -"individual settings. You can not change those settings here." +#: ../../Zotlabs/Module/Photos.php:790 ../../Zotlabs/Module/Photos.php:1329 +#: ../../Zotlabs/Module/Embedphotos.php:141 ../../include/widgets.php:1607 +msgid "View Photo" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:745 -msgid "" -"Some permissions may be inherited from your channel's privacy settings, which have higher priority than " -"individual settings. You can change those settings here but they wont have " -"any impact unless the inherited setting changes." +#: ../../Zotlabs/Module/Photos.php:821 +#: ../../Zotlabs/Module/Embedphotos.php:157 ../../include/widgets.php:1624 +msgid "Edit Album" msgstr "" -#: ../../Zotlabs/Module/Connedit.php:746 -msgid "Last update:" +#: ../../Zotlabs/Module/Photos.php:868 +msgid "Permission denied. Access to this item may be restricted." msgstr "" -#: ../../Zotlabs/Module/Display.php:17 ../../Zotlabs/Module/Directory.php:63 -#: ../../Zotlabs/Module/Photos.php:520 ../../Zotlabs/Module/Ratings.php:86 -#: ../../Zotlabs/Module/Search.php:17 -#: ../../Zotlabs/Module/Viewconnections.php:23 -msgid "Public access denied." +#: ../../Zotlabs/Module/Photos.php:870 +msgid "Photo not available" msgstr "" -#: ../../Zotlabs/Module/Display.php:40 ../../Zotlabs/Module/Filestorage.php:32 -#: ../../Zotlabs/Module/Admin.php:164 ../../Zotlabs/Module/Admin.php:1255 -#: ../../Zotlabs/Module/Admin.php:1561 ../../Zotlabs/Module/Thing.php:89 -#: ../../Zotlabs/Module/Viewsrc.php:24 ../../include/items.php:3370 -msgid "Item not found." +#: ../../Zotlabs/Module/Photos.php:928 +msgid "Use as profile photo" msgstr "" -#: ../../Zotlabs/Module/Id.php:13 -msgid "First Name" +#: ../../Zotlabs/Module/Photos.php:929 +msgid "Use as cover photo" msgstr "" -#: ../../Zotlabs/Module/Id.php:14 -msgid "Last Name" +#: ../../Zotlabs/Module/Photos.php:936 +msgid "Private Photo" msgstr "" -#: ../../Zotlabs/Module/Id.php:15 -msgid "Nickname" +#: ../../Zotlabs/Module/Photos.php:947 ../../Zotlabs/Module/Events.php:665 +#: ../../Zotlabs/Module/Events.php:674 ../../Zotlabs/Module/Cal.php:332 +#: ../../Zotlabs/Module/Cal.php:339 +msgid "Previous" msgstr "" -#: ../../Zotlabs/Module/Id.php:16 -msgid "Full Name" +#: ../../Zotlabs/Module/Photos.php:951 +msgid "View Full Size" msgstr "" -#: ../../Zotlabs/Module/Id.php:17 ../../Zotlabs/Module/Id.php:18 -#: ../../Zotlabs/Module/Admin.php:1035 ../../Zotlabs/Module/Admin.php:1047 -#: ../../include/network.php:2203 ../../boot.php:1706 -msgid "Email" +#: ../../Zotlabs/Module/Photos.php:956 ../../Zotlabs/Module/Events.php:666 +#: ../../Zotlabs/Module/Events.php:675 ../../Zotlabs/Module/Cal.php:333 +#: ../../Zotlabs/Module/Cal.php:340 ../../Zotlabs/Module/Setup.php:267 +msgid "Next" msgstr "" -#: ../../Zotlabs/Module/Id.php:19 ../../Zotlabs/Module/Id.php:20 -#: ../../Zotlabs/Module/Id.php:21 ../../Zotlabs/Lib/Apps.php:238 -msgid "Profile Photo" +#: ../../Zotlabs/Module/Photos.php:996 ../../Zotlabs/Module/Admin.php:1437 +#: ../../Zotlabs/Module/Tagrm.php:137 +msgid "Remove" msgstr "" -#: ../../Zotlabs/Module/Id.php:22 -msgid "Profile Photo 16px" +#: ../../Zotlabs/Module/Photos.php:1030 +msgid "Edit photo" msgstr "" -#: ../../Zotlabs/Module/Id.php:23 -msgid "Profile Photo 32px" +#: ../../Zotlabs/Module/Photos.php:1032 +msgid "Rotate CW (right)" msgstr "" -#: ../../Zotlabs/Module/Id.php:24 -msgid "Profile Photo 48px" +#: ../../Zotlabs/Module/Photos.php:1033 +msgid "Rotate CCW (left)" msgstr "" -#: ../../Zotlabs/Module/Id.php:25 -msgid "Profile Photo 64px" +#: ../../Zotlabs/Module/Photos.php:1036 +msgid "Enter a new album name" msgstr "" -#: ../../Zotlabs/Module/Id.php:26 -msgid "Profile Photo 80px" +#: ../../Zotlabs/Module/Photos.php:1037 +msgid "or select an existing one (doubleclick)" msgstr "" -#: ../../Zotlabs/Module/Id.php:27 -msgid "Profile Photo 128px" +#: ../../Zotlabs/Module/Photos.php:1040 +msgid "Caption" msgstr "" -#: ../../Zotlabs/Module/Id.php:28 -msgid "Timezone" +#: ../../Zotlabs/Module/Photos.php:1042 +msgid "Add a Tag" msgstr "" -#: ../../Zotlabs/Module/Id.php:29 ../../Zotlabs/Module/Profiles.php:731 -msgid "Homepage URL" +#: ../../Zotlabs/Module/Photos.php:1046 +msgid "Example: @bob, @Barbara_Jensen, @jim@example.com" msgstr "" -#: ../../Zotlabs/Module/Id.php:30 ../../Zotlabs/Lib/Apps.php:236 -msgid "Language" +#: ../../Zotlabs/Module/Photos.php:1049 +msgid "Flag as adult in album view" msgstr "" -#: ../../Zotlabs/Module/Id.php:31 -msgid "Birth Year" +#: ../../Zotlabs/Module/Photos.php:1068 ../../Zotlabs/Lib/ThreadItem.php:261 +msgid "I like this (toggle)" msgstr "" -#: ../../Zotlabs/Module/Id.php:32 -msgid "Birth Month" +#: ../../Zotlabs/Module/Photos.php:1069 ../../Zotlabs/Lib/ThreadItem.php:262 +msgid "I don't like this (toggle)" msgstr "" -#: ../../Zotlabs/Module/Id.php:33 -msgid "Birth Day" +#: ../../Zotlabs/Module/Photos.php:1070 ../../Zotlabs/Module/Webpages.php:217 +#: ../../Zotlabs/Module/Blocks.php:161 ../../Zotlabs/Module/Layouts.php:193 +#: ../../include/conversation.php:1219 +msgid "Share" msgstr "" -#: ../../Zotlabs/Module/Id.php:34 -msgid "Birthdate" +#: ../../Zotlabs/Module/Photos.php:1071 ../../Zotlabs/Lib/ThreadItem.php:397 +#: ../../include/conversation.php:743 +msgid "Please wait" msgstr "" -#: ../../Zotlabs/Module/Id.php:35 ../../Zotlabs/Module/Profiles.php:454 -msgid "Gender" +#: ../../Zotlabs/Module/Photos.php:1087 ../../Zotlabs/Module/Photos.php:1205 +#: ../../Zotlabs/Lib/ThreadItem.php:707 +msgid "This is you" msgstr "" -#: ../../Zotlabs/Module/Id.php:108 ../../include/selectors.php:49 -#: ../../include/selectors.php:66 -msgid "Male" +#: ../../Zotlabs/Module/Photos.php:1089 ../../Zotlabs/Module/Photos.php:1207 +#: ../../Zotlabs/Lib/ThreadItem.php:709 ../../include/js_strings.php:6 +msgid "Comment" msgstr "" -#: ../../Zotlabs/Module/Id.php:110 ../../include/selectors.php:49 -#: ../../include/selectors.php:66 -msgid "Female" +#: ../../Zotlabs/Module/Photos.php:1091 ../../Zotlabs/Module/Events.php:469 +#: ../../Zotlabs/Module/Webpages.php:223 ../../Zotlabs/Lib/ThreadItem.php:719 +#: ../../include/page_widgets.php:43 ../../include/conversation.php:1198 +msgid "Preview" msgstr "" -#: ../../Zotlabs/Module/Follow.php:34 -msgid "Channel added." +#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 +msgctxt "title" +msgid "Likes" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 +msgctxt "title" +msgid "Dislikes" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 +msgctxt "title" +msgid "Agree" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 +msgctxt "title" +msgid "Disagree" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 +msgctxt "title" +msgid "Abstain" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 +msgctxt "title" +msgid "Attending" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 +msgctxt "title" +msgid "Not attending" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 +msgctxt "title" +msgid "Might attend" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1124 ../../Zotlabs/Module/Photos.php:1136 +#: ../../Zotlabs/Lib/ThreadItem.php:181 ../../Zotlabs/Lib/ThreadItem.php:193 +#: ../../include/conversation.php:1738 +msgid "View all" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1128 ../../Zotlabs/Lib/ThreadItem.php:185 +#: ../../include/conversation.php:1762 ../../include/taxonomy.php:403 +#: ../../include/channel.php:1189 +msgctxt "noun" +msgid "Like" +msgid_plural "Likes" +msgstr[0] "" +msgstr[1] "" + +#: ../../Zotlabs/Module/Photos.php:1133 ../../Zotlabs/Lib/ThreadItem.php:190 +#: ../../include/conversation.php:1765 +msgctxt "noun" +msgid "Dislike" +msgid_plural "Dislikes" +msgstr[0] "" +msgstr[1] "" + +#: ../../Zotlabs/Module/Photos.php:1233 +msgid "Photo Tools" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1242 +msgid "In This Photo:" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1247 +msgid "Map" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1255 ../../Zotlabs/Lib/ThreadItem.php:386 +msgctxt "noun" +msgid "Likes" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1256 ../../Zotlabs/Lib/ThreadItem.php:387 +msgctxt "noun" +msgid "Dislikes" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1261 ../../Zotlabs/Lib/ThreadItem.php:392 +#: ../../include/acl_selectors.php:283 +msgid "Close" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1335 +msgid "View Album" +msgstr "" + +#: ../../Zotlabs/Module/Photos.php:1346 ../../Zotlabs/Module/Photos.php:1359 +#: ../../Zotlabs/Module/Photos.php:1360 +msgid "Recent Photos" msgstr "" #: ../../Zotlabs/Module/Directory.php:243 @@ -768,13 +924,13 @@ msgstr "" msgid "Homepage: " msgstr "" -#: ../../Zotlabs/Module/Directory.php:306 ../../include/channel.php:1208 +#: ../../Zotlabs/Module/Directory.php:306 ../../include/channel.php:1214 msgid "Age:" msgstr "" -#: ../../Zotlabs/Module/Directory.php:311 ../../include/channel.php:1051 -#: ../../include/event.php:52 ../../include/event.php:84 -#: ../../include/bb2diaspora.php:507 +#: ../../Zotlabs/Module/Directory.php:311 ../../include/event.php:52 +#: ../../include/event.php:84 ../../include/bb2diaspora.php:507 +#: ../../include/channel.php:1057 msgid "Location:" msgstr "" @@ -782,18 +938,18 @@ msgstr "" msgid "Description:" msgstr "" -#: ../../Zotlabs/Module/Directory.php:322 ../../include/channel.php:1224 +#: ../../Zotlabs/Module/Directory.php:322 ../../include/channel.php:1230 msgid "Hometown:" msgstr "" -#: ../../Zotlabs/Module/Directory.php:324 ../../include/channel.php:1232 +#: ../../Zotlabs/Module/Directory.php:324 ../../include/channel.php:1238 msgid "About:" msgstr "" #: ../../Zotlabs/Module/Directory.php:325 ../../Zotlabs/Module/Match.php:68 -#: ../../Zotlabs/Module/Suggest.php:56 ../../include/widgets.php:147 -#: ../../include/widgets.php:184 ../../include/channel.php:1036 -#: ../../include/conversation.php:959 ../../include/connections.php:78 +#: ../../Zotlabs/Module/Suggest.php:56 ../../include/connections.php:78 +#: ../../include/conversation.php:959 ../../include/widgets.php:147 +#: ../../include/widgets.php:184 ../../include/channel.php:1042 msgid "Connect" msgstr "" @@ -869,247 +1025,25 @@ msgstr "" msgid "No entries (some entries may be hidden)." msgstr "" -#: ../../Zotlabs/Module/Connect.php:61 ../../Zotlabs/Module/Connect.php:109 -msgid "Continue" +#: ../../Zotlabs/Module/Probe.php:28 ../../Zotlabs/Module/Probe.php:32 +#, php-format +msgid "Fetching URL returns error: %1$s" msgstr "" -#: ../../Zotlabs/Module/Connect.php:90 -msgid "Premium Channel Setup" +#: ../../Zotlabs/Module/Rmagic.php:35 +msgid "Authentication failed." msgstr "" -#: ../../Zotlabs/Module/Connect.php:92 -msgid "Enable premium channel connection restrictions" +#: ../../Zotlabs/Module/Rmagic.php:75 +msgid "Remote Authentication" msgstr "" -#: ../../Zotlabs/Module/Connect.php:93 -msgid "" -"Please enter your restrictions or conditions, such as paypal receipt, usage " -"guidelines, etc." +#: ../../Zotlabs/Module/Rmagic.php:76 +msgid "Enter your channel address (e.g. channel@example.com)" msgstr "" -#: ../../Zotlabs/Module/Connect.php:95 ../../Zotlabs/Module/Connect.php:115 -msgid "" -"This channel may require additional steps or acknowledgement of the " -"following conditions prior to connecting:" -msgstr "" - -#: ../../Zotlabs/Module/Connect.php:96 -msgid "" -"Potential connections will then see the following text before proceeding:" -msgstr "" - -#: ../../Zotlabs/Module/Connect.php:97 ../../Zotlabs/Module/Connect.php:118 -msgid "" -"By continuing, I certify that I have complied with any instructions provided " -"on this page." -msgstr "" - -#: ../../Zotlabs/Module/Connect.php:106 -msgid "(No specific instructions have been provided by the channel owner.)" -msgstr "" - -#: ../../Zotlabs/Module/Connect.php:114 -msgid "Restricted or Premium Channel" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:25 -msgid "Calendar entries imported." -msgstr "" - -#: ../../Zotlabs/Module/Events.php:27 -msgid "No calendar entries found." -msgstr "" - -#: ../../Zotlabs/Module/Events.php:104 -msgid "Event can not end before it has started." -msgstr "" - -#: ../../Zotlabs/Module/Events.php:106 ../../Zotlabs/Module/Events.php:115 -#: ../../Zotlabs/Module/Events.php:135 -msgid "Unable to generate preview." -msgstr "" - -#: ../../Zotlabs/Module/Events.php:113 -msgid "Event title and start time are required." -msgstr "" - -#: ../../Zotlabs/Module/Events.php:133 ../../Zotlabs/Module/Events.php:258 -msgid "Event not found." -msgstr "" - -#: ../../Zotlabs/Module/Events.php:253 ../../Zotlabs/Module/Like.php:373 -#: ../../Zotlabs/Module/Tagger.php:51 ../../include/event.php:949 -#: ../../include/conversation.php:123 ../../include/text.php:1924 -msgid "event" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:448 -msgid "Edit event title" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:448 -msgid "Event title" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:448 ../../Zotlabs/Module/Events.php:453 -#: ../../Zotlabs/Module/Appman.php:115 ../../Zotlabs/Module/Appman.php:116 -#: ../../Zotlabs/Module/Profiles.php:709 ../../Zotlabs/Module/Profiles.php:713 -#: ../../include/datetime.php:245 -msgid "Required" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:450 -msgid "Categories (comma-separated list)" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:451 -msgid "Edit Category" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:451 -msgid "Category" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:454 -msgid "Edit start date and time" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:454 -msgid "Start date and time" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:455 ../../Zotlabs/Module/Events.php:458 -msgid "Finish date and time are not known or not relevant" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:457 -msgid "Edit finish date and time" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:457 -msgid "Finish date and time" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:460 -msgid "Adjust for viewer timezone" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:459 -msgid "" -"Important for events that happen in a particular place. Not practical for " -"global holidays." -msgstr "" - -#: ../../Zotlabs/Module/Events.php:461 -msgid "Edit Description" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:461 ../../Zotlabs/Module/Appman.php:117 -#: ../../Zotlabs/Module/Rbmark.php:101 -msgid "Description" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:463 -msgid "Edit Location" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Profiles.php:477 -#: ../../Zotlabs/Module/Profiles.php:698 ../../Zotlabs/Module/Locs.php:117 -#: ../../Zotlabs/Module/Pubsites.php:41 ../../include/js_strings.php:25 -msgid "Location" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:466 ../../Zotlabs/Module/Events.php:468 -msgid "Share this event" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:469 ../../Zotlabs/Module/Photos.php:1091 -#: ../../Zotlabs/Module/Webpages.php:201 ../../Zotlabs/Lib/ThreadItem.php:719 -#: ../../include/page_widgets.php:43 ../../include/conversation.php:1198 -msgid "Preview" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:470 ../../include/conversation.php:1247 -msgid "Permission settings" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:475 -msgid "Advanced Options" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:587 ../../Zotlabs/Module/Cal.php:259 -msgid "l, F j" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:609 -msgid "Edit event" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:611 -msgid "Delete event" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:636 ../../Zotlabs/Module/Cal.php:308 -#: ../../include/text.php:1712 -msgid "Link to Source" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:645 -msgid "calendar" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:664 ../../Zotlabs/Module/Cal.php:331 -msgid "Edit Event" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:664 ../../Zotlabs/Module/Cal.php:331 -msgid "Create Event" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:665 ../../Zotlabs/Module/Events.php:674 -#: ../../Zotlabs/Module/Cal.php:332 ../../Zotlabs/Module/Cal.php:339 -#: ../../Zotlabs/Module/Photos.php:947 -msgid "Previous" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:666 ../../Zotlabs/Module/Events.php:675 -#: ../../Zotlabs/Module/Cal.php:333 ../../Zotlabs/Module/Cal.php:340 -#: ../../Zotlabs/Module/Photos.php:956 ../../Zotlabs/Module/Setup.php:267 -msgid "Next" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:667 ../../Zotlabs/Module/Cal.php:334 -msgid "Export" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:670 ../../Zotlabs/Module/Layouts.php:197 -#: ../../Zotlabs/Module/Pubsites.php:47 ../../Zotlabs/Module/Blocks.php:166 -#: ../../Zotlabs/Module/Webpages.php:200 ../../include/page_widgets.php:42 -msgid "View" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:671 -msgid "Month" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:672 -msgid "Week" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:673 -msgid "Day" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:676 ../../Zotlabs/Module/Cal.php:341 -msgid "Today" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:707 -msgid "Event removed" -msgstr "" - -#: ../../Zotlabs/Module/Events.php:710 -msgid "Failed to remove event" +#: ../../Zotlabs/Module/Rmagic.php:77 +msgid "Authenticate" msgstr "" #: ../../Zotlabs/Module/Bookmarks.php:53 @@ -1124,18 +1058,30 @@ msgstr "" msgid "My Connections Bookmarks" msgstr "" -#: ../../Zotlabs/Module/Editpost.php:24 ../../Zotlabs/Module/Editlayout.php:79 -#: ../../Zotlabs/Module/Editwebpage.php:80 -#: ../../Zotlabs/Module/Editblock.php:79 ../../Zotlabs/Module/Editblock.php:95 -msgid "Item not found" +#: ../../Zotlabs/Module/Impel.php:41 ../../include/bbcode.php:192 +msgid "webpage" msgstr "" -#: ../../Zotlabs/Module/Editpost.php:35 -msgid "Item is not editable" +#: ../../Zotlabs/Module/Impel.php:46 ../../include/bbcode.php:198 +msgid "block" msgstr "" -#: ../../Zotlabs/Module/Editpost.php:106 ../../Zotlabs/Module/Rpost.php:134 -msgid "Edit post" +#: ../../Zotlabs/Module/Impel.php:51 ../../include/bbcode.php:195 +msgid "layout" +msgstr "" + +#: ../../Zotlabs/Module/Impel.php:58 ../../include/bbcode.php:201 +msgid "menu" +msgstr "" + +#: ../../Zotlabs/Module/Impel.php:191 +#, php-format +msgid "%s element installed" +msgstr "" + +#: ../../Zotlabs/Module/Impel.php:194 +#, php-format +msgid "%s element installation failed" msgstr "" #: ../../Zotlabs/Module/Fbrowser.php:29 ../../Zotlabs/Lib/Apps.php:222 @@ -1144,8 +1090,8 @@ msgid "Photos" msgstr "" #: ../../Zotlabs/Module/Fbrowser.php:66 ../../Zotlabs/Module/Fbrowser.php:88 -#: ../../Zotlabs/Module/Admin.php:1406 ../../Zotlabs/Module/Settings.php:626 -#: ../../Zotlabs/Module/Settings.php:652 ../../Zotlabs/Module/Tagrm.php:15 +#: ../../Zotlabs/Module/Settings.php:661 ../../Zotlabs/Module/Settings.php:687 +#: ../../Zotlabs/Module/Admin.php:1406 ../../Zotlabs/Module/Tagrm.php:15 #: ../../Zotlabs/Module/Tagrm.php:138 ../../Zotlabs/Module/Wiki.php:166 #: ../../Zotlabs/Module/Wiki.php:202 ../../include/conversation.php:1235 #: ../../include/conversation.php:1274 @@ -1156,8 +1102,8 @@ msgstr "" msgid "Invalid item." msgstr "" -#: ../../Zotlabs/Module/Page.php:56 ../../Zotlabs/Module/Cal.php:62 -#: ../../Zotlabs/Module/Block.php:43 ../../Zotlabs/Module/Wall_upload.php:33 +#: ../../Zotlabs/Module/Page.php:56 ../../Zotlabs/Module/Block.php:43 +#: ../../Zotlabs/Module/Cal.php:62 ../../Zotlabs/Module/Wall_upload.php:33 msgid "Channel not found." msgstr "" @@ -1181,11 +1127,18 @@ msgstr "" #: ../../Zotlabs/Module/Filer.php:53 ../../Zotlabs/Module/Admin.php:2033 #: ../../Zotlabs/Module/Admin.php:2053 ../../Zotlabs/Module/Rbmark.php:32 -#: ../../Zotlabs/Module/Rbmark.php:104 ../../include/widgets.php:201 -#: ../../include/text.php:926 ../../include/text.php:938 +#: ../../Zotlabs/Module/Rbmark.php:104 ../../include/text.php:926 +#: ../../include/text.php:938 ../../include/widgets.php:201 msgid "Save" msgstr "" +#: ../../Zotlabs/Module/Display.php:40 ../../Zotlabs/Module/Filestorage.php:32 +#: ../../Zotlabs/Module/Admin.php:164 ../../Zotlabs/Module/Admin.php:1255 +#: ../../Zotlabs/Module/Admin.php:1561 ../../Zotlabs/Module/Thing.php:89 +#: ../../Zotlabs/Module/Viewsrc.php:24 ../../include/items.php:3369 +msgid "Item not found." +msgstr "" + #: ../../Zotlabs/Module/Connections.php:56 #: ../../Zotlabs/Module/Connections.php:161 #: ../../Zotlabs/Module/Connections.php:242 @@ -1216,6 +1169,12 @@ msgstr "" msgid "New" msgstr "" +#: ../../Zotlabs/Module/Connections.php:92 +#: ../../Zotlabs/Module/Connections.php:107 +#: ../../Zotlabs/Module/Connedit.php:632 ../../include/widgets.php:497 +msgid "All" +msgstr "" + #: ../../Zotlabs/Module/Connections.php:138 msgid "New Connections" msgstr "" @@ -1295,6 +1254,12 @@ msgstr "" msgid "Ignore connection" msgstr "" +#: ../../Zotlabs/Module/Connections.php:277 +#: ../../Zotlabs/Module/Connedit.php:586 +#: ../../Zotlabs/Module/Notifications.php:55 +msgid "Ignore" +msgstr "" + #: ../../Zotlabs/Module/Connections.php:278 msgid "Recent activity" msgstr "" @@ -1305,8 +1270,8 @@ msgid "Connections" msgstr "" #: ../../Zotlabs/Module/Connections.php:306 ../../Zotlabs/Module/Search.php:44 -#: ../../Zotlabs/Lib/Apps.php:230 ../../include/nav.php:167 -#: ../../include/acl_selectors.php:274 ../../include/text.php:925 +#: ../../Zotlabs/Lib/Apps.php:230 ../../include/acl_selectors.php:274 +#: ../../include/nav.php:167 ../../include/text.php:925 #: ../../include/text.php:937 msgid "Search" msgstr "" @@ -1349,30 +1314,30 @@ msgstr "" msgid "Unable to process image." msgstr "" -#: ../../Zotlabs/Module/Cover_photo.php:233 ../../include/items.php:4284 +#: ../../Zotlabs/Module/Cover_photo.php:233 ../../include/items.php:4283 msgid "female" msgstr "" -#: ../../Zotlabs/Module/Cover_photo.php:234 ../../include/items.php:4285 +#: ../../Zotlabs/Module/Cover_photo.php:234 ../../include/items.php:4284 #, php-format msgid "%1$s updated her %2$s" msgstr "" -#: ../../Zotlabs/Module/Cover_photo.php:235 ../../include/items.php:4286 +#: ../../Zotlabs/Module/Cover_photo.php:235 ../../include/items.php:4285 msgid "male" msgstr "" -#: ../../Zotlabs/Module/Cover_photo.php:236 ../../include/items.php:4287 +#: ../../Zotlabs/Module/Cover_photo.php:236 ../../include/items.php:4286 #, php-format msgid "%1$s updated his %2$s" msgstr "" -#: ../../Zotlabs/Module/Cover_photo.php:238 ../../include/items.php:4289 +#: ../../Zotlabs/Module/Cover_photo.php:238 ../../include/items.php:4288 #, php-format msgid "%1$s updated their %2$s" msgstr "" -#: ../../Zotlabs/Module/Cover_photo.php:240 ../../include/channel.php:1708 +#: ../../Zotlabs/Module/Cover_photo.php:240 ../../include/channel.php:1717 msgid "cover photo" msgstr "" @@ -1398,8 +1363,8 @@ msgid "Upload Cover Photo" msgstr "" #: ../../Zotlabs/Module/Cover_photo.php:361 +#: ../../Zotlabs/Module/Settings.php:1138 #: ../../Zotlabs/Module/Profile_photo.php:396 -#: ../../Zotlabs/Module/Settings.php:1059 msgid "or" msgstr "" @@ -1428,38 +1393,25 @@ msgstr "" msgid "Done Editing" msgstr "" -#: ../../Zotlabs/Module/Impel.php:41 ../../include/bbcode.php:192 -msgid "webpage" +#: ../../Zotlabs/Module/Follow.php:34 +msgid "Channel added." msgstr "" -#: ../../Zotlabs/Module/Impel.php:46 ../../include/bbcode.php:198 -msgid "block" +#: ../../Zotlabs/Module/Channel.php:28 ../../Zotlabs/Module/Chat.php:25 +#: ../../Zotlabs/Module/Wiki.php:20 +msgid "You must be logged in to see this page." msgstr "" -#: ../../Zotlabs/Module/Impel.php:51 ../../include/bbcode.php:195 -msgid "layout" +#: ../../Zotlabs/Module/Channel.php:40 +msgid "Posts and comments" msgstr "" -#: ../../Zotlabs/Module/Impel.php:58 ../../include/bbcode.php:201 -msgid "menu" +#: ../../Zotlabs/Module/Channel.php:41 +msgid "Only posts" msgstr "" -#: ../../Zotlabs/Module/Impel.php:187 -#, php-format -msgid "%s element installed" -msgstr "" - -#: ../../Zotlabs/Module/Impel.php:190 -#, php-format -msgid "%s element installation failed" -msgstr "" - -#: ../../Zotlabs/Module/Cal.php:69 -msgid "Permissions denied." -msgstr "" - -#: ../../Zotlabs/Module/Cal.php:337 -msgid "Import" +#: ../../Zotlabs/Module/Channel.php:101 +msgid "Insufficient permissions. Request redirected to profile page." msgstr "" #: ../../Zotlabs/Module/Dirsearch.php:25 ../../Zotlabs/Module/Regdir.php:49 @@ -1470,160 +1422,31 @@ msgstr "" msgid "This directory server requires an access token" msgstr "" -#: ../../Zotlabs/Module/Chat.php:25 ../../Zotlabs/Module/Channel.php:28 -#: ../../Zotlabs/Module/Wiki.php:20 -msgid "You must be logged in to see this page." +#: ../../Zotlabs/Module/Editblock.php:79 ../../Zotlabs/Module/Editblock.php:95 +#: ../../Zotlabs/Module/Editlayout.php:79 +#: ../../Zotlabs/Module/Editwebpage.php:80 +#: ../../Zotlabs/Module/Editpost.php:24 +msgid "Item not found" msgstr "" -#: ../../Zotlabs/Module/Chat.php:181 -msgid "Room not found" +#: ../../Zotlabs/Module/Editblock.php:108 ../../Zotlabs/Module/Blocks.php:97 +#: ../../Zotlabs/Module/Blocks.php:155 +msgid "Block Name" msgstr "" -#: ../../Zotlabs/Module/Chat.php:197 -msgid "Leave Room" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:198 -msgid "Delete Room" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:199 -msgid "I am away right now" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:200 -msgid "I am online" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:202 -msgid "Bookmark this room" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:205 ../../Zotlabs/Module/Mail.php:205 -#: ../../Zotlabs/Module/Mail.php:314 ../../include/conversation.php:1181 -msgid "Please enter a link URL:" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:206 ../../Zotlabs/Module/Mail.php:258 -#: ../../Zotlabs/Module/Mail.php:383 ../../Zotlabs/Lib/ThreadItem.php:722 -#: ../../include/conversation.php:1271 -msgid "Encrypt text" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:207 ../../Zotlabs/Module/Editwebpage.php:146 -#: ../../Zotlabs/Module/Mail.php:252 ../../Zotlabs/Module/Mail.php:377 -#: ../../Zotlabs/Module/Editblock.php:111 ../../include/conversation.php:1146 +#: ../../Zotlabs/Module/Editblock.php:111 +#: ../../Zotlabs/Module/Editwebpage.php:146 ../../Zotlabs/Module/Mail.php:244 +#: ../../Zotlabs/Module/Mail.php:369 ../../Zotlabs/Module/Chat.php:207 +#: ../../include/conversation.php:1146 msgid "Insert web link" msgstr "" -#: ../../Zotlabs/Module/Chat.php:218 -msgid "Feature disabled." +#: ../../Zotlabs/Module/Editblock.php:124 ../../include/conversation.php:1243 +msgid "Title (optional)" msgstr "" -#: ../../Zotlabs/Module/Chat.php:232 -msgid "New Chatroom" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:233 -msgid "Chatroom name" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:234 -msgid "Expiration of chats (minutes)" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:235 ../../Zotlabs/Module/Filestorage.php:152 -#: ../../Zotlabs/Module/Photos.php:669 ../../Zotlabs/Module/Photos.php:1043 -#: ../../Zotlabs/Module/Thing.php:313 ../../Zotlabs/Module/Thing.php:359 -#: ../../include/acl_selectors.php:281 -msgid "Permissions" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:246 -#, php-format -msgid "%1$s's Chatrooms" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:251 -msgid "No chatrooms available" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:252 ../../Zotlabs/Module/Profiles.php:778 -#: ../../Zotlabs/Module/Manage.php:143 -msgid "Create New" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:255 -msgid "Expiration" -msgstr "" - -#: ../../Zotlabs/Module/Chat.php:256 -msgid "min" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:44 -msgid "Invalid message" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:76 -msgid "no results" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:91 -msgid "channel sync processed" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:95 -msgid "queued" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:99 -msgid "posted" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:103 -msgid "accepted for delivery" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:107 -msgid "updated" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:110 -msgid "update ignored" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:113 -msgid "permission denied" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:117 -msgid "recipient not found" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:120 -msgid "mail recalled" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:123 -msgid "duplicate mail received" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:126 -msgid "mail delivered" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:146 -#, php-format -msgid "Delivery report for %1$s" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:149 -msgid "Options" -msgstr "" - -#: ../../Zotlabs/Module/Dreport.php:150 -msgid "Redeliver" +#: ../../Zotlabs/Module/Editblock.php:133 +msgid "Edit Block" msgstr "" #: ../../Zotlabs/Module/Editlayout.php:127 @@ -1648,57 +1471,12 @@ msgstr "" msgid "Edit Webpage" msgstr "" -#: ../../Zotlabs/Module/Group.php:24 -msgid "Privacy group created." +#: ../../Zotlabs/Module/Editpost.php:35 +msgid "Item is not editable" msgstr "" -#: ../../Zotlabs/Module/Group.php:30 -msgid "Could not create privacy group." -msgstr "" - -#: ../../Zotlabs/Module/Group.php:42 ../../Zotlabs/Module/Group.php:141 -#: ../../include/items.php:3903 -msgid "Privacy group not found." -msgstr "" - -#: ../../Zotlabs/Module/Group.php:58 -msgid "Privacy group updated." -msgstr "" - -#: ../../Zotlabs/Module/Group.php:90 -msgid "Create a group of channels." -msgstr "" - -#: ../../Zotlabs/Module/Group.php:91 ../../Zotlabs/Module/Group.php:184 -msgid "Privacy group name: " -msgstr "" - -#: ../../Zotlabs/Module/Group.php:93 ../../Zotlabs/Module/Group.php:187 -msgid "Members are visible to other channels" -msgstr "" - -#: ../../Zotlabs/Module/Group.php:111 -msgid "Privacy group removed." -msgstr "" - -#: ../../Zotlabs/Module/Group.php:113 -msgid "Unable to remove privacy group." -msgstr "" - -#: ../../Zotlabs/Module/Group.php:183 -msgid "Privacy group editor" -msgstr "" - -#: ../../Zotlabs/Module/Group.php:197 -msgid "Members" -msgstr "" - -#: ../../Zotlabs/Module/Group.php:199 -msgid "All Connected Channels" -msgstr "" - -#: ../../Zotlabs/Module/Group.php:231 -msgid "Click on a channel to add or remove." +#: ../../Zotlabs/Module/Editpost.php:106 ../../Zotlabs/Module/Rpost.php:134 +msgid "Edit post" msgstr "" #: ../../Zotlabs/Module/Appman.php:37 ../../Zotlabs/Module/Appman.php:53 @@ -1725,10 +1503,22 @@ msgstr "" msgid "Name of app" msgstr "" +#: ../../Zotlabs/Module/Appman.php:115 ../../Zotlabs/Module/Appman.php:116 +#: ../../Zotlabs/Module/Events.php:448 ../../Zotlabs/Module/Events.php:453 +#: ../../Zotlabs/Module/Profiles.php:709 ../../Zotlabs/Module/Profiles.php:713 +#: ../../include/datetime.php:245 +msgid "Required" +msgstr "" + #: ../../Zotlabs/Module/Appman.php:116 msgid "Location (URL) of app" msgstr "" +#: ../../Zotlabs/Module/Appman.php:117 ../../Zotlabs/Module/Events.php:461 +#: ../../Zotlabs/Module/Rbmark.php:101 +msgid "Description" +msgstr "" + #: ../../Zotlabs/Module/Appman.php:118 msgid "Photo icon URL" msgstr "" @@ -1804,12 +1594,22 @@ msgstr "" msgid "Activate the Firefox $Projectname provider" msgstr "" -#: ../../Zotlabs/Module/Acl.php:288 -msgid "network" +#: ../../Zotlabs/Module/Home.php:74 ../../Zotlabs/Module/Home.php:82 +#: ../../Zotlabs/Module/Siteinfo.php:48 +msgid "$Projectname" msgstr "" -#: ../../Zotlabs/Module/Acl.php:298 -msgid "RSS" +#: ../../Zotlabs/Module/Home.php:92 +#, php-format +msgid "Welcome to %s" +msgstr "" + +#: ../../Zotlabs/Module/Lockview.php:75 +msgid "Remote privacy information not available." +msgstr "" + +#: ../../Zotlabs/Module/Lockview.php:96 +msgid "Visible to:" msgstr "" #: ../../Zotlabs/Module/Filestorage.php:87 @@ -1856,841 +1656,1394 @@ msgstr "" msgid "Notify your contacts about this file" msgstr "" -#: ../../Zotlabs/Module/Layouts.php:183 ../../include/text.php:2248 -msgid "Layouts" +#: ../../Zotlabs/Module/Settings.php:64 +msgid "Name is required" msgstr "" -#: ../../Zotlabs/Module/Layouts.php:185 -msgid "Comanche page description language help" +#: ../../Zotlabs/Module/Settings.php:68 +msgid "Key and Secret are required" msgstr "" -#: ../../Zotlabs/Module/Layouts.php:189 -msgid "Layout Description" +#: ../../Zotlabs/Module/Settings.php:72 ../../Zotlabs/Module/Settings.php:686 +#: ../../Zotlabs/Module/Admin.php:1435 ../../Zotlabs/Lib/Apps.php:334 +msgid "Update" msgstr "" +#: ../../Zotlabs/Module/Settings.php:138 +#, php-format +msgid "This channel is limited to %d tokens" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:144 +msgid "Name and Password are required." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:184 +msgid "Token saved." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:290 +msgid "Not valid email." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:293 +msgid "Protected email address. Cannot change to that email." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:302 +msgid "System failure storing new email. Please try again." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:319 +msgid "Password verification failed." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:326 +msgid "Passwords do not match. Password unchanged." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:330 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:344 +msgid "Password changed." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:346 +msgid "Password update failed. Please try again." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:407 ../../Zotlabs/Module/Settings.php:411 +#: ../../Zotlabs/Module/Settings.php:412 ../../Zotlabs/Module/Settings.php:415 +#: ../../Zotlabs/Module/Settings.php:426 ../../Zotlabs/Module/Connedit.php:630 +#: ../../include/selectors.php:123 ../../include/widgets.php:495 +#: ../../include/channel.php:402 ../../include/channel.php:403 +#: ../../include/channel.php:410 +msgid "Friends" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:595 +msgid "Settings updated." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:659 ../../Zotlabs/Module/Settings.php:685 +#: ../../Zotlabs/Module/Settings.php:721 +msgid "Add application" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:662 +msgid "Name of application" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:663 ../../Zotlabs/Module/Settings.php:689 +msgid "Consumer Key" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:663 ../../Zotlabs/Module/Settings.php:664 +msgid "Automatically generated - change if desired. Max length 20" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:664 ../../Zotlabs/Module/Settings.php:690 +msgid "Consumer Secret" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:665 ../../Zotlabs/Module/Settings.php:691 +msgid "Redirect" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:665 +msgid "" +"Redirect URI - leave blank unless your application specifically requires this" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:666 ../../Zotlabs/Module/Settings.php:692 +msgid "Icon url" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:666 ../../Zotlabs/Module/Sources.php:112 +#: ../../Zotlabs/Module/Sources.php:147 +msgid "Optional" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:677 +msgid "Application not found." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:720 +msgid "Connected Apps" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:724 +msgid "Client key starts with" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:725 +msgid "No name" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:726 +msgid "Remove authorization" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:739 +msgid "No feature settings configured" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:746 +msgid "Feature/Addon Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:769 +msgid "Account Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:770 +msgid "Current Password" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:771 +msgid "Enter New Password" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:772 +msgid "Confirm New Password" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:772 +msgid "Leave password fields blank unless changing" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:774 +#: ../../Zotlabs/Module/Settings.php:1194 +msgid "Email Address:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:775 +#: ../../Zotlabs/Module/Removeaccount.php:61 +msgid "Remove Account" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:776 +msgid "Remove this account including all its channels" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:810 +msgid "" +"Use this form to create temporary access identifiers to share things with " +"non-members. These identities may be used in Access Control Lists and " +"visitors may login using these credentials to access private content." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:812 +msgid "" +"You may also provide dropbox style access links to friends and " +"associates by adding the Login Password to any specific site URL as shown. " +"Examples:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:847 ../../include/widgets.php:614 +msgid "Guest Access Tokens" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:854 +msgid "Login Name" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:855 +msgid "Login Password" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:856 +msgid "Expires (yyyy-mm-dd)" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:857 ../../Zotlabs/Module/Connedit.php:789 +msgid "Their Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:858 ../../Zotlabs/Module/Connedit.php:790 +msgid "My Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:860 ../../Zotlabs/Module/Connedit.php:785 +msgid "inherited" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:862 ../../Zotlabs/Module/Connedit.php:792 +msgid "Individual Permissions" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:863 ../../Zotlabs/Module/Connedit.php:793 +msgid "" +"Some permissions may be inherited from your channel's privacy settings, which have higher priority than " +"individual settings. You can not change those settings here." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:881 ../../Zotlabs/Module/Admin.php:677 +#: ../../Zotlabs/Module/Admin.php:678 +msgid "Off" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:881 ../../Zotlabs/Module/Admin.php:677 +#: ../../Zotlabs/Module/Admin.php:678 +msgid "On" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:888 +msgid "Additional Features" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:912 +msgid "Connector Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:951 +msgid "No special theme for mobile devices" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:954 +#, php-format +msgid "%s - (Experimental)" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:957 ../../Zotlabs/Module/Admin.php:410 +msgid "mobile" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:996 +msgid "Display Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:997 +msgid "Theme Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:998 +msgid "Custom Theme Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:999 +msgid "Content Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1005 +msgid "Display Theme:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1006 +msgid "Mobile Theme:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1007 +msgid "Preload images before rendering the page" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1007 +msgid "" +"The subjective page load time will be longer but the page will be ready when " +"displayed" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1008 +msgid "Enable user zoom on mobile devices" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1009 +msgid "Update browser every xx seconds" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1009 +msgid "Minimum of 10 seconds, no maximum" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1010 +msgid "Maximum number of conversations to load at any time:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1010 +msgid "Maximum of 100 items" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1011 +msgid "Show emoticons (smilies) as images" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1012 +msgid "Link post titles to source" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1013 +msgid "System Page Layout Editor - (advanced)" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1016 +msgid "Use blog/list mode on channel page" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1016 +#: ../../Zotlabs/Module/Settings.php:1017 +msgid "(comments displayed separately)" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1017 +msgid "Use blog/list mode on grid page" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1018 +msgid "Channel page max height of content (in pixels)" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1018 +#: ../../Zotlabs/Module/Settings.php:1019 +msgid "click to expand content exceeding this height" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1019 +msgid "Grid page max height of content (in pixels)" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1048 +msgid "Nobody except yourself" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1049 +msgid "Only those you specifically allow" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1050 +msgid "Approved connections" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1051 +msgid "Any connections" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1052 +msgid "Anybody on this website" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1053 +msgid "Anybody in this network" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1054 +msgid "Anybody authenticated" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1055 +msgid "Anybody on the internet" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1129 +msgid "Publish your default profile in the network directory" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1134 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1143 +msgid "Your channel address is" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1185 +msgid "Channel Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1192 +msgid "Basic Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1193 ../../include/channel.php:1171 +msgid "Full Name:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1195 +msgid "Your Timezone:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1196 +msgid "Default Post Location:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1196 +msgid "Geographical location to display on your posts" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1197 +msgid "Use Browser Location:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1199 +msgid "Adult Content" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1199 +msgid "" +"This channel frequently or regularly publishes adult content. (Please tag " +"any adult material and/or nudity with #NSFW)" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1201 +msgid "Security and Privacy Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1204 +msgid "Your permissions are already configured. Click to view/adjust" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1206 +msgid "Hide my online presence" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1206 +msgid "Prevents displaying in your profile that you are online" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1208 +msgid "Simple Privacy Settings:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1209 +msgid "" +"Very Public - extremely permissive (should be used with caution)" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1210 +msgid "" +"Typical - default public, privacy when desired (similar to social " +"network permissions but with improved privacy)" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1211 +msgid "Private - default private, never open or public" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1212 +msgid "Blocked - default blocked to/from everybody" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1214 +msgid "Allow others to tag your posts" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1214 +msgid "" +"Often used by the community to retro-actively flag inappropriate content" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1216 +msgid "Advanced Privacy Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1218 +msgid "Expire other channel content after this many days" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1218 +msgid "0 or blank to use the website limit." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1218 +#, php-format +msgid "This website expires after %d days." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1218 +msgid "This website does not expire imported content." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1218 +msgid "The website limit takes precedence if lower than your limit." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1219 +msgid "Maximum Friend Requests/Day:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1219 +msgid "May reduce spam activity" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1220 +msgid "Default Post and Publish Permissions" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1221 ../../Zotlabs/Module/Mitem.php:154 +#: ../../Zotlabs/Module/Mitem.php:227 +msgid "(click to open/close)" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1222 +msgid "Use my default audience setting for the type of object published" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1225 +msgid "Channel permissions category:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1231 +msgid "Maximum private messages per day from unknown people:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1231 +msgid "Useful to reduce spamming" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1234 +msgid "Notification Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1235 +msgid "By default post a status message when:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1236 +msgid "accepting a friend request" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1237 +msgid "joining a forum/community" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1238 +msgid "making an interesting profile change" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1239 +msgid "Send a notification email when:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1240 +msgid "You receive a connection request" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1241 +msgid "Your connections are confirmed" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1242 +msgid "Someone writes on your profile wall" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1243 +msgid "Someone writes a followup comment" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1244 +msgid "You receive a private message" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1245 +msgid "You receive a friend suggestion" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1246 +msgid "You are tagged in a post" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1247 +msgid "You are poked/prodded/etc. in a post" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1250 +msgid "Show visual notifications including:" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1252 +msgid "Unseen grid activity" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1253 +msgid "Unseen channel activity" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1254 +msgid "Unseen private messages" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1254 +#: ../../Zotlabs/Module/Settings.php:1259 +#: ../../Zotlabs/Module/Settings.php:1260 +#: ../../Zotlabs/Module/Settings.php:1261 +msgid "Recommended" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1255 +msgid "Upcoming events" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1256 +msgid "Events today" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1257 +msgid "Upcoming birthdays" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1257 +msgid "Not available in all themes" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1258 +msgid "System (personal) notifications" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1259 +msgid "System info messages" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1260 +msgid "System critical alerts" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1261 +msgid "New connections" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1262 +msgid "System Registrations" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1263 +msgid "" +"Also show new wall posts, private messages and connections under Notices" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1265 +msgid "Notify me of events this many days in advance" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1265 +msgid "Must be greater than 0" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1267 +msgid "Advanced Account/Page Type Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1268 +msgid "Change the behaviour of this account for special situations" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1271 +msgid "" +"Please enable expert mode (in Settings > " +"Additional features) to adjust!" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1272 +msgid "Miscellaneous Settings" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1273 +msgid "Default photo upload folder" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1273 +#: ../../Zotlabs/Module/Settings.php:1274 +msgid "%Y - current year, %m - current month" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1274 +msgid "Default file upload folder" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1276 +msgid "Personal menu to display in your channel pages" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1277 ../../Zotlabs/Module/Removeme.php:64 +msgid "Remove Channel" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1278 +msgid "Remove this channel." +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1279 +msgid "Firefox Share $Projectname provider" +msgstr "" + +#: ../../Zotlabs/Module/Settings.php:1280 +msgid "Start calendar week on monday" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:25 +msgid "Calendar entries imported." +msgstr "" + +#: ../../Zotlabs/Module/Events.php:27 +msgid "No calendar entries found." +msgstr "" + +#: ../../Zotlabs/Module/Events.php:104 +msgid "Event can not end before it has started." +msgstr "" + +#: ../../Zotlabs/Module/Events.php:106 ../../Zotlabs/Module/Events.php:115 +#: ../../Zotlabs/Module/Events.php:135 +msgid "Unable to generate preview." +msgstr "" + +#: ../../Zotlabs/Module/Events.php:113 +msgid "Event title and start time are required." +msgstr "" + +#: ../../Zotlabs/Module/Events.php:133 ../../Zotlabs/Module/Events.php:258 +msgid "Event not found." +msgstr "" + +#: ../../Zotlabs/Module/Events.php:253 ../../Zotlabs/Module/Like.php:372 +#: ../../Zotlabs/Module/Tagger.php:51 ../../include/event.php:951 +#: ../../include/conversation.php:123 ../../include/text.php:1924 +msgid "event" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:448 +msgid "Edit event title" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:448 +msgid "Event title" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:450 +msgid "Categories (comma-separated list)" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:451 +msgid "Edit Category" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:451 +msgid "Category" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:454 +msgid "Edit start date and time" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:454 +msgid "Start date and time" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:455 ../../Zotlabs/Module/Events.php:458 +msgid "Finish date and time are not known or not relevant" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:457 +msgid "Edit finish date and time" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:457 +msgid "Finish date and time" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:460 +msgid "Adjust for viewer timezone" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:459 +msgid "" +"Important for events that happen in a particular place. Not practical for " +"global holidays." +msgstr "" + +#: ../../Zotlabs/Module/Events.php:461 +msgid "Edit Description" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:463 +msgid "Edit Location" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Locs.php:117 +#: ../../Zotlabs/Module/Pubsites.php:41 ../../Zotlabs/Module/Profiles.php:477 +#: ../../Zotlabs/Module/Profiles.php:698 ../../include/js_strings.php:25 +msgid "Location" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:466 ../../Zotlabs/Module/Events.php:468 +msgid "Share this event" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:470 ../../include/conversation.php:1247 +msgid "Permission settings" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:475 +msgid "Advanced Options" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:587 ../../Zotlabs/Module/Cal.php:259 +msgid "l, F j" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:609 +msgid "Edit event" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:611 +msgid "Delete event" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:636 ../../Zotlabs/Module/Cal.php:308 +#: ../../include/text.php:1712 +msgid "Link to Source" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:645 +msgid "calendar" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:664 ../../Zotlabs/Module/Cal.php:331 +msgid "Edit Event" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:664 ../../Zotlabs/Module/Cal.php:331 +msgid "Create Event" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:667 ../../Zotlabs/Module/Cal.php:334 +msgid "Export" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:670 ../../Zotlabs/Module/Webpages.php:222 +#: ../../Zotlabs/Module/Blocks.php:166 ../../Zotlabs/Module/Layouts.php:197 +#: ../../Zotlabs/Module/Pubsites.php:47 ../../include/page_widgets.php:42 +msgid "View" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:671 +msgid "Month" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:672 +msgid "Week" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:673 +msgid "Day" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:676 ../../Zotlabs/Module/Cal.php:341 +msgid "Today" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:707 +msgid "Event removed" +msgstr "" + +#: ../../Zotlabs/Module/Events.php:710 +msgid "Failed to remove event" +msgstr "" + +#: ../../Zotlabs/Module/Webpages.php:53 +msgid "Import Webpage Elements" +msgstr "" + +#: ../../Zotlabs/Module/Webpages.php:54 +msgid "Import selected" +msgstr "" + +#: ../../Zotlabs/Module/Webpages.php:213 ../../Zotlabs/Lib/Apps.php:218 +#: ../../include/nav.php:106 ../../include/conversation.php:1700 +msgid "Webpages" +msgstr "" + +#: ../../Zotlabs/Module/Webpages.php:224 ../../include/page_widgets.php:44 +msgid "Actions" +msgstr "" + +#: ../../Zotlabs/Module/Webpages.php:225 ../../include/page_widgets.php:45 +msgid "Page Link" +msgstr "" + +#: ../../Zotlabs/Module/Webpages.php:226 +msgid "Page Title" +msgstr "" + +#: ../../Zotlabs/Module/Webpages.php:227 ../../Zotlabs/Module/Blocks.php:157 #: ../../Zotlabs/Module/Layouts.php:190 ../../Zotlabs/Module/Menu.php:114 -#: ../../Zotlabs/Module/Blocks.php:157 ../../Zotlabs/Module/Webpages.php:205 #: ../../include/page_widgets.php:47 msgid "Created" msgstr "" +#: ../../Zotlabs/Module/Webpages.php:228 ../../Zotlabs/Module/Blocks.php:158 #: ../../Zotlabs/Module/Layouts.php:191 ../../Zotlabs/Module/Menu.php:115 -#: ../../Zotlabs/Module/Blocks.php:158 ../../Zotlabs/Module/Webpages.php:206 #: ../../include/page_widgets.php:48 msgid "Edited" msgstr "" -#: ../../Zotlabs/Module/Layouts.php:193 ../../Zotlabs/Module/Photos.php:1070 -#: ../../Zotlabs/Module/Blocks.php:161 ../../Zotlabs/Module/Webpages.php:195 -#: ../../include/conversation.php:1219 -msgid "Share" +#: ../../Zotlabs/Module/Webpages.php:257 +msgid "Invalid file type." msgstr "" -#: ../../Zotlabs/Module/Layouts.php:194 -msgid "Download PDL file" +#: ../../Zotlabs/Module/Webpages.php:269 +msgid "Error opening zip file" msgstr "" -#: ../../Zotlabs/Module/Like.php:19 -msgid "Like/Dislike" +#: ../../Zotlabs/Module/Webpages.php:280 +msgid "Invalid folder path." msgstr "" -#: ../../Zotlabs/Module/Like.php:24 -msgid "This action is restricted to members." +#: ../../Zotlabs/Module/Webpages.php:307 +msgid "No webpage elements detected." msgstr "" -#: ../../Zotlabs/Module/Like.php:25 +#: ../../Zotlabs/Module/Webpages.php:381 +msgid "Import complete." +msgstr "" + +#: ../../Zotlabs/Module/Group.php:24 +msgid "Privacy group created." +msgstr "" + +#: ../../Zotlabs/Module/Group.php:30 +msgid "Could not create privacy group." +msgstr "" + +#: ../../Zotlabs/Module/Group.php:42 ../../Zotlabs/Module/Group.php:141 +#: ../../include/items.php:3902 +msgid "Privacy group not found." +msgstr "" + +#: ../../Zotlabs/Module/Group.php:58 +msgid "Privacy group updated." +msgstr "" + +#: ../../Zotlabs/Module/Group.php:90 +msgid "Create a group of channels." +msgstr "" + +#: ../../Zotlabs/Module/Group.php:91 ../../Zotlabs/Module/Group.php:184 +msgid "Privacy group name: " +msgstr "" + +#: ../../Zotlabs/Module/Group.php:93 ../../Zotlabs/Module/Group.php:187 +msgid "Members are visible to other channels" +msgstr "" + +#: ../../Zotlabs/Module/Group.php:111 +msgid "Privacy group removed." +msgstr "" + +#: ../../Zotlabs/Module/Group.php:113 +msgid "Unable to remove privacy group." +msgstr "" + +#: ../../Zotlabs/Module/Group.php:183 +msgid "Privacy group editor" +msgstr "" + +#: ../../Zotlabs/Module/Group.php:197 +msgid "Members" +msgstr "" + +#: ../../Zotlabs/Module/Group.php:199 +msgid "All Connected Channels" +msgstr "" + +#: ../../Zotlabs/Module/Group.php:231 +msgid "Click on a channel to add or remove." +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:38 +msgid "Unable to lookup recipient." +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:45 +msgid "Unable to communicate with requested channel." +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:52 +msgid "Cannot verify requested channel." +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:70 +msgid "Selected channel has private message restrictions. Send failed." +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:135 +msgid "Messages" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:170 +msgid "Message recalled." +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:183 +msgid "Conversation removed." +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:197 ../../Zotlabs/Module/Mail.php:306 +#: ../../Zotlabs/Module/Chat.php:205 ../../include/conversation.php:1181 +msgid "Please enter a link URL:" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:198 ../../Zotlabs/Module/Mail.php:307 +msgid "Expires YYYY-MM-DD HH:MM" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:226 +msgid "Requested channel is not in this network" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:234 +msgid "Send Private Message" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:235 ../../Zotlabs/Module/Mail.php:360 +msgid "To:" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:238 ../../Zotlabs/Module/Mail.php:362 +msgid "Subject:" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:241 ../../Zotlabs/Module/Invite.php:135 +msgid "Your message:" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:243 ../../Zotlabs/Module/Mail.php:368 +#: ../../include/conversation.php:1231 +msgid "Attach file" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:245 +msgid "Send" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:248 ../../Zotlabs/Module/Mail.php:373 +#: ../../include/conversation.php:1266 +msgid "Set expiration date" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:250 ../../Zotlabs/Module/Mail.php:375 +#: ../../Zotlabs/Module/Chat.php:206 ../../Zotlabs/Lib/ThreadItem.php:722 +#: ../../include/conversation.php:1271 +msgid "Encrypt text" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:332 +msgid "Delete message" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:333 +msgid "Delivery report" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:334 +msgid "Recall message" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:336 +msgid "Message has been recalled." +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:353 +msgid "Delete Conversation" +msgstr "" + +#: ../../Zotlabs/Module/Mail.php:355 msgid "" -"Please login with your $Projectname ID or register as a new $Projectname member to continue." +"No secure communications available. You may be able to " +"respond from the sender's profile page." msgstr "" -#: ../../Zotlabs/Module/Like.php:105 ../../Zotlabs/Module/Like.php:131 -#: ../../Zotlabs/Module/Like.php:169 -msgid "Invalid request." +#: ../../Zotlabs/Module/Mail.php:359 +msgid "Send Reply" msgstr "" -#: ../../Zotlabs/Module/Like.php:117 ../../include/conversation.php:126 -msgid "channel" -msgstr "" - -#: ../../Zotlabs/Module/Like.php:146 -msgid "thing" -msgstr "" - -#: ../../Zotlabs/Module/Like.php:192 -msgid "Channel unavailable." -msgstr "" - -#: ../../Zotlabs/Module/Like.php:240 -msgid "Previous action reversed." -msgstr "" - -#: ../../Zotlabs/Module/Like.php:371 ../../Zotlabs/Module/Subthread.php:87 -#: ../../Zotlabs/Module/Tagger.php:47 ../../include/conversation.php:120 -#: ../../include/text.php:1921 -msgid "photo" -msgstr "" - -#: ../../Zotlabs/Module/Like.php:371 ../../Zotlabs/Module/Subthread.php:87 -#: ../../include/conversation.php:148 ../../include/text.php:1927 -msgid "status" -msgstr "" - -#: ../../Zotlabs/Module/Like.php:420 ../../include/conversation.php:164 +#: ../../Zotlabs/Module/Mail.php:364 #, php-format -msgid "%1$s likes %2$s's %3$s" +msgid "Your message for %s (%s):" msgstr "" -#: ../../Zotlabs/Module/Like.php:422 ../../include/conversation.php:167 +#: ../../Zotlabs/Module/Connedit.php:80 +msgid "Could not access contact record." +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:104 +msgid "Could not locate selected profile." +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:256 +msgid "Connection updated." +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:258 +msgid "Failed to update connection record." +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:308 +msgid "is now connected to" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:443 +msgid "Could not access address book record." +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:463 +msgid "Refresh failed - channel is currently unavailable." +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:478 ../../Zotlabs/Module/Connedit.php:487 +#: ../../Zotlabs/Module/Connedit.php:496 ../../Zotlabs/Module/Connedit.php:505 +#: ../../Zotlabs/Module/Connedit.php:518 +msgid "Unable to set address book parameters." +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:541 +msgid "Connection has been removed." +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:557 ../../Zotlabs/Lib/Apps.php:221 +#: ../../include/nav.php:86 ../../include/conversation.php:957 +msgid "View Profile" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:560 #, php-format -msgid "%1$s doesn't like %2$s's %3$s" +msgid "View %s's profile" msgstr "" -#: ../../Zotlabs/Module/Like.php:424 +#: ../../Zotlabs/Module/Connedit.php:564 +msgid "Refresh Permissions" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:567 +msgid "Fetch updated permissions" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:571 +msgid "Recent Activity" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:574 +msgid "View recent posts and comments" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:578 ../../Zotlabs/Module/Admin.php:1041 +msgid "Unblock" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:578 ../../Zotlabs/Module/Admin.php:1040 +msgid "Block" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:581 +msgid "Block (or Unblock) all communications with this connection" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:582 +msgid "This connection is blocked!" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:586 +msgid "Unignore" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:589 +msgid "Ignore (or Unignore) all inbound communications from this connection" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:590 +msgid "This connection is ignored!" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:594 +msgid "Unarchive" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:594 +msgid "Archive" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:597 +msgid "" +"Archive (or Unarchive) this connection - mark channel dead but keep content" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:598 +msgid "This connection is archived!" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:602 +msgid "Unhide" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:602 +msgid "Hide" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:605 +msgid "Hide or Unhide this connection from your other connections" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:606 +msgid "This connection is hidden!" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:613 +msgid "Delete this connection" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:628 ../../include/widgets.php:493 +msgid "Me" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:629 ../../include/widgets.php:494 +msgid "Family" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:631 ../../include/widgets.php:496 +msgid "Acquaintances" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:693 +msgid "Approve this connection" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:693 +msgid "Accept connection to allow communication" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:698 +msgid "Set Affinity" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:701 +msgid "Set Profile" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:704 +msgid "Set Affinity & Profile" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:753 +msgid "none" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:757 ../../include/widgets.php:623 +msgid "Connection Default Permissions" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:757 ../../include/items.php:3935 #, php-format -msgid "%1$s agrees with %2$s's %3$s" +msgid "Connection: %s" msgstr "" -#: ../../Zotlabs/Module/Like.php:426 +#: ../../Zotlabs/Module/Connedit.php:758 +msgid "Apply these permissions automatically" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:758 +msgid "Connection requests will be approved without your interaction" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:760 +msgid "This connection's primary address is" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:761 +msgid "Available locations:" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:765 +msgid "" +"The permissions indicated on this page will be applied to all new " +"connections." +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:766 +msgid "Connection Tools" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:768 +msgid "Slide to adjust your degree of friendship" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:769 ../../Zotlabs/Module/Rate.php:159 +#: ../../include/js_strings.php:20 +msgid "Rating" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:770 +msgid "Slide to adjust your rating" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:771 ../../Zotlabs/Module/Connedit.php:776 +msgid "Optionally explain your rating" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:773 +msgid "Custom Filter" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:774 +msgid "Only import posts with this text" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:774 ../../Zotlabs/Module/Connedit.php:775 +msgid "" +"words one per line or #tags or /patterns/ or lang=xx, leave blank to import " +"all posts" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:775 +msgid "Do not import posts with this text" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:777 +msgid "This information is public!" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:782 +msgid "Connection Pending Approval" +msgstr "" + +#: ../../Zotlabs/Module/Connedit.php:787 #, php-format -msgid "%1$s doesn't agree with %2$s's %3$s" +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." msgstr "" -#: ../../Zotlabs/Module/Like.php:428 -#, php-format -msgid "%1$s abstains from a decision on %2$s's %3$s" +#: ../../Zotlabs/Module/Connedit.php:794 +msgid "" +"Some permissions may be inherited from your channel's privacy settings, which have higher priority than " +"individual settings. You can change those settings here but they wont have " +"any impact unless the inherited setting changes." msgstr "" -#: ../../Zotlabs/Module/Like.php:430 -#, php-format -msgid "%1$s is attending %2$s's %3$s" +#: ../../Zotlabs/Module/Connedit.php:795 +msgid "Last update:" msgstr "" -#: ../../Zotlabs/Module/Like.php:432 -#, php-format -msgid "%1$s is not attending %2$s's %3$s" -msgstr "" - -#: ../../Zotlabs/Module/Like.php:434 -#, php-format -msgid "%1$s may attend %2$s's %3$s" -msgstr "" - -#: ../../Zotlabs/Module/Like.php:537 -msgid "Action completed." -msgstr "" - -#: ../../Zotlabs/Module/Like.php:538 -msgid "Thank you." -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:24 ../../Zotlabs/Module/Profiles.php:189 -#: ../../Zotlabs/Module/Profiles.php:246 ../../Zotlabs/Module/Profiles.php:625 -msgid "Profile not found." -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:44 -msgid "Profile deleted." -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:68 ../../Zotlabs/Module/Profiles.php:104 -msgid "Profile-" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:89 ../../Zotlabs/Module/Profiles.php:132 -msgid "New profile created." -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:110 -msgid "Profile unavailable to clone." -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:151 -msgid "Profile unavailable to export." -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:256 -msgid "Profile Name is required." -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:427 -msgid "Marital Status" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:431 -msgid "Romantic Partner" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:435 ../../Zotlabs/Module/Profiles.php:736 -msgid "Likes" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:439 ../../Zotlabs/Module/Profiles.php:737 -msgid "Dislikes" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:443 ../../Zotlabs/Module/Profiles.php:744 -msgid "Work/Employment" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:446 -msgid "Religion" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:450 -msgid "Political Views" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:458 -msgid "Sexual Preference" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:462 -msgid "Homepage" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:466 -msgid "Interests" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:470 ../../Zotlabs/Module/Locs.php:118 -#: ../../Zotlabs/Module/Admin.php:1224 -msgid "Address" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:560 -msgid "Profile updated." -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:644 -msgid "Hide your connections list from viewers of this profile" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:686 -msgid "Edit Profile Details" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:688 -msgid "View this profile" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:689 ../../Zotlabs/Module/Profiles.php:771 -#: ../../include/channel.php:983 -msgid "Edit visibility" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:690 -msgid "Profile Tools" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:691 -msgid "Change cover photo" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:692 ../../include/channel.php:954 -msgid "Change profile photo" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:693 -msgid "Create a new profile using these settings" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:694 -msgid "Clone this profile" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:695 -msgid "Delete this profile" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:696 -msgid "Add profile things" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:697 ../../include/widgets.php:105 -#: ../../include/conversation.php:1541 -msgid "Personal" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:699 -msgid "Relation" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:700 ../../include/datetime.php:48 -msgid "Miscellaneous" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:702 -msgid "Import profile from file" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:703 -msgid "Export profile to file" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:704 -msgid "Your gender" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:705 -msgid "Marital status" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:706 -msgid "Sexual preference" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:709 -msgid "Profile name" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:711 -msgid "This is your default profile." -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:713 -msgid "Your full name" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:714 -msgid "Title/Description" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:717 -msgid "Street address" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:718 -msgid "Locality/City" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:719 -msgid "Region/State" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:720 -msgid "Postal/Zip code" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:721 -msgid "Country" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:726 -msgid "Who (if applicable)" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:726 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:727 -msgid "Since (date)" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:730 -msgid "Tell us about yourself" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:732 -msgid "Hometown" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:733 -msgid "Political views" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:734 -msgid "Religious views" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:735 -msgid "Keywords used in directory listings" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:735 -msgid "Example: fishing photography software" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:738 -msgid "Musical interests" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:739 -msgid "Books, literature" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:740 -msgid "Television" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:741 -msgid "Film/Dance/Culture/Entertainment" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:742 -msgid "Hobbies/Interests" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:743 -msgid "Love/Romance" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:745 -msgid "School/Education" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:746 -msgid "Contact information and social networks" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:747 -msgid "My other channels" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:767 ../../include/channel.php:979 -msgid "Profile Image" -msgstr "" - -#: ../../Zotlabs/Module/Profiles.php:777 ../../include/nav.php:88 -#: ../../include/channel.php:961 -msgid "Edit Profiles" -msgstr "" - -#: ../../Zotlabs/Module/Import.php:32 -#, php-format -msgid "Your service plan only allows %d channels." -msgstr "" - -#: ../../Zotlabs/Module/Import.php:70 ../../Zotlabs/Module/Import_items.php:42 +#: ../../Zotlabs/Module/Import_items.php:42 ../../Zotlabs/Module/Import.php:71 msgid "Nothing to import." msgstr "" -#: ../../Zotlabs/Module/Import.php:94 ../../Zotlabs/Module/Import_items.php:66 +#: ../../Zotlabs/Module/Import_items.php:66 ../../Zotlabs/Module/Import.php:95 msgid "Unable to download data from old server" msgstr "" -#: ../../Zotlabs/Module/Import.php:100 #: ../../Zotlabs/Module/Import_items.php:72 +#: ../../Zotlabs/Module/Import.php:101 msgid "Imported file is empty." msgstr "" -#: ../../Zotlabs/Module/Import.php:122 #: ../../Zotlabs/Module/Import_items.php:88 +#: ../../Zotlabs/Module/Import.php:123 #, php-format msgid "Warning: Database versions differ by %1$d updates." msgstr "" -#: ../../Zotlabs/Module/Import.php:152 ../../include/import.php:86 -msgid "Cloned channel not found. Import failed." -msgstr "" - -#: ../../Zotlabs/Module/Import.php:162 -msgid "No channel. Import failed." -msgstr "" - -#: ../../Zotlabs/Module/Import.php:511 -#: ../../include/Import/import_diaspora.php:142 -msgid "Import completed." -msgstr "" - -#: ../../Zotlabs/Module/Import.php:533 -msgid "You must be logged in to use this feature." -msgstr "" - -#: ../../Zotlabs/Module/Import.php:538 -msgid "Import Channel" -msgstr "" - -#: ../../Zotlabs/Module/Import.php:539 -msgid "" -"Use this form to import an existing channel from a different server/hub. You " -"may retrieve the channel identity from the old server/hub via the network or " -"provide an export file." -msgstr "" - -#: ../../Zotlabs/Module/Import.php:540 -#: ../../Zotlabs/Module/Import_items.php:121 -msgid "File to Upload" -msgstr "" - -#: ../../Zotlabs/Module/Import.php:541 -msgid "Or provide the old server/hub details" -msgstr "" - -#: ../../Zotlabs/Module/Import.php:542 -msgid "Your old identity address (xyz@example.com)" -msgstr "" - -#: ../../Zotlabs/Module/Import.php:543 -msgid "Your old login email address" -msgstr "" - -#: ../../Zotlabs/Module/Import.php:544 -msgid "Your old login password" -msgstr "" - -#: ../../Zotlabs/Module/Import.php:545 -msgid "" -"For either option, please choose whether to make this hub your new primary " -"address, or whether your old location should continue this role. You will be " -"able to post from either location, but only one can be marked as the primary " -"location for files, photos, and media." -msgstr "" - -#: ../../Zotlabs/Module/Import.php:546 -msgid "Make this hub my primary location" -msgstr "" - -#: ../../Zotlabs/Module/Import.php:547 -msgid "" -"Import existing posts if possible (experimental - limited by available memory" -msgstr "" - -#: ../../Zotlabs/Module/Import.php:548 -msgid "" -"This process may take several minutes to complete. Please submit the form " -"only once and leave this page open until finished." -msgstr "" - -#: ../../Zotlabs/Module/Home.php:61 ../../Zotlabs/Module/Home.php:69 -#: ../../Zotlabs/Module/Siteinfo.php:48 -msgid "$Projectname" -msgstr "" - -#: ../../Zotlabs/Module/Home.php:79 -#, php-format -msgid "Welcome to %s" -msgstr "" - -#: ../../Zotlabs/Module/Item.php:179 -msgid "Unable to locate original post." -msgstr "" - -#: ../../Zotlabs/Module/Item.php:428 -msgid "Empty post discarded." -msgstr "" - -#: ../../Zotlabs/Module/Item.php:468 -msgid "Executable content type not permitted to this channel." -msgstr "" - -#: ../../Zotlabs/Module/Item.php:852 -msgid "Duplicate post suppressed." -msgstr "" - -#: ../../Zotlabs/Module/Item.php:985 -msgid "System error. Post not saved." -msgstr "" - -#: ../../Zotlabs/Module/Item.php:1238 -msgid "Unable to obtain post information from database." -msgstr "" - -#: ../../Zotlabs/Module/Item.php:1245 -#, php-format -msgid "You have reached your limit of %1$.0f top level posts." -msgstr "" - -#: ../../Zotlabs/Module/Item.php:1252 -#, php-format -msgid "You have reached your limit of %1$.0f webpages." -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:82 -msgid "Page owner information could not be retrieved." -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:97 ../../Zotlabs/Module/Photos.php:741 -#: ../../Zotlabs/Module/Profile_photo.php:115 -#: ../../Zotlabs/Module/Profile_photo.php:212 -#: ../../Zotlabs/Module/Profile_photo.php:311 -#: ../../include/photo/photo_driver.php:718 -msgid "Profile Photos" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:103 ../../Zotlabs/Module/Photos.php:147 -msgid "Album not found." -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:130 -msgid "Delete Album" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:151 -msgid "" -"Multiple storage folders exist with this album name, but within different " -"directories. Please remove the desired folder or folders using the Files " -"manager" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:208 ../../Zotlabs/Module/Photos.php:1051 -msgid "Delete Photo" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:531 -msgid "No photos selected" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:580 -msgid "Access to this item is restricted." -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:619 -#, php-format -msgid "%1$.2f MB of %2$.2f MB photo storage used." -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:622 -#, php-format -msgid "%1$.2f MB photo storage used." -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:658 -msgid "Upload Photos" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:662 -msgid "Enter an album name" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:663 -msgid "or select an existing album (doubleclick)" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:664 -msgid "Create a status post for this upload" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:665 -msgid "Caption (optional):" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:666 -msgid "Description (optional):" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:693 -msgid "Album name could not be decoded" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:741 -msgid "Contact Photos" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:764 -msgid "Show Newest First" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:766 -msgid "Show Oldest First" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:790 ../../Zotlabs/Module/Photos.php:1329 -#: ../../Zotlabs/Module/Embedphotos.php:141 ../../include/widgets.php:1588 -msgid "View Photo" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:821 -#: ../../Zotlabs/Module/Embedphotos.php:157 ../../include/widgets.php:1605 -msgid "Edit Album" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:868 -msgid "Permission denied. Access to this item may be restricted." -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:870 -msgid "Photo not available" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:928 -msgid "Use as profile photo" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:929 -msgid "Use as cover photo" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:936 -msgid "Private Photo" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:951 -msgid "View Full Size" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:996 ../../Zotlabs/Module/Admin.php:1437 -#: ../../Zotlabs/Module/Tagrm.php:137 -msgid "Remove" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1030 -msgid "Edit photo" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1032 -msgid "Rotate CW (right)" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1033 -msgid "Rotate CCW (left)" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1036 -msgid "Enter a new album name" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1037 -msgid "or select an existing one (doubleclick)" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1040 -msgid "Caption" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1042 -msgid "Add a Tag" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1046 -msgid "Example: @bob, @Barbara_Jensen, @jim@example.com" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1049 -msgid "Flag as adult in album view" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1068 ../../Zotlabs/Lib/ThreadItem.php:261 -msgid "I like this (toggle)" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1069 ../../Zotlabs/Lib/ThreadItem.php:262 -msgid "I don't like this (toggle)" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1071 ../../Zotlabs/Lib/ThreadItem.php:397 -#: ../../include/conversation.php:743 -msgid "Please wait" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1087 ../../Zotlabs/Module/Photos.php:1205 -#: ../../Zotlabs/Lib/ThreadItem.php:707 -msgid "This is you" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1089 ../../Zotlabs/Module/Photos.php:1207 -#: ../../Zotlabs/Lib/ThreadItem.php:709 ../../include/js_strings.php:6 -msgid "Comment" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 -msgctxt "title" -msgid "Likes" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 -msgctxt "title" -msgid "Dislikes" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Agree" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Disagree" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Abstain" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Attending" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Not attending" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Might attend" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1124 ../../Zotlabs/Module/Photos.php:1136 -#: ../../Zotlabs/Lib/ThreadItem.php:181 ../../Zotlabs/Lib/ThreadItem.php:193 -#: ../../include/conversation.php:1738 -msgid "View all" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1128 ../../Zotlabs/Lib/ThreadItem.php:185 -#: ../../include/taxonomy.php:403 ../../include/channel.php:1183 -#: ../../include/conversation.php:1762 -msgctxt "noun" -msgid "Like" -msgid_plural "Likes" -msgstr[0] "" -msgstr[1] "" - -#: ../../Zotlabs/Module/Photos.php:1133 ../../Zotlabs/Lib/ThreadItem.php:190 -#: ../../include/conversation.php:1765 -msgctxt "noun" -msgid "Dislike" -msgid_plural "Dislikes" -msgstr[0] "" -msgstr[1] "" - -#: ../../Zotlabs/Module/Photos.php:1233 -msgid "Photo Tools" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1242 -msgid "In This Photo:" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1247 -msgid "Map" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1255 ../../Zotlabs/Lib/ThreadItem.php:386 -msgctxt "noun" -msgid "Likes" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1256 ../../Zotlabs/Lib/ThreadItem.php:387 -msgctxt "noun" -msgid "Dislikes" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1261 ../../Zotlabs/Lib/ThreadItem.php:392 -#: ../../include/acl_selectors.php:283 -msgid "Close" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1335 -msgid "View Album" -msgstr "" - -#: ../../Zotlabs/Module/Photos.php:1346 ../../Zotlabs/Module/Photos.php:1359 -#: ../../Zotlabs/Module/Photos.php:1360 -msgid "Recent Photos" -msgstr "" - -#: ../../Zotlabs/Module/Lockview.php:61 -msgid "Remote privacy information not available." -msgstr "" - -#: ../../Zotlabs/Module/Lockview.php:82 -msgid "Visible to:" -msgstr "" - #: ../../Zotlabs/Module/Import_items.php:104 msgid "Import completed" msgstr "" @@ -2703,6 +3056,11 @@ msgstr "" msgid "Use this form to import existing posts and content from an export file." msgstr "" +#: ../../Zotlabs/Module/Import_items.php:121 +#: ../../Zotlabs/Module/Import.php:549 +msgid "File to Upload" +msgstr "" + #: ../../Zotlabs/Module/Invite.php:29 msgid "Total invitation limit exceeded." msgstr "" @@ -2744,10 +3102,6 @@ msgstr "" msgid "Enter email addresses, one per line:" msgstr "" -#: ../../Zotlabs/Module/Invite.php:135 ../../Zotlabs/Module/Mail.php:249 -msgid "Your message:" -msgstr "" - #: ../../Zotlabs/Module/Invite.php:136 msgid "Please join my community on $Projectname." msgstr "" @@ -2798,6 +3152,11 @@ msgstr "" msgid "Manage Channel Locations" msgstr "" +#: ../../Zotlabs/Module/Locs.php:118 ../../Zotlabs/Module/Admin.php:1224 +#: ../../Zotlabs/Module/Profiles.php:470 +msgid "Address" +msgstr "" + #: ../../Zotlabs/Module/Locs.php:119 msgid "Primary" msgstr "" @@ -2828,243 +3187,118 @@ msgstr "" msgid "Hub not found." msgstr "" -#: ../../Zotlabs/Module/Mail.php:38 -msgid "Unable to lookup recipient." +#: ../../Zotlabs/Module/Acl.php:312 +msgid "network" msgstr "" -#: ../../Zotlabs/Module/Mail.php:45 -msgid "Unable to communicate with requested channel." +#: ../../Zotlabs/Module/Acl.php:322 +msgid "RSS" msgstr "" -#: ../../Zotlabs/Module/Mail.php:52 -msgid "Cannot verify requested channel." +#: ../../Zotlabs/Module/Item.php:179 +msgid "Unable to locate original post." msgstr "" -#: ../../Zotlabs/Module/Mail.php:78 -msgid "Selected channel has private message restrictions. Send failed." +#: ../../Zotlabs/Module/Item.php:432 +msgid "Empty post discarded." msgstr "" -#: ../../Zotlabs/Module/Mail.php:143 -msgid "Messages" +#: ../../Zotlabs/Module/Item.php:472 +msgid "Executable content type not permitted to this channel." msgstr "" -#: ../../Zotlabs/Module/Mail.php:178 -msgid "Message recalled." +#: ../../Zotlabs/Module/Item.php:856 +msgid "Duplicate post suppressed." msgstr "" -#: ../../Zotlabs/Module/Mail.php:191 -msgid "Conversation removed." +#: ../../Zotlabs/Module/Item.php:989 +msgid "System error. Post not saved." msgstr "" -#: ../../Zotlabs/Module/Mail.php:206 ../../Zotlabs/Module/Mail.php:315 -msgid "Expires YYYY-MM-DD HH:MM" +#: ../../Zotlabs/Module/Item.php:1242 +msgid "Unable to obtain post information from database." msgstr "" -#: ../../Zotlabs/Module/Mail.php:234 -msgid "Requested channel is not in this network" +#: ../../Zotlabs/Module/Item.php:1249 +#, php-format +msgid "You have reached your limit of %1$.0f top level posts." msgstr "" -#: ../../Zotlabs/Module/Mail.php:242 -msgid "Send Private Message" +#: ../../Zotlabs/Module/Item.php:1256 +#, php-format +msgid "You have reached your limit of %1$.0f webpages." msgstr "" -#: ../../Zotlabs/Module/Mail.php:243 ../../Zotlabs/Module/Mail.php:368 -msgid "To:" +#: ../../Zotlabs/Module/Import.php:33 +#, php-format +msgid "Your service plan only allows %d channels." msgstr "" -#: ../../Zotlabs/Module/Mail.php:246 ../../Zotlabs/Module/Mail.php:370 -msgid "Subject:" +#: ../../Zotlabs/Module/Import.php:153 ../../include/import.php:107 +msgid "Cloned channel not found. Import failed." msgstr "" -#: ../../Zotlabs/Module/Mail.php:251 ../../Zotlabs/Module/Mail.php:376 -#: ../../include/conversation.php:1231 -msgid "Attach file" +#: ../../Zotlabs/Module/Import.php:163 +msgid "No channel. Import failed." msgstr "" -#: ../../Zotlabs/Module/Mail.php:253 -msgid "Send" +#: ../../Zotlabs/Module/Import.php:520 +#: ../../include/Import/import_diaspora.php:142 +msgid "Import completed." msgstr "" -#: ../../Zotlabs/Module/Mail.php:256 ../../Zotlabs/Module/Mail.php:381 -#: ../../include/conversation.php:1266 -msgid "Set expiration date" +#: ../../Zotlabs/Module/Import.php:542 +msgid "You must be logged in to use this feature." msgstr "" -#: ../../Zotlabs/Module/Mail.php:340 -msgid "Delete message" +#: ../../Zotlabs/Module/Import.php:547 +msgid "Import Channel" msgstr "" -#: ../../Zotlabs/Module/Mail.php:341 -msgid "Delivery report" -msgstr "" - -#: ../../Zotlabs/Module/Mail.php:342 -msgid "Recall message" -msgstr "" - -#: ../../Zotlabs/Module/Mail.php:344 -msgid "Message has been recalled." -msgstr "" - -#: ../../Zotlabs/Module/Mail.php:361 -msgid "Delete Conversation" -msgstr "" - -#: ../../Zotlabs/Module/Mail.php:363 +#: ../../Zotlabs/Module/Import.php:548 msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." +"Use this form to import an existing channel from a different server/hub. You " +"may retrieve the channel identity from the old server/hub via the network or " +"provide an export file." msgstr "" -#: ../../Zotlabs/Module/Mail.php:367 -msgid "Send Reply" +#: ../../Zotlabs/Module/Import.php:550 +msgid "Or provide the old server/hub details" msgstr "" -#: ../../Zotlabs/Module/Mail.php:372 -#, php-format -msgid "Your message for %s (%s):" +#: ../../Zotlabs/Module/Import.php:551 +msgid "Your old identity address (xyz@example.com)" msgstr "" -#: ../../Zotlabs/Module/Manage.php:136 -#: ../../Zotlabs/Module/New_channel.php:121 -#, php-format -msgid "You have created %1$.0f of %2$.0f allowed channels." +#: ../../Zotlabs/Module/Import.php:552 +msgid "Your old login email address" msgstr "" -#: ../../Zotlabs/Module/Manage.php:143 -msgid "Create a new channel" +#: ../../Zotlabs/Module/Import.php:553 +msgid "Your old login password" msgstr "" -#: ../../Zotlabs/Module/Manage.php:164 ../../Zotlabs/Lib/Apps.php:214 -#: ../../include/nav.php:208 -msgid "Channel Manager" +#: ../../Zotlabs/Module/Import.php:554 +msgid "" +"For either option, please choose whether to make this hub your new primary " +"address, or whether your old location should continue this role. You will be " +"able to post from either location, but only one can be marked as the primary " +"location for files, photos, and media." msgstr "" -#: ../../Zotlabs/Module/Manage.php:165 -msgid "Current Channel" +#: ../../Zotlabs/Module/Import.php:555 +msgid "Make this hub my primary location" msgstr "" -#: ../../Zotlabs/Module/Manage.php:167 -msgid "Switch to one of your channels by selecting it." +#: ../../Zotlabs/Module/Import.php:556 +msgid "" +"Import existing posts if possible (experimental - limited by available memory" msgstr "" -#: ../../Zotlabs/Module/Manage.php:168 -msgid "Default Channel" -msgstr "" - -#: ../../Zotlabs/Module/Manage.php:169 -msgid "Make Default" -msgstr "" - -#: ../../Zotlabs/Module/Manage.php:172 -#, php-format -msgid "%d new messages" -msgstr "" - -#: ../../Zotlabs/Module/Manage.php:173 -#, php-format -msgid "%d new introductions" -msgstr "" - -#: ../../Zotlabs/Module/Manage.php:175 -msgid "Delegated Channel" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:49 -msgid "Unable to update menu." -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:60 -msgid "Unable to create menu." -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:98 ../../Zotlabs/Module/Menu.php:110 -msgid "Menu Name" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:98 -msgid "Unique name (not visible on webpage) - required" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:99 ../../Zotlabs/Module/Menu.php:111 -msgid "Menu Title" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:99 -msgid "Visible on webpage - leave empty for no title" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:100 -msgid "Allow Bookmarks" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 -msgid "Menu may be used to store saved bookmarks" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:101 ../../Zotlabs/Module/Menu.php:159 -msgid "Submit and proceed" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:107 ../../include/text.php:2247 -msgid "Menus" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:117 -msgid "Bookmarks allowed" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:119 -msgid "Delete this menu" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:120 ../../Zotlabs/Module/Menu.php:154 -msgid "Edit menu contents" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:121 -msgid "Edit this menu" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:136 -msgid "Menu could not be deleted." -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:144 ../../Zotlabs/Module/Mitem.php:28 -msgid "Menu not found." -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:149 -msgid "Edit Menu" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:153 -msgid "Add or remove entries to this menu" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:155 -msgid "Menu name" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:155 -msgid "Must be unique, only seen by you" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:156 -msgid "Menu title" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:156 -msgid "Menu title as seen by others" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:157 -msgid "Allow bookmarks" -msgstr "" - -#: ../../Zotlabs/Module/Menu.php:166 ../../Zotlabs/Module/Mitem.php:120 -#: ../../Zotlabs/Module/Xchan.php:41 -msgid "Not found." +#: ../../Zotlabs/Module/Import.php:557 +msgid "" +"This process may take several minutes to complete. Please submit the form " +"only once and leave this page open until finished." msgstr "" #: ../../Zotlabs/Module/Lostpass.php:19 @@ -3091,7 +3325,7 @@ msgid "" "Password reset failed." msgstr "" -#: ../../Zotlabs/Module/Lostpass.php:90 ../../boot.php:1712 +#: ../../Zotlabs/Module/Lostpass.php:90 ../../boot.php:1715 msgid "Password Reset" msgstr "" @@ -3154,32 +3388,98 @@ msgstr "" msgid "Set your current mood and tell your friends" msgstr "" -#: ../../Zotlabs/Module/Network.php:94 -msgid "No such group" +#: ../../Zotlabs/Module/Like.php:19 +msgid "Like/Dislike" msgstr "" -#: ../../Zotlabs/Module/Network.php:134 -msgid "No such channel" +#: ../../Zotlabs/Module/Like.php:24 +msgid "This action is restricted to members." msgstr "" -#: ../../Zotlabs/Module/Network.php:139 -msgid "forum" +#: ../../Zotlabs/Module/Like.php:25 +msgid "" +"Please login with your $Projectname ID or register as a new $Projectname member to continue." msgstr "" -#: ../../Zotlabs/Module/Network.php:151 -msgid "Search Results For:" +#: ../../Zotlabs/Module/Like.php:105 ../../Zotlabs/Module/Like.php:131 +#: ../../Zotlabs/Module/Like.php:169 +msgid "Invalid request." msgstr "" -#: ../../Zotlabs/Module/Network.php:215 -msgid "Privacy group is empty" +#: ../../Zotlabs/Module/Like.php:117 ../../include/conversation.php:126 +msgid "channel" msgstr "" -#: ../../Zotlabs/Module/Network.php:224 -msgid "Privacy group: " +#: ../../Zotlabs/Module/Like.php:146 +msgid "thing" msgstr "" -#: ../../Zotlabs/Module/Network.php:250 -msgid "Invalid connection." +#: ../../Zotlabs/Module/Like.php:192 +msgid "Channel unavailable." +msgstr "" + +#: ../../Zotlabs/Module/Like.php:240 +msgid "Previous action reversed." +msgstr "" + +#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 +#: ../../Zotlabs/Module/Tagger.php:47 ../../include/conversation.php:120 +#: ../../include/text.php:1921 +msgid "photo" +msgstr "" + +#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 +#: ../../include/conversation.php:148 ../../include/text.php:1927 +msgid "status" +msgstr "" + +#: ../../Zotlabs/Module/Like.php:419 ../../include/conversation.php:164 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "" + +#: ../../Zotlabs/Module/Like.php:421 ../../include/conversation.php:167 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "" + +#: ../../Zotlabs/Module/Like.php:423 +#, php-format +msgid "%1$s agrees with %2$s's %3$s" +msgstr "" + +#: ../../Zotlabs/Module/Like.php:425 +#, php-format +msgid "%1$s doesn't agree with %2$s's %3$s" +msgstr "" + +#: ../../Zotlabs/Module/Like.php:427 +#, php-format +msgid "%1$s abstains from a decision on %2$s's %3$s" +msgstr "" + +#: ../../Zotlabs/Module/Like.php:429 +#, php-format +msgid "%1$s is attending %2$s's %3$s" +msgstr "" + +#: ../../Zotlabs/Module/Like.php:431 +#, php-format +msgid "%1$s is not attending %2$s's %3$s" +msgstr "" + +#: ../../Zotlabs/Module/Like.php:433 +#, php-format +msgid "%1$s may attend %2$s's %3$s" +msgstr "" + +#: ../../Zotlabs/Module/Like.php:538 +msgid "Action completed." +msgstr "" + +#: ../../Zotlabs/Module/Like.php:539 +msgid "Thank you." msgstr "" #: ../../Zotlabs/Module/Notify.php:57 @@ -3208,16 +3508,70 @@ msgstr "" msgid "No matches" msgstr "" -#: ../../Zotlabs/Module/Channel.php:40 -msgid "Posts and comments" +#: ../../Zotlabs/Module/Chat.php:181 +msgid "Room not found" msgstr "" -#: ../../Zotlabs/Module/Channel.php:41 -msgid "Only posts" +#: ../../Zotlabs/Module/Chat.php:197 +msgid "Leave Room" msgstr "" -#: ../../Zotlabs/Module/Channel.php:101 -msgid "Insufficient permissions. Request redirected to profile page." +#: ../../Zotlabs/Module/Chat.php:198 +msgid "Delete Room" +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:199 +msgid "I am away right now" +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:200 +msgid "I am online" +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:202 +msgid "Bookmark this room" +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:218 +msgid "Feature disabled." +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:232 +msgid "New Chatroom" +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:233 +msgid "Chatroom name" +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:234 +msgid "Expiration of chats (minutes)" +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:246 +#, php-format +msgid "%1$s's Chatrooms" +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:251 +msgid "No chatrooms available" +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:252 ../../Zotlabs/Module/Manage.php:143 +#: ../../Zotlabs/Module/Profiles.php:778 +msgid "Create New" +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:255 +msgid "Expiration" +msgstr "" + +#: ../../Zotlabs/Module/Chat.php:256 +msgid "min" +msgstr "" + +#: ../../Zotlabs/Module/Mitem.php:28 ../../Zotlabs/Module/Menu.php:144 +msgid "Menu not found." msgstr "" #: ../../Zotlabs/Module/Mitem.php:52 @@ -3232,13 +3586,13 @@ msgstr "" msgid "Unable to add menu element." msgstr "" -#: ../../Zotlabs/Module/Mitem.php:153 ../../Zotlabs/Module/Mitem.php:226 -msgid "Menu Item Permissions" +#: ../../Zotlabs/Module/Mitem.php:120 ../../Zotlabs/Module/Menu.php:166 +#: ../../Zotlabs/Module/Xchan.php:41 +msgid "Not found." msgstr "" -#: ../../Zotlabs/Module/Mitem.php:154 ../../Zotlabs/Module/Mitem.php:227 -#: ../../Zotlabs/Module/Settings.php:1142 -msgid "(click to open/close)" +#: ../../Zotlabs/Module/Mitem.php:153 ../../Zotlabs/Module/Mitem.php:226 +msgid "Menu Item Permissions" msgstr "" #: ../../Zotlabs/Module/Mitem.php:156 ../../Zotlabs/Module/Mitem.php:172 @@ -3422,14 +3776,10 @@ msgstr "" msgid "Site settings updated." msgstr "" -#: ../../Zotlabs/Module/Admin.php:400 ../../include/text.php:2837 +#: ../../Zotlabs/Module/Admin.php:400 ../../include/text.php:2858 msgid "Default" msgstr "" -#: ../../Zotlabs/Module/Admin.php:410 ../../Zotlabs/Module/Settings.php:872 -msgid "mobile" -msgstr "" - #: ../../Zotlabs/Module/Admin.php:412 msgid "experimental" msgstr "" @@ -3458,7 +3808,7 @@ msgstr "" msgid "My site offers free accounts with optional paid upgrades" msgstr "" -#: ../../Zotlabs/Module/Admin.php:491 ../../include/widgets.php:1471 +#: ../../Zotlabs/Module/Admin.php:491 ../../include/widgets.php:1490 msgid "Site" msgstr "" @@ -3744,16 +4094,6 @@ msgstr "" msgid "0 for no expiration of imported content" msgstr "" -#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 -#: ../../Zotlabs/Module/Settings.php:796 -msgid "Off" -msgstr "" - -#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 -#: ../../Zotlabs/Module/Settings.php:796 -msgid "On" -msgstr "" - #: ../../Zotlabs/Module/Admin.php:678 #, php-format msgid "Lock feature %s" @@ -3807,7 +4147,7 @@ msgid "" "embedded content from that site is explicitly blocked." msgstr "" -#: ../../Zotlabs/Module/Admin.php:756 ../../include/widgets.php:1474 +#: ../../Zotlabs/Module/Admin.php:756 ../../include/widgets.php:1493 msgid "Security" msgstr "" @@ -3974,7 +4314,7 @@ msgid "Account '%s' unblocked" msgstr "" #: ../../Zotlabs/Module/Admin.php:1031 ../../Zotlabs/Module/Admin.php:1044 -#: ../../include/widgets.php:1472 +#: ../../include/widgets.php:1491 msgid "Accounts" msgstr "" @@ -3990,6 +4330,11 @@ msgstr "" msgid "Request date" msgstr "" +#: ../../Zotlabs/Module/Admin.php:1035 ../../Zotlabs/Module/Admin.php:1047 +#: ../../include/network.php:2203 +msgid "Email" +msgstr "" + #: ../../Zotlabs/Module/Admin.php:1036 msgid "No registrations." msgstr "" @@ -4080,7 +4425,7 @@ msgstr "" msgid "Channel '%s' code disallowed" msgstr "" -#: ../../Zotlabs/Module/Admin.php:1210 ../../include/widgets.php:1473 +#: ../../Zotlabs/Module/Admin.php:1210 ../../include/widgets.php:1492 msgid "Channels" msgstr "" @@ -4139,7 +4484,7 @@ msgid "Enable" msgstr "" #: ../../Zotlabs/Module/Admin.php:1330 ../../Zotlabs/Module/Admin.php:1420 -#: ../../include/widgets.php:1476 +#: ../../include/widgets.php:1495 msgid "Plugins" msgstr "" @@ -4148,8 +4493,8 @@ msgid "Toggle" msgstr "" #: ../../Zotlabs/Module/Admin.php:1332 ../../Zotlabs/Module/Admin.php:1615 -#: ../../Zotlabs/Lib/Apps.php:216 ../../include/widgets.php:647 -#: ../../include/nav.php:210 +#: ../../Zotlabs/Lib/Apps.php:216 ../../include/nav.php:210 +#: ../../include/widgets.php:647 msgid "Settings" msgstr "" @@ -4221,11 +4566,6 @@ msgstr "" msgid "Install a New Plugin Repository" msgstr "" -#: ../../Zotlabs/Module/Admin.php:1435 ../../Zotlabs/Module/Settings.php:75 -#: ../../Zotlabs/Module/Settings.php:651 ../../Zotlabs/Lib/Apps.php:334 -msgid "Update" -msgstr "" - #: ../../Zotlabs/Module/Admin.php:1436 msgid "Switch branch" msgstr "" @@ -4239,7 +4579,7 @@ msgid "Screenshot" msgstr "" #: ../../Zotlabs/Module/Admin.php:1613 ../../Zotlabs/Module/Admin.php:1647 -#: ../../include/widgets.php:1477 +#: ../../include/widgets.php:1496 msgid "Themes" msgstr "" @@ -4255,8 +4595,8 @@ msgstr "" msgid "Log settings updated." msgstr "" -#: ../../Zotlabs/Module/Admin.php:1732 ../../include/widgets.php:1498 -#: ../../include/widgets.php:1508 +#: ../../Zotlabs/Module/Admin.php:1732 ../../include/widgets.php:1517 +#: ../../include/widgets.php:1527 msgid "Logs" msgstr "" @@ -4322,7 +4662,7 @@ msgstr "" msgid "Edit Profile Field" msgstr "" -#: ../../Zotlabs/Module/Admin.php:2106 ../../include/widgets.php:1479 +#: ../../Zotlabs/Module/Admin.php:2106 ../../include/widgets.php:1498 msgid "Profile Fields" msgstr "" @@ -4350,6 +4690,12 @@ msgstr "" msgid "Create Custom Field" msgstr "" +#: ../../Zotlabs/Module/New_channel.php:121 +#: ../../Zotlabs/Module/Manage.php:136 +#, php-format +msgid "You have created %1$.0f of %2$.0f allowed channels." +msgstr "" + #: ../../Zotlabs/Module/New_channel.php:128 #: ../../Zotlabs/Module/Register.php:231 msgid "Name or caption" @@ -4475,14 +4821,6 @@ msgstr "" msgid "Post successful." msgstr "" -#: ../../Zotlabs/Module/Openid.php:30 -msgid "OpenID protocol error. No ID returned." -msgstr "" - -#: ../../Zotlabs/Module/Openid.php:193 ../../include/auth.php:252 -msgid "Login failed." -msgstr "" - #: ../../Zotlabs/Module/Profperm.php:34 ../../Zotlabs/Module/Profperm.php:63 msgid "Invalid profile identifier." msgstr "" @@ -4491,7 +4829,7 @@ msgstr "" msgid "Profile Visibility Editor" msgstr "" -#: ../../Zotlabs/Module/Profperm.php:117 ../../include/channel.php:1275 +#: ../../Zotlabs/Module/Profperm.php:117 ../../include/channel.php:1281 msgid "Profile" msgstr "" @@ -4518,11 +4856,6 @@ msgid "" "to correctly use this feature." msgstr "" -#: ../../Zotlabs/Module/Probe.php:30 ../../Zotlabs/Module/Probe.php:34 -#, php-format -msgid "Fetching URL returns error: %1$s" -msgstr "" - #: ../../Zotlabs/Module/Siteinfo.php:19 #, php-format msgid "Version %s" @@ -4581,33 +4914,31 @@ msgstr "" msgid "Site Administrators" msgstr "" -#: ../../Zotlabs/Module/Rmagic.php:44 -msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." +#: ../../Zotlabs/Module/Blocks.php:154 ../../include/text.php:2238 +msgid "Blocks" msgstr "" -#: ../../Zotlabs/Module/Rmagic.php:44 -msgid "The error message was:" +#: ../../Zotlabs/Module/Blocks.php:156 +msgid "Block Title" msgstr "" -#: ../../Zotlabs/Module/Rmagic.php:48 -msgid "Authentication failed." +#: ../../Zotlabs/Module/Layouts.php:183 ../../include/text.php:2240 +msgid "Layouts" msgstr "" -#: ../../Zotlabs/Module/Rmagic.php:88 -msgid "Remote Authentication" +#: ../../Zotlabs/Module/Layouts.php:185 +msgid "Comanche page description language help" msgstr "" -#: ../../Zotlabs/Module/Rmagic.php:89 -msgid "Enter your channel address (e.g. channel@example.com)" +#: ../../Zotlabs/Module/Layouts.php:189 +msgid "Layout Description" msgstr "" -#: ../../Zotlabs/Module/Rmagic.php:90 -msgid "Authenticate" +#: ../../Zotlabs/Module/Layouts.php:194 +msgid "Download PDL file" msgstr "" -#: ../../Zotlabs/Module/Pubsites.php:22 ../../include/widgets.php:1337 +#: ../../Zotlabs/Module/Pubsites.php:22 ../../include/widgets.php:1351 msgid "Public Hubs" msgstr "" @@ -4659,17 +4990,24 @@ msgstr "" msgid "Upload Profile Photo" msgstr "" -#: ../../Zotlabs/Module/Blocks.php:97 ../../Zotlabs/Module/Blocks.php:155 -#: ../../Zotlabs/Module/Editblock.php:108 -msgid "Block Name" +#: ../../Zotlabs/Module/Cal.php:69 +msgid "Permissions denied." msgstr "" -#: ../../Zotlabs/Module/Blocks.php:154 ../../include/text.php:2246 -msgid "Blocks" +#: ../../Zotlabs/Module/Cal.php:337 ../../include/text.php:2262 +msgid "Import" msgstr "" -#: ../../Zotlabs/Module/Blocks.php:156 -msgid "Block Title" +#: ../../Zotlabs/Module/Common.php:14 +msgid "No channel." +msgstr "" + +#: ../../Zotlabs/Module/Common.php:43 +msgid "Common connections" +msgstr "" + +#: ../../Zotlabs/Module/Common.php:48 +msgid "No connections in common." msgstr "" #: ../../Zotlabs/Module/Rate.php:160 @@ -4705,29 +5043,91 @@ msgstr "" msgid "Description: " msgstr "" -#: ../../Zotlabs/Module/Apps.php:47 ../../include/widgets.php:102 -#: ../../include/nav.php:165 +#: ../../Zotlabs/Module/Apps.php:47 ../../include/nav.php:165 +#: ../../include/widgets.php:102 msgid "Apps" msgstr "" -#: ../../Zotlabs/Module/Editblock.php:124 ../../include/conversation.php:1243 -msgid "Title (optional)" +#: ../../Zotlabs/Module/Manage.php:143 +msgid "Create a new channel" msgstr "" -#: ../../Zotlabs/Module/Editblock.php:133 -msgid "Edit Block" +#: ../../Zotlabs/Module/Manage.php:164 ../../Zotlabs/Lib/Apps.php:214 +#: ../../include/nav.php:208 +msgid "Channel Manager" msgstr "" -#: ../../Zotlabs/Module/Common.php:14 -msgid "No channel." +#: ../../Zotlabs/Module/Manage.php:165 +msgid "Current Channel" msgstr "" -#: ../../Zotlabs/Module/Common.php:43 -msgid "Common connections" +#: ../../Zotlabs/Module/Manage.php:167 +msgid "Switch to one of your channels by selecting it." msgstr "" -#: ../../Zotlabs/Module/Common.php:48 -msgid "No connections in common." +#: ../../Zotlabs/Module/Manage.php:168 +msgid "Default Channel" +msgstr "" + +#: ../../Zotlabs/Module/Manage.php:169 +msgid "Make Default" +msgstr "" + +#: ../../Zotlabs/Module/Manage.php:172 +#, php-format +msgid "%d new messages" +msgstr "" + +#: ../../Zotlabs/Module/Manage.php:173 +#, php-format +msgid "%d new introductions" +msgstr "" + +#: ../../Zotlabs/Module/Manage.php:175 +msgid "Delegated Channel" +msgstr "" + +#: ../../Zotlabs/Module/Connect.php:61 ../../Zotlabs/Module/Connect.php:109 +msgid "Continue" +msgstr "" + +#: ../../Zotlabs/Module/Connect.php:90 +msgid "Premium Channel Setup" +msgstr "" + +#: ../../Zotlabs/Module/Connect.php:92 +msgid "Enable premium channel connection restrictions" +msgstr "" + +#: ../../Zotlabs/Module/Connect.php:93 +msgid "" +"Please enter your restrictions or conditions, such as paypal receipt, usage " +"guidelines, etc." +msgstr "" + +#: ../../Zotlabs/Module/Connect.php:95 ../../Zotlabs/Module/Connect.php:115 +msgid "" +"This channel may require additional steps or acknowledgement of the " +"following conditions prior to connecting:" +msgstr "" + +#: ../../Zotlabs/Module/Connect.php:96 +msgid "" +"Potential connections will then see the following text before proceeding:" +msgstr "" + +#: ../../Zotlabs/Module/Connect.php:97 ../../Zotlabs/Module/Connect.php:118 +msgid "" +"By continuing, I certify that I have complied with any instructions provided " +"on this page." +msgstr "" + +#: ../../Zotlabs/Module/Connect.php:106 +msgid "(No specific instructions have been provided by the channel owner.)" +msgstr "" + +#: ../../Zotlabs/Module/Connect.php:114 +msgid "Restricted or Premium Channel" msgstr "" #: ../../Zotlabs/Module/Rbmark.php:94 @@ -4833,7 +5233,7 @@ msgid "Membership on this site is by invitation only." msgstr "" #: ../../Zotlabs/Module/Register.php:262 ../../include/nav.php:149 -#: ../../boot.php:1686 +#: ../../boot.php:1689 msgid "Register" msgstr "" @@ -4847,82 +5247,73 @@ msgstr "" msgid "Please login." msgstr "" -#: ../../Zotlabs/Module/Removeaccount.php:34 +#: ../../Zotlabs/Module/Removeaccount.php:35 msgid "" "Account removals are not allowed within 48 hours of changing the account " "password." msgstr "" -#: ../../Zotlabs/Module/Removeaccount.php:56 +#: ../../Zotlabs/Module/Removeaccount.php:57 msgid "Remove This Account" msgstr "" -#: ../../Zotlabs/Module/Removeaccount.php:57 -#: ../../Zotlabs/Module/Removeme.php:59 +#: ../../Zotlabs/Module/Removeaccount.php:58 +#: ../../Zotlabs/Module/Removeme.php:61 msgid "WARNING: " msgstr "" -#: ../../Zotlabs/Module/Removeaccount.php:57 +#: ../../Zotlabs/Module/Removeaccount.php:58 msgid "" "This account and all its channels will be completely removed from the " "network. " msgstr "" -#: ../../Zotlabs/Module/Removeaccount.php:57 -#: ../../Zotlabs/Module/Removeme.php:59 +#: ../../Zotlabs/Module/Removeaccount.php:58 +#: ../../Zotlabs/Module/Removeme.php:61 msgid "This action is permanent and can not be undone!" msgstr "" -#: ../../Zotlabs/Module/Removeaccount.php:58 -#: ../../Zotlabs/Module/Removeme.php:60 +#: ../../Zotlabs/Module/Removeaccount.php:59 +#: ../../Zotlabs/Module/Removeme.php:62 msgid "Please enter your password for verification:" msgstr "" -#: ../../Zotlabs/Module/Removeaccount.php:59 +#: ../../Zotlabs/Module/Removeaccount.php:60 msgid "" "Remove this account, all its channels and all its channel clones from the " "network" msgstr "" -#: ../../Zotlabs/Module/Removeaccount.php:59 +#: ../../Zotlabs/Module/Removeaccount.php:60 msgid "" "By default only the instances of the channels located on this hub will be " "removed from the network" msgstr "" -#: ../../Zotlabs/Module/Removeaccount.php:60 -#: ../../Zotlabs/Module/Settings.php:740 -msgid "Remove Account" -msgstr "" - -#: ../../Zotlabs/Module/Removeme.php:33 +#: ../../Zotlabs/Module/Removeme.php:35 msgid "" "Channel removals are not allowed within 48 hours of changing the account " "password." msgstr "" -#: ../../Zotlabs/Module/Removeme.php:58 +#: ../../Zotlabs/Module/Removeme.php:60 msgid "Remove This Channel" msgstr "" -#: ../../Zotlabs/Module/Removeme.php:59 +#: ../../Zotlabs/Module/Removeme.php:61 msgid "This channel will be completely removed from the network. " msgstr "" -#: ../../Zotlabs/Module/Removeme.php:61 +#: ../../Zotlabs/Module/Removeme.php:63 msgid "Remove this channel and all its clones from the network" msgstr "" -#: ../../Zotlabs/Module/Removeme.php:61 +#: ../../Zotlabs/Module/Removeme.php:63 msgid "" "By default only the instance of the channel located on this hub will be " "removed from the network" msgstr "" -#: ../../Zotlabs/Module/Removeme.php:62 ../../Zotlabs/Module/Settings.php:1198 -msgid "Remove Channel" -msgstr "" - #: ../../Zotlabs/Module/Uexport.php:55 ../../Zotlabs/Module/Uexport.php:56 msgid "Export Channel" msgstr "" @@ -4995,629 +5386,92 @@ msgstr "" msgid "No service class restrictions found." msgstr "" -#: ../../Zotlabs/Module/Settings.php:67 -msgid "Name is required" +#: ../../Zotlabs/Module/Menu.php:49 +msgid "Unable to update menu." msgstr "" -#: ../../Zotlabs/Module/Settings.php:71 -msgid "Key and Secret are required" +#: ../../Zotlabs/Module/Menu.php:60 +msgid "Unable to create menu." msgstr "" -#: ../../Zotlabs/Module/Settings.php:154 -msgid "Token saved." +#: ../../Zotlabs/Module/Menu.php:98 ../../Zotlabs/Module/Menu.php:110 +msgid "Menu Name" msgstr "" -#: ../../Zotlabs/Module/Settings.php:260 -msgid "Not valid email." +#: ../../Zotlabs/Module/Menu.php:98 +msgid "Unique name (not visible on webpage) - required" msgstr "" -#: ../../Zotlabs/Module/Settings.php:263 -msgid "Protected email address. Cannot change to that email." +#: ../../Zotlabs/Module/Menu.php:99 ../../Zotlabs/Module/Menu.php:111 +msgid "Menu Title" msgstr "" -#: ../../Zotlabs/Module/Settings.php:272 -msgid "System failure storing new email. Please try again." +#: ../../Zotlabs/Module/Menu.php:99 +msgid "Visible on webpage - leave empty for no title" msgstr "" -#: ../../Zotlabs/Module/Settings.php:289 -msgid "Password verification failed." +#: ../../Zotlabs/Module/Menu.php:100 +msgid "Allow Bookmarks" msgstr "" -#: ../../Zotlabs/Module/Settings.php:296 -msgid "Passwords do not match. Password unchanged." +#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 +msgid "Menu may be used to store saved bookmarks" msgstr "" -#: ../../Zotlabs/Module/Settings.php:300 -msgid "Empty passwords are not allowed. Password unchanged." +#: ../../Zotlabs/Module/Menu.php:101 ../../Zotlabs/Module/Menu.php:159 +msgid "Submit and proceed" msgstr "" -#: ../../Zotlabs/Module/Settings.php:314 -msgid "Password changed." +#: ../../Zotlabs/Module/Menu.php:107 ../../include/text.php:2239 +msgid "Menus" msgstr "" -#: ../../Zotlabs/Module/Settings.php:316 -msgid "Password update failed. Please try again." +#: ../../Zotlabs/Module/Menu.php:117 +msgid "Bookmarks allowed" msgstr "" -#: ../../Zotlabs/Module/Settings.php:560 -msgid "Settings updated." +#: ../../Zotlabs/Module/Menu.php:119 +msgid "Delete this menu" msgstr "" -#: ../../Zotlabs/Module/Settings.php:624 ../../Zotlabs/Module/Settings.php:650 -#: ../../Zotlabs/Module/Settings.php:686 -msgid "Add application" +#: ../../Zotlabs/Module/Menu.php:120 ../../Zotlabs/Module/Menu.php:154 +msgid "Edit menu contents" msgstr "" -#: ../../Zotlabs/Module/Settings.php:627 -msgid "Name of application" +#: ../../Zotlabs/Module/Menu.php:121 +msgid "Edit this menu" msgstr "" -#: ../../Zotlabs/Module/Settings.php:628 ../../Zotlabs/Module/Settings.php:654 -msgid "Consumer Key" +#: ../../Zotlabs/Module/Menu.php:136 +msgid "Menu could not be deleted." msgstr "" -#: ../../Zotlabs/Module/Settings.php:628 ../../Zotlabs/Module/Settings.php:629 -msgid "Automatically generated - change if desired. Max length 20" +#: ../../Zotlabs/Module/Menu.php:149 +msgid "Edit Menu" msgstr "" -#: ../../Zotlabs/Module/Settings.php:629 ../../Zotlabs/Module/Settings.php:655 -msgid "Consumer Secret" +#: ../../Zotlabs/Module/Menu.php:153 +msgid "Add or remove entries to this menu" msgstr "" -#: ../../Zotlabs/Module/Settings.php:630 ../../Zotlabs/Module/Settings.php:656 -msgid "Redirect" +#: ../../Zotlabs/Module/Menu.php:155 +msgid "Menu name" msgstr "" -#: ../../Zotlabs/Module/Settings.php:630 -msgid "" -"Redirect URI - leave blank unless your application specifically requires this" +#: ../../Zotlabs/Module/Menu.php:155 +msgid "Must be unique, only seen by you" msgstr "" -#: ../../Zotlabs/Module/Settings.php:631 ../../Zotlabs/Module/Settings.php:657 -msgid "Icon url" +#: ../../Zotlabs/Module/Menu.php:156 +msgid "Menu title" msgstr "" -#: ../../Zotlabs/Module/Settings.php:631 ../../Zotlabs/Module/Sources.php:112 -#: ../../Zotlabs/Module/Sources.php:147 -msgid "Optional" +#: ../../Zotlabs/Module/Menu.php:156 +msgid "Menu title as seen by others" msgstr "" -#: ../../Zotlabs/Module/Settings.php:642 -msgid "Application not found." -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:685 -msgid "Connected Apps" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:689 -msgid "Client key starts with" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:690 -msgid "No name" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:691 -msgid "Remove authorization" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:704 -msgid "No feature settings configured" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:711 -msgid "Feature/Addon Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:734 -msgid "Account Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:735 -msgid "Current Password" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:736 -msgid "Enter New Password" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:737 -msgid "Confirm New Password" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:737 -msgid "Leave password fields blank unless changing" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:739 -#: ../../Zotlabs/Module/Settings.php:1115 -msgid "Email Address:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:741 -msgid "Remove this account including all its channels" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:773 ../../include/widgets.php:614 -msgid "Guest Access Tokens" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:776 -msgid "Login Name" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:777 -msgid "Login Password" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:778 -msgid "Expires (yyyy-mm-dd)" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:803 -msgid "Additional Features" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:827 -msgid "Connector Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:866 -msgid "No special theme for mobile devices" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:869 -#, php-format -msgid "%s - (Experimental)" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:911 -msgid "Display Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:912 -msgid "Theme Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:913 -msgid "Custom Theme Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:914 -msgid "Content Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:920 -msgid "Display Theme:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:921 -msgid "Mobile Theme:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:922 -msgid "Preload images before rendering the page" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:922 -msgid "" -"The subjective page load time will be longer but the page will be ready when " -"displayed" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:923 -msgid "Enable user zoom on mobile devices" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:924 -msgid "Update browser every xx seconds" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:924 -msgid "Minimum of 10 seconds, no maximum" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:925 -msgid "Maximum number of conversations to load at any time:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:925 -msgid "Maximum of 100 items" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:926 -msgid "Show emoticons (smilies) as images" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:927 -msgid "Link post titles to source" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:928 -msgid "System Page Layout Editor - (advanced)" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:931 -msgid "Use blog/list mode on channel page" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:931 ../../Zotlabs/Module/Settings.php:932 -msgid "(comments displayed separately)" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:932 -msgid "Use blog/list mode on grid page" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:933 -msgid "Channel page max height of content (in pixels)" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:933 ../../Zotlabs/Module/Settings.php:934 -msgid "click to expand content exceeding this height" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:934 -msgid "Grid page max height of content (in pixels)" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:968 -msgid "Nobody except yourself" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:969 -msgid "Only those you specifically allow" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:970 -msgid "Approved connections" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:971 -msgid "Any connections" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:972 -msgid "Anybody on this website" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:973 -msgid "Anybody in this network" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:974 -msgid "Anybody authenticated" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:975 -msgid "Anybody on the internet" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1050 -msgid "Publish your default profile in the network directory" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1055 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1064 -msgid "Your channel address is" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1106 -msgid "Channel Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1113 -msgid "Basic Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1114 ../../include/channel.php:1165 -msgid "Full Name:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1116 -msgid "Your Timezone:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1117 -msgid "Default Post Location:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1117 -msgid "Geographical location to display on your posts" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1118 -msgid "Use Browser Location:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1120 -msgid "Adult Content" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1120 -msgid "" -"This channel frequently or regularly publishes adult content. (Please tag " -"any adult material and/or nudity with #NSFW)" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1122 -msgid "Security and Privacy Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1125 -msgid "Your permissions are already configured. Click to view/adjust" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1127 -msgid "Hide my online presence" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1127 -msgid "Prevents displaying in your profile that you are online" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1129 -msgid "Simple Privacy Settings:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1130 -msgid "" -"Very Public - extremely permissive (should be used with caution)" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1131 -msgid "" -"Typical - default public, privacy when desired (similar to social " -"network permissions but with improved privacy)" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1132 -msgid "Private - default private, never open or public" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1133 -msgid "Blocked - default blocked to/from everybody" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1135 -msgid "Allow others to tag your posts" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1135 -msgid "" -"Often used by the community to retro-actively flag inappropriate content" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1137 -msgid "Advanced Privacy Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1139 -msgid "Expire other channel content after this many days" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1139 -msgid "0 or blank to use the website limit." -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1139 -#, php-format -msgid "This website expires after %d days." -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1139 -msgid "This website does not expire imported content." -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1139 -msgid "The website limit takes precedence if lower than your limit." -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1140 -msgid "Maximum Friend Requests/Day:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1140 -msgid "May reduce spam activity" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1141 -msgid "Default Post and Publish Permissions" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1143 -msgid "Use my default audience setting for the type of object published" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1146 -msgid "Channel permissions category:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1152 -msgid "Maximum private messages per day from unknown people:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1152 -msgid "Useful to reduce spamming" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1155 -msgid "Notification Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1156 -msgid "By default post a status message when:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1157 -msgid "accepting a friend request" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1158 -msgid "joining a forum/community" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1159 -msgid "making an interesting profile change" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "Send a notification email when:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1161 -msgid "You receive a connection request" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1162 -msgid "Your connections are confirmed" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1163 -msgid "Someone writes on your profile wall" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1164 -msgid "Someone writes a followup comment" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1165 -msgid "You receive a private message" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1166 -msgid "You receive a friend suggestion" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1167 -msgid "You are tagged in a post" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1168 -msgid "You are poked/prodded/etc. in a post" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1171 -msgid "Show visual notifications including:" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1173 -msgid "Unseen grid activity" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1174 -msgid "Unseen channel activity" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1175 -msgid "Unseen private messages" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1175 -#: ../../Zotlabs/Module/Settings.php:1180 -#: ../../Zotlabs/Module/Settings.php:1181 -#: ../../Zotlabs/Module/Settings.php:1182 -msgid "Recommended" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1176 -msgid "Upcoming events" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1177 -msgid "Events today" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1178 -msgid "Upcoming birthdays" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1178 -msgid "Not available in all themes" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1179 -msgid "System (personal) notifications" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1180 -msgid "System info messages" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1181 -msgid "System critical alerts" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1182 -msgid "New connections" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1183 -msgid "System Registrations" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1184 -msgid "" -"Also show new wall posts, private messages and connections under Notices" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1186 -msgid "Notify me of events this many days in advance" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1186 -msgid "Must be greater than 0" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1188 -msgid "Advanced Account/Page Type Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1189 -msgid "Change the behaviour of this account for special situations" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1192 -msgid "" -"Please enable expert mode (in Settings > " -"Additional features) to adjust!" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1193 -msgid "Miscellaneous Settings" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1194 -msgid "Default photo upload folder" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1194 -#: ../../Zotlabs/Module/Settings.php:1195 -msgid "%Y - current year, %m - current month" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1195 -msgid "Default file upload folder" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1197 -msgid "Personal menu to display in your channel pages" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1199 -msgid "Remove this channel." -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1200 -msgid "Firefox Share $Projectname provider" -msgstr "" - -#: ../../Zotlabs/Module/Settings.php:1201 -msgid "Start calendar week on monday" +#: ../../Zotlabs/Module/Menu.php:157 +msgid "Allow bookmarks" msgstr "" #: ../../Zotlabs/Module/Setup.php:179 @@ -6135,8 +5989,8 @@ msgstr "" msgid "*" msgstr "" -#: ../../Zotlabs/Module/Sources.php:96 ../../include/widgets.php:639 -#: ../../include/features.php:72 +#: ../../Zotlabs/Module/Sources.php:96 ../../include/features.php:72 +#: ../../include/widgets.php:639 msgid "Channel Sources" msgstr "" @@ -6238,21 +6092,280 @@ msgstr "" msgid "Select a tag to remove: " msgstr "" -#: ../../Zotlabs/Module/Webpages.php:191 ../../Zotlabs/Lib/Apps.php:218 -#: ../../include/nav.php:106 ../../include/conversation.php:1700 -msgid "Webpages" +#: ../../Zotlabs/Module/Profiles.php:24 ../../Zotlabs/Module/Profiles.php:189 +#: ../../Zotlabs/Module/Profiles.php:246 ../../Zotlabs/Module/Profiles.php:625 +msgid "Profile not found." msgstr "" -#: ../../Zotlabs/Module/Webpages.php:202 ../../include/page_widgets.php:44 -msgid "Actions" +#: ../../Zotlabs/Module/Profiles.php:44 +msgid "Profile deleted." msgstr "" -#: ../../Zotlabs/Module/Webpages.php:203 ../../include/page_widgets.php:45 -msgid "Page Link" +#: ../../Zotlabs/Module/Profiles.php:68 ../../Zotlabs/Module/Profiles.php:104 +msgid "Profile-" msgstr "" -#: ../../Zotlabs/Module/Webpages.php:204 -msgid "Page Title" +#: ../../Zotlabs/Module/Profiles.php:89 ../../Zotlabs/Module/Profiles.php:132 +msgid "New profile created." +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:110 +msgid "Profile unavailable to clone." +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:151 +msgid "Profile unavailable to export." +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:256 +msgid "Profile Name is required." +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:427 +msgid "Marital Status" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:431 +msgid "Romantic Partner" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:435 ../../Zotlabs/Module/Profiles.php:736 +msgid "Likes" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:439 ../../Zotlabs/Module/Profiles.php:737 +msgid "Dislikes" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:443 ../../Zotlabs/Module/Profiles.php:744 +msgid "Work/Employment" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:446 +msgid "Religion" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:450 +msgid "Political Views" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:454 +msgid "Gender" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:458 +msgid "Sexual Preference" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:462 +msgid "Homepage" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:466 +msgid "Interests" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:560 +msgid "Profile updated." +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:644 +msgid "Hide your connections list from viewers of this profile" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:686 +msgid "Edit Profile Details" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:688 +msgid "View this profile" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:689 ../../Zotlabs/Module/Profiles.php:771 +#: ../../include/channel.php:989 +msgid "Edit visibility" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:690 +msgid "Profile Tools" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:691 +msgid "Change cover photo" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:692 ../../include/channel.php:960 +msgid "Change profile photo" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:693 +msgid "Create a new profile using these settings" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:694 +msgid "Clone this profile" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:695 +msgid "Delete this profile" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:696 +msgid "Add profile things" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:697 ../../include/conversation.php:1541 +#: ../../include/widgets.php:105 +msgid "Personal" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:699 +msgid "Relation" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:700 ../../include/datetime.php:48 +msgid "Miscellaneous" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:702 +msgid "Import profile from file" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:703 +msgid "Export profile to file" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:704 +msgid "Your gender" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:705 +msgid "Marital status" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:706 +msgid "Sexual preference" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:709 +msgid "Profile name" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:711 +msgid "This is your default profile." +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:713 +msgid "Your full name" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:714 +msgid "Title/Description" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:717 +msgid "Street address" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:718 +msgid "Locality/City" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:719 +msgid "Region/State" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:720 +msgid "Postal/Zip code" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:721 +msgid "Country" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:726 +msgid "Who (if applicable)" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:726 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:727 +msgid "Since (date)" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:730 +msgid "Tell us about yourself" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:731 +msgid "Homepage URL" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:732 +msgid "Hometown" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:733 +msgid "Political views" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:734 +msgid "Religious views" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:735 +msgid "Keywords used in directory listings" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:735 +msgid "Example: fishing photography software" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:738 +msgid "Musical interests" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:739 +msgid "Books, literature" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:740 +msgid "Television" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:741 +msgid "Film/Dance/Culture/Entertainment" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:742 +msgid "Hobbies/Interests" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:743 +msgid "Love/Romance" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:745 +msgid "School/Education" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:746 +msgid "Contact information and social networks" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:747 +msgid "My other channels" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:767 ../../include/channel.php:985 +msgid "Profile Image" +msgstr "" + +#: ../../Zotlabs/Module/Profiles.php:777 ../../include/nav.php:88 +#: ../../include/channel.php:967 +msgid "Edit Profiles" msgstr "" #: ../../Zotlabs/Module/Wiki.php:34 @@ -6260,8 +6373,8 @@ msgid "Not found" msgstr "" #: ../../Zotlabs/Module/Wiki.php:92 ../../Zotlabs/Lib/Apps.php:219 -#: ../../include/nav.php:108 ../../include/conversation.php:1710 -#: ../../include/conversation.php:1713 ../../include/features.php:55 +#: ../../include/features.php:55 ../../include/nav.php:108 +#: ../../include/conversation.php:1710 ../../include/conversation.php:1713 msgid "Wiki" msgstr "" @@ -6628,7 +6741,7 @@ msgid "Suggest Channels" msgstr "" #: ../../Zotlabs/Lib/Apps.php:213 ../../include/nav.php:112 -#: ../../boot.php:1704 +#: ../../boot.php:1707 msgid "Login" msgstr "" @@ -6673,14 +6786,22 @@ msgstr "" msgid "Invite" msgstr "" -#: ../../Zotlabs/Lib/Apps.php:235 ../../include/widgets.php:1475 +#: ../../Zotlabs/Lib/Apps.php:235 ../../include/widgets.php:1494 msgid "Features" msgstr "" +#: ../../Zotlabs/Lib/Apps.php:236 +msgid "Language" +msgstr "" + #: ../../Zotlabs/Lib/Apps.php:237 msgid "Post" msgstr "" +#: ../../Zotlabs/Lib/Apps.php:238 +msgid "Profile Photo" +msgstr "" + #: ../../Zotlabs/Lib/Apps.php:339 msgid "Purchase" msgstr "" @@ -6866,61 +6987,61 @@ msgstr "" msgid "Visible to your default audience" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:115 +#: ../../Zotlabs/Lib/PermissionDescription.php:106 #: ../../include/acl_selectors.php:266 msgid "Only me" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:116 +#: ../../Zotlabs/Lib/PermissionDescription.php:107 msgid "Public" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:117 +#: ../../Zotlabs/Lib/PermissionDescription.php:108 msgid "Anybody in the $Projectname network" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:118 +#: ../../Zotlabs/Lib/PermissionDescription.php:109 #, php-format msgid "Any account on %s" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:119 +#: ../../Zotlabs/Lib/PermissionDescription.php:110 msgid "Any of my connections" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:120 +#: ../../Zotlabs/Lib/PermissionDescription.php:111 msgid "Only connections I specifically allow" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:121 +#: ../../Zotlabs/Lib/PermissionDescription.php:112 msgid "Anybody authenticated (could include visitors from other networks)" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:122 +#: ../../Zotlabs/Lib/PermissionDescription.php:113 msgid "Any connections including those who haven't yet been approved" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:161 +#: ../../Zotlabs/Lib/PermissionDescription.php:152 msgid "" "This is your default setting for the audience of your normal stream, and " "posts." msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:162 +#: ../../Zotlabs/Lib/PermissionDescription.php:153 msgid "" "This is your default setting for who can view your default channel profile" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:163 +#: ../../Zotlabs/Lib/PermissionDescription.php:154 msgid "This is your default setting for who can view your connections" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:164 +#: ../../Zotlabs/Lib/PermissionDescription.php:155 msgid "" "This is your default setting for who can view your file storage and photos" msgstr "" -#: ../../Zotlabs/Lib/PermissionDescription.php:165 +#: ../../Zotlabs/Lib/PermissionDescription.php:156 msgid "This is your default setting for the audience of your webpages" msgstr "" @@ -6928,7 +7049,7 @@ msgstr "" msgid "No username found in import file." msgstr "" -#: ../../include/Import/import_diaspora.php:41 ../../include/import.php:50 +#: ../../include/Import/import_diaspora.php:41 ../../include/import.php:51 msgid "Unable to create a unique channel address. Import failed." msgstr "" @@ -6937,510 +7058,68 @@ msgstr "" msgid "Cannot locate DNS info for database server '%s'" msgstr "" -#: ../../include/widgets.php:46 ../../include/widgets.php:429 -#: ../../include/taxonomy.php:188 ../../include/taxonomy.php:270 -#: ../../include/contact_widgets.php:91 -msgid "Categories" +#: ../../include/items.php:897 ../../include/items.php:942 +msgid "(Unknown)" msgstr "" -#: ../../include/widgets.php:103 -msgid "System" +#: ../../include/items.php:1141 +msgid "Visible to anybody on the internet." msgstr "" -#: ../../include/widgets.php:106 -msgid "New App" +#: ../../include/items.php:1143 +msgid "Visible to you only." msgstr "" -#: ../../include/widgets.php:154 -msgid "Suggestions" +#: ../../include/items.php:1145 +msgid "Visible to anybody in this network." msgstr "" -#: ../../include/widgets.php:155 -msgid "See more..." +#: ../../include/items.php:1147 +msgid "Visible to anybody authenticated." msgstr "" -#: ../../include/widgets.php:175 +#: ../../include/items.php:1149 #, php-format -msgid "You have %1$.0f of %2$.0f allowed connections." +msgid "Visible to anybody on %s." msgstr "" -#: ../../include/widgets.php:181 -msgid "Add New Connection" +#: ../../include/items.php:1151 +msgid "Visible to all connections." msgstr "" -#: ../../include/widgets.php:182 -msgid "Enter channel address" +#: ../../include/items.php:1153 +msgid "Visible to approved connections." msgstr "" -#: ../../include/widgets.php:183 -msgid "Examples: bob@example.com, https://example.com/barbara" +#: ../../include/items.php:1155 +msgid "Visible to specific connections." msgstr "" -#: ../../include/widgets.php:199 -msgid "Notes" +#: ../../include/items.php:3918 +msgid "Privacy group is empty." msgstr "" -#: ../../include/widgets.php:273 -msgid "Remove term" -msgstr "" - -#: ../../include/widgets.php:281 ../../include/features.php:85 -msgid "Saved Searches" -msgstr "" - -#: ../../include/widgets.php:282 ../../include/group.php:316 -msgid "add" -msgstr "" - -#: ../../include/widgets.php:310 ../../include/features.php:99 -#: ../../include/contact_widgets.php:53 -msgid "Saved Folders" -msgstr "" - -#: ../../include/widgets.php:313 ../../include/widgets.php:432 -#: ../../include/contact_widgets.php:56 ../../include/contact_widgets.php:94 -msgid "Everything" -msgstr "" - -#: ../../include/widgets.php:354 -msgid "Archives" -msgstr "" - -#: ../../include/widgets.php:516 -msgid "Refresh" -msgstr "" - -#: ../../include/widgets.php:556 -msgid "Account settings" -msgstr "" - -#: ../../include/widgets.php:562 -msgid "Channel settings" -msgstr "" - -#: ../../include/widgets.php:571 -msgid "Additional features" -msgstr "" - -#: ../../include/widgets.php:578 -msgid "Feature/Addon settings" -msgstr "" - -#: ../../include/widgets.php:584 -msgid "Display settings" -msgstr "" - -#: ../../include/widgets.php:591 -msgid "Manage locations" -msgstr "" - -#: ../../include/widgets.php:600 -msgid "Export channel" -msgstr "" - -#: ../../include/widgets.php:607 -msgid "Connected apps" -msgstr "" - -#: ../../include/widgets.php:631 -msgid "Premium Channel Settings" -msgstr "" - -#: ../../include/widgets.php:660 -msgid "Private Mail Menu" -msgstr "" - -#: ../../include/widgets.php:662 -msgid "Combined View" -msgstr "" - -#: ../../include/widgets.php:667 ../../include/nav.php:198 -msgid "Inbox" -msgstr "" - -#: ../../include/widgets.php:672 ../../include/nav.php:199 -msgid "Outbox" -msgstr "" - -#: ../../include/widgets.php:677 ../../include/nav.php:200 -msgid "New Message" -msgstr "" - -#: ../../include/widgets.php:694 ../../include/widgets.php:706 -msgid "Conversations" -msgstr "" - -#: ../../include/widgets.php:698 -msgid "Received Messages" -msgstr "" - -#: ../../include/widgets.php:702 -msgid "Sent Messages" -msgstr "" - -#: ../../include/widgets.php:716 -msgid "No messages." -msgstr "" - -#: ../../include/widgets.php:734 -msgid "Delete conversation" -msgstr "" - -#: ../../include/widgets.php:760 -msgid "Events Tools" -msgstr "" - -#: ../../include/widgets.php:761 -msgid "Export Calendar" -msgstr "" - -#: ../../include/widgets.php:762 -msgid "Import Calendar" -msgstr "" - -#: ../../include/widgets.php:836 ../../include/conversation.php:1677 -#: ../../include/conversation.php:1680 -msgid "Chatrooms" -msgstr "" - -#: ../../include/widgets.php:840 -msgid "Overview" -msgstr "" - -#: ../../include/widgets.php:847 -msgid "Chat Members" -msgstr "" - -#: ../../include/widgets.php:869 -msgid "Wiki List" -msgstr "" - -#: ../../include/widgets.php:907 -msgid "Wiki Pages" -msgstr "" - -#: ../../include/widgets.php:942 -msgid "Bookmarked Chatrooms" -msgstr "" - -#: ../../include/widgets.php:965 -msgid "Suggested Chatrooms" -msgstr "" - -#: ../../include/widgets.php:1111 ../../include/widgets.php:1223 -msgid "photo/image" -msgstr "" - -#: ../../include/widgets.php:1166 -msgid "Click to show more" -msgstr "" - -#: ../../include/widgets.php:1317 -msgid "Rating Tools" -msgstr "" - -#: ../../include/widgets.php:1321 ../../include/widgets.php:1323 -msgid "Rate Me" -msgstr "" - -#: ../../include/widgets.php:1326 -msgid "View Ratings" -msgstr "" - -#: ../../include/widgets.php:1405 -msgid "Forums" -msgstr "" - -#: ../../include/widgets.php:1434 -msgid "Tasks" -msgstr "" - -#: ../../include/widgets.php:1443 -msgid "Documentation" -msgstr "" - -#: ../../include/widgets.php:1445 -msgid "Project/Site Information" -msgstr "" - -#: ../../include/widgets.php:1446 -msgid "For Members" -msgstr "" - -#: ../../include/widgets.php:1447 -msgid "For Administrators" -msgstr "" - -#: ../../include/widgets.php:1448 -msgid "For Developers" -msgstr "" - -#: ../../include/widgets.php:1472 ../../include/widgets.php:1510 -msgid "Member registrations waiting for confirmation" -msgstr "" - -#: ../../include/widgets.php:1478 -msgid "Inspect queue" -msgstr "" - -#: ../../include/widgets.php:1480 -msgid "DB updates" -msgstr "" - -#: ../../include/widgets.php:1505 ../../include/nav.php:218 -msgid "Admin" -msgstr "" - -#: ../../include/widgets.php:1506 -msgid "Plugin Features" -msgstr "" - -#: ../../include/nav.php:82 ../../include/nav.php:115 ../../boot.php:1703 -msgid "Logout" -msgstr "" - -#: ../../include/nav.php:82 ../../include/nav.php:115 -msgid "End this session" -msgstr "" - -#: ../../include/nav.php:85 ../../include/nav.php:146 -msgid "Home" -msgstr "" - -#: ../../include/nav.php:85 -msgid "Your posts and conversations" -msgstr "" - -#: ../../include/nav.php:86 -msgid "Your profile page" -msgstr "" - -#: ../../include/nav.php:88 -msgid "Manage/Edit profiles" -msgstr "" - -#: ../../include/nav.php:90 ../../include/channel.php:965 -msgid "Edit Profile" -msgstr "" - -#: ../../include/nav.php:90 -msgid "Edit your profile" -msgstr "" - -#: ../../include/nav.php:92 -msgid "Your photos" -msgstr "" - -#: ../../include/nav.php:93 -msgid "Your files" -msgstr "" - -#: ../../include/nav.php:96 -msgid "Your chatrooms" -msgstr "" - -#: ../../include/nav.php:102 ../../include/conversation.php:1690 -msgid "Bookmarks" -msgstr "" - -#: ../../include/nav.php:102 -msgid "Your bookmarks" -msgstr "" - -#: ../../include/nav.php:106 -msgid "Your webpages" -msgstr "" - -#: ../../include/nav.php:108 -msgid "Your wiki" -msgstr "" - -#: ../../include/nav.php:112 -msgid "Sign in" -msgstr "" - -#: ../../include/nav.php:129 +#: ../../include/items.php:3925 #, php-format -msgid "%s - click to logout" +msgid "Privacy group: %s" msgstr "" -#: ../../include/nav.php:132 -msgid "Remote authentication" +#: ../../include/items.php:3937 +msgid "Connection not found." msgstr "" -#: ../../include/nav.php:132 -msgid "Click to authenticate to your home hub" +#: ../../include/items.php:4290 +msgid "profile photo" msgstr "" -#: ../../include/nav.php:146 -msgid "Home Page" -msgstr "" - -#: ../../include/nav.php:149 -msgid "Create an account" -msgstr "" - -#: ../../include/nav.php:161 -msgid "Help and documentation" -msgstr "" - -#: ../../include/nav.php:165 -msgid "Applications, utilities, links, games" -msgstr "" - -#: ../../include/nav.php:167 -msgid "Search site @name, #tag, ?docs, content" -msgstr "" - -#: ../../include/nav.php:169 -msgid "Channel Directory" -msgstr "" - -#: ../../include/nav.php:181 -msgid "Your grid" -msgstr "" - -#: ../../include/nav.php:182 -msgid "Mark all grid notifications seen" -msgstr "" - -#: ../../include/nav.php:184 -msgid "Channel home" -msgstr "" - -#: ../../include/nav.php:185 -msgid "Mark all channel notifications seen" -msgstr "" - -#: ../../include/nav.php:191 -msgid "Notices" -msgstr "" - -#: ../../include/nav.php:191 -msgid "Notifications" -msgstr "" - -#: ../../include/nav.php:192 -msgid "See all notifications" -msgstr "" - -#: ../../include/nav.php:195 -msgid "Private mail" -msgstr "" - -#: ../../include/nav.php:196 -msgid "See all private messages" -msgstr "" - -#: ../../include/nav.php:197 -msgid "Mark all private messages seen" -msgstr "" - -#: ../../include/nav.php:203 -msgid "Event Calendar" -msgstr "" - -#: ../../include/nav.php:204 -msgid "See all events" -msgstr "" - -#: ../../include/nav.php:205 -msgid "Mark all events seen" -msgstr "" - -#: ../../include/nav.php:208 -msgid "Manage Your Channels" -msgstr "" - -#: ../../include/nav.php:210 -msgid "Account/Channel Settings" -msgstr "" - -#: ../../include/nav.php:218 -msgid "Site Setup and Configuration" -msgstr "" - -#: ../../include/nav.php:249 ../../include/conversation.php:854 -msgid "Loading..." -msgstr "" - -#: ../../include/nav.php:254 -msgid "@name, #tag, ?doc, content" -msgstr "" - -#: ../../include/nav.php:255 -msgid "Please wait..." -msgstr "" - -#: ../../include/network.php:704 -msgid "view full size" -msgstr "" - -#: ../../include/network.php:1930 ../../include/account.php:317 -#: ../../include/account.php:344 ../../include/account.php:404 -msgid "Administrator" -msgstr "" - -#: ../../include/network.php:1944 -msgid "No Subject" -msgstr "" - -#: ../../include/network.php:2198 ../../include/network.php:2199 -msgid "Friendica" -msgstr "" - -#: ../../include/network.php:2200 -msgid "OStatus" -msgstr "" - -#: ../../include/network.php:2201 -msgid "GNU-Social" -msgstr "" - -#: ../../include/network.php:2202 -msgid "RSS/Atom" -msgstr "" - -#: ../../include/network.php:2204 -msgid "Diaspora" -msgstr "" - -#: ../../include/network.php:2205 -msgid "Facebook" -msgstr "" - -#: ../../include/network.php:2206 -msgid "Zot" -msgstr "" - -#: ../../include/network.php:2207 -msgid "LinkedIn" -msgstr "" - -#: ../../include/network.php:2208 -msgid "XMPP/IM" -msgstr "" - -#: ../../include/network.php:2209 -msgid "MySpace" -msgstr "" - -#: ../../include/oembed.php:325 +#: ../../include/oembed.php:336 msgid "Embedded content" msgstr "" -#: ../../include/oembed.php:334 +#: ../../include/oembed.php:345 msgid "Embedding disabled" msgstr "" -#: ../../include/page_widgets.php:7 -msgid "New Page" -msgstr "" - -#: ../../include/page_widgets.php:46 -msgid "Title" -msgstr "" - #: ../../include/photos.php:114 #, php-format msgid "Image exceeds website size limit of %lu bytes" @@ -7472,218 +7151,205 @@ msgstr "" msgid "Upload New Photos" msgstr "" -#: ../../include/taxonomy.php:228 ../../include/taxonomy.php:249 -msgid "Tags" +#: ../../include/account.php:28 +msgid "Not a valid email address" msgstr "" -#: ../../include/taxonomy.php:293 -msgid "Keywords" +#: ../../include/account.php:30 +msgid "Your email domain is not among those allowed on this site" msgstr "" -#: ../../include/taxonomy.php:314 -msgid "have" +#: ../../include/account.php:36 +msgid "Your email address is already registered at this site." msgstr "" -#: ../../include/taxonomy.php:314 -msgid "has" +#: ../../include/account.php:68 +msgid "An invitation is required." msgstr "" -#: ../../include/taxonomy.php:315 -msgid "want" +#: ../../include/account.php:72 +msgid "Invitation could not be verified." msgstr "" -#: ../../include/taxonomy.php:315 -msgid "wants" +#: ../../include/account.php:122 +msgid "Please enter the required information." msgstr "" -#: ../../include/taxonomy.php:316 -msgid "likes" +#: ../../include/account.php:189 +msgid "Failed to store account information." msgstr "" -#: ../../include/taxonomy.php:317 -msgid "dislikes" -msgstr "" - -#: ../../include/follow.php:27 -msgid "Channel is blocked on this site." -msgstr "" - -#: ../../include/follow.php:32 -msgid "Channel location missing." -msgstr "" - -#: ../../include/follow.php:81 -msgid "Response from remote channel was incomplete." -msgstr "" - -#: ../../include/follow.php:98 -msgid "Channel was deleted and no longer exists." -msgstr "" - -#: ../../include/follow.php:154 ../../include/follow.php:190 -msgid "Protocol disabled." -msgstr "" - -#: ../../include/follow.php:178 -msgid "Channel discovery failed." -msgstr "" - -#: ../../include/follow.php:216 -msgid "Cannot connect to yourself." -msgstr "" - -#: ../../include/channel.php:32 -msgid "Unable to obtain identity information from database" -msgstr "" - -#: ../../include/channel.php:66 -msgid "Empty name" -msgstr "" - -#: ../../include/channel.php:69 -msgid "Name too long" -msgstr "" - -#: ../../include/channel.php:180 -msgid "No account identifier" -msgstr "" - -#: ../../include/channel.php:192 -msgid "Nickname is required." -msgstr "" - -#: ../../include/channel.php:206 -msgid "Reserved nickname. Please choose another." -msgstr "" - -#: ../../include/channel.php:211 -msgid "" -"Nickname has unsupported characters or is already being used on this site." -msgstr "" - -#: ../../include/channel.php:287 -msgid "Unable to retrieve created identity" -msgstr "" - -#: ../../include/channel.php:345 -msgid "Default Profile" -msgstr "" - -#: ../../include/channel.php:815 -msgid "Requested channel is not available." -msgstr "" - -#: ../../include/channel.php:962 -msgid "Create New Profile" -msgstr "" - -#: ../../include/channel.php:982 -msgid "Visible to everybody" -msgstr "" - -#: ../../include/channel.php:1055 ../../include/channel.php:1167 -msgid "Gender:" -msgstr "" - -#: ../../include/channel.php:1056 ../../include/channel.php:1211 -msgid "Status:" -msgstr "" - -#: ../../include/channel.php:1057 ../../include/channel.php:1222 -msgid "Homepage:" -msgstr "" - -#: ../../include/channel.php:1058 -msgid "Online Now" -msgstr "" - -#: ../../include/channel.php:1172 -msgid "Like this channel" -msgstr "" - -#: ../../include/channel.php:1196 -msgid "j F, Y" -msgstr "" - -#: ../../include/channel.php:1197 -msgid "j F" -msgstr "" - -#: ../../include/channel.php:1204 -msgid "Birthday:" -msgstr "" - -#: ../../include/channel.php:1217 +#: ../../include/account.php:249 #, php-format -msgid "for %1$d %2$s" +msgid "Registration confirmation for %s" msgstr "" -#: ../../include/channel.php:1220 -msgid "Sexual Preference:" +#: ../../include/account.php:315 +#, php-format +msgid "Registration request at %s" msgstr "" -#: ../../include/channel.php:1226 -msgid "Tags:" +#: ../../include/account.php:317 ../../include/account.php:344 +#: ../../include/account.php:404 ../../include/network.php:1930 +msgid "Administrator" msgstr "" -#: ../../include/channel.php:1228 -msgid "Political Views:" +#: ../../include/account.php:339 +msgid "your registration password" msgstr "" -#: ../../include/channel.php:1230 -msgid "Religion:" +#: ../../include/account.php:342 ../../include/account.php:402 +#, php-format +msgid "Registration details for %s" msgstr "" -#: ../../include/channel.php:1234 -msgid "Hobbies/Interests:" +#: ../../include/account.php:414 +msgid "Account approved." msgstr "" -#: ../../include/channel.php:1236 -msgid "Likes:" +#: ../../include/account.php:454 +#, php-format +msgid "Registration revoked for %s" msgstr "" -#: ../../include/channel.php:1238 -msgid "Dislikes:" +#: ../../include/account.php:739 ../../include/account.php:741 +msgid "Click here to upgrade." msgstr "" -#: ../../include/channel.php:1240 -msgid "Contact information and Social Networks:" +#: ../../include/account.php:747 +msgid "This action exceeds the limits set by your subscription plan." msgstr "" -#: ../../include/channel.php:1242 -msgid "My other channels:" +#: ../../include/account.php:752 +msgid "This action is not available under your subscription plan." msgstr "" -#: ../../include/channel.php:1244 -msgid "Musical interests:" +#: ../../include/acl_selectors.php:269 +msgid "Who can see this?" msgstr "" -#: ../../include/channel.php:1246 -msgid "Books, literature:" +#: ../../include/acl_selectors.php:270 +msgid "Custom selection" msgstr "" -#: ../../include/channel.php:1248 -msgid "Television:" +#: ../../include/acl_selectors.php:271 +msgid "" +"Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit " +"the scope of \"Show\"." msgstr "" -#: ../../include/channel.php:1250 -msgid "Film/dance/culture/entertainment:" +#: ../../include/acl_selectors.php:272 +msgid "Show" msgstr "" -#: ../../include/channel.php:1252 -msgid "Love/Romance:" +#: ../../include/acl_selectors.php:273 +msgid "Don't show" msgstr "" -#: ../../include/channel.php:1254 -msgid "Work/employment:" +#: ../../include/acl_selectors.php:279 +msgid "Other networks and post services" msgstr "" -#: ../../include/channel.php:1256 -msgid "School/education:" +#: ../../include/acl_selectors.php:309 +#, php-format +msgid "" +"Post permissions %s cannot be changed %s after a post is shared.
These " +"permissions set who is allowed to view the post." msgstr "" -#: ../../include/channel.php:1277 -msgid "Like this thing" +#: ../../include/datetime.php:135 +msgid "Birthday" +msgstr "" + +#: ../../include/datetime.php:137 +msgid "Age: " +msgstr "" + +#: ../../include/datetime.php:139 +msgid "YYYY-MM-DD or MM-DD" +msgstr "" + +#: ../../include/datetime.php:272 ../../boot.php:2543 +msgid "never" +msgstr "" + +#: ../../include/datetime.php:278 +msgid "less than a second ago" +msgstr "" + +#: ../../include/datetime.php:296 +#, php-format +msgctxt "e.g. 22 hours ago, 1 minute ago" +msgid "%1$d %2$s ago" +msgstr "" + +#: ../../include/datetime.php:307 +msgctxt "relative_date" +msgid "year" +msgid_plural "years" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/datetime.php:310 +msgctxt "relative_date" +msgid "month" +msgid_plural "months" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/datetime.php:313 +msgctxt "relative_date" +msgid "week" +msgid_plural "weeks" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/datetime.php:316 +msgctxt "relative_date" +msgid "day" +msgid_plural "days" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/datetime.php:319 +msgctxt "relative_date" +msgid "hour" +msgid_plural "hours" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/datetime.php:322 +msgctxt "relative_date" +msgid "minute" +msgid_plural "minutes" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/datetime.php:325 +msgctxt "relative_date" +msgid "second" +msgid_plural "seconds" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/datetime.php:562 +#, php-format +msgid "%1$s's birthday" +msgstr "" + +#: ../../include/datetime.php:563 +#, php-format +msgid "Happy Birthday %1$s" +msgstr "" + +#: ../../include/security.php:109 +msgid "guest:" +msgstr "" + +#: ../../include/security.php:527 +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/selectors.php:30 @@ -7710,6 +7376,14 @@ msgstr "" msgid "Monthly" msgstr "" +#: ../../include/selectors.php:49 ../../include/selectors.php:66 +msgid "Male" +msgstr "" + +#: ../../include/selectors.php:49 ../../include/selectors.php:66 +msgid "Female" +msgstr "" + #: ../../include/selectors.php:49 msgid "Currently Male" msgstr "" @@ -7750,12 +7424,6 @@ msgstr "" msgid "Non-specific" msgstr "" -#: ../../include/selectors.php:49 ../../include/selectors.php:66 -#: ../../include/selectors.php:104 ../../include/selectors.php:140 -#: ../../include/permissions.php:881 -msgid "Other" -msgstr "" - #: ../../include/selectors.php:49 msgid "Undecided" msgstr "" @@ -7932,6 +7600,24 @@ msgstr "" msgid "Ask me" msgstr "" +#: ../../include/connections.php:95 +msgid "New window" +msgstr "" + +#: ../../include/connections.php:96 +msgid "Open the selected location in a different window or browser tab" +msgstr "" + +#: ../../include/connections.php:214 +#, php-format +msgid "User '%s' deleted" +msgstr "" + +#: ../../include/bookmarks.php:35 +#, php-format +msgid "%1$s's bookmarks" +msgstr "" + #: ../../include/event.php:22 ../../include/event.php:69 #: ../../include/bb2diaspora.php:485 msgid "l F d, Y \\@ g:i A" @@ -7947,446 +7633,30 @@ msgstr "" msgid "Finishes:" msgstr "" -#: ../../include/event.php:812 +#: ../../include/event.php:814 msgid "This event has been added to your calendar." msgstr "" -#: ../../include/event.php:1012 +#: ../../include/event.php:1014 msgid "Not specified" msgstr "" -#: ../../include/event.php:1013 +#: ../../include/event.php:1015 msgid "Needs Action" msgstr "" -#: ../../include/event.php:1014 +#: ../../include/event.php:1016 msgid "Completed" msgstr "" -#: ../../include/event.php:1015 +#: ../../include/event.php:1017 msgid "In Process" msgstr "" -#: ../../include/event.php:1016 +#: ../../include/event.php:1018 msgid "Cancelled" msgstr "" -#: ../../include/bookmarks.php:35 -#, php-format -msgid "%1$s's bookmarks" -msgstr "" - -#: ../../include/datetime.php:135 -msgid "Birthday" -msgstr "" - -#: ../../include/datetime.php:137 -msgid "Age: " -msgstr "" - -#: ../../include/datetime.php:139 -msgid "YYYY-MM-DD or MM-DD" -msgstr "" - -#: ../../include/datetime.php:272 ../../boot.php:2486 -msgid "never" -msgstr "" - -#: ../../include/datetime.php:278 -msgid "less than a second ago" -msgstr "" - -#: ../../include/datetime.php:296 -#, php-format -msgctxt "e.g. 22 hours ago, 1 minute ago" -msgid "%1$d %2$s ago" -msgstr "" - -#: ../../include/datetime.php:307 -msgctxt "relative_date" -msgid "year" -msgid_plural "years" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/datetime.php:310 -msgctxt "relative_date" -msgid "month" -msgid_plural "months" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/datetime.php:313 -msgctxt "relative_date" -msgid "week" -msgid_plural "weeks" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/datetime.php:316 -msgctxt "relative_date" -msgid "day" -msgid_plural "days" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/datetime.php:319 -msgctxt "relative_date" -msgid "hour" -msgid_plural "hours" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/datetime.php:322 -msgctxt "relative_date" -msgid "minute" -msgid_plural "minutes" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/datetime.php:325 -msgctxt "relative_date" -msgid "second" -msgid_plural "seconds" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/datetime.php:562 -#, php-format -msgid "%1$s's birthday" -msgstr "" - -#: ../../include/datetime.php:563 -#, php-format -msgid "Happy Birthday %1$s" -msgstr "" - -#: ../../include/conversation.php:204 -#, php-format -msgid "%1$s is now connected with %2$s" -msgstr "" - -#: ../../include/conversation.php:239 -#, php-format -msgid "%1$s poked %2$s" -msgstr "" - -#: ../../include/conversation.php:243 ../../include/text.php:1013 -#: ../../include/text.php:1018 -msgid "poked" -msgstr "" - -#: ../../include/conversation.php:694 -#, php-format -msgid "View %s's profile @ %s" -msgstr "" - -#: ../../include/conversation.php:713 -msgid "Categories:" -msgstr "" - -#: ../../include/conversation.php:714 -msgid "Filed under:" -msgstr "" - -#: ../../include/conversation.php:741 -msgid "View in context" -msgstr "" - -#: ../../include/conversation.php:850 -msgid "remove" -msgstr "" - -#: ../../include/conversation.php:855 -msgid "Delete Selected Items" -msgstr "" - -#: ../../include/conversation.php:951 -msgid "View Source" -msgstr "" - -#: ../../include/conversation.php:952 -msgid "Follow Thread" -msgstr "" - -#: ../../include/conversation.php:953 -msgid "Unfollow Thread" -msgstr "" - -#: ../../include/conversation.php:958 -msgid "Activity/Posts" -msgstr "" - -#: ../../include/conversation.php:960 -msgid "Edit Connection" -msgstr "" - -#: ../../include/conversation.php:961 -msgid "Message" -msgstr "" - -#: ../../include/conversation.php:1078 -#, php-format -msgid "%s likes this." -msgstr "" - -#: ../../include/conversation.php:1078 -#, php-format -msgid "%s doesn't like this." -msgstr "" - -#: ../../include/conversation.php:1082 -#, php-format -msgid "%2$d people like this." -msgid_plural "%2$d people like this." -msgstr[0] "" -msgstr[1] "" - -#: ../../include/conversation.php:1084 -#, php-format -msgid "%2$d people don't like this." -msgid_plural "%2$d people don't like this." -msgstr[0] "" -msgstr[1] "" - -#: ../../include/conversation.php:1090 -msgid "and" -msgstr "" - -#: ../../include/conversation.php:1093 -#, php-format -msgid ", and %d other people" -msgid_plural ", and %d other people" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/conversation.php:1094 -#, php-format -msgid "%s like this." -msgstr "" - -#: ../../include/conversation.php:1094 -#, php-format -msgid "%s don't like this." -msgstr "" - -#: ../../include/conversation.php:1133 -msgid "Set your location" -msgstr "" - -#: ../../include/conversation.php:1134 -msgid "Clear browser location" -msgstr "" - -#: ../../include/conversation.php:1182 -msgid "Tag term:" -msgstr "" - -#: ../../include/conversation.php:1183 -msgid "Where are you right now?" -msgstr "" - -#: ../../include/conversation.php:1221 -msgid "Page link name" -msgstr "" - -#: ../../include/conversation.php:1224 -msgid "Post as" -msgstr "" - -#: ../../include/conversation.php:1238 -msgid "Toggle voting" -msgstr "" - -#: ../../include/conversation.php:1246 -msgid "Categories (optional, comma-separated list)" -msgstr "" - -#: ../../include/conversation.php:1269 -msgid "Set publish date" -msgstr "" - -#: ../../include/conversation.php:1518 -msgid "Discover" -msgstr "" - -#: ../../include/conversation.php:1521 -msgid "Imported public streams" -msgstr "" - -#: ../../include/conversation.php:1526 -msgid "Commented Order" -msgstr "" - -#: ../../include/conversation.php:1529 -msgid "Sort by Comment Date" -msgstr "" - -#: ../../include/conversation.php:1533 -msgid "Posted Order" -msgstr "" - -#: ../../include/conversation.php:1536 -msgid "Sort by Post Date" -msgstr "" - -#: ../../include/conversation.php:1544 -msgid "Posts that mention or involve you" -msgstr "" - -#: ../../include/conversation.php:1553 -msgid "Activity Stream - by date" -msgstr "" - -#: ../../include/conversation.php:1559 -msgid "Starred" -msgstr "" - -#: ../../include/conversation.php:1562 -msgid "Favourite Posts" -msgstr "" - -#: ../../include/conversation.php:1569 -msgid "Spam" -msgstr "" - -#: ../../include/conversation.php:1572 -msgid "Posts flagged as SPAM" -msgstr "" - -#: ../../include/conversation.php:1629 -msgid "Status Messages and Posts" -msgstr "" - -#: ../../include/conversation.php:1638 -msgid "About" -msgstr "" - -#: ../../include/conversation.php:1641 -msgid "Profile Details" -msgstr "" - -#: ../../include/conversation.php:1657 -msgid "Files and Storage" -msgstr "" - -#: ../../include/conversation.php:1693 -msgid "Saved Bookmarks" -msgstr "" - -#: ../../include/conversation.php:1703 -msgid "Manage Webpages" -msgstr "" - -#: ../../include/conversation.php:1768 -msgctxt "noun" -msgid "Attending" -msgid_plural "Attending" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/conversation.php:1771 -msgctxt "noun" -msgid "Not Attending" -msgid_plural "Not Attending" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/conversation.php:1774 -msgctxt "noun" -msgid "Undecided" -msgid_plural "Undecided" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/conversation.php:1777 -msgctxt "noun" -msgid "Agree" -msgid_plural "Agrees" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/conversation.php:1780 -msgctxt "noun" -msgid "Disagree" -msgid_plural "Disagrees" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/conversation.php:1783 -msgctxt "noun" -msgid "Abstain" -msgid_plural "Abstains" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/items.php:898 ../../include/items.php:943 -msgid "(Unknown)" -msgstr "" - -#: ../../include/items.php:1142 -msgid "Visible to anybody on the internet." -msgstr "" - -#: ../../include/items.php:1144 -msgid "Visible to you only." -msgstr "" - -#: ../../include/items.php:1146 -msgid "Visible to anybody in this network." -msgstr "" - -#: ../../include/items.php:1148 -msgid "Visible to anybody authenticated." -msgstr "" - -#: ../../include/items.php:1150 -#, php-format -msgid "Visible to anybody on %s." -msgstr "" - -#: ../../include/items.php:1152 -msgid "Visible to all connections." -msgstr "" - -#: ../../include/items.php:1154 -msgid "Visible to approved connections." -msgstr "" - -#: ../../include/items.php:1156 -msgid "Visible to specific connections." -msgstr "" - -#: ../../include/items.php:3919 -msgid "Privacy group is empty." -msgstr "" - -#: ../../include/items.php:3926 -#, php-format -msgid "Privacy group: %s" -msgstr "" - -#: ../../include/items.php:3938 -msgid "Connection not found." -msgstr "" - -#: ../../include/items.php:4291 -msgid "profile photo" -msgstr "" - -#: ../../include/connections.php:95 -msgid "New window" -msgstr "" - -#: ../../include/connections.php:96 -msgid "Open the selected location in a different window or browser tab" -msgstr "" - -#: ../../include/connections.php:214 -#, php-format -msgid "User '%s' deleted" -msgstr "" - #: ../../include/features.php:48 msgid "General Features" msgstr "" @@ -8578,6 +7848,10 @@ msgstr "" msgid "Enable management and selection of privacy groups" msgstr "" +#: ../../include/features.php:85 ../../include/widgets.php:281 +msgid "Saved Searches" +msgstr "" + #: ../../include/features.php:85 msgid "Save search terms for re-use" msgstr "" @@ -8646,6 +7920,11 @@ msgstr "" msgid "Add emoji reaction ability to posts" msgstr "" +#: ../../include/features.php:99 ../../include/widgets.php:310 +#: ../../include/contact_widgets.php:53 +msgid "Saved Folders" +msgstr "" + #: ../../include/features.php:99 msgid "Ability to file posts under folders" msgstr "" @@ -8701,278 +7980,282 @@ msgstr "" msgid "Channels not in any privacy group" msgstr "" -#: ../../include/permissions.php:26 -msgid "Can view my normal stream and posts" +#: ../../include/group.php:316 ../../include/widgets.php:282 +msgid "add" msgstr "" -#: ../../include/permissions.php:27 -msgid "Can view my default channel profile" +#: ../../include/nav.php:82 ../../include/nav.php:115 ../../boot.php:1706 +msgid "Logout" msgstr "" -#: ../../include/permissions.php:28 -msgid "Can view my connections" +#: ../../include/nav.php:82 ../../include/nav.php:115 +msgid "End this session" msgstr "" -#: ../../include/permissions.php:29 -msgid "Can view my file storage and photos" +#: ../../include/nav.php:85 ../../include/nav.php:146 +msgid "Home" msgstr "" -#: ../../include/permissions.php:30 -msgid "Can view my webpages" +#: ../../include/nav.php:85 +msgid "Your posts and conversations" msgstr "" -#: ../../include/permissions.php:33 -msgid "Can send me their channel stream and posts" +#: ../../include/nav.php:86 +msgid "Your profile page" msgstr "" -#: ../../include/permissions.php:34 -msgid "Can post on my channel page (\"wall\")" +#: ../../include/nav.php:88 +msgid "Manage/Edit profiles" msgstr "" -#: ../../include/permissions.php:35 -msgid "Can comment on or like my posts" +#: ../../include/nav.php:90 ../../include/channel.php:971 +msgid "Edit Profile" msgstr "" -#: ../../include/permissions.php:36 -msgid "Can send me private mail messages" +#: ../../include/nav.php:90 +msgid "Edit your profile" msgstr "" -#: ../../include/permissions.php:37 -msgid "Can like/dislike stuff" +#: ../../include/nav.php:92 +msgid "Your photos" msgstr "" -#: ../../include/permissions.php:37 -msgid "Profiles and things other than posts/comments" +#: ../../include/nav.php:93 +msgid "Your files" msgstr "" -#: ../../include/permissions.php:39 -msgid "Can forward to all my channel contacts via post @mentions" +#: ../../include/nav.php:96 +msgid "Your chatrooms" msgstr "" -#: ../../include/permissions.php:39 -msgid "Advanced - useful for creating group forum channels" +#: ../../include/nav.php:102 ../../include/conversation.php:1690 +msgid "Bookmarks" msgstr "" -#: ../../include/permissions.php:40 -msgid "Can chat with me (when available)" +#: ../../include/nav.php:102 +msgid "Your bookmarks" msgstr "" -#: ../../include/permissions.php:41 -msgid "Can write to my file storage and photos" +#: ../../include/nav.php:106 +msgid "Your webpages" msgstr "" -#: ../../include/permissions.php:42 -msgid "Can edit my webpages" +#: ../../include/nav.php:108 +msgid "Your wiki" msgstr "" -#: ../../include/permissions.php:44 -msgid "Can source my public posts in derived channels" +#: ../../include/nav.php:112 +msgid "Sign in" msgstr "" -#: ../../include/permissions.php:44 -msgid "Somewhat advanced - very useful in open communities" -msgstr "" - -#: ../../include/permissions.php:46 -msgid "Can administer my channel resources" -msgstr "" - -#: ../../include/permissions.php:46 -msgid "Extremely advanced. Leave this alone unless you know what you are doing" -msgstr "" - -#: ../../include/permissions.php:877 -msgid "Social Networking" -msgstr "" - -#: ../../include/permissions.php:877 -msgid "Social - Mostly Public" -msgstr "" - -#: ../../include/permissions.php:877 -msgid "Social - Restricted" -msgstr "" - -#: ../../include/permissions.php:877 -msgid "Social - Private" -msgstr "" - -#: ../../include/permissions.php:878 -msgid "Community Forum" -msgstr "" - -#: ../../include/permissions.php:878 -msgid "Forum - Mostly Public" -msgstr "" - -#: ../../include/permissions.php:878 -msgid "Forum - Restricted" -msgstr "" - -#: ../../include/permissions.php:878 -msgid "Forum - Private" -msgstr "" - -#: ../../include/permissions.php:879 -msgid "Feed Republish" -msgstr "" - -#: ../../include/permissions.php:879 -msgid "Feed - Mostly Public" -msgstr "" - -#: ../../include/permissions.php:879 -msgid "Feed - Restricted" -msgstr "" - -#: ../../include/permissions.php:880 -msgid "Special Purpose" -msgstr "" - -#: ../../include/permissions.php:880 -msgid "Special - Celebrity/Soapbox" -msgstr "" - -#: ../../include/permissions.php:880 -msgid "Special - Group Repository" -msgstr "" - -#: ../../include/permissions.php:881 -msgid "Custom/Expert Mode" -msgstr "" - -#: ../../include/account.php:28 -msgid "Not a valid email address" -msgstr "" - -#: ../../include/account.php:30 -msgid "Your email domain is not among those allowed on this site" -msgstr "" - -#: ../../include/account.php:36 -msgid "Your email address is already registered at this site." -msgstr "" - -#: ../../include/account.php:68 -msgid "An invitation is required." -msgstr "" - -#: ../../include/account.php:72 -msgid "Invitation could not be verified." -msgstr "" - -#: ../../include/account.php:122 -msgid "Please enter the required information." -msgstr "" - -#: ../../include/account.php:189 -msgid "Failed to store account information." -msgstr "" - -#: ../../include/account.php:249 +#: ../../include/nav.php:129 #, php-format -msgid "Registration confirmation for %s" +msgid "%s - click to logout" msgstr "" -#: ../../include/account.php:315 +#: ../../include/nav.php:132 +msgid "Remote authentication" +msgstr "" + +#: ../../include/nav.php:132 +msgid "Click to authenticate to your home hub" +msgstr "" + +#: ../../include/nav.php:146 +msgid "Home Page" +msgstr "" + +#: ../../include/nav.php:149 +msgid "Create an account" +msgstr "" + +#: ../../include/nav.php:161 +msgid "Help and documentation" +msgstr "" + +#: ../../include/nav.php:165 +msgid "Applications, utilities, links, games" +msgstr "" + +#: ../../include/nav.php:167 +msgid "Search site @name, #tag, ?docs, content" +msgstr "" + +#: ../../include/nav.php:169 +msgid "Channel Directory" +msgstr "" + +#: ../../include/nav.php:181 +msgid "Your grid" +msgstr "" + +#: ../../include/nav.php:182 +msgid "Mark all grid notifications seen" +msgstr "" + +#: ../../include/nav.php:184 +msgid "Channel home" +msgstr "" + +#: ../../include/nav.php:185 +msgid "Mark all channel notifications seen" +msgstr "" + +#: ../../include/nav.php:191 +msgid "Notices" +msgstr "" + +#: ../../include/nav.php:191 +msgid "Notifications" +msgstr "" + +#: ../../include/nav.php:192 +msgid "See all notifications" +msgstr "" + +#: ../../include/nav.php:195 +msgid "Private mail" +msgstr "" + +#: ../../include/nav.php:196 +msgid "See all private messages" +msgstr "" + +#: ../../include/nav.php:197 +msgid "Mark all private messages seen" +msgstr "" + +#: ../../include/nav.php:198 ../../include/widgets.php:667 +msgid "Inbox" +msgstr "" + +#: ../../include/nav.php:199 ../../include/widgets.php:672 +msgid "Outbox" +msgstr "" + +#: ../../include/nav.php:200 ../../include/widgets.php:677 +msgid "New Message" +msgstr "" + +#: ../../include/nav.php:203 +msgid "Event Calendar" +msgstr "" + +#: ../../include/nav.php:204 +msgid "See all events" +msgstr "" + +#: ../../include/nav.php:205 +msgid "Mark all events seen" +msgstr "" + +#: ../../include/nav.php:208 +msgid "Manage Your Channels" +msgstr "" + +#: ../../include/nav.php:210 +msgid "Account/Channel Settings" +msgstr "" + +#: ../../include/nav.php:218 ../../include/widgets.php:1524 +msgid "Admin" +msgstr "" + +#: ../../include/nav.php:218 +msgid "Site Setup and Configuration" +msgstr "" + +#: ../../include/nav.php:249 ../../include/conversation.php:854 +msgid "Loading..." +msgstr "" + +#: ../../include/nav.php:254 +msgid "@name, #tag, ?doc, content" +msgstr "" + +#: ../../include/nav.php:255 +msgid "Please wait..." +msgstr "" + +#: ../../include/network.php:704 +msgid "view full size" +msgstr "" + +#: ../../include/network.php:1944 +msgid "No Subject" +msgstr "" + +#: ../../include/network.php:2198 ../../include/network.php:2199 +msgid "Friendica" +msgstr "" + +#: ../../include/network.php:2200 +msgid "OStatus" +msgstr "" + +#: ../../include/network.php:2201 +msgid "GNU-Social" +msgstr "" + +#: ../../include/network.php:2202 +msgid "RSS/Atom" +msgstr "" + +#: ../../include/network.php:2204 +msgid "Diaspora" +msgstr "" + +#: ../../include/network.php:2205 +msgid "Facebook" +msgstr "" + +#: ../../include/network.php:2206 +msgid "Zot" +msgstr "" + +#: ../../include/network.php:2207 +msgid "LinkedIn" +msgstr "" + +#: ../../include/network.php:2208 +msgid "XMPP/IM" +msgstr "" + +#: ../../include/network.php:2209 +msgid "MySpace" +msgstr "" + +#: ../../include/page_widgets.php:7 +msgid "New Page" +msgstr "" + +#: ../../include/page_widgets.php:46 +msgid "Title" +msgstr "" + +#: ../../include/zot.php:697 +msgid "Invalid data packet" +msgstr "" + +#: ../../include/zot.php:713 +msgid "Unable to verify channel signature" +msgstr "" + +#: ../../include/zot.php:2326 #, php-format -msgid "Registration request at %s" +msgid "Unable to verify site signature for %s" msgstr "" -#: ../../include/account.php:339 -msgid "your registration password" +#: ../../include/zot.php:3703 +msgid "invalid target signature" msgstr "" -#: ../../include/account.php:342 ../../include/account.php:402 -#, php-format -msgid "Registration details for %s" +#: ../../include/bb2diaspora.php:398 +msgid "Attachments:" msgstr "" -#: ../../include/account.php:414 -msgid "Account approved." -msgstr "" - -#: ../../include/account.php:454 -#, php-format -msgid "Registration revoked for %s" -msgstr "" - -#: ../../include/account.php:739 ../../include/account.php:741 -msgid "Click here to upgrade." -msgstr "" - -#: ../../include/account.php:747 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "" - -#: ../../include/account.php:752 -msgid "This action is not available under your subscription plan." -msgstr "" - -#: ../../include/api.php:1326 -msgid "Public Timeline" -msgstr "" - -#: ../../include/attach.php:247 ../../include/attach.php:333 -msgid "Item was not found." -msgstr "" - -#: ../../include/attach.php:499 -msgid "No source file." -msgstr "" - -#: ../../include/attach.php:521 -msgid "Cannot locate file to replace" -msgstr "" - -#: ../../include/attach.php:539 -msgid "Cannot locate file to revise/update" -msgstr "" - -#: ../../include/attach.php:674 -#, php-format -msgid "File exceeds size limit of %d" -msgstr "" - -#: ../../include/attach.php:688 -#, php-format -msgid "You have reached your limit of %1$.0f Mbytes attachment storage." -msgstr "" - -#: ../../include/attach.php:846 -msgid "File upload failed. Possible system limit or action terminated." -msgstr "" - -#: ../../include/attach.php:859 -msgid "Stored file could not be verified. Upload failed." -msgstr "" - -#: ../../include/attach.php:915 ../../include/attach.php:931 -msgid "Path not available." -msgstr "" - -#: ../../include/attach.php:977 ../../include/attach.php:1129 -msgid "Empty pathname" -msgstr "" - -#: ../../include/attach.php:1003 -msgid "duplicate filename or path" -msgstr "" - -#: ../../include/attach.php:1025 -msgid "Path not found." -msgstr "" - -#: ../../include/attach.php:1083 -msgid "mkdir failed." -msgstr "" - -#: ../../include/attach.php:1087 -msgid "database storage failed." -msgstr "" - -#: ../../include/attach.php:1135 -msgid "Empty path" +#: ../../include/bb2diaspora.php:487 +msgid "$Projectname event notification:" msgstr "" #: ../../include/bbcode.php:123 ../../include/bbcode.php:878 @@ -9022,71 +8305,6 @@ msgstr "" msgid "$1 wrote:" msgstr "" -#: ../../include/import.php:29 -msgid "" -"Cannot create a duplicate channel identifier on this system. Import failed." -msgstr "" - -#: ../../include/import.php:76 -msgid "Channel clone failed. Import failed." -msgstr "" - -#: ../../include/auth.php:116 -msgid "Logged out." -msgstr "" - -#: ../../include/auth.php:237 -msgid "Failed authentication" -msgstr "" - -#: ../../include/activities.php:41 -msgid " and " -msgstr "" - -#: ../../include/activities.php:49 -msgid "public profile" -msgstr "" - -#: ../../include/activities.php:58 -#, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "" - -#: ../../include/activities.php:59 -#, php-format -msgid "Visit %1$s's %2$s" -msgstr "" - -#: ../../include/activities.php:62 -#, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "" - -#: ../../include/zot.php:709 -msgid "Invalid data packet" -msgstr "" - -#: ../../include/zot.php:725 -msgid "Unable to verify channel signature" -msgstr "" - -#: ../../include/zot.php:2373 -#, php-format -msgid "Unable to verify site signature for %s" -msgstr "" - -#: ../../include/zot.php:3723 -msgid "invalid target signature" -msgstr "" - -#: ../../include/bb2diaspora.php:398 -msgid "Attachments:" -msgstr "" - -#: ../../include/bb2diaspora.php:487 -msgid "$Projectname event notification:" -msgstr "" - #: ../../include/js_strings.php:5 msgid "Delete this item?" msgstr "" @@ -9406,125 +8624,496 @@ msgctxt "calendar" msgid "All day" msgstr "" -#: ../../include/contact_widgets.php:11 +#: ../../include/api.php:1327 +msgid "Public Timeline" +msgstr "" + +#: ../../include/conversation.php:204 #, php-format -msgid "%d invitation available" -msgid_plural "%d invitations available" +msgid "%1$s is now connected with %2$s" +msgstr "" + +#: ../../include/conversation.php:239 +#, php-format +msgid "%1$s poked %2$s" +msgstr "" + +#: ../../include/conversation.php:243 ../../include/text.php:1013 +#: ../../include/text.php:1018 +msgid "poked" +msgstr "" + +#: ../../include/conversation.php:694 +#, php-format +msgid "View %s's profile @ %s" +msgstr "" + +#: ../../include/conversation.php:713 +msgid "Categories:" +msgstr "" + +#: ../../include/conversation.php:714 +msgid "Filed under:" +msgstr "" + +#: ../../include/conversation.php:741 +msgid "View in context" +msgstr "" + +#: ../../include/conversation.php:850 +msgid "remove" +msgstr "" + +#: ../../include/conversation.php:855 +msgid "Delete Selected Items" +msgstr "" + +#: ../../include/conversation.php:951 +msgid "View Source" +msgstr "" + +#: ../../include/conversation.php:952 +msgid "Follow Thread" +msgstr "" + +#: ../../include/conversation.php:953 +msgid "Unfollow Thread" +msgstr "" + +#: ../../include/conversation.php:958 +msgid "Activity/Posts" +msgstr "" + +#: ../../include/conversation.php:960 +msgid "Edit Connection" +msgstr "" + +#: ../../include/conversation.php:961 +msgid "Message" +msgstr "" + +#: ../../include/conversation.php:1078 +#, php-format +msgid "%s likes this." +msgstr "" + +#: ../../include/conversation.php:1078 +#, php-format +msgid "%s doesn't like this." +msgstr "" + +#: ../../include/conversation.php:1082 +#, php-format +msgid "%2$d people like this." +msgid_plural "%2$d people like this." msgstr[0] "" msgstr[1] "" -#: ../../include/contact_widgets.php:19 -msgid "Find Channels" -msgstr "" - -#: ../../include/contact_widgets.php:20 -msgid "Enter name or interest" -msgstr "" - -#: ../../include/contact_widgets.php:21 -msgid "Connect/Follow" -msgstr "" - -#: ../../include/contact_widgets.php:22 -msgid "Examples: Robert Morgenstein, Fishing" -msgstr "" - -#: ../../include/contact_widgets.php:26 -msgid "Random Profile" -msgstr "" - -#: ../../include/contact_widgets.php:27 -msgid "Invite Friends" -msgstr "" - -#: ../../include/contact_widgets.php:29 -msgid "Advanced example: name=fred and country=iceland" -msgstr "" - -#: ../../include/contact_widgets.php:122 +#: ../../include/conversation.php:1084 #, php-format -msgid "%d connection in common" -msgid_plural "%d connections in common" +msgid "%2$d people don't like this." +msgid_plural "%2$d people don't like this." msgstr[0] "" msgstr[1] "" -#: ../../include/contact_widgets.php:127 -msgid "show more" +#: ../../include/conversation.php:1090 +msgid "and" msgstr "" -#: ../../include/dir_fns.php:141 -msgid "Directory Options" -msgstr "" - -#: ../../include/dir_fns.php:143 -msgid "Safe Mode" -msgstr "" - -#: ../../include/dir_fns.php:144 -msgid "Public Forums Only" -msgstr "" - -#: ../../include/dir_fns.php:145 -msgid "This Website Only" -msgstr "" - -#: ../../include/message.php:20 -msgid "No recipient provided." -msgstr "" - -#: ../../include/message.php:25 -msgid "[no subject]" -msgstr "" - -#: ../../include/message.php:45 -msgid "Unable to determine sender." -msgstr "" - -#: ../../include/message.php:222 -msgid "Stored post could not be verified." -msgstr "" - -#: ../../include/acl_selectors.php:269 -msgid "Who can see this?" -msgstr "" - -#: ../../include/acl_selectors.php:270 -msgid "Custom selection" -msgstr "" - -#: ../../include/acl_selectors.php:271 -msgid "" -"Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit " -"the scope of \"Show\"." -msgstr "" - -#: ../../include/acl_selectors.php:272 -msgid "Show" -msgstr "" - -#: ../../include/acl_selectors.php:273 -msgid "Don't show" -msgstr "" - -#: ../../include/acl_selectors.php:279 -msgid "Other networks and post services" -msgstr "" - -#: ../../include/acl_selectors.php:309 +#: ../../include/conversation.php:1093 #, php-format -msgid "" -"Post permissions %s cannot be changed %s after a post is shared.
These " -"permissions set who is allowed to view the post." +msgid ", and %d other people" +msgid_plural ", and %d other people" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/conversation.php:1094 +#, php-format +msgid "%s like this." msgstr "" -#: ../../include/security.php:108 -msgid "guest:" +#: ../../include/conversation.php:1094 +#, php-format +msgid "%s don't like this." msgstr "" -#: ../../include/security.php:425 +#: ../../include/conversation.php:1133 +msgid "Set your location" +msgstr "" + +#: ../../include/conversation.php:1134 +msgid "Clear browser location" +msgstr "" + +#: ../../include/conversation.php:1182 +msgid "Tag term:" +msgstr "" + +#: ../../include/conversation.php:1183 +msgid "Where are you right now?" +msgstr "" + +#: ../../include/conversation.php:1221 +msgid "Page link name" +msgstr "" + +#: ../../include/conversation.php:1224 +msgid "Post as" +msgstr "" + +#: ../../include/conversation.php:1238 +msgid "Toggle voting" +msgstr "" + +#: ../../include/conversation.php:1246 +msgid "Categories (optional, comma-separated list)" +msgstr "" + +#: ../../include/conversation.php:1269 +msgid "Set publish date" +msgstr "" + +#: ../../include/conversation.php:1518 +msgid "Discover" +msgstr "" + +#: ../../include/conversation.php:1521 +msgid "Imported public streams" +msgstr "" + +#: ../../include/conversation.php:1526 +msgid "Commented Order" +msgstr "" + +#: ../../include/conversation.php:1529 +msgid "Sort by Comment Date" +msgstr "" + +#: ../../include/conversation.php:1533 +msgid "Posted Order" +msgstr "" + +#: ../../include/conversation.php:1536 +msgid "Sort by Post Date" +msgstr "" + +#: ../../include/conversation.php:1544 +msgid "Posts that mention or involve you" +msgstr "" + +#: ../../include/conversation.php:1553 +msgid "Activity Stream - by date" +msgstr "" + +#: ../../include/conversation.php:1559 +msgid "Starred" +msgstr "" + +#: ../../include/conversation.php:1562 +msgid "Favourite Posts" +msgstr "" + +#: ../../include/conversation.php:1569 +msgid "Spam" +msgstr "" + +#: ../../include/conversation.php:1572 +msgid "Posts flagged as SPAM" +msgstr "" + +#: ../../include/conversation.php:1629 +msgid "Status Messages and Posts" +msgstr "" + +#: ../../include/conversation.php:1638 +msgid "About" +msgstr "" + +#: ../../include/conversation.php:1641 +msgid "Profile Details" +msgstr "" + +#: ../../include/conversation.php:1657 +msgid "Files and Storage" +msgstr "" + +#: ../../include/conversation.php:1677 ../../include/conversation.php:1680 +#: ../../include/widgets.php:850 +msgid "Chatrooms" +msgstr "" + +#: ../../include/conversation.php:1693 +msgid "Saved Bookmarks" +msgstr "" + +#: ../../include/conversation.php:1703 +msgid "Manage Webpages" +msgstr "" + +#: ../../include/conversation.php:1768 +msgctxt "noun" +msgid "Attending" +msgid_plural "Attending" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/conversation.php:1771 +msgctxt "noun" +msgid "Not Attending" +msgid_plural "Not Attending" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/conversation.php:1774 +msgctxt "noun" +msgid "Undecided" +msgid_plural "Undecided" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/conversation.php:1777 +msgctxt "noun" +msgid "Agree" +msgid_plural "Agrees" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/conversation.php:1780 +msgctxt "noun" +msgid "Disagree" +msgid_plural "Disagrees" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/conversation.php:1783 +msgctxt "noun" +msgid "Abstain" +msgid_plural "Abstains" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/follow.php:27 +msgid "Channel is blocked on this site." +msgstr "" + +#: ../../include/follow.php:32 +msgid "Channel location missing." +msgstr "" + +#: ../../include/follow.php:80 +msgid "Response from remote channel was incomplete." +msgstr "" + +#: ../../include/follow.php:97 +msgid "Channel was deleted and no longer exists." +msgstr "" + +#: ../../include/follow.php:147 ../../include/follow.php:183 +msgid "Protocol disabled." +msgstr "" + +#: ../../include/follow.php:171 +msgid "Channel discovery failed." +msgstr "" + +#: ../../include/follow.php:210 +msgid "Cannot connect to yourself." +msgstr "" + +#: ../../include/import.php:30 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." +"Cannot create a duplicate channel identifier on this system. Import failed." +msgstr "" + +#: ../../include/import.php:97 +msgid "Channel clone failed. Import failed." +msgstr "" + +#: ../../include/permissions.php:29 +msgid "Can view my normal stream and posts" +msgstr "" + +#: ../../include/permissions.php:33 +msgid "Can view my webpages" +msgstr "" + +#: ../../include/permissions.php:37 +msgid "Can post on my channel page (\"wall\")" +msgstr "" + +#: ../../include/permissions.php:40 +msgid "Can like/dislike stuff" +msgstr "" + +#: ../../include/permissions.php:40 +msgid "Profiles and things other than posts/comments" +msgstr "" + +#: ../../include/permissions.php:42 +msgid "Can forward to all my channel contacts via post @mentions" +msgstr "" + +#: ../../include/permissions.php:42 +msgid "Advanced - useful for creating group forum channels" +msgstr "" + +#: ../../include/permissions.php:43 +msgid "Can chat with me (when available)" +msgstr "" + +#: ../../include/permissions.php:44 +msgid "Can write to my file storage and photos" +msgstr "" + +#: ../../include/permissions.php:45 +msgid "Can edit my webpages" +msgstr "" + +#: ../../include/permissions.php:47 +msgid "Somewhat advanced - very useful in open communities" +msgstr "" + +#: ../../include/permissions.php:49 +msgid "Can administer my channel resources" +msgstr "" + +#: ../../include/permissions.php:49 +msgid "Extremely advanced. Leave this alone unless you know what you are doing" +msgstr "" + +#: ../../include/activities.php:41 +msgid " and " +msgstr "" + +#: ../../include/activities.php:49 +msgid "public profile" +msgstr "" + +#: ../../include/activities.php:58 +#, php-format +msgid "%1$s changed %2$s to “%3$s”" +msgstr "" + +#: ../../include/activities.php:59 +#, php-format +msgid "Visit %1$s's %2$s" +msgstr "" + +#: ../../include/activities.php:62 +#, php-format +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "" + +#: ../../include/attach.php:248 ../../include/attach.php:334 +msgid "Item was not found." +msgstr "" + +#: ../../include/attach.php:500 +msgid "No source file." +msgstr "" + +#: ../../include/attach.php:522 +msgid "Cannot locate file to replace" +msgstr "" + +#: ../../include/attach.php:540 +msgid "Cannot locate file to revise/update" +msgstr "" + +#: ../../include/attach.php:675 +#, php-format +msgid "File exceeds size limit of %d" +msgstr "" + +#: ../../include/attach.php:689 +#, php-format +msgid "You have reached your limit of %1$.0f Mbytes attachment storage." +msgstr "" + +#: ../../include/attach.php:847 +msgid "File upload failed. Possible system limit or action terminated." +msgstr "" + +#: ../../include/attach.php:860 +msgid "Stored file could not be verified. Upload failed." +msgstr "" + +#: ../../include/attach.php:916 ../../include/attach.php:932 +msgid "Path not available." +msgstr "" + +#: ../../include/attach.php:978 ../../include/attach.php:1130 +msgid "Empty pathname" +msgstr "" + +#: ../../include/attach.php:1004 +msgid "duplicate filename or path" +msgstr "" + +#: ../../include/attach.php:1026 +msgid "Path not found." +msgstr "" + +#: ../../include/attach.php:1084 +msgid "mkdir failed." +msgstr "" + +#: ../../include/attach.php:1088 +msgid "database storage failed." +msgstr "" + +#: ../../include/attach.php:1136 +msgid "Empty path" +msgstr "" + +#: ../../include/taxonomy.php:188 ../../include/taxonomy.php:270 +#: ../../include/widgets.php:46 ../../include/widgets.php:429 +#: ../../include/contact_widgets.php:91 +msgid "Categories" +msgstr "" + +#: ../../include/taxonomy.php:228 ../../include/taxonomy.php:249 +msgid "Tags" +msgstr "" + +#: ../../include/taxonomy.php:293 +msgid "Keywords" +msgstr "" + +#: ../../include/taxonomy.php:314 +msgid "have" +msgstr "" + +#: ../../include/taxonomy.php:314 +msgid "has" +msgstr "" + +#: ../../include/taxonomy.php:315 +msgid "want" +msgstr "" + +#: ../../include/taxonomy.php:315 +msgid "wants" +msgstr "" + +#: ../../include/taxonomy.php:316 +msgid "likes" +msgstr "" + +#: ../../include/taxonomy.php:317 +msgid "dislikes" +msgstr "" + +#: ../../include/auth.php:148 +msgid "Logged out." +msgstr "" + +#: ../../include/auth.php:275 +msgid "Failed authentication" +msgstr "" + +#: ../../include/auth.php:286 +msgid "Login failed." msgstr "" #: ../../include/text.php:404 @@ -9732,14 +9321,492 @@ msgstr "" msgid "activity" msgstr "" -#: ../../include/text.php:2243 +#: ../../include/text.php:2235 msgid "Design Tools" msgstr "" -#: ../../include/text.php:2249 +#: ../../include/text.php:2241 msgid "Pages" msgstr "" +#: ../../include/text.php:2263 +msgid "Import website..." +msgstr "" + +#: ../../include/text.php:2264 +msgid "Select folder to import" +msgstr "" + +#: ../../include/text.php:2265 +msgid "Import from a zipped folder:" +msgstr "" + +#: ../../include/text.php:2266 +msgid "Import from cloud files:" +msgstr "" + +#: ../../include/text.php:2267 +msgid "/cloud/channel/path/to/folder" +msgstr "" + +#: ../../include/text.php:2268 +msgid "Enter path to website files" +msgstr "" + +#: ../../include/text.php:2269 +msgid "Select folder" +msgstr "" + +#: ../../include/widgets.php:103 +msgid "System" +msgstr "" + +#: ../../include/widgets.php:106 +msgid "New App" +msgstr "" + +#: ../../include/widgets.php:154 +msgid "Suggestions" +msgstr "" + +#: ../../include/widgets.php:155 +msgid "See more..." +msgstr "" + +#: ../../include/widgets.php:175 +#, php-format +msgid "You have %1$.0f of %2$.0f allowed connections." +msgstr "" + +#: ../../include/widgets.php:181 +msgid "Add New Connection" +msgstr "" + +#: ../../include/widgets.php:182 +msgid "Enter channel address" +msgstr "" + +#: ../../include/widgets.php:183 +msgid "Examples: bob@example.com, https://example.com/barbara" +msgstr "" + +#: ../../include/widgets.php:199 +msgid "Notes" +msgstr "" + +#: ../../include/widgets.php:273 +msgid "Remove term" +msgstr "" + +#: ../../include/widgets.php:313 ../../include/widgets.php:432 +#: ../../include/contact_widgets.php:56 ../../include/contact_widgets.php:94 +msgid "Everything" +msgstr "" + +#: ../../include/widgets.php:354 +msgid "Archives" +msgstr "" + +#: ../../include/widgets.php:516 +msgid "Refresh" +msgstr "" + +#: ../../include/widgets.php:556 +msgid "Account settings" +msgstr "" + +#: ../../include/widgets.php:562 +msgid "Channel settings" +msgstr "" + +#: ../../include/widgets.php:571 +msgid "Additional features" +msgstr "" + +#: ../../include/widgets.php:578 +msgid "Feature/Addon settings" +msgstr "" + +#: ../../include/widgets.php:584 +msgid "Display settings" +msgstr "" + +#: ../../include/widgets.php:591 +msgid "Manage locations" +msgstr "" + +#: ../../include/widgets.php:600 +msgid "Export channel" +msgstr "" + +#: ../../include/widgets.php:607 +msgid "Connected apps" +msgstr "" + +#: ../../include/widgets.php:631 +msgid "Premium Channel Settings" +msgstr "" + +#: ../../include/widgets.php:660 +msgid "Private Mail Menu" +msgstr "" + +#: ../../include/widgets.php:662 +msgid "Combined View" +msgstr "" + +#: ../../include/widgets.php:694 ../../include/widgets.php:706 +msgid "Conversations" +msgstr "" + +#: ../../include/widgets.php:698 +msgid "Received Messages" +msgstr "" + +#: ../../include/widgets.php:702 +msgid "Sent Messages" +msgstr "" + +#: ../../include/widgets.php:716 +msgid "No messages." +msgstr "" + +#: ../../include/widgets.php:734 +msgid "Delete conversation" +msgstr "" + +#: ../../include/widgets.php:760 +msgid "Events Tools" +msgstr "" + +#: ../../include/widgets.php:761 +msgid "Export Calendar" +msgstr "" + +#: ../../include/widgets.php:762 +msgid "Import Calendar" +msgstr "" + +#: ../../include/widgets.php:854 +msgid "Overview" +msgstr "" + +#: ../../include/widgets.php:861 +msgid "Chat Members" +msgstr "" + +#: ../../include/widgets.php:883 +msgid "Wiki List" +msgstr "" + +#: ../../include/widgets.php:921 +msgid "Wiki Pages" +msgstr "" + +#: ../../include/widgets.php:956 +msgid "Bookmarked Chatrooms" +msgstr "" + +#: ../../include/widgets.php:979 +msgid "Suggested Chatrooms" +msgstr "" + +#: ../../include/widgets.php:1125 ../../include/widgets.php:1237 +msgid "photo/image" +msgstr "" + +#: ../../include/widgets.php:1180 +msgid "Click to show more" +msgstr "" + +#: ../../include/widgets.php:1331 +msgid "Rating Tools" +msgstr "" + +#: ../../include/widgets.php:1335 ../../include/widgets.php:1337 +msgid "Rate Me" +msgstr "" + +#: ../../include/widgets.php:1340 +msgid "View Ratings" +msgstr "" + +#: ../../include/widgets.php:1424 +msgid "Forums" +msgstr "" + +#: ../../include/widgets.php:1453 +msgid "Tasks" +msgstr "" + +#: ../../include/widgets.php:1462 +msgid "Documentation" +msgstr "" + +#: ../../include/widgets.php:1464 +msgid "Project/Site Information" +msgstr "" + +#: ../../include/widgets.php:1465 +msgid "For Members" +msgstr "" + +#: ../../include/widgets.php:1466 +msgid "For Administrators" +msgstr "" + +#: ../../include/widgets.php:1467 +msgid "For Developers" +msgstr "" + +#: ../../include/widgets.php:1491 ../../include/widgets.php:1529 +msgid "Member registrations waiting for confirmation" +msgstr "" + +#: ../../include/widgets.php:1497 +msgid "Inspect queue" +msgstr "" + +#: ../../include/widgets.php:1499 +msgid "DB updates" +msgstr "" + +#: ../../include/widgets.php:1525 +msgid "Plugin Features" +msgstr "" + +#: ../../include/contact_widgets.php:11 +#, php-format +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/contact_widgets.php:19 +msgid "Find Channels" +msgstr "" + +#: ../../include/contact_widgets.php:20 +msgid "Enter name or interest" +msgstr "" + +#: ../../include/contact_widgets.php:21 +msgid "Connect/Follow" +msgstr "" + +#: ../../include/contact_widgets.php:22 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "" + +#: ../../include/contact_widgets.php:26 +msgid "Random Profile" +msgstr "" + +#: ../../include/contact_widgets.php:27 +msgid "Invite Friends" +msgstr "" + +#: ../../include/contact_widgets.php:29 +msgid "Advanced example: name=fred and country=iceland" +msgstr "" + +#: ../../include/contact_widgets.php:122 +#, php-format +msgid "%d connection in common" +msgid_plural "%d connections in common" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/contact_widgets.php:127 +msgid "show more" +msgstr "" + +#: ../../include/dir_fns.php:141 +msgid "Directory Options" +msgstr "" + +#: ../../include/dir_fns.php:143 +msgid "Safe Mode" +msgstr "" + +#: ../../include/dir_fns.php:144 +msgid "Public Forums Only" +msgstr "" + +#: ../../include/dir_fns.php:145 +msgid "This Website Only" +msgstr "" + +#: ../../include/message.php:20 +msgid "No recipient provided." +msgstr "" + +#: ../../include/message.php:25 +msgid "[no subject]" +msgstr "" + +#: ../../include/message.php:45 +msgid "Unable to determine sender." +msgstr "" + +#: ../../include/message.php:222 +msgid "Stored post could not be verified." +msgstr "" + +#: ../../include/channel.php:33 +msgid "Unable to obtain identity information from database" +msgstr "" + +#: ../../include/channel.php:67 +msgid "Empty name" +msgstr "" + +#: ../../include/channel.php:70 +msgid "Name too long" +msgstr "" + +#: ../../include/channel.php:181 +msgid "No account identifier" +msgstr "" + +#: ../../include/channel.php:193 +msgid "Nickname is required." +msgstr "" + +#: ../../include/channel.php:207 +msgid "Reserved nickname. Please choose another." +msgstr "" + +#: ../../include/channel.php:212 +msgid "" +"Nickname has unsupported characters or is already being used on this site." +msgstr "" + +#: ../../include/channel.php:272 +msgid "Unable to retrieve created identity" +msgstr "" + +#: ../../include/channel.php:341 +msgid "Default Profile" +msgstr "" + +#: ../../include/channel.php:821 +msgid "Requested channel is not available." +msgstr "" + +#: ../../include/channel.php:968 +msgid "Create New Profile" +msgstr "" + +#: ../../include/channel.php:988 +msgid "Visible to everybody" +msgstr "" + +#: ../../include/channel.php:1061 ../../include/channel.php:1173 +msgid "Gender:" +msgstr "" + +#: ../../include/channel.php:1062 ../../include/channel.php:1217 +msgid "Status:" +msgstr "" + +#: ../../include/channel.php:1063 ../../include/channel.php:1228 +msgid "Homepage:" +msgstr "" + +#: ../../include/channel.php:1064 +msgid "Online Now" +msgstr "" + +#: ../../include/channel.php:1178 +msgid "Like this channel" +msgstr "" + +#: ../../include/channel.php:1202 +msgid "j F, Y" +msgstr "" + +#: ../../include/channel.php:1203 +msgid "j F" +msgstr "" + +#: ../../include/channel.php:1210 +msgid "Birthday:" +msgstr "" + +#: ../../include/channel.php:1223 +#, php-format +msgid "for %1$d %2$s" +msgstr "" + +#: ../../include/channel.php:1226 +msgid "Sexual Preference:" +msgstr "" + +#: ../../include/channel.php:1232 +msgid "Tags:" +msgstr "" + +#: ../../include/channel.php:1234 +msgid "Political Views:" +msgstr "" + +#: ../../include/channel.php:1236 +msgid "Religion:" +msgstr "" + +#: ../../include/channel.php:1240 +msgid "Hobbies/Interests:" +msgstr "" + +#: ../../include/channel.php:1242 +msgid "Likes:" +msgstr "" + +#: ../../include/channel.php:1244 +msgid "Dislikes:" +msgstr "" + +#: ../../include/channel.php:1246 +msgid "Contact information and Social Networks:" +msgstr "" + +#: ../../include/channel.php:1248 +msgid "My other channels:" +msgstr "" + +#: ../../include/channel.php:1250 +msgid "Musical interests:" +msgstr "" + +#: ../../include/channel.php:1252 +msgid "Books, literature:" +msgstr "" + +#: ../../include/channel.php:1254 +msgid "Television:" +msgstr "" + +#: ../../include/channel.php:1256 +msgid "Film/dance/culture/entertainment:" +msgstr "" + +#: ../../include/channel.php:1258 +msgid "Love/Romance:" +msgstr "" + +#: ../../include/channel.php:1260 +msgid "Work/employment:" +msgstr "" + +#: ../../include/channel.php:1262 +msgid "School/education:" +msgstr "" + +#: ../../include/channel.php:1283 +msgid "Like this thing" +msgstr "" + #: ../../view/theme/redbasic/php/config.php:82 msgid "Focus (Hubzilla default)" msgstr "" @@ -9897,41 +9964,45 @@ msgstr "" msgid "Update Error at %s" msgstr "" -#: ../../boot.php:1685 +#: ../../boot.php:1688 msgid "" "Create an account to access services and applications within the Hubzilla" msgstr "" -#: ../../boot.php:1707 +#: ../../boot.php:1709 +msgid "Login/Email" +msgstr "" + +#: ../../boot.php:1710 msgid "Password" msgstr "" -#: ../../boot.php:1708 +#: ../../boot.php:1711 msgid "Remember me" msgstr "" -#: ../../boot.php:1711 +#: ../../boot.php:1714 msgid "Forgot your password?" msgstr "" -#: ../../boot.php:2277 +#: ../../boot.php:2280 msgid "toggle mobile" msgstr "" -#: ../../boot.php:2432 +#: ../../boot.php:2435 msgid "Website SSL certificate is not valid. Please correct." msgstr "" -#: ../../boot.php:2435 +#: ../../boot.php:2438 #, php-format msgid "[hubzilla] Website SSL error for %s" msgstr "" -#: ../../boot.php:2485 +#: ../../boot.php:2542 msgid "Cron/Scheduled tasks not running." msgstr "" -#: ../../boot.php:2489 +#: ../../boot.php:2546 #, php-format msgid "[hubzilla] Cron tasks not running on %s" msgstr "" diff --git a/view/css/conversation.css b/view/css/conversation.css index 68aa8bfbe..5af0c55e7 100644 --- a/view/css/conversation.css +++ b/view/css/conversation.css @@ -40,6 +40,12 @@ resize: vertical; } +#profile-jot-text.hover { + background-color: aliceblue; + opacity: 0.5; + box-shadow: inset 0 0px 7px #5cb85c; +} + .jot-attachment { border: 0px; padding: 10px; diff --git a/view/css/mod_cloud.css b/view/css/mod_cloud.css index ed07ceb6f..53eb80b44 100644 --- a/view/css/mod_cloud.css +++ b/view/css/mod_cloud.css @@ -41,3 +41,16 @@ padding: 7px 10px; width: 100%; } + +#cloud-drag-area.hover { + background-color: aliceblue; + opacity: 0.5; + box-shadow: inset 0 0px 7px #5cb85c; +} + +.upload-progress-bar { + background: url('data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAYAAAAfFcSJAAAADUlEQVR42mOM2RFTDwAE2QHxFMHIIwAAAABJRU5ErkJggg==') repeat-y; + background-size: 0px; + padding: 0px !important; + height: 3px; +} diff --git a/view/css/mod_webpages.css b/view/css/mod_webpages.css index 1c6ec4aea..f72f632dd 100644 --- a/view/css/mod_webpages.css +++ b/view/css/mod_webpages.css @@ -34,3 +34,88 @@ .webpage-list-tool { padding: 7px 10px; } + +.webpage-import-button { + background-color: green; + color: white; +} + +.webpage-import-button:hover { + background-color: darkgreen; +} + + +/* SQUARED TWO */ +.squaredTwo { + width: 28px; + height: 28px; + background: #fcfff4; + + background: -webkit-linear-gradient(top, #fcfff4 0%, #dfe5d7 40%, #b3bead 100%); + background: -moz-linear-gradient(top, #fcfff4 0%, #dfe5d7 40%, #b3bead 100%); + background: -o-linear-gradient(top, #fcfff4 0%, #dfe5d7 40%, #b3bead 100%); + background: -ms-linear-gradient(top, #fcfff4 0%, #dfe5d7 40%, #b3bead 100%); + background: linear-gradient(top, #fcfff4 0%, #dfe5d7 40%, #b3bead 100%); + filter: progid:DXImageTransform.Microsoft.gradient( startColorstr='#fcfff4', endColorstr='#b3bead',GradientType=0 ); + margin: 20px auto; + + -webkit-box-shadow: inset 0px 1px 1px white, 0px 1px 3px rgba(0,0,0,0.5); + -moz-box-shadow: inset 0px 1px 1px white, 0px 1px 3px rgba(0,0,0,0.5); + box-shadow: inset 0px 1px 1px white, 0px 1px 3px rgba(0,0,0,0.5); + position: relative; +} + +.squaredTwo label { + cursor: pointer; + position: absolute; + width: 20px; + height: 20px; + left: 4px; + top: 4px; + + -webkit-box-shadow: inset 0px 1px 1px rgba(0,0,0,0.5), 0px 1px 0px rgba(255,255,255,1); + -moz-box-shadow: inset 0px 1px 1px rgba(0,0,0,0.5), 0px 1px 0px rgba(255,255,255,1); + box-shadow: inset 0px 1px 1px rgba(0,0,0,0.5), 0px 1px 0px rgba(255,255,255,1); + + background: -webkit-linear-gradient(top, #222 0%, #45484d 100%); + background: -moz-linear-gradient(top, #222 0%, #45484d 100%); + background: -o-linear-gradient(top, #222 0%, #45484d 100%); + background: -ms-linear-gradient(top, #222 0%, #45484d 100%); + background: linear-gradient(top, #222 0%, #45484d 100%); + filter: progid:DXImageTransform.Microsoft.gradient( startColorstr='#222', endColorstr='#45484d',GradientType=0 ); +} + +.squaredTwo label:after { + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=0)"; + filter: alpha(opacity=0); + opacity: 0; + content: ''; + position: absolute; + width: 9px; + height: 5px; + background: transparent; + top: 4px; + left: 4px; + border: 3px solid #fcfff4; + border-top: none; + border-right: none; + + -webkit-transform: rotate(-45deg); + -moz-transform: rotate(-45deg); + -o-transform: rotate(-45deg); + -ms-transform: rotate(-45deg); + transform: rotate(-45deg); +} + +.squaredTwo label:hover::after { + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=30)"; + filter: alpha(opacity=30); + opacity: 0.3; +} + +.squaredTwo input[type=checkbox]:checked + label:after { + -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; + filter: alpha(opacity=100); + opacity: 1; +} + diff --git a/view/de/hmessages.po b/view/de/hmessages.po index c160cd6bc..f5a6d7749 100644 --- a/view/de/hmessages.po +++ b/view/de/hmessages.po @@ -5,7 +5,7 @@ # Translators: # Alex , 2013 # Balder , 2013 -# bavatar , 2013 +# Tobias Diekershoff , 2013 # do.t , 2014 # Einer von Vielen , 2013 # Ettore Atalan , 2015-2016 @@ -16,15 +16,16 @@ # Phellmes , 2014,2016 # sasiflo , 2014 # Steff , 2015-2016 -# bavatar , 2016 +# Tobias Diekershoff , 2016 +# Tobias Diekershoff , 2016 # zottel , 2015 # sasiflo , 2015 msgid "" msgstr "" "Project-Id-Version: Redmatrix\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-07-22 00:02-0700\n" -"PO-Revision-Date: 2016-07-28 09:16+0000\n" +"POT-Creation-Date: 2016-08-12 00:02-0700\n" +"PO-Revision-Date: 2016-08-17 08:28+0000\n" "Last-Translator: Phellmes \n" "Language-Team: German (http://www.transifex.com/Friendica/red-matrix/language/de/)\n" "MIME-Version: 1.0\n" @@ -34,83 +35,83 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #: ../../Zotlabs/Access/PermissionRoles.php:182 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social Networking" msgstr "Soziales Netzwerk" #: ../../Zotlabs/Access/PermissionRoles.php:183 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social - Mostly Public" msgstr "Soziales Netzwerk - Weitgehend ƶffentlich" #: ../../Zotlabs/Access/PermissionRoles.php:184 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social - Restricted" msgstr "Soziales Netzwerk - BeschrƤnkt" #: ../../Zotlabs/Access/PermissionRoles.php:185 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social - Private" msgstr "Soziales Netzwerk - Privat" #: ../../Zotlabs/Access/PermissionRoles.php:188 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Community Forum" msgstr "Forum" #: ../../Zotlabs/Access/PermissionRoles.php:189 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Forum - Mostly Public" msgstr "Forum - Weitgehend ƶffentlich" #: ../../Zotlabs/Access/PermissionRoles.php:190 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Forum - Restricted" msgstr "Forum - BeschrƤnkt" #: ../../Zotlabs/Access/PermissionRoles.php:191 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Forum - Private" msgstr "Forum - Privat" #: ../../Zotlabs/Access/PermissionRoles.php:194 -#: ../../include/permissions.php:906 +#: ../../include/permissions.php:941 msgid "Feed Republish" msgstr "Teilen von Feeds" #: ../../Zotlabs/Access/PermissionRoles.php:195 -#: ../../include/permissions.php:906 +#: ../../include/permissions.php:941 msgid "Feed - Mostly Public" msgstr "Feeds - Weitgehend ƶffentlich" #: ../../Zotlabs/Access/PermissionRoles.php:196 -#: ../../include/permissions.php:906 +#: ../../include/permissions.php:941 msgid "Feed - Restricted" msgstr "Feeds - BeschrƤnkt" #: ../../Zotlabs/Access/PermissionRoles.php:199 -#: ../../include/permissions.php:907 +#: ../../include/permissions.php:942 msgid "Special Purpose" msgstr "Für besondere Zwecke" #: ../../Zotlabs/Access/PermissionRoles.php:200 -#: ../../include/permissions.php:907 +#: ../../include/permissions.php:942 msgid "Special - Celebrity/Soapbox" msgstr "Speziell - Mitteilungs-Kanal (keine Kommentare)" #: ../../Zotlabs/Access/PermissionRoles.php:201 -#: ../../include/permissions.php:907 +#: ../../include/permissions.php:942 msgid "Special - Group Repository" msgstr "Speziell - Gruppenarchiv" #: ../../Zotlabs/Access/PermissionRoles.php:204 ../../include/selectors.php:49 #: ../../include/selectors.php:66 ../../include/selectors.php:104 -#: ../../include/selectors.php:140 ../../include/permissions.php:908 +#: ../../include/selectors.php:140 ../../include/permissions.php:943 msgid "Other" msgstr "Andere" #: ../../Zotlabs/Access/PermissionRoles.php:205 -#: ../../include/permissions.php:908 +#: ../../include/permissions.php:943 msgid "Custom/Expert Mode" msgstr "Benutzerdefiniert/Expertenmodus" @@ -118,19 +119,19 @@ msgstr "Benutzerdefiniert/Expertenmodus" msgid "Can view my channel stream and posts" msgstr "Kann meinen Kanal-Stream und meine BeitrƤge sehen" -#: ../../Zotlabs/Access/Permissions.php:31 ../../include/permissions.php:33 +#: ../../Zotlabs/Access/Permissions.php:31 ../../include/permissions.php:36 msgid "Can send me their channel stream and posts" msgstr "Kann mir die BeitrƤge aus seinem/ihrem Kanal schicken" -#: ../../Zotlabs/Access/Permissions.php:32 ../../include/permissions.php:27 +#: ../../Zotlabs/Access/Permissions.php:32 ../../include/permissions.php:30 msgid "Can view my default channel profile" msgstr "Kann mein Standardprofil sehen" -#: ../../Zotlabs/Access/Permissions.php:33 ../../include/permissions.php:28 +#: ../../Zotlabs/Access/Permissions.php:33 ../../include/permissions.php:31 msgid "Can view my connections" msgstr "Kann meine Verbindungen sehen" -#: ../../Zotlabs/Access/Permissions.php:34 ../../include/permissions.php:29 +#: ../../Zotlabs/Access/Permissions.php:34 ../../include/permissions.php:32 msgid "Can view my file storage and photos" msgstr "Kann meine Datei- und Bilderordner sehen" @@ -150,11 +151,11 @@ msgstr "Kann Webseiten in meinem Kanal erstellen/Ƥndern" msgid "Can post on my channel (wall) page" msgstr "Kann auf meiner Kanal-Seite (\"wall\") BeitrƤge verƶffentlichen" -#: ../../Zotlabs/Access/Permissions.php:39 ../../include/permissions.php:35 +#: ../../Zotlabs/Access/Permissions.php:39 ../../include/permissions.php:38 msgid "Can comment on or like my posts" msgstr "Darf meine BeitrƤge kommentieren und mƶgen/nicht mƶgen" -#: ../../Zotlabs/Access/Permissions.php:40 ../../include/permissions.php:36 +#: ../../Zotlabs/Access/Permissions.php:40 ../../include/permissions.php:39 msgid "Can send me private mail messages" msgstr "Kann mir private Nachrichten schicken" @@ -170,7 +171,7 @@ msgstr "Kann an alle meine Verbindungen via @-ErwƤhnungen Nachrichten weiterlei msgid "Can chat with me" msgstr "Kann mit mir chatten" -#: ../../Zotlabs/Access/Permissions.php:44 ../../include/permissions.php:44 +#: ../../Zotlabs/Access/Permissions.php:44 ../../include/permissions.php:47 msgid "Can source my public posts in derived channels" msgstr "Kann meine ƶffentlichen BeitrƤge als Quellen für KanƤle verwenden" @@ -182,7 +183,7 @@ msgstr "Kann meinen Kanal administrieren" msgid "parent" msgstr "Übergeordnetes Verzeichnis" -#: ../../Zotlabs/Storage/Browser.php:131 ../../include/text.php:2605 +#: ../../Zotlabs/Storage/Browser.php:131 ../../include/text.php:2657 msgid "Collection" msgstr "Sammlung" @@ -206,17 +207,17 @@ msgstr "Posteingang für überwachte Kalender" msgid "Schedule Outbox" msgstr "Postausgang für überwachte Kalender" -#: ../../Zotlabs/Storage/Browser.php:164 ../../Zotlabs/Module/Photos.php:796 -#: ../../Zotlabs/Module/Photos.php:1241 +#: ../../Zotlabs/Storage/Browser.php:164 ../../Zotlabs/Module/Photos.php:800 +#: ../../Zotlabs/Module/Photos.php:1249 #: ../../Zotlabs/Module/Embedphotos.php:147 ../../Zotlabs/Lib/Apps.php:490 -#: ../../Zotlabs/Lib/Apps.php:565 ../../include/conversation.php:1035 -#: ../../include/widgets.php:1599 +#: ../../Zotlabs/Lib/Apps.php:565 ../../include/conversation.php:1036 +#: ../../include/widgets.php:1613 msgid "Unknown" msgstr "Unbekannt" #: ../../Zotlabs/Storage/Browser.php:226 ../../Zotlabs/Module/Fbrowser.php:85 -#: ../../Zotlabs/Lib/Apps.php:217 ../../include/nav.php:93 -#: ../../include/conversation.php:1654 +#: ../../Zotlabs/Lib/Apps.php:217 ../../include/nav.php:95 +#: ../../include/conversation.php:1659 msgid "Files" msgstr "Dateien" @@ -228,24 +229,24 @@ msgstr "Summe" msgid "Shared" msgstr "Geteilt" -#: ../../Zotlabs/Storage/Browser.php:230 ../../Zotlabs/Storage/Browser.php:306 -#: ../../Zotlabs/Module/Layouts.php:184 ../../Zotlabs/Module/Menu.php:118 +#: ../../Zotlabs/Storage/Browser.php:230 ../../Zotlabs/Storage/Browser.php:323 +#: ../../Zotlabs/Module/Webpages.php:216 ../../Zotlabs/Module/Menu.php:118 #: ../../Zotlabs/Module/New_channel.php:142 -#: ../../Zotlabs/Module/Blocks.php:159 ../../Zotlabs/Module/Webpages.php:193 +#: ../../Zotlabs/Module/Blocks.php:159 ../../Zotlabs/Module/Layouts.php:184 msgid "Create" msgstr "Erstelle" -#: ../../Zotlabs/Storage/Browser.php:231 ../../Zotlabs/Storage/Browser.php:308 +#: ../../Zotlabs/Storage/Browser.php:231 ../../Zotlabs/Storage/Browser.php:325 #: ../../Zotlabs/Module/Cover_photo.php:357 -#: ../../Zotlabs/Module/Photos.php:823 ../../Zotlabs/Module/Photos.php:1362 +#: ../../Zotlabs/Module/Photos.php:827 ../../Zotlabs/Module/Photos.php:1370 #: ../../Zotlabs/Module/Profile_photo.php:390 -#: ../../Zotlabs/Module/Embedphotos.php:159 ../../include/widgets.php:1612 +#: ../../Zotlabs/Module/Embedphotos.php:159 ../../include/widgets.php:1626 msgid "Upload" msgstr "Hochladen" -#: ../../Zotlabs/Storage/Browser.php:235 ../../Zotlabs/Module/Chat.php:247 -#: ../../Zotlabs/Module/Admin.php:1223 ../../Zotlabs/Module/Settings.php:646 -#: ../../Zotlabs/Module/Settings.php:672 +#: ../../Zotlabs/Storage/Browser.php:235 ../../Zotlabs/Module/Chat.php:250 +#: ../../Zotlabs/Module/Settings.php:662 ../../Zotlabs/Module/Settings.php:688 +#: ../../Zotlabs/Module/Admin.php:1223 #: ../../Zotlabs/Module/Sharedwithme.php:99 msgid "Name" msgstr "Name" @@ -255,7 +256,7 @@ msgid "Type" msgstr "Typ" #: ../../Zotlabs/Storage/Browser.php:237 -#: ../../Zotlabs/Module/Sharedwithme.php:101 ../../include/text.php:1324 +#: ../../Zotlabs/Module/Sharedwithme.php:101 ../../include/text.php:1326 msgid "Size" msgstr "Größe" @@ -264,124 +265,120 @@ msgstr "Größe" msgid "Last Modified" msgstr "Zuletzt geƤndert" -#: ../../Zotlabs/Storage/Browser.php:240 ../../Zotlabs/Module/Editpost.php:84 +#: ../../Zotlabs/Storage/Browser.php:240 ../../Zotlabs/Module/Webpages.php:217 #: ../../Zotlabs/Module/Connections.php:290 #: ../../Zotlabs/Module/Connections.php:310 -#: ../../Zotlabs/Module/Editlayout.php:114 -#: ../../Zotlabs/Module/Editwebpage.php:145 -#: ../../Zotlabs/Module/Layouts.php:192 ../../Zotlabs/Module/Menu.php:112 -#: ../../Zotlabs/Module/Admin.php:2113 ../../Zotlabs/Module/Blocks.php:160 #: ../../Zotlabs/Module/Editblock.php:109 -#: ../../Zotlabs/Module/Settings.php:706 ../../Zotlabs/Module/Thing.php:260 -#: ../../Zotlabs/Module/Webpages.php:194 ../../Zotlabs/Lib/Apps.php:341 -#: ../../Zotlabs/Lib/ThreadItem.php:106 ../../include/page_widgets.php:9 -#: ../../include/page_widgets.php:39 ../../include/channel.php:976 -#: ../../include/channel.php:980 ../../include/menu.php:108 +#: ../../Zotlabs/Module/Editlayout.php:114 +#: ../../Zotlabs/Module/Editwebpage.php:145 ../../Zotlabs/Module/Menu.php:112 +#: ../../Zotlabs/Module/Editpost.php:84 ../../Zotlabs/Module/Settings.php:722 +#: ../../Zotlabs/Module/Admin.php:2113 ../../Zotlabs/Module/Blocks.php:160 +#: ../../Zotlabs/Module/Layouts.php:192 ../../Zotlabs/Module/Thing.php:260 +#: ../../Zotlabs/Lib/Apps.php:341 ../../Zotlabs/Lib/ThreadItem.php:106 +#: ../../include/menu.php:113 ../../include/page_widgets.php:9 +#: ../../include/page_widgets.php:39 ../../include/channel.php:959 +#: ../../include/channel.php:963 msgid "Edit" msgstr "Bearbeiten" -#: ../../Zotlabs/Storage/Browser.php:241 ../../Zotlabs/Module/Connedit.php:602 +#: ../../Zotlabs/Storage/Browser.php:241 ../../Zotlabs/Module/Webpages.php:219 #: ../../Zotlabs/Module/Connections.php:263 +#: ../../Zotlabs/Module/Editblock.php:134 #: ../../Zotlabs/Module/Editlayout.php:137 -#: ../../Zotlabs/Module/Editwebpage.php:169 ../../Zotlabs/Module/Group.php:177 -#: ../../Zotlabs/Module/Photos.php:1171 ../../Zotlabs/Module/Admin.php:1039 -#: ../../Zotlabs/Module/Admin.php:1213 ../../Zotlabs/Module/Admin.php:2114 -#: ../../Zotlabs/Module/Blocks.php:162 ../../Zotlabs/Module/Editblock.php:134 -#: ../../Zotlabs/Module/Settings.php:707 ../../Zotlabs/Module/Thing.php:261 -#: ../../Zotlabs/Module/Webpages.php:196 ../../Zotlabs/Lib/Apps.php:342 +#: ../../Zotlabs/Module/Editwebpage.php:170 +#: ../../Zotlabs/Module/Connedit.php:610 ../../Zotlabs/Module/Group.php:177 +#: ../../Zotlabs/Module/Photos.php:1179 ../../Zotlabs/Module/Settings.php:723 +#: ../../Zotlabs/Module/Admin.php:1039 ../../Zotlabs/Module/Admin.php:1213 +#: ../../Zotlabs/Module/Admin.php:2114 ../../Zotlabs/Module/Blocks.php:162 +#: ../../Zotlabs/Module/Thing.php:261 ../../Zotlabs/Lib/Apps.php:342 #: ../../Zotlabs/Lib/ThreadItem.php:126 ../../include/conversation.php:660 msgid "Delete" msgstr "Lƶschen" -#: ../../Zotlabs/Storage/Browser.php:285 +#: ../../Zotlabs/Storage/Browser.php:301 #, php-format msgid "You are using %1$s of your available file storage." msgstr "Sie verwenden %1$s von Ihrem verfügbaren Dateispeicher." -#: ../../Zotlabs/Storage/Browser.php:290 +#: ../../Zotlabs/Storage/Browser.php:306 #, php-format msgid "You are using %1$s of %2$s available file storage. (%3$s%)" msgstr "Sie verwenden %1$s von %2$s verfügbarem Dateispeicher. (%3$s%)" -#: ../../Zotlabs/Storage/Browser.php:302 +#: ../../Zotlabs/Storage/Browser.php:317 msgid "WARNING:" msgstr "WARNUNG:" -#: ../../Zotlabs/Storage/Browser.php:305 +#: ../../Zotlabs/Storage/Browser.php:322 msgid "Create new folder" msgstr "Neuen Ordner anlegen" -#: ../../Zotlabs/Storage/Browser.php:307 +#: ../../Zotlabs/Storage/Browser.php:324 msgid "Upload file" msgstr "Datei hochladen" -#: ../../Zotlabs/Web/WebServer.php:127 ../../Zotlabs/Module/Dreport.php:10 -#: ../../Zotlabs/Module/Dreport.php:66 ../../Zotlabs/Module/Group.php:72 -#: ../../Zotlabs/Module/Like.php:283 ../../Zotlabs/Module/Import_items.php:114 -#: ../../Zotlabs/Module/Profperm.php:28 ../../Zotlabs/Module/Subthread.php:62 -#: ../../include/items.php:384 -msgid "Permission denied" -msgstr "Keine Berechtigung" +#: ../../Zotlabs/Storage/Browser.php:337 +msgid "Drop files here to immediately upload" +msgstr "Dateien zum sofortigen Hochladen hier fallen lassen" -#: ../../Zotlabs/Web/WebServer.php:128 ../../Zotlabs/Web/Router.php:65 -#: ../../Zotlabs/Module/Achievements.php:34 -#: ../../Zotlabs/Module/Connedit.php:390 ../../Zotlabs/Module/Id.php:76 -#: ../../Zotlabs/Module/Authtest.php:16 ../../Zotlabs/Module/Events.php:264 -#: ../../Zotlabs/Module/Bookmarks.php:61 ../../Zotlabs/Module/Editpost.php:17 +#: ../../Zotlabs/Web/Router.php:65 ../../Zotlabs/Web/WebServer.php:128 +#: ../../Zotlabs/Module/Achievements.php:34 ../../Zotlabs/Module/Setup.php:215 +#: ../../Zotlabs/Module/Webpages.php:95 ../../Zotlabs/Module/Authtest.php:16 +#: ../../Zotlabs/Module/Profiles.php:203 ../../Zotlabs/Module/Profiles.php:601 +#: ../../Zotlabs/Module/Bookmarks.php:61 ../../Zotlabs/Module/Item.php:213 +#: ../../Zotlabs/Module/Item.php:221 ../../Zotlabs/Module/Item.php:1071 #: ../../Zotlabs/Module/Page.php:35 ../../Zotlabs/Module/Page.php:91 +#: ../../Zotlabs/Module/Channel.php:104 ../../Zotlabs/Module/Channel.php:226 +#: ../../Zotlabs/Module/Channel.php:267 #: ../../Zotlabs/Module/Connections.php:33 #: ../../Zotlabs/Module/Cover_photo.php:277 -#: ../../Zotlabs/Module/Cover_photo.php:290 ../../Zotlabs/Module/Chat.php:100 -#: ../../Zotlabs/Module/Chat.php:105 ../../Zotlabs/Module/Editlayout.php:67 +#: ../../Zotlabs/Module/Cover_photo.php:290 ../../Zotlabs/Module/Like.php:181 +#: ../../Zotlabs/Module/Editblock.php:67 +#: ../../Zotlabs/Module/Editlayout.php:67 #: ../../Zotlabs/Module/Editlayout.php:90 #: ../../Zotlabs/Module/Editwebpage.php:68 #: ../../Zotlabs/Module/Editwebpage.php:89 #: ../../Zotlabs/Module/Editwebpage.php:104 -#: ../../Zotlabs/Module/Editwebpage.php:126 ../../Zotlabs/Module/Group.php:13 -#: ../../Zotlabs/Module/Appman.php:75 ../../Zotlabs/Module/Pdledit.php:26 -#: ../../Zotlabs/Module/Filestorage.php:23 +#: ../../Zotlabs/Module/Editwebpage.php:126 ../../Zotlabs/Module/Appman.php:75 +#: ../../Zotlabs/Module/Pdledit.php:26 ../../Zotlabs/Module/Filestorage.php:23 #: ../../Zotlabs/Module/Filestorage.php:78 #: ../../Zotlabs/Module/Filestorage.php:93 #: ../../Zotlabs/Module/Filestorage.php:120 -#: ../../Zotlabs/Module/Layouts.php:71 ../../Zotlabs/Module/Layouts.php:78 -#: ../../Zotlabs/Module/Layouts.php:89 ../../Zotlabs/Module/Like.php:181 -#: ../../Zotlabs/Module/Profiles.php:203 ../../Zotlabs/Module/Profiles.php:601 -#: ../../Zotlabs/Module/Item.php:213 ../../Zotlabs/Module/Item.php:221 -#: ../../Zotlabs/Module/Item.php:1071 ../../Zotlabs/Module/Photos.php:73 +#: ../../Zotlabs/Module/Connedit.php:398 ../../Zotlabs/Module/Group.php:13 +#: ../../Zotlabs/Module/Menu.php:78 ../../Zotlabs/Module/Block.php:26 +#: ../../Zotlabs/Module/Block.php:76 ../../Zotlabs/Module/Editpost.php:17 #: ../../Zotlabs/Module/Invite.php:17 ../../Zotlabs/Module/Invite.php:91 -#: ../../Zotlabs/Module/Locs.php:87 ../../Zotlabs/Module/Mail.php:121 -#: ../../Zotlabs/Module/Manage.php:10 ../../Zotlabs/Module/Menu.php:78 -#: ../../Zotlabs/Module/Message.php:18 ../../Zotlabs/Module/Mood.php:116 -#: ../../Zotlabs/Module/Network.php:15 ../../Zotlabs/Module/Channel.php:104 -#: ../../Zotlabs/Module/Channel.php:225 ../../Zotlabs/Module/Channel.php:266 -#: ../../Zotlabs/Module/Mitem.php:115 ../../Zotlabs/Module/New_channel.php:77 +#: ../../Zotlabs/Module/Locs.php:87 ../../Zotlabs/Module/Chat.php:100 +#: ../../Zotlabs/Module/Chat.php:105 ../../Zotlabs/Module/Events.php:264 +#: ../../Zotlabs/Module/Message.php:18 ../../Zotlabs/Module/Mail.php:121 +#: ../../Zotlabs/Module/Mood.php:116 ../../Zotlabs/Module/Manage.php:10 +#: ../../Zotlabs/Module/Photos.php:73 ../../Zotlabs/Module/Settings.php:642 +#: ../../Zotlabs/Module/New_channel.php:77 #: ../../Zotlabs/Module/New_channel.php:104 #: ../../Zotlabs/Module/Notifications.php:70 ../../Zotlabs/Module/Poke.php:137 #: ../../Zotlabs/Module/Profile.php:68 ../../Zotlabs/Module/Profile.php:76 -#: ../../Zotlabs/Module/Block.php:26 ../../Zotlabs/Module/Block.php:76 +#: ../../Zotlabs/Module/Blocks.php:73 ../../Zotlabs/Module/Blocks.php:80 +#: ../../Zotlabs/Module/Layouts.php:71 ../../Zotlabs/Module/Layouts.php:78 +#: ../../Zotlabs/Module/Layouts.php:89 #: ../../Zotlabs/Module/Profile_photo.php:265 #: ../../Zotlabs/Module/Profile_photo.php:278 -#: ../../Zotlabs/Module/Blocks.php:73 ../../Zotlabs/Module/Blocks.php:80 -#: ../../Zotlabs/Module/Rate.php:113 ../../Zotlabs/Module/Editblock.php:67 #: ../../Zotlabs/Module/Common.php:39 ../../Zotlabs/Module/Register.php:77 -#: ../../Zotlabs/Module/Regmod.php:21 +#: ../../Zotlabs/Module/Mitem.php:115 ../../Zotlabs/Module/Network.php:15 +#: ../../Zotlabs/Module/Regmod.php:21 ../../Zotlabs/Module/Thing.php:274 +#: ../../Zotlabs/Module/Thing.php:294 ../../Zotlabs/Module/Thing.php:335 #: ../../Zotlabs/Module/Service_limits.php:11 -#: ../../Zotlabs/Module/Settings.php:626 ../../Zotlabs/Module/Setup.php:215 -#: ../../Zotlabs/Module/Sharedwithme.php:11 ../../Zotlabs/Module/Thing.php:274 -#: ../../Zotlabs/Module/Thing.php:294 ../../Zotlabs/Module/Thing.php:331 +#: ../../Zotlabs/Module/Rate.php:113 ../../Zotlabs/Module/Sharedwithme.php:11 #: ../../Zotlabs/Module/Sources.php:74 ../../Zotlabs/Module/Suggest.php:30 -#: ../../Zotlabs/Module/Webpages.php:73 -#: ../../Zotlabs/Module/Viewconnections.php:28 +#: ../../Zotlabs/Module/Api.php:12 ../../Zotlabs/Module/Viewconnections.php:28 #: ../../Zotlabs/Module/Viewconnections.php:33 -#: ../../Zotlabs/Module/Viewsrc.php:18 ../../Zotlabs/Module/Api.php:13 -#: ../../Zotlabs/Module/Api.php:18 ../../Zotlabs/Lib/Chatroom.php:137 -#: ../../include/photos.php:27 ../../include/attach.php:141 -#: ../../include/attach.php:189 ../../include/attach.php:252 -#: ../../include/attach.php:266 ../../include/attach.php:273 -#: ../../include/attach.php:338 ../../include/attach.php:352 -#: ../../include/attach.php:359 ../../include/attach.php:439 -#: ../../include/attach.php:901 ../../include/attach.php:972 -#: ../../include/attach.php:1124 ../../include/items.php:3448 +#: ../../Zotlabs/Module/Viewsrc.php:18 ../../Zotlabs/Lib/Chatroom.php:137 +#: ../../include/items.php:3448 ../../include/photos.php:27 +#: ../../include/attach.php:142 ../../include/attach.php:190 +#: ../../include/attach.php:253 ../../include/attach.php:267 +#: ../../include/attach.php:274 ../../include/attach.php:339 +#: ../../include/attach.php:353 ../../include/attach.php:360 +#: ../../include/attach.php:440 ../../include/attach.php:902 +#: ../../include/attach.php:973 ../../include/attach.php:1125 msgid "Permission denied." msgstr "Berechtigung verweigert." @@ -389,31 +386,39 @@ msgstr "Berechtigung verweigert." msgid "Not Found" msgstr "Nicht gefunden" -#: ../../Zotlabs/Web/Router.php:149 ../../Zotlabs/Module/Display.php:118 -#: ../../Zotlabs/Module/Page.php:94 ../../Zotlabs/Module/Help.php:97 -#: ../../Zotlabs/Module/Block.php:79 +#: ../../Zotlabs/Web/Router.php:149 ../../Zotlabs/Module/Page.php:94 +#: ../../Zotlabs/Module/Help.php:97 ../../Zotlabs/Module/Block.php:79 +#: ../../Zotlabs/Module/Display.php:119 msgid "Page not found." msgstr "Seite nicht gefunden." +#: ../../Zotlabs/Web/WebServer.php:127 ../../Zotlabs/Module/Dreport.php:10 +#: ../../Zotlabs/Module/Dreport.php:66 ../../Zotlabs/Module/Like.php:283 +#: ../../Zotlabs/Module/Group.php:72 ../../Zotlabs/Module/Import_items.php:114 +#: ../../Zotlabs/Module/Profperm.php:28 ../../Zotlabs/Module/Subthread.php:62 +#: ../../include/items.php:384 +msgid "Permission denied" +msgstr "Keine Berechtigung" + #: ../../Zotlabs/Zot/Auth.php:138 msgid "" "Remote authentication blocked. You are logged into this site locally. Please" " logout and retry." msgstr "Fern-Authentifizierung blockiert. Du bist lokal auf diesem Server angemeldet. Bitte melde Dich ab und versuche es erneut." -#: ../../Zotlabs/Zot/Auth.php:246 ../../Zotlabs/Module/Openid.php:76 -#: ../../Zotlabs/Module/Openid.php:183 +#: ../../Zotlabs/Zot/Auth.php:246 #, php-format msgid "Welcome %s. Remote authentication successful." msgstr "Willkommen %s. Entfernte Authentifizierung erfolgreich." #: ../../Zotlabs/Module/Achievements.php:15 -#: ../../Zotlabs/Module/Connect.php:17 ../../Zotlabs/Module/Editlayout.php:31 -#: ../../Zotlabs/Module/Editwebpage.php:32 ../../Zotlabs/Module/Hcard.php:12 -#: ../../Zotlabs/Module/Filestorage.php:59 ../../Zotlabs/Module/Layouts.php:31 +#: ../../Zotlabs/Module/Webpages.php:33 ../../Zotlabs/Module/Editblock.php:31 +#: ../../Zotlabs/Module/Editlayout.php:31 +#: ../../Zotlabs/Module/Editwebpage.php:32 +#: ../../Zotlabs/Module/Filestorage.php:59 ../../Zotlabs/Module/Hcard.php:12 #: ../../Zotlabs/Module/Profile.php:20 ../../Zotlabs/Module/Blocks.php:33 -#: ../../Zotlabs/Module/Editblock.php:31 ../../Zotlabs/Module/Webpages.php:33 -#: ../../include/channel.php:876 +#: ../../Zotlabs/Module/Layouts.php:31 ../../Zotlabs/Module/Connect.php:17 +#: ../../include/channel.php:859 msgid "Requested profile is not available." msgstr "Das angefragte Profil ist nicht verfügbar." @@ -429,488 +434,618 @@ msgstr "Abwesend" msgid "Online" msgstr "Online" -#: ../../Zotlabs/Module/Connedit.php:80 -msgid "Could not access contact record." -msgstr "Konnte nicht auf den Kontakteintrag zugreifen." +#: ../../Zotlabs/Module/Setup.php:179 +msgid "$Projectname Server - Setup" +msgstr "$Projectname Server-Einrichtung" -#: ../../Zotlabs/Module/Connedit.php:104 -msgid "Could not locate selected profile." -msgstr "GewƤhltes Profil nicht gefunden." +#: ../../Zotlabs/Module/Setup.php:183 +msgid "Could not connect to database." +msgstr "Kann nicht mit der Datenbank verbinden." -#: ../../Zotlabs/Module/Connedit.php:248 -msgid "Connection updated." -msgstr "Verbindung aktualisiert." - -#: ../../Zotlabs/Module/Connedit.php:250 -msgid "Failed to update connection record." -msgstr "Konnte den Verbindungseintrag nicht aktualisieren." - -#: ../../Zotlabs/Module/Connedit.php:300 -msgid "is now connected to" -msgstr "ist jetzt verbunden mit" - -#: ../../Zotlabs/Module/Connedit.php:403 ../../Zotlabs/Module/Connedit.php:685 -#: ../../Zotlabs/Module/Events.php:458 ../../Zotlabs/Module/Events.php:459 -#: ../../Zotlabs/Module/Events.php:468 -#: ../../Zotlabs/Module/Filestorage.php:156 -#: ../../Zotlabs/Module/Filestorage.php:164 -#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Photos.php:664 -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 -#: ../../Zotlabs/Module/Mitem.php:158 ../../Zotlabs/Module/Mitem.php:159 -#: ../../Zotlabs/Module/Mitem.php:232 ../../Zotlabs/Module/Mitem.php:233 -#: ../../Zotlabs/Module/Admin.php:459 ../../Zotlabs/Module/Removeme.php:63 -#: ../../Zotlabs/Module/Settings.php:635 ../../Zotlabs/Module/Api.php:89 -#: ../../include/dir_fns.php:143 ../../include/dir_fns.php:144 -#: ../../include/dir_fns.php:145 ../../view/theme/redbasic/php/config.php:105 -#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1708 -msgid "No" -msgstr "Nein" - -#: ../../Zotlabs/Module/Connedit.php:403 ../../Zotlabs/Module/Events.php:458 -#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:468 -#: ../../Zotlabs/Module/Filestorage.php:156 -#: ../../Zotlabs/Module/Filestorage.php:164 -#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Photos.php:664 -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 -#: ../../Zotlabs/Module/Mitem.php:158 ../../Zotlabs/Module/Mitem.php:159 -#: ../../Zotlabs/Module/Mitem.php:232 ../../Zotlabs/Module/Mitem.php:233 -#: ../../Zotlabs/Module/Admin.php:461 ../../Zotlabs/Module/Removeme.php:63 -#: ../../Zotlabs/Module/Settings.php:635 ../../Zotlabs/Module/Api.php:88 -#: ../../include/dir_fns.php:143 ../../include/dir_fns.php:144 -#: ../../include/dir_fns.php:145 ../../view/theme/redbasic/php/config.php:105 -#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1708 -msgid "Yes" -msgstr "Ja" - -#: ../../Zotlabs/Module/Connedit.php:435 -msgid "Could not access address book record." -msgstr "Konnte nicht auf den Adressbuch-Eintrag zugreifen." - -#: ../../Zotlabs/Module/Connedit.php:455 -msgid "Refresh failed - channel is currently unavailable." -msgstr "Aktualisierung fehlgeschlagen – der Kanal ist im Moment nicht erreichbar." - -#: ../../Zotlabs/Module/Connedit.php:470 ../../Zotlabs/Module/Connedit.php:479 -#: ../../Zotlabs/Module/Connedit.php:488 ../../Zotlabs/Module/Connedit.php:497 -#: ../../Zotlabs/Module/Connedit.php:510 -msgid "Unable to set address book parameters." -msgstr "Konnte die Adressbuch-Parameter nicht setzen." - -#: ../../Zotlabs/Module/Connedit.php:533 -msgid "Connection has been removed." -msgstr "Verbindung wurde gelƶscht." - -#: ../../Zotlabs/Module/Connedit.php:549 ../../Zotlabs/Lib/Apps.php:221 -#: ../../include/nav.php:86 ../../include/conversation.php:957 -msgid "View Profile" -msgstr "Profil ansehen" - -#: ../../Zotlabs/Module/Connedit.php:552 -#, php-format -msgid "View %s's profile" -msgstr "%ss Profil ansehen" - -#: ../../Zotlabs/Module/Connedit.php:556 -msgid "Refresh Permissions" -msgstr "Zugriffsrechte neu laden" - -#: ../../Zotlabs/Module/Connedit.php:559 -msgid "Fetch updated permissions" -msgstr "Aktualisierte Zugriffsrechte abfragen" - -#: ../../Zotlabs/Module/Connedit.php:563 -msgid "Recent Activity" -msgstr "Kürzliche AktivitƤten" - -#: ../../Zotlabs/Module/Connedit.php:566 -msgid "View recent posts and comments" -msgstr "Betrachte die neuesten BeitrƤge und Kommentare" - -#: ../../Zotlabs/Module/Connedit.php:570 ../../Zotlabs/Module/Admin.php:1041 -msgid "Unblock" -msgstr "Freigeben" - -#: ../../Zotlabs/Module/Connedit.php:570 ../../Zotlabs/Module/Admin.php:1040 -msgid "Block" -msgstr "Blockieren" - -#: ../../Zotlabs/Module/Connedit.php:573 -msgid "Block (or Unblock) all communications with this connection" -msgstr "Jegliche Kommunikation mit dieser Verbindung blockieren/zulassen" - -#: ../../Zotlabs/Module/Connedit.php:574 -msgid "This connection is blocked!" -msgstr "Die Verbindung ist geblockt!" - -#: ../../Zotlabs/Module/Connedit.php:578 -msgid "Unignore" -msgstr "Nicht ignorieren" - -#: ../../Zotlabs/Module/Connedit.php:578 -#: ../../Zotlabs/Module/Connections.php:277 -#: ../../Zotlabs/Module/Notifications.php:55 -msgid "Ignore" -msgstr "Ignorieren" - -#: ../../Zotlabs/Module/Connedit.php:581 -msgid "Ignore (or Unignore) all inbound communications from this connection" -msgstr "Jegliche eingehende Kommunikation von dieser Verbindung ignorieren/zulassen" - -#: ../../Zotlabs/Module/Connedit.php:582 -msgid "This connection is ignored!" -msgstr "Die Verbindung wird ignoriert!" - -#: ../../Zotlabs/Module/Connedit.php:586 -msgid "Unarchive" -msgstr "Aus Archiv zurückholen" - -#: ../../Zotlabs/Module/Connedit.php:586 -msgid "Archive" -msgstr "Archivieren" - -#: ../../Zotlabs/Module/Connedit.php:589 +#: ../../Zotlabs/Module/Setup.php:187 msgid "" -"Archive (or Unarchive) this connection - mark channel dead but keep content" -msgstr "Verbindung archivieren/aus dem Archiv zurückholen (Archiv = Kanal als erloschen markieren, aber die BeitrƤge behalten)" +"Could not connect to specified site URL. Possible SSL certificate or DNS " +"issue." +msgstr "Konnte die angegebene Webseiten-URL nicht erreichen. Mƶglicherweise ein Problem mit dem SSL-Zertifikat oder dem DNS." -#: ../../Zotlabs/Module/Connedit.php:590 -msgid "This connection is archived!" -msgstr "Die Verbindung ist archiviert!" +#: ../../Zotlabs/Module/Setup.php:194 +msgid "Could not create table." +msgstr "Konnte Tabelle nicht erstellen." -#: ../../Zotlabs/Module/Connedit.php:594 -msgid "Unhide" -msgstr "Wieder sichtbar machen" +#: ../../Zotlabs/Module/Setup.php:199 +msgid "Your site database has been installed." +msgstr "Die Datenbank Deines Hubs wurde installiert." -#: ../../Zotlabs/Module/Connedit.php:594 -msgid "Hide" -msgstr "Verstecken" - -#: ../../Zotlabs/Module/Connedit.php:597 -msgid "Hide or Unhide this connection from your other connections" -msgstr "Diese Verbindung vor anderen Verbindungen verstecken/zeigen" - -#: ../../Zotlabs/Module/Connedit.php:598 -msgid "This connection is hidden!" -msgstr "Die Verbindung ist versteckt!" - -#: ../../Zotlabs/Module/Connedit.php:605 -msgid "Delete this connection" -msgstr "Verbindung lƶschen" - -#: ../../Zotlabs/Module/Connedit.php:620 ../../include/widgets.php:493 -msgid "Me" -msgstr "Ich" - -#: ../../Zotlabs/Module/Connedit.php:621 ../../include/widgets.php:494 -msgid "Family" -msgstr "Familie" - -#: ../../Zotlabs/Module/Connedit.php:622 ../../Zotlabs/Module/Settings.php:391 -#: ../../Zotlabs/Module/Settings.php:395 ../../Zotlabs/Module/Settings.php:396 -#: ../../Zotlabs/Module/Settings.php:399 ../../Zotlabs/Module/Settings.php:410 -#: ../../include/channel.php:402 ../../include/channel.php:403 -#: ../../include/channel.php:410 ../../include/selectors.php:123 -#: ../../include/widgets.php:495 -msgid "Friends" -msgstr "Freunde" - -#: ../../Zotlabs/Module/Connedit.php:623 ../../include/widgets.php:496 -msgid "Acquaintances" -msgstr "Bekannte" - -#: ../../Zotlabs/Module/Connedit.php:624 -#: ../../Zotlabs/Module/Connections.php:92 -#: ../../Zotlabs/Module/Connections.php:107 ../../include/widgets.php:497 -msgid "All" -msgstr "Alle" - -#: ../../Zotlabs/Module/Connedit.php:685 -msgid "Approve this connection" -msgstr "Verbindung genehmigen" - -#: ../../Zotlabs/Module/Connedit.php:685 -msgid "Accept connection to allow communication" -msgstr "Akzeptiere die Verbindung, um Kommunikation zu ermƶglichen" - -#: ../../Zotlabs/Module/Connedit.php:690 -msgid "Set Affinity" -msgstr "Beziehung festlegen" - -#: ../../Zotlabs/Module/Connedit.php:693 -msgid "Set Profile" -msgstr "Profil festlegen" - -#: ../../Zotlabs/Module/Connedit.php:696 -msgid "Set Affinity & Profile" -msgstr "Beziehung und Profile festlegen" - -#: ../../Zotlabs/Module/Connedit.php:745 -msgid "none" -msgstr "Keine" - -#: ../../Zotlabs/Module/Connedit.php:749 ../../include/widgets.php:623 -msgid "Connection Default Permissions" -msgstr "Standardzugriffsrechte für neue Verbindungen:" - -#: ../../Zotlabs/Module/Connedit.php:749 ../../include/items.php:3935 -#, php-format -msgid "Connection: %s" -msgstr "Verbindung: %s" - -#: ../../Zotlabs/Module/Connedit.php:750 -msgid "Apply these permissions automatically" -msgstr "Diese Berechtigungen automatisch anwenden" - -#: ../../Zotlabs/Module/Connedit.php:750 -msgid "Connection requests will be approved without your interaction" -msgstr "Verbindungsanfragen werden sofort bestƤtigt, ohne dass Deine aktive Zustimmung erforderlich ist." - -#: ../../Zotlabs/Module/Connedit.php:752 -msgid "This connection's primary address is" -msgstr "Die Hauptadresse der Verbindung ist" - -#: ../../Zotlabs/Module/Connedit.php:753 -msgid "Available locations:" -msgstr "Verfügbare Klone:" - -#: ../../Zotlabs/Module/Connedit.php:757 +#: ../../Zotlabs/Module/Setup.php:203 msgid "" -"The permissions indicated on this page will be applied to all new " -"connections." -msgstr "Die auf dieser Seite angegebenen Berechtigungen werden auf alle neuen Verbindungen angewendet." +"You may need to import the file \"install/schema_xxx.sql\" manually using a " +"database client." +msgstr "Mƶglicherweise musst Du die Datei install/schema_xxx.sql manuell mit Hilfe eines Datenkbank-Clients importieren." -#: ../../Zotlabs/Module/Connedit.php:758 -msgid "Connection Tools" -msgstr "Verbindungswerkzeuge" +#: ../../Zotlabs/Module/Setup.php:204 ../../Zotlabs/Module/Setup.php:266 +#: ../../Zotlabs/Module/Setup.php:722 +msgid "Please see the file \"install/INSTALL.txt\"." +msgstr "Lies die Datei \"install/INSTALL.txt\"." -#: ../../Zotlabs/Module/Connedit.php:760 -msgid "Slide to adjust your degree of friendship" -msgstr "Verschieben, um den Grad der Freundschaft zu einzustellen" +#: ../../Zotlabs/Module/Setup.php:263 +msgid "System check" +msgstr "Systemprüfung" -#: ../../Zotlabs/Module/Connedit.php:761 ../../Zotlabs/Module/Rate.php:159 -#: ../../include/js_strings.php:20 -msgid "Rating" -msgstr "Bewertung" +#: ../../Zotlabs/Module/Setup.php:267 ../../Zotlabs/Module/Events.php:676 +#: ../../Zotlabs/Module/Events.php:685 ../../Zotlabs/Module/Photos.php:960 +#: ../../Zotlabs/Module/Cal.php:333 ../../Zotlabs/Module/Cal.php:340 +msgid "Next" +msgstr "NƤchste" -#: ../../Zotlabs/Module/Connedit.php:762 -msgid "Slide to adjust your rating" -msgstr "Verschieben, um Deine Bewertung einzustellen" +#: ../../Zotlabs/Module/Setup.php:268 +msgid "Check again" +msgstr "Nochmal prüfen" -#: ../../Zotlabs/Module/Connedit.php:763 ../../Zotlabs/Module/Connedit.php:768 -msgid "Optionally explain your rating" -msgstr "Optional kannst Du Deine Bewertung begründen" +#: ../../Zotlabs/Module/Setup.php:290 +msgid "Database connection" +msgstr "Datenbankverbindung" -#: ../../Zotlabs/Module/Connedit.php:765 -msgid "Custom Filter" -msgstr "Benutzerdefinierter Filter" - -#: ../../Zotlabs/Module/Connedit.php:766 -msgid "Only import posts with this text" -msgstr "Nur BeitrƤge mit diesem Text importieren" - -#: ../../Zotlabs/Module/Connedit.php:766 ../../Zotlabs/Module/Connedit.php:767 +#: ../../Zotlabs/Module/Setup.php:291 msgid "" -"words one per line or #tags or /patterns/ or lang=xx, leave blank to import " -"all posts" -msgstr "Einzelne Wƶrter pro Zeile, #Tags oder /RegulƤre Ausdrücke/. lang=xx (z.B. lang=de) ermƶglicht Filterung nach Sprache. Leer lassen, um alle BeitrƤge zu importieren." +"In order to install $Projectname we need to know how to connect to your " +"database." +msgstr "Um $Projectname zu installieren, müssen wir wissen, wie wir eine Verbindung zu Deiner Datenbank aufbauen kƶnnen." -#: ../../Zotlabs/Module/Connedit.php:767 -msgid "Do not import posts with this text" -msgstr "BeitrƤge mit diesem Text nicht importieren" +#: ../../Zotlabs/Module/Setup.php:292 +msgid "" +"Please contact your hosting provider or site administrator if you have " +"questions about these settings." +msgstr "Bitte kontaktiere Deinen Hosting-Provider oder Administrator, falls Du Fragen zu diesen Einstellungen hast." -#: ../../Zotlabs/Module/Connedit.php:769 -msgid "This information is public!" -msgstr "Diese Information ist ƶffentlich!" +#: ../../Zotlabs/Module/Setup.php:293 +msgid "" +"The database you specify below should already exist. If it does not, please " +"create it before continuing." +msgstr "Die Datenbank, die Du weiter unten angibst, sollte bereits existieren. Sollte das noch nicht der Fall sein, erzeuge sie bitte bevor Du fortfƤhrst." -#: ../../Zotlabs/Module/Connedit.php:774 -msgid "Connection Pending Approval" -msgstr "Verbindung wartet auf BestƤtigung" +#: ../../Zotlabs/Module/Setup.php:297 +msgid "Database Server Name" +msgstr "Datenbankservername" -#: ../../Zotlabs/Module/Connedit.php:777 -msgid "inherited" -msgstr "geerbt" +#: ../../Zotlabs/Module/Setup.php:297 +msgid "Default is 127.0.0.1" +msgstr "Standard ist 127.0.0.1" -#: ../../Zotlabs/Module/Connedit.php:778 ../../Zotlabs/Module/Connect.php:98 -#: ../../Zotlabs/Module/Events.php:474 ../../Zotlabs/Module/Cal.php:338 -#: ../../Zotlabs/Module/Chat.php:196 ../../Zotlabs/Module/Chat.php:238 -#: ../../Zotlabs/Module/Group.php:85 ../../Zotlabs/Module/Appman.php:126 +#: ../../Zotlabs/Module/Setup.php:298 +msgid "Database Port" +msgstr "Datenbankport" + +#: ../../Zotlabs/Module/Setup.php:298 +msgid "Communication port number - use 0 for default" +msgstr "Port-Nummer für die Kommunikation – verwende 0 für die Standardeinstellung" + +#: ../../Zotlabs/Module/Setup.php:299 +msgid "Database Login Name" +msgstr "Datenbank-Benutzername" + +#: ../../Zotlabs/Module/Setup.php:300 +msgid "Database Login Password" +msgstr "Datenbank-Passwort" + +#: ../../Zotlabs/Module/Setup.php:301 +msgid "Database Name" +msgstr "Datenbankname" + +#: ../../Zotlabs/Module/Setup.php:302 +msgid "Database Type" +msgstr "Datenbanktyp" + +#: ../../Zotlabs/Module/Setup.php:304 ../../Zotlabs/Module/Setup.php:344 +msgid "Site administrator email address" +msgstr "E-Mail Adresse des Seiten-Administrators" + +#: ../../Zotlabs/Module/Setup.php:304 ../../Zotlabs/Module/Setup.php:344 +msgid "" +"Your account email address must match this in order to use the web admin " +"panel." +msgstr "Die E-Mail-Adresse Deines Accounts muss dieser Adresse entsprechen, damit Du Zugriff zur Administrations-Seite erhƤltst." + +#: ../../Zotlabs/Module/Setup.php:305 ../../Zotlabs/Module/Setup.php:346 +msgid "Website URL" +msgstr "Webseiten-URL" + +#: ../../Zotlabs/Module/Setup.php:305 ../../Zotlabs/Module/Setup.php:346 +msgid "Please use SSL (https) URL if available." +msgstr "Nutze wenn mƶglich eine SSL-URL (https)." + +#: ../../Zotlabs/Module/Setup.php:306 ../../Zotlabs/Module/Setup.php:349 +msgid "Please select a default timezone for your website" +msgstr "Standard-Zeitzone für Deinen Server" + +#: ../../Zotlabs/Module/Setup.php:312 ../../Zotlabs/Module/Setup.php:353 +#: ../../Zotlabs/Module/Profiles.php:687 ../../Zotlabs/Module/Appman.php:126 #: ../../Zotlabs/Module/Pdledit.php:66 -#: ../../Zotlabs/Module/Filestorage.php:161 -#: ../../Zotlabs/Module/Profiles.php:687 ../../Zotlabs/Module/Import.php:560 -#: ../../Zotlabs/Module/Photos.php:675 ../../Zotlabs/Module/Photos.php:1050 -#: ../../Zotlabs/Module/Photos.php:1090 ../../Zotlabs/Module/Photos.php:1208 +#: ../../Zotlabs/Module/Filestorage.php:165 +#: ../../Zotlabs/Module/Connedit.php:786 ../../Zotlabs/Module/Group.php:85 #: ../../Zotlabs/Module/Import_items.php:122 #: ../../Zotlabs/Module/Invite.php:146 ../../Zotlabs/Module/Locs.php:121 -#: ../../Zotlabs/Module/Mail.php:370 ../../Zotlabs/Module/Mood.php:139 -#: ../../Zotlabs/Module/Mitem.php:235 ../../Zotlabs/Module/Admin.php:492 +#: ../../Zotlabs/Module/Chat.php:196 ../../Zotlabs/Module/Chat.php:241 +#: ../../Zotlabs/Module/Events.php:484 ../../Zotlabs/Module/Mail.php:370 +#: ../../Zotlabs/Module/Mood.php:139 ../../Zotlabs/Module/Photos.php:679 +#: ../../Zotlabs/Module/Photos.php:1058 ../../Zotlabs/Module/Photos.php:1098 +#: ../../Zotlabs/Module/Photos.php:1216 ../../Zotlabs/Module/Settings.php:660 +#: ../../Zotlabs/Module/Settings.php:773 ../../Zotlabs/Module/Settings.php:864 +#: ../../Zotlabs/Module/Settings.php:890 ../../Zotlabs/Module/Settings.php:913 +#: ../../Zotlabs/Module/Settings.php:1001 +#: ../../Zotlabs/Module/Settings.php:1187 ../../Zotlabs/Module/Admin.php:492 #: ../../Zotlabs/Module/Admin.php:688 ../../Zotlabs/Module/Admin.php:771 #: ../../Zotlabs/Module/Admin.php:1032 ../../Zotlabs/Module/Admin.php:1211 #: ../../Zotlabs/Module/Admin.php:1421 ../../Zotlabs/Module/Admin.php:1648 #: ../../Zotlabs/Module/Admin.php:1733 ../../Zotlabs/Module/Admin.php:2116 #: ../../Zotlabs/Module/Poke.php:186 ../../Zotlabs/Module/Pconfig.php:107 -#: ../../Zotlabs/Module/Rate.php:170 ../../Zotlabs/Module/Settings.php:644 -#: ../../Zotlabs/Module/Settings.php:757 ../../Zotlabs/Module/Settings.php:806 -#: ../../Zotlabs/Module/Settings.php:832 ../../Zotlabs/Module/Settings.php:855 -#: ../../Zotlabs/Module/Settings.php:943 -#: ../../Zotlabs/Module/Settings.php:1129 ../../Zotlabs/Module/Setup.php:312 -#: ../../Zotlabs/Module/Setup.php:353 ../../Zotlabs/Module/Thing.php:316 -#: ../../Zotlabs/Module/Thing.php:362 ../../Zotlabs/Module/Sources.php:114 -#: ../../Zotlabs/Module/Sources.php:149 ../../Zotlabs/Module/Xchan.php:15 -#: ../../Zotlabs/Lib/ThreadItem.php:710 ../../include/widgets.php:763 -#: ../../include/js_strings.php:22 ../../view/theme/redbasic/php/config.php:99 +#: ../../Zotlabs/Module/Cal.php:338 ../../Zotlabs/Module/Mitem.php:243 +#: ../../Zotlabs/Module/Connect.php:98 ../../Zotlabs/Module/Thing.php:320 +#: ../../Zotlabs/Module/Thing.php:370 ../../Zotlabs/Module/Rate.php:170 +#: ../../Zotlabs/Module/Sources.php:114 ../../Zotlabs/Module/Sources.php:149 +#: ../../Zotlabs/Module/Import.php:560 ../../Zotlabs/Module/Xchan.php:15 +#: ../../Zotlabs/Lib/ThreadItem.php:711 ../../include/js_strings.php:22 +#: ../../include/widgets.php:763 ../../view/theme/redbasic/php/config.php:99 msgid "Submit" -msgstr "BestƤtigen" +msgstr "Absenden" -#: ../../Zotlabs/Module/Connedit.php:779 +#: ../../Zotlabs/Module/Setup.php:333 +msgid "Site settings" +msgstr "Seiteneinstellungen" + +#: ../../Zotlabs/Module/Setup.php:347 +msgid "Enable $Projectname advanced features?" +msgstr "Erweiterte Funktionen für $Projectname aktivieren?" + +#: ../../Zotlabs/Module/Setup.php:347 +msgid "" +"Some advanced features, while useful - may be best suited for technically " +"proficient audiences" +msgstr "Einige erweiterte Funktionen kƶnnen ungeachtet ihrer Nützlichkeit eher für eine technisch versierte Zielgruppe geeignet sein." + +#: ../../Zotlabs/Module/Setup.php:388 +msgid "PHP version 5.5 or greater is required." +msgstr "PHP-Version 5.5 oder hƶher ist erforderlich." + +#: ../../Zotlabs/Module/Setup.php:389 +msgid "PHP version" +msgstr "PHP-Version" + +#: ../../Zotlabs/Module/Setup.php:404 +msgid "Could not find a command line version of PHP in the web server PATH." +msgstr "Konnte die Kommandozeilen-Version von PHP nicht im PATH des Web-Servers finden." + +#: ../../Zotlabs/Module/Setup.php:405 +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." +msgstr "Ohne Kommandozeilen-Version von PHP auf dem Server wirst Du nicht in der Lage sein, Hintergrundprozesse via cron auszuführen." + +#: ../../Zotlabs/Module/Setup.php:409 +msgid "PHP executable path" +msgstr "PHP-Pfad zu ausführbarer Datei" + +#: ../../Zotlabs/Module/Setup.php:409 +msgid "" +"Enter full path to php executable. You can leave this blank to continue the " +"installation." +msgstr "Gib den vollen Pfad zum PHP-Interpreter an. Du kannst dieses Feld frei lassen und mit der Installation fortfahren." + +#: ../../Zotlabs/Module/Setup.php:414 +msgid "Command line PHP" +msgstr "PHP-Befehlszeile" + +#: ../../Zotlabs/Module/Setup.php:423 +msgid "" +"The command line version of PHP on your system does not have " +"\"register_argc_argv\" enabled." +msgstr "Bei der Kommandozeilen-Version von PHP auf Deinem System ist \"register_argc_argv\" nicht aktiviert." + +#: ../../Zotlabs/Module/Setup.php:424 +msgid "This is required for message delivery to work." +msgstr "Das wird benƶtigt, damit die Auslieferung von Nachrichten funktioniert." + +#: ../../Zotlabs/Module/Setup.php:427 +msgid "PHP register_argc_argv" +msgstr "PHP register_argc_argv" + +#: ../../Zotlabs/Module/Setup.php:445 #, php-format msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Bitte wƤhle ein Profil, das wir %s zeigen sollen, wenn Deine Profilseite über eine verifizierte Verbindung aufgerufen wird." +"Your max allowed total upload size is set to %s. Maximum size of one file to" +" upload is set to %s. You are allowed to upload up to %d files at once." +msgstr "Die Maximalgröße für Uploads insgesamt liegt bei %s. Die Maximalgröße für eine Datei liegt bei %s. Es kƶnnen maximal %d Dateien gleichzeitig hochgeladen werden." -#: ../../Zotlabs/Module/Connedit.php:781 -msgid "Their Settings" -msgstr "Deren Einstellungen" +#: ../../Zotlabs/Module/Setup.php:450 +msgid "You can adjust these settings in the servers php.ini." +msgstr "Du kannst diese Einstellungen in der php.ini des Servers Ƥndern." -#: ../../Zotlabs/Module/Connedit.php:782 -msgid "My Settings" -msgstr "Meine Einstellungen" +#: ../../Zotlabs/Module/Setup.php:452 +msgid "PHP upload limits" +msgstr "PHP-HochladebeschrƤnkungen" -#: ../../Zotlabs/Module/Connedit.php:784 -msgid "Individual Permissions" -msgstr "Individuelle Zugriffsrechte" - -#: ../../Zotlabs/Module/Connedit.php:785 +#: ../../Zotlabs/Module/Setup.php:475 msgid "" -"Some permissions may be inherited from your channel's privacy settings, which have higher " -"priority than individual settings. You can not change those" -" settings here." -msgstr "Einige Berechtigungen werden mƶglicherweise von den globalen Sicherheits- und PrivatsphƤre-Einstellungen dieses Kanals vererbt. Diese haben eine hƶhere PrioritƤt als die Einstellungen an der Verbindung und kƶnnen hier nicht verƤndert werden." +"Error: the \"openssl_pkey_new\" function on this system is not able to " +"generate encryption keys" +msgstr "Fehler: Die ā€žopenssl_pkey_newā€œ-Funktion auf diesem System ist nicht in der Lage, Schlüssel für die Verschlüsselung zu erzeugen." -#: ../../Zotlabs/Module/Connedit.php:786 +#: ../../Zotlabs/Module/Setup.php:476 msgid "" -"Some permissions may be inherited from your channel's privacy settings, which have higher " -"priority than individual settings. You can change those settings here but " -"they wont have any impact unless the inherited setting changes." -msgstr "Einige Berechtigungen werden mƶglicherweise von den globalen Sicherheits- und PrivatsphƤre-Einstellungen dieses Kanals geerbt. Diese haben eine hƶhere PrioritƤt als die Einstellungen an der Verbindung. Werden geerbte Einstellungen hier geƤndert, hat dies keine Auswirkungen." +"If running under Windows, please see " +"\"http://www.php.net/manual/en/openssl.installation.php\"." +msgstr "Wenn Du Windows verwendest, findest Du unter http://www.php.net/manual/en/openssl.installation.php eine Installationsanleitung." -#: ../../Zotlabs/Module/Connedit.php:787 -msgid "Last update:" -msgstr "Letzte Aktualisierung:" +#: ../../Zotlabs/Module/Setup.php:479 +msgid "Generate encryption keys" +msgstr "Verschlüsselungsschlüssel erzeugen" -#: ../../Zotlabs/Module/Display.php:17 ../../Zotlabs/Module/Directory.php:63 +#: ../../Zotlabs/Module/Setup.php:491 +msgid "libCurl PHP module" +msgstr "libCurl-PHP-Modul" + +#: ../../Zotlabs/Module/Setup.php:492 +msgid "GD graphics PHP module" +msgstr "GD-Grafik-PHP-Modul" + +#: ../../Zotlabs/Module/Setup.php:493 +msgid "OpenSSL PHP module" +msgstr "OpenSSL-PHP-Modul" + +#: ../../Zotlabs/Module/Setup.php:494 +msgid "mysqli or postgres PHP module" +msgstr "mysqli oder postgres PHP-Modul" + +#: ../../Zotlabs/Module/Setup.php:495 +msgid "mb_string PHP module" +msgstr "mb_string-PHP-Modul" + +#: ../../Zotlabs/Module/Setup.php:496 +msgid "xml PHP module" +msgstr "xml-PHP-Modul" + +#: ../../Zotlabs/Module/Setup.php:500 ../../Zotlabs/Module/Setup.php:502 +msgid "Apache mod_rewrite module" +msgstr "Apache-mod_rewrite-Modul" + +#: ../../Zotlabs/Module/Setup.php:500 +msgid "" +"Error: Apache webserver mod-rewrite module is required but not installed." +msgstr "Fehler: Das Apache-Modul mod-rewrite wird benƶtigt, ist aber nicht installiert." + +#: ../../Zotlabs/Module/Setup.php:506 ../../Zotlabs/Module/Setup.php:509 +msgid "proc_open" +msgstr "proc_open" + +#: ../../Zotlabs/Module/Setup.php:506 +msgid "" +"Error: proc_open is required but is either not installed or has been " +"disabled in php.ini" +msgstr "Fehler: proc_open wird benƶtigt, ist aber entweder nicht installiert oder wurde in der php.ini deaktiviert" + +#: ../../Zotlabs/Module/Setup.php:514 +msgid "Error: libCURL PHP module required but not installed." +msgstr "Fehler: Das PHP-Modul libCURL wird benƶtigt, ist aber nicht installiert." + +#: ../../Zotlabs/Module/Setup.php:518 +msgid "" +"Error: GD graphics PHP module with JPEG support required but not installed." +msgstr "Fehler: Das PHP-Modul GD-Grafik mit JPEG-Unterstützung wird benƶtigt, ist aber nicht installiert." + +#: ../../Zotlabs/Module/Setup.php:522 +msgid "Error: openssl PHP module required but not installed." +msgstr "Fehler: Das PHP-Modul openssl wird benƶtigt, ist aber nicht installiert." + +#: ../../Zotlabs/Module/Setup.php:526 +msgid "" +"Error: mysqli or postgres PHP module required but neither are installed." +msgstr "Fehler: Das mysqli oder postgres PHP-Modul ist erforderlich, aber keines von beiden ist installiert." + +#: ../../Zotlabs/Module/Setup.php:530 +msgid "Error: mb_string PHP module required but not installed." +msgstr "Fehler: Das PHP-Modul mb_string wird benƶtigt, ist aber nicht installiert." + +#: ../../Zotlabs/Module/Setup.php:534 +msgid "Error: xml PHP module required for DAV but not installed." +msgstr "Fehler: Das xml-PHP-Modul wird für DAV benƶtigt, ist aber nicht installiert." + +#: ../../Zotlabs/Module/Setup.php:552 +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 "Der Installations-Assistent muss in der Lage sein, die Datei \".htconfig.php\" im Stammverzeichnis des Web-Servers anzulegen, ist er aber nicht." + +#: ../../Zotlabs/Module/Setup.php:553 +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 "Meist liegt das daran, dass der Nutzer, unter dem der Web-Server lƤuft, keine Schreibrechte in dem Verzeichnis hat – selbst wenn Du selbst das darfst." + +#: ../../Zotlabs/Module/Setup.php:554 +msgid "" +"At the end of this procedure, we will give you a text to save in a file " +"named .htconfig.php in your Red top folder." +msgstr "Am Schluss dieses Vorgangs wird ein Text generiert, den Du unter dem Dateinamen .htconfig.php im Stammverzeichnis Deiner Hubzilla-Installation speichern musst." + +#: ../../Zotlabs/Module/Setup.php:555 +msgid "" +"You can alternatively skip this procedure and perform a manual installation." +" Please see the file \"install/INSTALL.txt\" for instructions." +msgstr "Alternativ kannst Du diesen Schritt überspringen und die Installation manuell vornehmen. Lies dazu die Datei install/INSTALL.txt." + +#: ../../Zotlabs/Module/Setup.php:558 +msgid ".htconfig.php is writable" +msgstr ".htconfig.php ist beschreibbar" + +#: ../../Zotlabs/Module/Setup.php:572 +msgid "" +"Red uses the Smarty3 template engine to render its web views. Smarty3 " +"compiles templates to PHP to speed up rendering." +msgstr "$Projectname verwendet Smarty3 um Vorlagen für die Webdarstellung zu übersetzen. Smarty3 übersetzt diese Vorlagen nach PHP, um die Darstellung zu beschleunigen." + +#: ../../Zotlabs/Module/Setup.php:573 +#, php-format +msgid "" +"In order to store these compiled templates, the web server needs to have " +"write access to the directory %s under the top level web folder." +msgstr "Um diese kompilierten Vorlagen speichern zu kƶnnen, braucht der Web-Server Schreibzugriff auf das Verzeichnis %s unterhalb des Hubzilla-Stammverzeichnisses." + +#: ../../Zotlabs/Module/Setup.php:574 ../../Zotlabs/Module/Setup.php:595 +msgid "" +"Please ensure that the user that your web server runs as (e.g. www-data) has" +" write access to this folder." +msgstr "Bitte stelle sicher, dass der Nutzer, unter dem der Web-Server lƤuft (z.B. www-data), Schreibzugriff auf dieses Verzeichnis hat." + +#: ../../Zotlabs/Module/Setup.php:575 +#, php-format +msgid "" +"Note: as a security measure, you should give the web server write access to " +"%s only--not the template files (.tpl) that it contains." +msgstr "Hinweis: Aus Sicherheitsgründen sollte der Web-Server nur auf %s Schreibrechte haben, nicht auf die Template-Dateien (.tpl), die das Verzeichnis enthƤlt." + +#: ../../Zotlabs/Module/Setup.php:578 +#, php-format +msgid "%s is writable" +msgstr "%s ist beschreibbar" + +#: ../../Zotlabs/Module/Setup.php:594 +msgid "" +"This software uses the store directory to save uploaded files. The web " +"server needs to have write access to the store directory under the Red top " +"level folder" +msgstr "Diese Software benutzt das Verzeichnis store, um hochgeladene Dateien zu speichern. Der Web-Server benƶtigt Schreibrechte für dieses Verzeichnis direkt unterhalb des Hubzilla-Stammverzeichnisses" + +#: ../../Zotlabs/Module/Setup.php:598 +msgid "store is writable" +msgstr "store ist schreibbar" + +#: ../../Zotlabs/Module/Setup.php:631 +msgid "" +"SSL certificate cannot be validated. Fix certificate or disable https access" +" to this site." +msgstr "Das SSL-Zertifikat konnte nicht validiert werden. Korrigiere das Zertifikat oder deaktiviere den HTTPS-Zugriff auf diesen Server." + +#: ../../Zotlabs/Module/Setup.php:632 +msgid "" +"If you have https access to your website or allow connections to TCP port " +"443 (the https: port), you MUST use a browser-valid certificate. You MUST " +"NOT use self-signed certificates!" +msgstr "Wenn Du via HTTPS auf Deinen Server zugreifen mƶchtest, also Verbindungen über den Port 443 mƶglich sein sollen, ist ein SSL-Zertifikat einer Zertifizierungsstelle (CA) notwendig, das von den Browsern ohne Sicherheitsabfrage akzeptiert wird. Die Verwendung eines selbst signierten Zertifikates ist nicht mƶglich." + +#: ../../Zotlabs/Module/Setup.php:633 +msgid "" +"This restriction is incorporated because public posts from you may for " +"example contain references to images on your own hub." +msgstr "Diese EinschrƤnkung wurde eingebaut, weil Deine ƶffentlichen BeitrƤge zum Beispiel Verweise auf Bilder auf Deinem eigenen Hub enthalten kƶnnen." + +#: ../../Zotlabs/Module/Setup.php:634 +msgid "" +"If your certificate is not recognized, members of other sites (who may " +"themselves have valid certificates) will get a warning message on their own " +"site complaining about security issues." +msgstr "Wenn Dein Zertifikat nicht von jedem Browser akzeptiert wird, erhalten die Mitglieder anderer $Projectname-Hubs (die mit korrekten Zertifikaten ausgestattet sind) Sicherheits-Warnmeldungen, obwohl sie gar nicht direkt auf Deinem Server unterwegs sind (zum Beispiel, wenn ein Bild aus einem Deiner BeitrƤge angezeigt wird)." + +#: ../../Zotlabs/Module/Setup.php:635 +msgid "" +"This can cause usability issues elsewhere (not just on your own site) so we " +"must insist on this requirement." +msgstr "Dies kann Probleme für andere Nutzer (nicht nur auf Deinem eigenen Server) verursachen, so dass wir auf dieser Forderung bestehen müssen." + +#: ../../Zotlabs/Module/Setup.php:636 +msgid "" +"Providers are available that issue free certificates which are browser-" +"valid." +msgstr "Es gibt einige Zertifizierungsstellen (CAs), bei denen solche Zertifikate kostenlos zu haben sind." + +#: ../../Zotlabs/Module/Setup.php:638 +msgid "" +"If you are confident that the certificate is valid and signed by a trusted " +"authority, check to see if you have failed to install an intermediate cert. " +"These are not normally required by browsers, but are required for server-to-" +"server communications." +msgstr "Wenn Du sicher bist, dass das Zertifikat gültig und von einer vertrauenswürdigen Zertifizierungsstelle signiert ist, prüfe auf ggf. noch zu installierende Zwischenzertifikate (intermediate). Diese werden nicht unbedingt von Browsern benƶtigt, aber sehr wohl für die Kommunikation zwischen Servern." + +#: ../../Zotlabs/Module/Setup.php:641 +msgid "SSL certificate validation" +msgstr "SSL Zertifikatverifizierung" + +#: ../../Zotlabs/Module/Setup.php:647 +msgid "" +"Url rewrite in .htaccess is not working. Check your server " +"configuration.Test: " +msgstr "Das Umschreiben von URLs (rewrite) per .htaccess funktioniert nicht. Bitte prüfe die Server-Konfiguration. Test:" + +#: ../../Zotlabs/Module/Setup.php:650 +msgid "Url rewrite is working" +msgstr "Url rewrite funktioniert" + +#: ../../Zotlabs/Module/Setup.php:659 +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 "Die Datenbank-Konfigurationsdatei ā€ž.htconfig.phpā€œ konnte nicht geschrieben werden. Bitte verwende den unten angegebenen Text, um die Konfigurationsdatei im Stammverzeichnis des Webservers anzulegen." + +#: ../../Zotlabs/Module/Setup.php:683 +msgid "Errors encountered creating database tables." +msgstr "Fehler beim Anlegen der Datenbank-Tabellen aufgetreten." + +#: ../../Zotlabs/Module/Setup.php:720 +msgid "

What next

" +msgstr "

Was als NƤchstes

" + +#: ../../Zotlabs/Module/Setup.php:721 +msgid "" +"IMPORTANT: You will need to [manually] setup a scheduled task for the " +"poller." +msgstr "WICHTIG: Du musst [manuell] einen Cronjob für den Poller einrichten." + +#: ../../Zotlabs/Module/Dreport.php:44 +msgid "Invalid message" +msgstr "Ungültige Beitrags-ID (mid)" + +#: ../../Zotlabs/Module/Dreport.php:76 +msgid "no results" +msgstr "keine Ergebnisse" + +#: ../../Zotlabs/Module/Dreport.php:91 +msgid "channel sync processed" +msgstr "Kanal-Sync verarbeitet" + +#: ../../Zotlabs/Module/Dreport.php:95 +msgid "queued" +msgstr "zur Warteschlange hinzugefügt" + +#: ../../Zotlabs/Module/Dreport.php:99 +msgid "posted" +msgstr "zugestellt" + +#: ../../Zotlabs/Module/Dreport.php:103 +msgid "accepted for delivery" +msgstr "für Zustellung akzeptiert" + +#: ../../Zotlabs/Module/Dreport.php:107 +msgid "updated" +msgstr "aktualisiert" + +#: ../../Zotlabs/Module/Dreport.php:110 +msgid "update ignored" +msgstr "Aktualisierung ignoriert" + +#: ../../Zotlabs/Module/Dreport.php:113 +msgid "permission denied" +msgstr "Zugriff verweigert" + +#: ../../Zotlabs/Module/Dreport.php:117 +msgid "recipient not found" +msgstr "EmpfƤnger nicht gefunden." + +#: ../../Zotlabs/Module/Dreport.php:120 +msgid "mail recalled" +msgstr "Mail widerrufen" + +#: ../../Zotlabs/Module/Dreport.php:123 +msgid "duplicate mail received" +msgstr "Doppelte Mail erhalten" + +#: ../../Zotlabs/Module/Dreport.php:126 +msgid "mail delivered" +msgstr "Mail zugestellt" + +#: ../../Zotlabs/Module/Dreport.php:146 +#, php-format +msgid "Delivery report for %1$s" +msgstr "Zustellungsbericht für %1$s" + +#: ../../Zotlabs/Module/Dreport.php:149 +msgid "Options" +msgstr "Optionen" + +#: ../../Zotlabs/Module/Dreport.php:150 +msgid "Redeliver" +msgstr "Erneut zustellen" + +#: ../../Zotlabs/Module/Webpages.php:53 +msgid "Import Webpage Elements" +msgstr "Webseitenelemente importieren" + +#: ../../Zotlabs/Module/Webpages.php:54 +msgid "Import selected" +msgstr "Import ausgewƤhlt" + +#: ../../Zotlabs/Module/Webpages.php:214 ../../Zotlabs/Lib/Apps.php:218 +#: ../../include/nav.php:108 ../../include/conversation.php:1705 +msgid "Webpages" +msgstr "Webseiten" + +#: ../../Zotlabs/Module/Webpages.php:218 ../../Zotlabs/Module/Photos.php:1078 +#: ../../Zotlabs/Module/Blocks.php:161 ../../Zotlabs/Module/Layouts.php:193 +#: ../../include/conversation.php:1220 +msgid "Share" +msgstr "Teilen" + +#: ../../Zotlabs/Module/Webpages.php:223 ../../Zotlabs/Module/Events.php:680 +#: ../../Zotlabs/Module/Blocks.php:166 ../../Zotlabs/Module/Layouts.php:197 +#: ../../Zotlabs/Module/Pubsites.php:47 ../../include/page_widgets.php:42 +msgid "View" +msgstr "Ansicht" + +#: ../../Zotlabs/Module/Webpages.php:224 ../../Zotlabs/Module/Events.php:473 +#: ../../Zotlabs/Module/Photos.php:1099 ../../Zotlabs/Lib/ThreadItem.php:720 +#: ../../include/page_widgets.php:43 ../../include/conversation.php:1199 +msgid "Preview" +msgstr "Vorschau" + +#: ../../Zotlabs/Module/Webpages.php:225 ../../include/page_widgets.php:44 +msgid "Actions" +msgstr "Aktionen" + +#: ../../Zotlabs/Module/Webpages.php:226 ../../include/page_widgets.php:45 +msgid "Page Link" +msgstr "Seiten-Link" + +#: ../../Zotlabs/Module/Webpages.php:227 +msgid "Page Title" +msgstr "Seitentitel" + +#: ../../Zotlabs/Module/Webpages.php:228 ../../Zotlabs/Module/Menu.php:114 +#: ../../Zotlabs/Module/Blocks.php:157 ../../Zotlabs/Module/Layouts.php:190 +#: ../../include/page_widgets.php:47 +msgid "Created" +msgstr "Erstellt" + +#: ../../Zotlabs/Module/Webpages.php:229 ../../Zotlabs/Module/Menu.php:115 +#: ../../Zotlabs/Module/Blocks.php:158 ../../Zotlabs/Module/Layouts.php:191 +#: ../../include/page_widgets.php:48 +msgid "Edited" +msgstr "GeƤndert" + +#: ../../Zotlabs/Module/Webpages.php:258 +msgid "Invalid file type." +msgstr "Ungültiger Dateityp." + +#: ../../Zotlabs/Module/Webpages.php:270 +msgid "Error opening zip file" +msgstr "Fehler beim Ɩffnen der ZIP-Datei" + +#: ../../Zotlabs/Module/Webpages.php:281 +msgid "Invalid folder path." +msgstr "Ungültiger Ordnerpfad." + +#: ../../Zotlabs/Module/Webpages.php:308 +msgid "No webpage elements detected." +msgstr "Keine Webseitenelemente erkannt." + +#: ../../Zotlabs/Module/Webpages.php:382 +msgid "Import complete." +msgstr "Import abgeschlossen." + +#: ../../Zotlabs/Module/Directory.php:63 ../../Zotlabs/Module/Display.php:17 #: ../../Zotlabs/Module/Photos.php:520 ../../Zotlabs/Module/Ratings.php:86 #: ../../Zotlabs/Module/Search.php:17 #: ../../Zotlabs/Module/Viewconnections.php:23 msgid "Public access denied." msgstr "Ɩffentlichen Zugriff verweigert." -#: ../../Zotlabs/Module/Display.php:40 ../../Zotlabs/Module/Filestorage.php:32 -#: ../../Zotlabs/Module/Admin.php:164 ../../Zotlabs/Module/Admin.php:1255 -#: ../../Zotlabs/Module/Admin.php:1561 ../../Zotlabs/Module/Thing.php:89 -#: ../../Zotlabs/Module/Viewsrc.php:24 ../../include/items.php:3369 -msgid "Item not found." -msgstr "Element nicht gefunden." - -#: ../../Zotlabs/Module/Id.php:13 -msgid "First Name" -msgstr "Vorname" - -#: ../../Zotlabs/Module/Id.php:14 -msgid "Last Name" -msgstr "Nachname" - -#: ../../Zotlabs/Module/Id.php:15 -msgid "Nickname" -msgstr "Spitzname" - -#: ../../Zotlabs/Module/Id.php:16 -msgid "Full Name" -msgstr "Voller Name" - -#: ../../Zotlabs/Module/Id.php:17 ../../Zotlabs/Module/Id.php:18 -#: ../../Zotlabs/Module/Admin.php:1035 ../../Zotlabs/Module/Admin.php:1047 -#: ../../include/network.php:2203 -msgid "Email" -msgstr "E-Mail" - -#: ../../Zotlabs/Module/Id.php:19 ../../Zotlabs/Module/Id.php:20 -#: ../../Zotlabs/Module/Id.php:21 ../../Zotlabs/Lib/Apps.php:238 -msgid "Profile Photo" -msgstr "Profilfoto" - -#: ../../Zotlabs/Module/Id.php:22 -msgid "Profile Photo 16px" -msgstr "Profilfoto 16 px" - -#: ../../Zotlabs/Module/Id.php:23 -msgid "Profile Photo 32px" -msgstr "Profilfoto 32 px" - -#: ../../Zotlabs/Module/Id.php:24 -msgid "Profile Photo 48px" -msgstr "Profilfoto 48 px" - -#: ../../Zotlabs/Module/Id.php:25 -msgid "Profile Photo 64px" -msgstr "Profilfoto 64 px" - -#: ../../Zotlabs/Module/Id.php:26 -msgid "Profile Photo 80px" -msgstr "Profilfoto 80 px" - -#: ../../Zotlabs/Module/Id.php:27 -msgid "Profile Photo 128px" -msgstr "Profilfoto 128 px" - -#: ../../Zotlabs/Module/Id.php:28 -msgid "Timezone" -msgstr "Zeitzone" - -#: ../../Zotlabs/Module/Id.php:29 ../../Zotlabs/Module/Profiles.php:731 -msgid "Homepage URL" -msgstr "Homepage-URL" - -#: ../../Zotlabs/Module/Id.php:30 ../../Zotlabs/Lib/Apps.php:236 -msgid "Language" -msgstr "Sprache" - -#: ../../Zotlabs/Module/Id.php:31 -msgid "Birth Year" -msgstr "Geburtsjahr" - -#: ../../Zotlabs/Module/Id.php:32 -msgid "Birth Month" -msgstr "Geburtsmonat" - -#: ../../Zotlabs/Module/Id.php:33 -msgid "Birth Day" -msgstr "Geburtstag" - -#: ../../Zotlabs/Module/Id.php:34 -msgid "Birthdate" -msgstr "Geburtsdatum" - -#: ../../Zotlabs/Module/Id.php:35 ../../Zotlabs/Module/Profiles.php:454 -msgid "Gender" -msgstr "Geschlecht" - -#: ../../Zotlabs/Module/Id.php:108 ../../include/selectors.php:49 -#: ../../include/selectors.php:66 -msgid "Male" -msgstr "MƤnnlich" - -#: ../../Zotlabs/Module/Id.php:110 ../../include/selectors.php:49 -#: ../../include/selectors.php:66 -msgid "Female" -msgstr "Weiblich" - -#: ../../Zotlabs/Module/Follow.php:34 -msgid "Channel added." -msgstr "Kanal hinzugefügt." - #: ../../Zotlabs/Module/Directory.php:243 #, php-format msgid "%d rating" @@ -930,12 +1065,12 @@ msgstr "Status:" msgid "Homepage: " msgstr "Webseite:" -#: ../../Zotlabs/Module/Directory.php:306 ../../include/channel.php:1223 +#: ../../Zotlabs/Module/Directory.php:306 ../../include/channel.php:1207 msgid "Age:" msgstr "Alter:" -#: ../../Zotlabs/Module/Directory.php:311 ../../include/channel.php:1066 -#: ../../include/event.php:52 ../../include/event.php:84 +#: ../../Zotlabs/Module/Directory.php:311 ../../include/event.php:52 +#: ../../include/event.php:84 ../../include/channel.php:1049 #: ../../include/bb2diaspora.php:507 msgid "Location:" msgstr "Ort:" @@ -944,18 +1079,18 @@ msgstr "Ort:" msgid "Description:" msgstr "Beschreibung:" -#: ../../Zotlabs/Module/Directory.php:322 ../../include/channel.php:1239 +#: ../../Zotlabs/Module/Directory.php:322 ../../include/channel.php:1223 msgid "Hometown:" msgstr "Heimatstadt:" -#: ../../Zotlabs/Module/Directory.php:324 ../../include/channel.php:1247 +#: ../../Zotlabs/Module/Directory.php:324 ../../include/channel.php:1231 msgid "About:" msgstr "Über:" #: ../../Zotlabs/Module/Directory.php:325 ../../Zotlabs/Module/Match.php:68 -#: ../../Zotlabs/Module/Suggest.php:56 ../../include/channel.php:1051 -#: ../../include/connections.php:78 ../../include/conversation.php:959 -#: ../../include/widgets.php:147 ../../include/widgets.php:184 +#: ../../Zotlabs/Module/Suggest.php:56 ../../include/channel.php:1034 +#: ../../include/conversation.php:960 ../../include/widgets.php:147 +#: ../../include/widgets.php:184 ../../include/connections.php:78 msgid "Connect" msgstr "Verbinden" @@ -1031,248 +1166,342 @@ msgstr "Ƅlteste zuerst" msgid "No entries (some entries may be hidden)." msgstr "Keine EintrƤge gefunden (einige kƶnnten versteckt sein)." -#: ../../Zotlabs/Module/Connect.php:61 ../../Zotlabs/Module/Connect.php:109 -msgid "Continue" -msgstr "Fortfahren" +#: ../../Zotlabs/Module/Profiles.php:24 ../../Zotlabs/Module/Profiles.php:189 +#: ../../Zotlabs/Module/Profiles.php:246 ../../Zotlabs/Module/Profiles.php:625 +msgid "Profile not found." +msgstr "Profil nicht gefunden." -#: ../../Zotlabs/Module/Connect.php:90 -msgid "Premium Channel Setup" -msgstr "Premium-Kanal-Einrichtung" +#: ../../Zotlabs/Module/Profiles.php:44 +msgid "Profile deleted." +msgstr "Profil gelƶscht." -#: ../../Zotlabs/Module/Connect.php:92 -msgid "Enable premium channel connection restrictions" -msgstr "EinschrƤnkungen für einen Premium-Kanal aktivieren" +#: ../../Zotlabs/Module/Profiles.php:68 ../../Zotlabs/Module/Profiles.php:104 +msgid "Profile-" +msgstr "Profil-" -#: ../../Zotlabs/Module/Connect.php:93 -msgid "" -"Please enter your restrictions or conditions, such as paypal receipt, usage " -"guidelines, etc." -msgstr "Bitte gib Deine Nutzungsbedingungen ein, z.B. Paypal-Quittung, Richtlinien etc." +#: ../../Zotlabs/Module/Profiles.php:89 ../../Zotlabs/Module/Profiles.php:132 +msgid "New profile created." +msgstr "Neues Profil erstellt." -#: ../../Zotlabs/Module/Connect.php:95 ../../Zotlabs/Module/Connect.php:115 -msgid "" -"This channel may require additional steps or acknowledgement of the " -"following conditions prior to connecting:" -msgstr "Unter UmstƤnden sind weitere Schritte oder die BestƤtigung der folgenden Bedingungen vor dem Verbinden mit diesem Kanal nƶtig." +#: ../../Zotlabs/Module/Profiles.php:110 +msgid "Profile unavailable to clone." +msgstr "Profil kann nicht geklont werden." -#: ../../Zotlabs/Module/Connect.php:96 -msgid "" -"Potential connections will then see the following text before proceeding:" -msgstr "Potentielle Kontakte werden den folgenden Text sehen, bevor fortgefahren wird:" +#: ../../Zotlabs/Module/Profiles.php:151 +msgid "Profile unavailable to export." +msgstr "Dieses Profil kann nicht exportiert werden." -#: ../../Zotlabs/Module/Connect.php:97 ../../Zotlabs/Module/Connect.php:118 -msgid "" -"By continuing, I certify that I have complied with any instructions provided" -" on this page." -msgstr "Indem ich fortfahre, bestƤtige ich die Erfüllung aller Anweisungen auf dieser Seite." +#: ../../Zotlabs/Module/Profiles.php:256 +msgid "Profile Name is required." +msgstr "Profil-Name erforderlich." -#: ../../Zotlabs/Module/Connect.php:106 -msgid "(No specific instructions have been provided by the channel owner.)" -msgstr "(Der Kanal-Besitzer hat keine speziellen Anweisungen hinterlegt.)" +#: ../../Zotlabs/Module/Profiles.php:427 +msgid "Marital Status" +msgstr "Familienstand" -#: ../../Zotlabs/Module/Connect.php:114 -msgid "Restricted or Premium Channel" -msgstr "EingeschrƤnkter oder Premium-Kanal" +#: ../../Zotlabs/Module/Profiles.php:431 +msgid "Romantic Partner" +msgstr "Romantische Partner" -#: ../../Zotlabs/Module/Events.php:25 -msgid "Calendar entries imported." -msgstr "KalendereintrƤge wurden importiert." +#: ../../Zotlabs/Module/Profiles.php:435 ../../Zotlabs/Module/Profiles.php:736 +msgid "Likes" +msgstr "GefƤllt" -#: ../../Zotlabs/Module/Events.php:27 -msgid "No calendar entries found." -msgstr "Keine KalendereintrƤge gefunden." +#: ../../Zotlabs/Module/Profiles.php:439 ../../Zotlabs/Module/Profiles.php:737 +msgid "Dislikes" +msgstr "GefƤllt nicht" -#: ../../Zotlabs/Module/Events.php:104 -msgid "Event can not end before it has started." -msgstr "Termin-Ende liegt vor dem Beginn." +#: ../../Zotlabs/Module/Profiles.php:443 ../../Zotlabs/Module/Profiles.php:744 +msgid "Work/Employment" +msgstr "Arbeit/Anstellung" -#: ../../Zotlabs/Module/Events.php:106 ../../Zotlabs/Module/Events.php:115 -#: ../../Zotlabs/Module/Events.php:135 -msgid "Unable to generate preview." -msgstr "Vorschau konnte nicht erzeugt werden." +#: ../../Zotlabs/Module/Profiles.php:446 +msgid "Religion" +msgstr "Religion" -#: ../../Zotlabs/Module/Events.php:113 -msgid "Event title and start time are required." -msgstr "Titel und Startzeit des Termins sind erforderlich." +#: ../../Zotlabs/Module/Profiles.php:450 +msgid "Political Views" +msgstr "Politische Ansichten" -#: ../../Zotlabs/Module/Events.php:133 ../../Zotlabs/Module/Events.php:258 -msgid "Event not found." -msgstr "Termin nicht gefunden." +#: ../../Zotlabs/Module/Profiles.php:454 +msgid "Gender" +msgstr "Geschlecht" -#: ../../Zotlabs/Module/Events.php:253 ../../Zotlabs/Module/Like.php:372 -#: ../../Zotlabs/Module/Tagger.php:51 ../../include/conversation.php:123 -#: ../../include/text.php:1924 ../../include/event.php:951 -msgid "event" -msgstr "Termin" +#: ../../Zotlabs/Module/Profiles.php:458 +msgid "Sexual Preference" +msgstr "Sexuelle Orientierung" -#: ../../Zotlabs/Module/Events.php:448 -msgid "Edit event title" -msgstr "Termintitel bearbeiten" +#: ../../Zotlabs/Module/Profiles.php:462 +msgid "Homepage" +msgstr "Webseite" -#: ../../Zotlabs/Module/Events.php:448 -msgid "Event title" -msgstr "Termintitel" +#: ../../Zotlabs/Module/Profiles.php:466 +msgid "Interests" +msgstr "Hobbys/Interessen" -#: ../../Zotlabs/Module/Events.php:448 ../../Zotlabs/Module/Events.php:453 -#: ../../Zotlabs/Module/Appman.php:115 ../../Zotlabs/Module/Appman.php:116 -#: ../../Zotlabs/Module/Profiles.php:709 ../../Zotlabs/Module/Profiles.php:713 -#: ../../include/datetime.php:245 -msgid "Required" -msgstr "Benƶtigt" +#: ../../Zotlabs/Module/Profiles.php:470 ../../Zotlabs/Module/Locs.php:118 +#: ../../Zotlabs/Module/Admin.php:1224 +msgid "Address" +msgstr "Adresse" -#: ../../Zotlabs/Module/Events.php:450 -msgid "Categories (comma-separated list)" -msgstr "Kategorien (Kommagetrennte Liste)" - -#: ../../Zotlabs/Module/Events.php:451 -msgid "Edit Category" -msgstr "Kategorie bearbeiten" - -#: ../../Zotlabs/Module/Events.php:451 -msgid "Category" -msgstr "Kategorie" - -#: ../../Zotlabs/Module/Events.php:454 -msgid "Edit start date and time" -msgstr "Startdatum und -zeit bearbeiten" - -#: ../../Zotlabs/Module/Events.php:454 -msgid "Start date and time" -msgstr "Startdatum und -zeit" - -#: ../../Zotlabs/Module/Events.php:455 ../../Zotlabs/Module/Events.php:458 -msgid "Finish date and time are not known or not relevant" -msgstr "Enddatum und -zeit sind unbekannt oder irrelevant" - -#: ../../Zotlabs/Module/Events.php:457 -msgid "Edit finish date and time" -msgstr "Enddatum und -zeit bearbeiten" - -#: ../../Zotlabs/Module/Events.php:457 -msgid "Finish date and time" -msgstr "Enddatum und -zeit" - -#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:460 -msgid "Adjust for viewer timezone" -msgstr "An die Zeitzone des Betrachters anpassen" - -#: ../../Zotlabs/Module/Events.php:459 -msgid "" -"Important for events that happen in a particular place. Not practical for " -"global holidays." -msgstr "Wichtig für Veranstaltungen die an bestimmten Orten stattfinden. Nicht sinnvoll für globale Feiertage / Ferien." - -#: ../../Zotlabs/Module/Events.php:461 -msgid "Edit Description" -msgstr "Beschreibung bearbeiten" - -#: ../../Zotlabs/Module/Events.php:461 ../../Zotlabs/Module/Appman.php:117 -#: ../../Zotlabs/Module/Rbmark.php:101 -msgid "Description" -msgstr "Beschreibung" - -#: ../../Zotlabs/Module/Events.php:463 -msgid "Edit Location" -msgstr "Ort bearbeiten" - -#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Profiles.php:477 -#: ../../Zotlabs/Module/Profiles.php:698 ../../Zotlabs/Module/Locs.php:117 +#: ../../Zotlabs/Module/Profiles.php:477 ../../Zotlabs/Module/Profiles.php:698 +#: ../../Zotlabs/Module/Locs.php:117 ../../Zotlabs/Module/Events.php:467 #: ../../Zotlabs/Module/Pubsites.php:41 ../../include/js_strings.php:25 msgid "Location" msgstr "Ort" -#: ../../Zotlabs/Module/Events.php:466 ../../Zotlabs/Module/Events.php:468 -msgid "Share this event" -msgstr "Den Termin teilen" +#: ../../Zotlabs/Module/Profiles.php:560 +msgid "Profile updated." +msgstr "Profil aktualisiert." -#: ../../Zotlabs/Module/Events.php:469 ../../Zotlabs/Module/Photos.php:1091 -#: ../../Zotlabs/Module/Webpages.php:201 ../../Zotlabs/Lib/ThreadItem.php:719 -#: ../../include/page_widgets.php:43 ../../include/conversation.php:1198 -msgid "Preview" -msgstr "Vorschau" +#: ../../Zotlabs/Module/Profiles.php:644 +msgid "Hide your connections list from viewers of this profile" +msgstr "Deine Verbindungen vor Betrachtern dieses Profils verbergen" -#: ../../Zotlabs/Module/Events.php:470 ../../include/conversation.php:1247 -msgid "Permission settings" -msgstr "Berechtigungs-Einstellungen" +#: ../../Zotlabs/Module/Profiles.php:647 +#: ../../Zotlabs/Module/Filestorage.php:160 +#: ../../Zotlabs/Module/Filestorage.php:168 +#: ../../Zotlabs/Module/Connedit.php:411 ../../Zotlabs/Module/Connedit.php:693 +#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 +#: ../../Zotlabs/Module/Events.php:462 ../../Zotlabs/Module/Events.php:463 +#: ../../Zotlabs/Module/Events.php:472 ../../Zotlabs/Module/Photos.php:664 +#: ../../Zotlabs/Module/Settings.php:651 ../../Zotlabs/Module/Admin.php:459 +#: ../../Zotlabs/Module/Mitem.php:162 ../../Zotlabs/Module/Mitem.php:163 +#: ../../Zotlabs/Module/Mitem.php:240 ../../Zotlabs/Module/Mitem.php:241 +#: ../../Zotlabs/Module/Removeme.php:63 ../../Zotlabs/Module/Api.php:85 +#: ../../include/dir_fns.php:143 ../../include/dir_fns.php:144 +#: ../../include/dir_fns.php:145 ../../view/theme/redbasic/php/config.php:105 +#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1717 +msgid "No" +msgstr "Nein" -#: ../../Zotlabs/Module/Events.php:475 -msgid "Advanced Options" -msgstr "Weitere Optionen" +#: ../../Zotlabs/Module/Profiles.php:647 +#: ../../Zotlabs/Module/Filestorage.php:160 +#: ../../Zotlabs/Module/Filestorage.php:168 +#: ../../Zotlabs/Module/Connedit.php:411 ../../Zotlabs/Module/Menu.php:100 +#: ../../Zotlabs/Module/Menu.php:157 ../../Zotlabs/Module/Events.php:462 +#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Events.php:472 +#: ../../Zotlabs/Module/Photos.php:664 ../../Zotlabs/Module/Settings.php:651 +#: ../../Zotlabs/Module/Admin.php:461 ../../Zotlabs/Module/Mitem.php:162 +#: ../../Zotlabs/Module/Mitem.php:163 ../../Zotlabs/Module/Mitem.php:240 +#: ../../Zotlabs/Module/Mitem.php:241 ../../Zotlabs/Module/Removeme.php:63 +#: ../../Zotlabs/Module/Api.php:84 ../../include/dir_fns.php:143 +#: ../../include/dir_fns.php:144 ../../include/dir_fns.php:145 +#: ../../view/theme/redbasic/php/config.php:105 +#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1717 +msgid "Yes" +msgstr "Ja" -#: ../../Zotlabs/Module/Events.php:587 ../../Zotlabs/Module/Cal.php:259 -msgid "l, F j" -msgstr "l, j. F" +#: ../../Zotlabs/Module/Profiles.php:686 +msgid "Edit Profile Details" +msgstr "Bearbeite Profil-Details" -#: ../../Zotlabs/Module/Events.php:609 -msgid "Edit event" -msgstr "Termin bearbeiten" +#: ../../Zotlabs/Module/Profiles.php:688 +msgid "View this profile" +msgstr "Dieses Profil ansehen" -#: ../../Zotlabs/Module/Events.php:611 -msgid "Delete event" -msgstr "Termin lƶschen" +#: ../../Zotlabs/Module/Profiles.php:689 ../../Zotlabs/Module/Profiles.php:771 +#: ../../include/channel.php:981 +msgid "Edit visibility" +msgstr "Sichtbarkeit bearbeiten" -#: ../../Zotlabs/Module/Events.php:636 ../../Zotlabs/Module/Cal.php:308 -#: ../../include/text.php:1712 -msgid "Link to Source" -msgstr "Link zur Quelle" +#: ../../Zotlabs/Module/Profiles.php:690 +msgid "Profile Tools" +msgstr "Profilwerkzeuge" -#: ../../Zotlabs/Module/Events.php:645 -msgid "calendar" -msgstr "Kalender" +#: ../../Zotlabs/Module/Profiles.php:691 +msgid "Change cover photo" +msgstr "Titelbild Ƥndern" -#: ../../Zotlabs/Module/Events.php:664 ../../Zotlabs/Module/Cal.php:331 -msgid "Edit Event" -msgstr "Termin bearbeiten" +#: ../../Zotlabs/Module/Profiles.php:692 ../../include/channel.php:952 +msgid "Change profile photo" +msgstr "Profilfoto Ƥndern" -#: ../../Zotlabs/Module/Events.php:664 ../../Zotlabs/Module/Cal.php:331 -msgid "Create Event" -msgstr "Termin anlegen" +#: ../../Zotlabs/Module/Profiles.php:693 +msgid "Create a new profile using these settings" +msgstr "Neues Profil anlegen und diese Einstellungen übernehmen" -#: ../../Zotlabs/Module/Events.php:665 ../../Zotlabs/Module/Events.php:674 -#: ../../Zotlabs/Module/Cal.php:332 ../../Zotlabs/Module/Cal.php:339 -#: ../../Zotlabs/Module/Photos.php:947 -msgid "Previous" -msgstr "Voriges" +#: ../../Zotlabs/Module/Profiles.php:694 +msgid "Clone this profile" +msgstr "Dieses Profil klonen" -#: ../../Zotlabs/Module/Events.php:666 ../../Zotlabs/Module/Events.php:675 -#: ../../Zotlabs/Module/Cal.php:333 ../../Zotlabs/Module/Cal.php:340 -#: ../../Zotlabs/Module/Photos.php:956 ../../Zotlabs/Module/Setup.php:267 -msgid "Next" -msgstr "NƤchste" +#: ../../Zotlabs/Module/Profiles.php:695 +msgid "Delete this profile" +msgstr "Dieses Profil lƶschen" -#: ../../Zotlabs/Module/Events.php:667 ../../Zotlabs/Module/Cal.php:334 -msgid "Export" -msgstr "Exportieren" +#: ../../Zotlabs/Module/Profiles.php:696 +msgid "Add profile things" +msgstr "Sachen zum Profil hinzufügen" -#: ../../Zotlabs/Module/Events.php:670 ../../Zotlabs/Module/Layouts.php:197 -#: ../../Zotlabs/Module/Pubsites.php:47 ../../Zotlabs/Module/Blocks.php:166 -#: ../../Zotlabs/Module/Webpages.php:200 ../../include/page_widgets.php:42 -msgid "View" -msgstr "Ansicht" +#: ../../Zotlabs/Module/Profiles.php:697 ../../include/conversation.php:1546 +#: ../../include/widgets.php:105 +msgid "Personal" +msgstr "Persƶnlich" -#: ../../Zotlabs/Module/Events.php:671 -msgid "Month" -msgstr "Monat" +#: ../../Zotlabs/Module/Profiles.php:699 +msgid "Relation" +msgstr "Beziehung" -#: ../../Zotlabs/Module/Events.php:672 -msgid "Week" -msgstr "Woche" +#: ../../Zotlabs/Module/Profiles.php:700 ../../include/datetime.php:48 +msgid "Miscellaneous" +msgstr "Verschiedenes" -#: ../../Zotlabs/Module/Events.php:673 -msgid "Day" -msgstr "Tag" +#: ../../Zotlabs/Module/Profiles.php:702 +msgid "Import profile from file" +msgstr "Profil aus einer Datei importieren" -#: ../../Zotlabs/Module/Events.php:676 ../../Zotlabs/Module/Cal.php:341 -msgid "Today" -msgstr "Heute" +#: ../../Zotlabs/Module/Profiles.php:703 +msgid "Export profile to file" +msgstr "Profil in eine Datei exportieren" -#: ../../Zotlabs/Module/Events.php:707 -msgid "Event removed" -msgstr "Termin gelƶscht" +#: ../../Zotlabs/Module/Profiles.php:704 +msgid "Your gender" +msgstr "Dein Geschlecht" -#: ../../Zotlabs/Module/Events.php:710 -msgid "Failed to remove event" -msgstr "Termin konnte nicht gelƶscht werden" +#: ../../Zotlabs/Module/Profiles.php:705 +msgid "Marital status" +msgstr "Familienstand" + +#: ../../Zotlabs/Module/Profiles.php:706 +msgid "Sexual preference" +msgstr "Sexuelle Orientierung" + +#: ../../Zotlabs/Module/Profiles.php:709 +msgid "Profile name" +msgstr "Profilname" + +#: ../../Zotlabs/Module/Profiles.php:709 ../../Zotlabs/Module/Profiles.php:713 +#: ../../Zotlabs/Module/Appman.php:115 ../../Zotlabs/Module/Appman.php:116 +#: ../../Zotlabs/Module/Events.php:452 ../../Zotlabs/Module/Events.php:457 +#: ../../include/datetime.php:245 +msgid "Required" +msgstr "Benƶtigt" + +#: ../../Zotlabs/Module/Profiles.php:711 +msgid "This is your default profile." +msgstr "Das ist Dein Standardprofil." + +#: ../../Zotlabs/Module/Profiles.php:713 +msgid "Your full name" +msgstr "Dein voller Name" + +#: ../../Zotlabs/Module/Profiles.php:714 +msgid "Title/Description" +msgstr "Titel/Beschreibung" + +#: ../../Zotlabs/Module/Profiles.php:717 +msgid "Street address" +msgstr "Straße und Hausnummer" + +#: ../../Zotlabs/Module/Profiles.php:718 +msgid "Locality/City" +msgstr "Wohnort" + +#: ../../Zotlabs/Module/Profiles.php:719 +msgid "Region/State" +msgstr "Region/Bundesstaat" + +#: ../../Zotlabs/Module/Profiles.php:720 +msgid "Postal/Zip code" +msgstr "Postleitzahl" + +#: ../../Zotlabs/Module/Profiles.php:721 +msgid "Country" +msgstr "Land" + +#: ../../Zotlabs/Module/Profiles.php:726 +msgid "Who (if applicable)" +msgstr "Wer (falls anwendbar)" + +#: ../../Zotlabs/Module/Profiles.php:726 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "Beispiele: cathy123, Cathy Williams, cathy@example.com" + +#: ../../Zotlabs/Module/Profiles.php:727 +msgid "Since (date)" +msgstr "Seit (Datum)" + +#: ../../Zotlabs/Module/Profiles.php:730 +msgid "Tell us about yourself" +msgstr "ErzƤhle uns ein wenig von Dir" + +#: ../../Zotlabs/Module/Profiles.php:731 +msgid "Homepage URL" +msgstr "Homepage-URL" + +#: ../../Zotlabs/Module/Profiles.php:732 +msgid "Hometown" +msgstr "Heimatort" + +#: ../../Zotlabs/Module/Profiles.php:733 +msgid "Political views" +msgstr "Politische Ansichten" + +#: ../../Zotlabs/Module/Profiles.php:734 +msgid "Religious views" +msgstr "Religiƶse Ansichten" + +#: ../../Zotlabs/Module/Profiles.php:735 +msgid "Keywords used in directory listings" +msgstr "Schlüsselwƶrter, die in Verzeichnis-Auflistungen verwendet werden" + +#: ../../Zotlabs/Module/Profiles.php:735 +msgid "Example: fishing photography software" +msgstr "Beispiel: Angeln Fotografie Software" + +#: ../../Zotlabs/Module/Profiles.php:738 +msgid "Musical interests" +msgstr "Musikalische Interessen" + +#: ../../Zotlabs/Module/Profiles.php:739 +msgid "Books, literature" +msgstr "Bücher, Literatur" + +#: ../../Zotlabs/Module/Profiles.php:740 +msgid "Television" +msgstr "Fernsehen" + +#: ../../Zotlabs/Module/Profiles.php:741 +msgid "Film/Dance/Culture/Entertainment" +msgstr "Film/Tanz/Kultur/Unterhaltung" + +#: ../../Zotlabs/Module/Profiles.php:742 +msgid "Hobbies/Interests" +msgstr "Hobbys/Interessen" + +#: ../../Zotlabs/Module/Profiles.php:743 +msgid "Love/Romance" +msgstr "Liebe/Romantik" + +#: ../../Zotlabs/Module/Profiles.php:745 +msgid "School/Education" +msgstr "Schule/Ausbildung" + +#: ../../Zotlabs/Module/Profiles.php:746 +msgid "Contact information and social networks" +msgstr "Kontaktinformation und soziale Netzwerke" + +#: ../../Zotlabs/Module/Profiles.php:747 +msgid "My other channels" +msgstr "Meine anderen KanƤle" + +#: ../../Zotlabs/Module/Profiles.php:767 ../../include/channel.php:977 +msgid "Profile Image" +msgstr "Profilfoto:" + +#: ../../Zotlabs/Module/Profiles.php:777 ../../include/nav.php:90 +#: ../../include/channel.php:959 +msgid "Edit Profiles" +msgstr "Profile bearbeiten" + +#: ../../Zotlabs/Module/Profiles.php:778 ../../Zotlabs/Module/Chat.php:255 +#: ../../Zotlabs/Module/Manage.php:143 +msgid "Create New" +msgstr "Neu anlegen" + +#: ../../Zotlabs/Module/Rpost.php:135 ../../Zotlabs/Module/Editpost.php:106 +msgid "Edit post" +msgstr "Bearbeite Beitrag" #: ../../Zotlabs/Module/Bookmarks.php:53 msgid "Bookmark added" @@ -1286,31 +1515,51 @@ msgstr "Meine Lesezeichen" msgid "My Connections Bookmarks" msgstr "Lesezeichen meiner Kontakte" -#: ../../Zotlabs/Module/Editpost.php:24 ../../Zotlabs/Module/Editlayout.php:79 -#: ../../Zotlabs/Module/Editwebpage.php:80 -#: ../../Zotlabs/Module/Editblock.php:79 ../../Zotlabs/Module/Editblock.php:95 -msgid "Item not found" -msgstr "Element nicht gefunden" +#: ../../Zotlabs/Module/Item.php:179 +msgid "Unable to locate original post." +msgstr "Originalbeitrag nicht gefunden." -#: ../../Zotlabs/Module/Editpost.php:35 -msgid "Item is not editable" -msgstr "Element kann nicht bearbeitet werden." +#: ../../Zotlabs/Module/Item.php:432 +msgid "Empty post discarded." +msgstr "Leeren Beitrag verworfen." -#: ../../Zotlabs/Module/Editpost.php:106 ../../Zotlabs/Module/Rpost.php:134 -msgid "Edit post" -msgstr "Bearbeite Beitrag" +#: ../../Zotlabs/Module/Item.php:472 +msgid "Executable content type not permitted to this channel." +msgstr "Ausführbarer Content-Typ ist für diesen Kanal nicht freigegeben." + +#: ../../Zotlabs/Module/Item.php:856 +msgid "Duplicate post suppressed." +msgstr "Doppelter Beitrag unterdrückt." + +#: ../../Zotlabs/Module/Item.php:989 +msgid "System error. Post not saved." +msgstr "Systemfehler. Beitrag nicht gespeichert." + +#: ../../Zotlabs/Module/Item.php:1242 +msgid "Unable to obtain post information from database." +msgstr "Beitragsinformationen kƶnnen nicht aus der Datenbank abgerufen werden." + +#: ../../Zotlabs/Module/Item.php:1249 +#, php-format +msgid "You have reached your limit of %1$.0f top level posts." +msgstr "Du hast die maximale Anzahl von %1$.0f BeitrƤgen erreicht." + +#: ../../Zotlabs/Module/Item.php:1256 +#, php-format +msgid "You have reached your limit of %1$.0f webpages." +msgstr "Du hast die maximale Anzahl von %1$.0f Webseiten erreicht." #: ../../Zotlabs/Module/Fbrowser.php:29 ../../Zotlabs/Lib/Apps.php:222 -#: ../../include/nav.php:92 ../../include/conversation.php:1647 +#: ../../include/nav.php:94 ../../include/conversation.php:1652 msgid "Photos" msgstr "Fotos" #: ../../Zotlabs/Module/Fbrowser.php:66 ../../Zotlabs/Module/Fbrowser.php:88 -#: ../../Zotlabs/Module/Admin.php:1406 ../../Zotlabs/Module/Settings.php:645 -#: ../../Zotlabs/Module/Settings.php:671 ../../Zotlabs/Module/Tagrm.php:15 -#: ../../Zotlabs/Module/Tagrm.php:138 ../../Zotlabs/Module/Wiki.php:166 -#: ../../Zotlabs/Module/Wiki.php:202 ../../include/conversation.php:1235 -#: ../../include/conversation.php:1274 +#: ../../Zotlabs/Module/Settings.php:661 ../../Zotlabs/Module/Settings.php:687 +#: ../../Zotlabs/Module/Admin.php:1406 ../../Zotlabs/Module/Wiki.php:171 +#: ../../Zotlabs/Module/Wiki.php:211 ../../Zotlabs/Module/Tagrm.php:15 +#: ../../Zotlabs/Module/Tagrm.php:138 ../../include/conversation.php:1236 +#: ../../include/conversation.php:1279 msgid "Cancel" msgstr "Abbrechen" @@ -1318,8 +1567,8 @@ msgstr "Abbrechen" msgid "Invalid item." msgstr "Ungültiges Element." -#: ../../Zotlabs/Module/Page.php:56 ../../Zotlabs/Module/Cal.php:62 -#: ../../Zotlabs/Module/Block.php:43 ../../Zotlabs/Module/Wall_upload.php:33 +#: ../../Zotlabs/Module/Page.php:56 ../../Zotlabs/Module/Block.php:43 +#: ../../Zotlabs/Module/Cal.php:62 ../../Zotlabs/Module/Wall_upload.php:33 msgid "Channel not found." msgstr "Kanal nicht gefunden." @@ -1348,6 +1597,23 @@ msgstr "– auswƤhlen –" msgid "Save" msgstr "Speichern" +#: ../../Zotlabs/Module/Channel.php:28 ../../Zotlabs/Module/Chat.php:25 +#: ../../Zotlabs/Module/Wiki.php:20 +msgid "You must be logged in to see this page." +msgstr "Du musst angemeldet sein, um diese Seite betrachten zu kƶnnen." + +#: ../../Zotlabs/Module/Channel.php:40 +msgid "Posts and comments" +msgstr "BeitrƤge und Kommentare" + +#: ../../Zotlabs/Module/Channel.php:41 +msgid "Only posts" +msgstr "Nur BeitrƤge" + +#: ../../Zotlabs/Module/Channel.php:101 +msgid "Insufficient permissions. Request redirected to profile page." +msgstr "Unzureichende Zugriffsrechte. Die Anfrage wurde zur Profil-Seite umgeleitet." + #: ../../Zotlabs/Module/Connections.php:56 #: ../../Zotlabs/Module/Connections.php:161 #: ../../Zotlabs/Module/Connections.php:242 @@ -1374,10 +1640,16 @@ msgstr "Archiviert" #: ../../Zotlabs/Module/Connections.php:76 #: ../../Zotlabs/Module/Connections.php:86 ../../Zotlabs/Module/Menu.php:116 -#: ../../include/conversation.php:1550 +#: ../../include/conversation.php:1555 msgid "New" msgstr "Neu" +#: ../../Zotlabs/Module/Connections.php:92 +#: ../../Zotlabs/Module/Connections.php:107 +#: ../../Zotlabs/Module/Connedit.php:632 ../../include/widgets.php:497 +msgid "All" +msgstr "Alle" + #: ../../Zotlabs/Module/Connections.php:138 msgid "New Connections" msgstr "Neue Verbindungen" @@ -1457,19 +1729,25 @@ msgstr "Genehmigen" msgid "Ignore connection" msgstr "Verbindung ignorieren" +#: ../../Zotlabs/Module/Connections.php:277 +#: ../../Zotlabs/Module/Connedit.php:586 +#: ../../Zotlabs/Module/Notifications.php:55 +msgid "Ignore" +msgstr "Ignorieren" + #: ../../Zotlabs/Module/Connections.php:278 msgid "Recent activity" msgstr "Kürzliche AktivitƤten" #: ../../Zotlabs/Module/Connections.php:302 ../../Zotlabs/Lib/Apps.php:209 -#: ../../include/nav.php:188 ../../include/text.php:855 +#: ../../include/text.php:855 ../../include/nav.php:190 msgid "Connections" msgstr "Verbindungen" #: ../../Zotlabs/Module/Connections.php:306 ../../Zotlabs/Module/Search.php:44 -#: ../../Zotlabs/Lib/Apps.php:230 ../../include/nav.php:167 +#: ../../Zotlabs/Lib/Apps.php:230 ../../include/acl_selectors.php:274 #: ../../include/text.php:925 ../../include/text.php:937 -#: ../../include/acl_selectors.php:274 +#: ../../include/nav.php:169 msgid "Search" msgstr "Suche" @@ -1534,7 +1812,7 @@ msgstr "%1$s hat sein %2$s aktualisiert" msgid "%1$s updated their %2$s" msgstr "%1$s hat sein/ihr %2$s aktualisiert" -#: ../../Zotlabs/Module/Cover_photo.php:240 ../../include/channel.php:1726 +#: ../../Zotlabs/Module/Cover_photo.php:240 ../../include/channel.php:1710 msgid "cover photo" msgstr "Cover Foto" @@ -1560,8 +1838,8 @@ msgid "Upload Cover Photo" msgstr "Cover Foto hochladen" #: ../../Zotlabs/Module/Cover_photo.php:361 +#: ../../Zotlabs/Module/Settings.php:1138 #: ../../Zotlabs/Module/Profile_photo.php:396 -#: ../../Zotlabs/Module/Settings.php:1080 msgid "or" msgstr "oder" @@ -1606,23 +1884,115 @@ msgstr "Layout" msgid "menu" msgstr "Menü" -#: ../../Zotlabs/Module/Impel.php:187 +#: ../../Zotlabs/Module/Impel.php:191 #, php-format msgid "%s element installed" msgstr "Element für %s installiert" -#: ../../Zotlabs/Module/Impel.php:190 +#: ../../Zotlabs/Module/Impel.php:194 #, php-format msgid "%s element installation failed" msgstr "Installation des Elements %s fehlgeschlagen" -#: ../../Zotlabs/Module/Cal.php:69 -msgid "Permissions denied." -msgstr "Berechtigung verweigert." +#: ../../Zotlabs/Module/Like.php:19 +msgid "Like/Dislike" +msgstr "Mƶgen/Nicht mƶgen" -#: ../../Zotlabs/Module/Cal.php:337 -msgid "Import" -msgstr "Import" +#: ../../Zotlabs/Module/Like.php:24 +msgid "This action is restricted to members." +msgstr "Diese Aktion kann nur von Mitgliedern ausgeführt werden." + +#: ../../Zotlabs/Module/Like.php:25 +msgid "" +"Please login with your $Projectname ID or register as a new $Projectname member to continue." +msgstr "Um fortzufahren melde Dich bitte mit Deiner $Projectname-ID an oder registriere Dich als neues $Projectname-Mitglied." + +#: ../../Zotlabs/Module/Like.php:105 ../../Zotlabs/Module/Like.php:131 +#: ../../Zotlabs/Module/Like.php:169 +msgid "Invalid request." +msgstr "Ungültige Anfrage." + +#: ../../Zotlabs/Module/Like.php:117 ../../include/conversation.php:126 +msgid "channel" +msgstr "Kanal" + +#: ../../Zotlabs/Module/Like.php:146 +msgid "thing" +msgstr "Sache" + +#: ../../Zotlabs/Module/Like.php:192 +msgid "Channel unavailable." +msgstr "Kanal nicht vorhanden." + +#: ../../Zotlabs/Module/Like.php:240 +msgid "Previous action reversed." +msgstr "Die vorherige Aktion wurde rückgƤngig gemacht." + +#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 +#: ../../Zotlabs/Module/Tagger.php:47 ../../include/text.php:1945 +#: ../../include/conversation.php:120 +msgid "photo" +msgstr "Foto" + +#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 +#: ../../include/text.php:1951 ../../include/conversation.php:148 +msgid "status" +msgstr "Status" + +#: ../../Zotlabs/Module/Like.php:372 ../../Zotlabs/Module/Events.php:253 +#: ../../Zotlabs/Module/Tagger.php:51 ../../include/text.php:1948 +#: ../../include/event.php:951 ../../include/conversation.php:123 +msgid "event" +msgstr "Termin" + +#: ../../Zotlabs/Module/Like.php:419 ../../include/conversation.php:164 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s gefƤllt %2$ss %3$s" + +#: ../../Zotlabs/Module/Like.php:421 ../../include/conversation.php:167 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s gefƤllt %2$ss %3$s nicht" + +#: ../../Zotlabs/Module/Like.php:423 +#, php-format +msgid "%1$s agrees with %2$s's %3$s" +msgstr "%1$s stimmt %2$ss %3$s zu" + +#: ../../Zotlabs/Module/Like.php:425 +#, php-format +msgid "%1$s doesn't agree with %2$s's %3$s" +msgstr "%1$s lehnt %2$ss %3$s ab" + +#: ../../Zotlabs/Module/Like.php:427 +#, php-format +msgid "%1$s abstains from a decision on %2$s's %3$s" +msgstr "%1$s enthƤlt sich zu %2$ss %3$s" + +#: ../../Zotlabs/Module/Like.php:429 +#, php-format +msgid "%1$s is attending %2$s's %3$s" +msgstr "%1$s nimmt an %2$ss %3$s teil" + +#: ../../Zotlabs/Module/Like.php:431 +#, php-format +msgid "%1$s is not attending %2$s's %3$s" +msgstr "%1$s nimmt an %2$ss %3$s nicht teil" + +#: ../../Zotlabs/Module/Like.php:433 +#, php-format +msgid "%1$s may attend %2$s's %3$s" +msgstr "%1$s nimmt vielleicht an %2$ss %3$s teil" + +#: ../../Zotlabs/Module/Like.php:538 +msgid "Action completed." +msgstr "Aktion durchgeführt." + +#: ../../Zotlabs/Module/Like.php:539 +msgid "Thank you." +msgstr "Vielen Dank." #: ../../Zotlabs/Module/Dirsearch.php:25 ../../Zotlabs/Module/Regdir.php:49 msgid "This site is not a directory server" @@ -1632,161 +2002,32 @@ msgstr "Diese Webseite ist kein Verzeichnisserver" msgid "This directory server requires an access token" msgstr "Dieser Verzeichnisserver benƶtigt einen Zugriffstoken" -#: ../../Zotlabs/Module/Chat.php:25 ../../Zotlabs/Module/Channel.php:28 -#: ../../Zotlabs/Module/Wiki.php:20 -msgid "You must be logged in to see this page." -msgstr "Du musst angemeldet sein, um diese Seite betrachten zu kƶnnen." +#: ../../Zotlabs/Module/Editblock.php:79 ../../Zotlabs/Module/Editblock.php:95 +#: ../../Zotlabs/Module/Editlayout.php:79 +#: ../../Zotlabs/Module/Editwebpage.php:80 +#: ../../Zotlabs/Module/Editpost.php:24 +msgid "Item not found" +msgstr "Element nicht gefunden" -#: ../../Zotlabs/Module/Chat.php:181 -msgid "Room not found" -msgstr "Chatraum nicht gefunden" +#: ../../Zotlabs/Module/Editblock.php:108 ../../Zotlabs/Module/Blocks.php:97 +#: ../../Zotlabs/Module/Blocks.php:155 +msgid "Block Name" +msgstr "Block-Name" -#: ../../Zotlabs/Module/Chat.php:197 -msgid "Leave Room" -msgstr "Raum verlassen" - -#: ../../Zotlabs/Module/Chat.php:198 -msgid "Delete Room" -msgstr "Raum lƶschen" - -#: ../../Zotlabs/Module/Chat.php:199 -msgid "I am away right now" -msgstr "Ich bin gerade nicht da" - -#: ../../Zotlabs/Module/Chat.php:200 -msgid "I am online" -msgstr "Ich bin online" - -#: ../../Zotlabs/Module/Chat.php:202 -msgid "Bookmark this room" -msgstr "Lesezeichen für diesen Raum setzen" - -#: ../../Zotlabs/Module/Chat.php:205 ../../Zotlabs/Module/Mail.php:197 -#: ../../Zotlabs/Module/Mail.php:306 ../../include/conversation.php:1181 -msgid "Please enter a link URL:" -msgstr "Gib eine URL ein:" - -#: ../../Zotlabs/Module/Chat.php:206 ../../Zotlabs/Module/Mail.php:250 -#: ../../Zotlabs/Module/Mail.php:375 ../../Zotlabs/Lib/ThreadItem.php:722 -#: ../../include/conversation.php:1271 -msgid "Encrypt text" -msgstr "Text verschlüsseln" - -#: ../../Zotlabs/Module/Chat.php:207 ../../Zotlabs/Module/Editwebpage.php:146 +#: ../../Zotlabs/Module/Editblock.php:111 +#: ../../Zotlabs/Module/Editwebpage.php:146 ../../Zotlabs/Module/Chat.php:207 #: ../../Zotlabs/Module/Mail.php:244 ../../Zotlabs/Module/Mail.php:369 -#: ../../Zotlabs/Module/Editblock.php:111 ../../include/conversation.php:1146 +#: ../../include/conversation.php:1147 msgid "Insert web link" msgstr "Link einfügen" -#: ../../Zotlabs/Module/Chat.php:218 -msgid "Feature disabled." -msgstr "Funktion deaktiviert." +#: ../../Zotlabs/Module/Editblock.php:124 ../../include/conversation.php:1244 +msgid "Title (optional)" +msgstr "Titel (optional)" -#: ../../Zotlabs/Module/Chat.php:232 -msgid "New Chatroom" -msgstr "Neuer Chatraum" - -#: ../../Zotlabs/Module/Chat.php:233 -msgid "Chatroom name" -msgstr "Chatraumname" - -#: ../../Zotlabs/Module/Chat.php:234 -msgid "Expiration of chats (minutes)" -msgstr "Verfall von Chats (Minuten)" - -#: ../../Zotlabs/Module/Chat.php:235 ../../Zotlabs/Module/Filestorage.php:152 -#: ../../Zotlabs/Module/Photos.php:669 ../../Zotlabs/Module/Photos.php:1043 -#: ../../Zotlabs/Module/Thing.php:313 ../../Zotlabs/Module/Thing.php:359 -#: ../../include/acl_selectors.php:281 -msgid "Permissions" -msgstr "Berechtigungen" - -#: ../../Zotlabs/Module/Chat.php:246 -#, php-format -msgid "%1$s's Chatrooms" -msgstr "%1$ss ChatrƤume" - -#: ../../Zotlabs/Module/Chat.php:251 -msgid "No chatrooms available" -msgstr "Keine ChatrƤume verfügbar" - -#: ../../Zotlabs/Module/Chat.php:252 ../../Zotlabs/Module/Profiles.php:778 -#: ../../Zotlabs/Module/Manage.php:143 -msgid "Create New" -msgstr "Neu anlegen" - -#: ../../Zotlabs/Module/Chat.php:255 -msgid "Expiration" -msgstr "Verfall" - -#: ../../Zotlabs/Module/Chat.php:256 -msgid "min" -msgstr "min" - -#: ../../Zotlabs/Module/Dreport.php:44 -msgid "Invalid message" -msgstr "Ungültige Beitrags-ID (mid)" - -#: ../../Zotlabs/Module/Dreport.php:76 -msgid "no results" -msgstr "keine Ergebnisse" - -#: ../../Zotlabs/Module/Dreport.php:91 -msgid "channel sync processed" -msgstr "Kanal-Sync verarbeitet" - -#: ../../Zotlabs/Module/Dreport.php:95 -msgid "queued" -msgstr "zur Warteschlange hinzugefügt" - -#: ../../Zotlabs/Module/Dreport.php:99 -msgid "posted" -msgstr "zugestellt" - -#: ../../Zotlabs/Module/Dreport.php:103 -msgid "accepted for delivery" -msgstr "für Zustellung akzeptiert" - -#: ../../Zotlabs/Module/Dreport.php:107 -msgid "updated" -msgstr "aktualisiert" - -#: ../../Zotlabs/Module/Dreport.php:110 -msgid "update ignored" -msgstr "Aktualisierung ignoriert" - -#: ../../Zotlabs/Module/Dreport.php:113 -msgid "permission denied" -msgstr "Zugriff verweigert" - -#: ../../Zotlabs/Module/Dreport.php:117 -msgid "recipient not found" -msgstr "EmpfƤnger nicht gefunden." - -#: ../../Zotlabs/Module/Dreport.php:120 -msgid "mail recalled" -msgstr "Mail widerrufen" - -#: ../../Zotlabs/Module/Dreport.php:123 -msgid "duplicate mail received" -msgstr "Doppelte Mail erhalten" - -#: ../../Zotlabs/Module/Dreport.php:126 -msgid "mail delivered" -msgstr "Mail zugestellt" - -#: ../../Zotlabs/Module/Dreport.php:146 -#, php-format -msgid "Delivery report for %1$s" -msgstr "Zustellungsbericht für %1$s" - -#: ../../Zotlabs/Module/Dreport.php:149 -msgid "Options" -msgstr "Optionen" - -#: ../../Zotlabs/Module/Dreport.php:150 -msgid "Redeliver" -msgstr "Erneut zustellen" +#: ../../Zotlabs/Module/Editblock.php:133 +msgid "Edit Block" +msgstr "Block bearbeiten" #: ../../Zotlabs/Module/Editlayout.php:127 #: ../../Zotlabs/Module/Layouts.php:128 ../../Zotlabs/Module/Layouts.php:188 @@ -1806,10 +2047,502 @@ msgstr "Layout bearbeiten" msgid "Page link" msgstr "Seiten-Link" -#: ../../Zotlabs/Module/Editwebpage.php:168 +#: ../../Zotlabs/Module/Editwebpage.php:169 msgid "Edit Webpage" msgstr "Webseite bearbeiten" +#: ../../Zotlabs/Module/Acl.php:312 +msgid "network" +msgstr "Netzwerk" + +#: ../../Zotlabs/Module/Acl.php:322 +msgid "RSS" +msgstr "RSS" + +#: ../../Zotlabs/Module/Appman.php:37 ../../Zotlabs/Module/Appman.php:53 +msgid "App installed." +msgstr "App installiert." + +#: ../../Zotlabs/Module/Appman.php:46 +msgid "Malformed app." +msgstr "Fehlerhafte App." + +#: ../../Zotlabs/Module/Appman.php:104 +msgid "Embed code" +msgstr "Code einbetten" + +#: ../../Zotlabs/Module/Appman.php:110 ../../include/widgets.php:107 +msgid "Edit App" +msgstr "App bearbeiten" + +#: ../../Zotlabs/Module/Appman.php:110 +msgid "Create App" +msgstr "App erstellen" + +#: ../../Zotlabs/Module/Appman.php:115 +msgid "Name of app" +msgstr "Name der App" + +#: ../../Zotlabs/Module/Appman.php:116 +msgid "Location (URL) of app" +msgstr "Ort (URL) der App" + +#: ../../Zotlabs/Module/Appman.php:117 ../../Zotlabs/Module/Events.php:465 +#: ../../Zotlabs/Module/Rbmark.php:101 +msgid "Description" +msgstr "Beschreibung" + +#: ../../Zotlabs/Module/Appman.php:118 +msgid "Photo icon URL" +msgstr "URL zum Icon" + +#: ../../Zotlabs/Module/Appman.php:118 +msgid "80 x 80 pixels - optional" +msgstr "80 x 80 Pixel – optional" + +#: ../../Zotlabs/Module/Appman.php:119 +msgid "Categories (optional, comma separated list)" +msgstr "Kategorien (optional, kommagetrennte Liste)" + +#: ../../Zotlabs/Module/Appman.php:120 +msgid "Version ID" +msgstr "Versions-ID" + +#: ../../Zotlabs/Module/Appman.php:121 +msgid "Price of app" +msgstr "Preis der App" + +#: ../../Zotlabs/Module/Appman.php:122 +msgid "Location (URL) to purchase app" +msgstr "Ort (URL), um die App zu kaufen" + +#: ../../Zotlabs/Module/Help.php:26 +msgid "Documentation Search" +msgstr "Suche in der Dokumentation" + +#: ../../Zotlabs/Module/Help.php:67 ../../Zotlabs/Module/Help.php:73 +#: ../../Zotlabs/Module/Help.php:79 +msgid "Help:" +msgstr "Hilfe:" + +#: ../../Zotlabs/Module/Help.php:85 ../../Zotlabs/Module/Help.php:90 +#: ../../Zotlabs/Module/Layouts.php:185 ../../Zotlabs/Lib/Apps.php:225 +#: ../../include/nav.php:163 +msgid "Help" +msgstr "Hilfe" + +#: ../../Zotlabs/Module/Help.php:120 +msgid "$Projectname Documentation" +msgstr "$Projectname-Dokumentation" + +#: ../../Zotlabs/Module/Attach.php:13 +msgid "Item not available." +msgstr "Element nicht verfügbar." + +#: ../../Zotlabs/Module/Pdledit.php:18 +msgid "Layout updated." +msgstr "Layout aktualisiert." + +#: ../../Zotlabs/Module/Pdledit.php:34 ../../Zotlabs/Module/Pdledit.php:61 +msgid "Edit System Page Description" +msgstr "Systemseitenbeschreibung bearbeiten" + +#: ../../Zotlabs/Module/Pdledit.php:56 +msgid "Layout not found." +msgstr "Layout nicht gefunden." + +#: ../../Zotlabs/Module/Pdledit.php:62 +msgid "Module Name:" +msgstr "Modulname:" + +#: ../../Zotlabs/Module/Pdledit.php:63 +msgid "Layout Help" +msgstr "Layout-Hilfe" + +#: ../../Zotlabs/Module/Ffsapi.php:12 +msgid "Share content from Firefox to $Projectname" +msgstr "Inhalte von Firefox nach $Projectname teilen" + +#: ../../Zotlabs/Module/Ffsapi.php:15 +msgid "Activate the Firefox $Projectname provider" +msgstr "Aktiviert den $Projectname-Provider für firefox" + +#: ../../Zotlabs/Module/Home.php:74 ../../Zotlabs/Module/Home.php:82 +#: ../../Zotlabs/Module/Siteinfo.php:48 +msgid "$Projectname" +msgstr "$Projectname" + +#: ../../Zotlabs/Module/Home.php:92 +#, php-format +msgid "Welcome to %s" +msgstr "Willkommen auf %s" + +#: ../../Zotlabs/Module/Lockview.php:75 +msgid "Remote privacy information not available." +msgstr "PrivatsphƤre-Einstellungen anderer Nutzer sind nicht verfügbar." + +#: ../../Zotlabs/Module/Lockview.php:96 +msgid "Visible to:" +msgstr "Sichtbar für:" + +#: ../../Zotlabs/Module/Filestorage.php:32 ../../Zotlabs/Module/Display.php:40 +#: ../../Zotlabs/Module/Admin.php:164 ../../Zotlabs/Module/Admin.php:1255 +#: ../../Zotlabs/Module/Admin.php:1561 ../../Zotlabs/Module/Thing.php:89 +#: ../../Zotlabs/Module/Viewsrc.php:24 ../../include/items.php:3369 +msgid "Item not found." +msgstr "Element nicht gefunden." + +#: ../../Zotlabs/Module/Filestorage.php:87 +msgid "Permission Denied." +msgstr "Zugriff verweigert." + +#: ../../Zotlabs/Module/Filestorage.php:103 +msgid "File not found." +msgstr "Datei nicht gefunden." + +#: ../../Zotlabs/Module/Filestorage.php:146 +msgid "Edit file permissions" +msgstr "Dateiberechtigungen bearbeiten" + +#: ../../Zotlabs/Module/Filestorage.php:152 ../../Zotlabs/Module/Chat.php:234 +#: ../../Zotlabs/Module/Photos.php:669 ../../Zotlabs/Module/Photos.php:1047 +#: ../../Zotlabs/Module/Thing.php:313 ../../Zotlabs/Module/Thing.php:363 +#: ../../include/acl_selectors.php:281 +msgid "Permissions" +msgstr "Berechtigungen" + +#: ../../Zotlabs/Module/Filestorage.php:159 +msgid "Set/edit permissions" +msgstr "Berechtigungen setzen/Ƥndern" + +#: ../../Zotlabs/Module/Filestorage.php:160 +msgid "Include all files and sub folders" +msgstr "Alle Dateien und Unterverzeichnisse einbinden" + +#: ../../Zotlabs/Module/Filestorage.php:161 +msgid "Return to file list" +msgstr "Zurück zur Dateiliste" + +#: ../../Zotlabs/Module/Filestorage.php:163 +msgid "Copy/paste this code to attach file to a post" +msgstr "Diesen Code kopieren und einfügen, um die Datei an einen Beitrag anzuhƤngen" + +#: ../../Zotlabs/Module/Filestorage.php:164 +msgid "Copy/paste this URL to link file from a web page" +msgstr "Diese URL verwenden, um von einer Webseite aus auf die Datei zu verlinken" + +#: ../../Zotlabs/Module/Filestorage.php:166 +msgid "Share this file" +msgstr "Diese Datei freigeben" + +#: ../../Zotlabs/Module/Filestorage.php:167 +msgid "Show URL to this file" +msgstr "URL zu dieser Datei anzeigen" + +#: ../../Zotlabs/Module/Filestorage.php:168 +msgid "Notify your contacts about this file" +msgstr "Meine Kontakte über diese Datei benachrichtigen" + +#: ../../Zotlabs/Module/Probe.php:28 ../../Zotlabs/Module/Probe.php:32 +#, php-format +msgid "Fetching URL returns error: %1$s" +msgstr "Abrufen der URL gab einen Fehler zurück: %1$s" + +#: ../../Zotlabs/Module/Connedit.php:80 +msgid "Could not access contact record." +msgstr "Konnte nicht auf den Kontakteintrag zugreifen." + +#: ../../Zotlabs/Module/Connedit.php:104 +msgid "Could not locate selected profile." +msgstr "GewƤhltes Profil nicht gefunden." + +#: ../../Zotlabs/Module/Connedit.php:256 +msgid "Connection updated." +msgstr "Verbindung aktualisiert." + +#: ../../Zotlabs/Module/Connedit.php:258 +msgid "Failed to update connection record." +msgstr "Konnte den Verbindungseintrag nicht aktualisieren." + +#: ../../Zotlabs/Module/Connedit.php:308 +msgid "is now connected to" +msgstr "ist jetzt verbunden mit" + +#: ../../Zotlabs/Module/Connedit.php:443 +msgid "Could not access address book record." +msgstr "Konnte nicht auf den Adressbuch-Eintrag zugreifen." + +#: ../../Zotlabs/Module/Connedit.php:463 +msgid "Refresh failed - channel is currently unavailable." +msgstr "Aktualisierung fehlgeschlagen – der Kanal ist im Moment nicht erreichbar." + +#: ../../Zotlabs/Module/Connedit.php:478 ../../Zotlabs/Module/Connedit.php:487 +#: ../../Zotlabs/Module/Connedit.php:496 ../../Zotlabs/Module/Connedit.php:505 +#: ../../Zotlabs/Module/Connedit.php:518 +msgid "Unable to set address book parameters." +msgstr "Konnte die Adressbuch-Parameter nicht setzen." + +#: ../../Zotlabs/Module/Connedit.php:541 +msgid "Connection has been removed." +msgstr "Verbindung wurde gelƶscht." + +#: ../../Zotlabs/Module/Connedit.php:557 ../../Zotlabs/Lib/Apps.php:221 +#: ../../include/nav.php:88 ../../include/conversation.php:958 +msgid "View Profile" +msgstr "Profil ansehen" + +#: ../../Zotlabs/Module/Connedit.php:560 +#, php-format +msgid "View %s's profile" +msgstr "%ss Profil ansehen" + +#: ../../Zotlabs/Module/Connedit.php:564 +msgid "Refresh Permissions" +msgstr "Zugriffsrechte neu laden" + +#: ../../Zotlabs/Module/Connedit.php:567 +msgid "Fetch updated permissions" +msgstr "Aktualisierte Zugriffsrechte abfragen" + +#: ../../Zotlabs/Module/Connedit.php:571 +msgid "Recent Activity" +msgstr "Kürzliche AktivitƤten" + +#: ../../Zotlabs/Module/Connedit.php:574 +msgid "View recent posts and comments" +msgstr "Betrachte die neuesten BeitrƤge und Kommentare" + +#: ../../Zotlabs/Module/Connedit.php:578 ../../Zotlabs/Module/Admin.php:1041 +msgid "Unblock" +msgstr "Freigeben" + +#: ../../Zotlabs/Module/Connedit.php:578 ../../Zotlabs/Module/Admin.php:1040 +msgid "Block" +msgstr "Blockieren" + +#: ../../Zotlabs/Module/Connedit.php:581 +msgid "Block (or Unblock) all communications with this connection" +msgstr "Jegliche Kommunikation mit dieser Verbindung blockieren/zulassen" + +#: ../../Zotlabs/Module/Connedit.php:582 +msgid "This connection is blocked!" +msgstr "Die Verbindung ist geblockt!" + +#: ../../Zotlabs/Module/Connedit.php:586 +msgid "Unignore" +msgstr "Nicht ignorieren" + +#: ../../Zotlabs/Module/Connedit.php:589 +msgid "Ignore (or Unignore) all inbound communications from this connection" +msgstr "Jegliche eingehende Kommunikation von dieser Verbindung ignorieren/zulassen" + +#: ../../Zotlabs/Module/Connedit.php:590 +msgid "This connection is ignored!" +msgstr "Die Verbindung wird ignoriert!" + +#: ../../Zotlabs/Module/Connedit.php:594 +msgid "Unarchive" +msgstr "Aus Archiv zurückholen" + +#: ../../Zotlabs/Module/Connedit.php:594 +msgid "Archive" +msgstr "Archivieren" + +#: ../../Zotlabs/Module/Connedit.php:597 +msgid "" +"Archive (or Unarchive) this connection - mark channel dead but keep content" +msgstr "Verbindung archivieren/aus dem Archiv zurückholen (Archiv = Kanal als erloschen markieren, aber die BeitrƤge behalten)" + +#: ../../Zotlabs/Module/Connedit.php:598 +msgid "This connection is archived!" +msgstr "Die Verbindung ist archiviert!" + +#: ../../Zotlabs/Module/Connedit.php:602 +msgid "Unhide" +msgstr "Wieder sichtbar machen" + +#: ../../Zotlabs/Module/Connedit.php:602 +msgid "Hide" +msgstr "Verstecken" + +#: ../../Zotlabs/Module/Connedit.php:605 +msgid "Hide or Unhide this connection from your other connections" +msgstr "Diese Verbindung vor anderen Verbindungen verstecken/zeigen" + +#: ../../Zotlabs/Module/Connedit.php:606 +msgid "This connection is hidden!" +msgstr "Die Verbindung ist versteckt!" + +#: ../../Zotlabs/Module/Connedit.php:613 +msgid "Delete this connection" +msgstr "Verbindung lƶschen" + +#: ../../Zotlabs/Module/Connedit.php:628 ../../include/widgets.php:493 +msgid "Me" +msgstr "Ich" + +#: ../../Zotlabs/Module/Connedit.php:629 ../../include/widgets.php:494 +msgid "Family" +msgstr "Familie" + +#: ../../Zotlabs/Module/Connedit.php:630 ../../Zotlabs/Module/Settings.php:407 +#: ../../Zotlabs/Module/Settings.php:411 ../../Zotlabs/Module/Settings.php:412 +#: ../../Zotlabs/Module/Settings.php:415 ../../Zotlabs/Module/Settings.php:426 +#: ../../include/selectors.php:123 ../../include/channel.php:402 +#: ../../include/channel.php:403 ../../include/channel.php:410 +#: ../../include/widgets.php:495 +msgid "Friends" +msgstr "Freunde" + +#: ../../Zotlabs/Module/Connedit.php:631 ../../include/widgets.php:496 +msgid "Acquaintances" +msgstr "Bekannte" + +#: ../../Zotlabs/Module/Connedit.php:693 +msgid "Approve this connection" +msgstr "Verbindung genehmigen" + +#: ../../Zotlabs/Module/Connedit.php:693 +msgid "Accept connection to allow communication" +msgstr "Akzeptiere die Verbindung, um Kommunikation zu ermƶglichen" + +#: ../../Zotlabs/Module/Connedit.php:698 +msgid "Set Affinity" +msgstr "Beziehung festlegen" + +#: ../../Zotlabs/Module/Connedit.php:701 +msgid "Set Profile" +msgstr "Profil festlegen" + +#: ../../Zotlabs/Module/Connedit.php:704 +msgid "Set Affinity & Profile" +msgstr "Beziehung und Profile festlegen" + +#: ../../Zotlabs/Module/Connedit.php:753 +msgid "none" +msgstr "Keine" + +#: ../../Zotlabs/Module/Connedit.php:757 ../../include/widgets.php:623 +msgid "Connection Default Permissions" +msgstr "Standardzugriffsrechte für neue Verbindungen:" + +#: ../../Zotlabs/Module/Connedit.php:757 ../../include/items.php:3935 +#, php-format +msgid "Connection: %s" +msgstr "Verbindung: %s" + +#: ../../Zotlabs/Module/Connedit.php:758 +msgid "Apply these permissions automatically" +msgstr "Diese Berechtigungen automatisch anwenden" + +#: ../../Zotlabs/Module/Connedit.php:758 +msgid "Connection requests will be approved without your interaction" +msgstr "Verbindungsanfragen werden sofort bestƤtigt, ohne dass Deine aktive Zustimmung erforderlich ist." + +#: ../../Zotlabs/Module/Connedit.php:760 +msgid "This connection's primary address is" +msgstr "Die Hauptadresse der Verbindung ist" + +#: ../../Zotlabs/Module/Connedit.php:761 +msgid "Available locations:" +msgstr "Verfügbare Klone:" + +#: ../../Zotlabs/Module/Connedit.php:765 +msgid "" +"The permissions indicated on this page will be applied to all new " +"connections." +msgstr "Die auf dieser Seite angegebenen Berechtigungen werden auf alle neuen Verbindungen angewendet." + +#: ../../Zotlabs/Module/Connedit.php:766 +msgid "Connection Tools" +msgstr "Verbindungswerkzeuge" + +#: ../../Zotlabs/Module/Connedit.php:768 +msgid "Slide to adjust your degree of friendship" +msgstr "Verschieben, um den Grad der Freundschaft zu einzustellen" + +#: ../../Zotlabs/Module/Connedit.php:769 ../../Zotlabs/Module/Rate.php:159 +#: ../../include/js_strings.php:20 +msgid "Rating" +msgstr "Bewertung" + +#: ../../Zotlabs/Module/Connedit.php:770 +msgid "Slide to adjust your rating" +msgstr "Verschieben, um Deine Bewertung einzustellen" + +#: ../../Zotlabs/Module/Connedit.php:771 ../../Zotlabs/Module/Connedit.php:776 +msgid "Optionally explain your rating" +msgstr "Optional kannst Du Deine Bewertung begründen" + +#: ../../Zotlabs/Module/Connedit.php:773 +msgid "Custom Filter" +msgstr "Benutzerdefinierter Filter" + +#: ../../Zotlabs/Module/Connedit.php:774 +msgid "Only import posts with this text" +msgstr "Nur BeitrƤge mit diesem Text importieren" + +#: ../../Zotlabs/Module/Connedit.php:774 ../../Zotlabs/Module/Connedit.php:775 +msgid "" +"words one per line or #tags or /patterns/ or lang=xx, leave blank to import " +"all posts" +msgstr "Einzelne Wƶrter pro Zeile, #Tags oder /RegulƤre Ausdrücke/. lang=xx (z.B. lang=de) ermƶglicht Filterung nach Sprache. Leer lassen, um alle BeitrƤge zu importieren." + +#: ../../Zotlabs/Module/Connedit.php:775 +msgid "Do not import posts with this text" +msgstr "BeitrƤge mit diesem Text nicht importieren" + +#: ../../Zotlabs/Module/Connedit.php:777 +msgid "This information is public!" +msgstr "Diese Information ist ƶffentlich!" + +#: ../../Zotlabs/Module/Connedit.php:782 +msgid "Connection Pending Approval" +msgstr "Verbindung wartet auf BestƤtigung" + +#: ../../Zotlabs/Module/Connedit.php:785 ../../Zotlabs/Module/Settings.php:860 +msgid "inherited" +msgstr "geerbt" + +#: ../../Zotlabs/Module/Connedit.php:787 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Bitte wƤhle ein Profil, das wir %s zeigen sollen, wenn Deine Profilseite über eine verifizierte Verbindung aufgerufen wird." + +#: ../../Zotlabs/Module/Connedit.php:789 ../../Zotlabs/Module/Settings.php:857 +msgid "Their Settings" +msgstr "Deren Einstellungen" + +#: ../../Zotlabs/Module/Connedit.php:790 ../../Zotlabs/Module/Settings.php:858 +msgid "My Settings" +msgstr "Meine Einstellungen" + +#: ../../Zotlabs/Module/Connedit.php:792 ../../Zotlabs/Module/Settings.php:862 +msgid "Individual Permissions" +msgstr "Individuelle Zugriffsrechte" + +#: ../../Zotlabs/Module/Connedit.php:793 ../../Zotlabs/Module/Settings.php:863 +msgid "" +"Some permissions may be inherited from your channel's privacy settings, which have higher " +"priority than individual settings. You can not change those" +" settings here." +msgstr "Einige Berechtigungen werden mƶglicherweise von den globalen Sicherheits- und PrivatsphƤre-Einstellungen dieses Kanals vererbt. Diese haben eine hƶhere PrioritƤt als die Einstellungen an der Verbindung und kƶnnen hier nicht verƤndert werden." + +#: ../../Zotlabs/Module/Connedit.php:794 +msgid "" +"Some permissions may be inherited from your channel's privacy settings, which have higher " +"priority than individual settings. You can change those settings here but " +"they wont have any impact unless the inherited setting changes." +msgstr "Einige Berechtigungen werden mƶglicherweise von den globalen Sicherheits- und PrivatsphƤre-Einstellungen dieses Kanals geerbt. Diese haben eine hƶhere PrioritƤt als die Einstellungen an der Verbindung. Werden geerbte Einstellungen hier geƤndert, hat dies keine Auswirkungen." + +#: ../../Zotlabs/Module/Connedit.php:795 +msgid "Last update:" +msgstr "Letzte Aktualisierung:" + #: ../../Zotlabs/Module/Group.php:24 msgid "Privacy group created." msgstr "Gruppe wurde erstellt." @@ -1863,997 +2596,130 @@ msgstr "Alle verbundenen KanƤle" msgid "Click on a channel to add or remove." msgstr "WƤhle einen Kanal zum hinzufügen oder entfernen aus." -#: ../../Zotlabs/Module/Appman.php:37 ../../Zotlabs/Module/Appman.php:53 -msgid "App installed." -msgstr "App installiert." +#: ../../Zotlabs/Module/Menu.php:49 +msgid "Unable to update menu." +msgstr "Kann Menü nicht aktualisieren." + +#: ../../Zotlabs/Module/Menu.php:60 +msgid "Unable to create menu." +msgstr "Kann Menü nicht erstellen." -#: ../../Zotlabs/Module/Appman.php:46 -msgid "Malformed app." -msgstr "Fehlerhafte App." +#: ../../Zotlabs/Module/Menu.php:98 ../../Zotlabs/Module/Menu.php:110 +msgid "Menu Name" +msgstr "Name des Menüs" -#: ../../Zotlabs/Module/Appman.php:104 -msgid "Embed code" -msgstr "Code einbetten" +#: ../../Zotlabs/Module/Menu.php:98 +msgid "Unique name (not visible on webpage) - required" +msgstr "Eindeutiger Name (nicht sichtbar auf der Webseite) – erforderlich" -#: ../../Zotlabs/Module/Appman.php:110 ../../include/widgets.php:107 -msgid "Edit App" -msgstr "App bearbeiten" +#: ../../Zotlabs/Module/Menu.php:99 ../../Zotlabs/Module/Menu.php:111 +msgid "Menu Title" +msgstr "Menütitel" -#: ../../Zotlabs/Module/Appman.php:110 -msgid "Create App" -msgstr "App erstellen" +#: ../../Zotlabs/Module/Menu.php:99 +msgid "Visible on webpage - leave empty for no title" +msgstr "Sichtbar auf der Webseite – für keinen Titel leer lassen" -#: ../../Zotlabs/Module/Appman.php:115 -msgid "Name of app" -msgstr "Name der App" +#: ../../Zotlabs/Module/Menu.php:100 +msgid "Allow Bookmarks" +msgstr "Lesezeichen erlauben" -#: ../../Zotlabs/Module/Appman.php:116 -msgid "Location (URL) of app" -msgstr "Ort (URL) der App" +#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 +msgid "Menu may be used to store saved bookmarks" +msgstr "Im Menü kƶnnen gespeicherte Lesezeichen abgelegt werden" -#: ../../Zotlabs/Module/Appman.php:118 -msgid "Photo icon URL" -msgstr "URL zum Icon" +#: ../../Zotlabs/Module/Menu.php:101 ../../Zotlabs/Module/Menu.php:159 +msgid "Submit and proceed" +msgstr "Absenden und fortfahren" -#: ../../Zotlabs/Module/Appman.php:118 -msgid "80 x 80 pixels - optional" -msgstr "80 x 80 Pixel – optional" +#: ../../Zotlabs/Module/Menu.php:107 ../../include/text.php:2263 +msgid "Menus" +msgstr "Menüs" -#: ../../Zotlabs/Module/Appman.php:119 -msgid "Categories (optional, comma separated list)" -msgstr "Kategorien (optional, kommagetrennte Liste)" +#: ../../Zotlabs/Module/Menu.php:113 ../../Zotlabs/Module/Locs.php:120 +msgid "Drop" +msgstr "Lƶschen" -#: ../../Zotlabs/Module/Appman.php:120 -msgid "Version ID" -msgstr "Versions-ID" +#: ../../Zotlabs/Module/Menu.php:117 +msgid "Bookmarks allowed" +msgstr "Lesezeichen erlaubt" -#: ../../Zotlabs/Module/Appman.php:121 -msgid "Price of app" -msgstr "Preis der App" +#: ../../Zotlabs/Module/Menu.php:119 +msgid "Delete this menu" +msgstr "Lƶsche dieses Menü" -#: ../../Zotlabs/Module/Appman.php:122 -msgid "Location (URL) to purchase app" -msgstr "Ort (URL), um die App zu kaufen" +#: ../../Zotlabs/Module/Menu.php:120 ../../Zotlabs/Module/Menu.php:154 +msgid "Edit menu contents" +msgstr "Bearbeite Menü Inhalte" -#: ../../Zotlabs/Module/Help.php:26 -msgid "Documentation Search" -msgstr "Suche in der Dokumentation" +#: ../../Zotlabs/Module/Menu.php:121 +msgid "Edit this menu" +msgstr "Dieses Menü bearbeiten" -#: ../../Zotlabs/Module/Help.php:67 ../../Zotlabs/Module/Help.php:73 -#: ../../Zotlabs/Module/Help.php:79 -msgid "Help:" -msgstr "Hilfe:" +#: ../../Zotlabs/Module/Menu.php:136 +msgid "Menu could not be deleted." +msgstr "Menü konnte nicht gelƶscht werden." -#: ../../Zotlabs/Module/Help.php:85 ../../Zotlabs/Module/Help.php:90 -#: ../../Zotlabs/Module/Layouts.php:185 ../../Zotlabs/Lib/Apps.php:225 -#: ../../include/nav.php:161 -msgid "Help" -msgstr "Hilfe" +#: ../../Zotlabs/Module/Menu.php:144 ../../Zotlabs/Module/Mitem.php:28 +msgid "Menu not found." +msgstr "Menü nicht gefunden" -#: ../../Zotlabs/Module/Help.php:120 -msgid "$Projectname Documentation" -msgstr "$Projectname-Dokumentation" +#: ../../Zotlabs/Module/Menu.php:149 +msgid "Edit Menu" +msgstr "Menü bearbeiten" -#: ../../Zotlabs/Module/Attach.php:13 -msgid "Item not available." -msgstr "Element nicht verfügbar." +#: ../../Zotlabs/Module/Menu.php:153 +msgid "Add or remove entries to this menu" +msgstr "EintrƤge zu diesem Menü hinzufügen oder entfernen" -#: ../../Zotlabs/Module/Pdledit.php:18 -msgid "Layout updated." -msgstr "Layout aktualisiert." +#: ../../Zotlabs/Module/Menu.php:155 +msgid "Menu name" +msgstr "Menü Name" -#: ../../Zotlabs/Module/Pdledit.php:34 ../../Zotlabs/Module/Pdledit.php:61 -msgid "Edit System Page Description" -msgstr "Systemseitenbeschreibung bearbeiten" +#: ../../Zotlabs/Module/Menu.php:155 +msgid "Must be unique, only seen by you" +msgstr "Muss eindeutig sein, ist aber nur für Dich sichtbar" -#: ../../Zotlabs/Module/Pdledit.php:56 -msgid "Layout not found." -msgstr "Layout nicht gefunden." +#: ../../Zotlabs/Module/Menu.php:156 +msgid "Menu title" +msgstr "Menü Titel" -#: ../../Zotlabs/Module/Pdledit.php:62 -msgid "Module Name:" -msgstr "Modulname:" +#: ../../Zotlabs/Module/Menu.php:156 +msgid "Menu title as seen by others" +msgstr "Menü Titel wie er von anderen gesehen wird" -#: ../../Zotlabs/Module/Pdledit.php:63 -msgid "Layout Help" -msgstr "Layout-Hilfe" +#: ../../Zotlabs/Module/Menu.php:157 +msgid "Allow bookmarks" +msgstr "Erlaube Lesezeichen" -#: ../../Zotlabs/Module/Ffsapi.php:12 -msgid "Share content from Firefox to $Projectname" -msgstr "Inhalte von Firefox nach $Projectname teilen" +#: ../../Zotlabs/Module/Menu.php:166 ../../Zotlabs/Module/Mitem.php:120 +#: ../../Zotlabs/Module/Xchan.php:41 +msgid "Not found." +msgstr "Nicht gefunden." -#: ../../Zotlabs/Module/Ffsapi.php:15 -msgid "Activate the Firefox $Projectname provider" -msgstr "Aktiviert den $Projectname-Provider für firefox" +#: ../../Zotlabs/Module/Editpost.php:35 +msgid "Item is not editable" +msgstr "Element kann nicht bearbeitet werden." -#: ../../Zotlabs/Module/Acl.php:312 -msgid "network" -msgstr "Netzwerk" - -#: ../../Zotlabs/Module/Acl.php:322 -msgid "RSS" -msgstr "RSS" - -#: ../../Zotlabs/Module/Filestorage.php:87 -msgid "Permission Denied." -msgstr "Zugriff verweigert." - -#: ../../Zotlabs/Module/Filestorage.php:103 -msgid "File not found." -msgstr "Datei nicht gefunden." - -#: ../../Zotlabs/Module/Filestorage.php:146 -msgid "Edit file permissions" -msgstr "Dateiberechtigungen bearbeiten" - -#: ../../Zotlabs/Module/Filestorage.php:155 -msgid "Set/edit permissions" -msgstr "Berechtigungen setzen/Ƥndern" - -#: ../../Zotlabs/Module/Filestorage.php:156 -msgid "Include all files and sub folders" -msgstr "Alle Dateien und Unterverzeichnisse einbinden" - -#: ../../Zotlabs/Module/Filestorage.php:157 -msgid "Return to file list" -msgstr "Zurück zur Dateiliste" - -#: ../../Zotlabs/Module/Filestorage.php:159 -msgid "Copy/paste this code to attach file to a post" -msgstr "Diesen Code kopieren und einfügen, um die Datei an einen Beitrag anzuhƤngen" - -#: ../../Zotlabs/Module/Filestorage.php:160 -msgid "Copy/paste this URL to link file from a web page" -msgstr "Diese URL verwenden, um von einer Webseite aus auf die Datei zu verlinken" - -#: ../../Zotlabs/Module/Filestorage.php:162 -msgid "Share this file" -msgstr "Diese Datei freigeben" - -#: ../../Zotlabs/Module/Filestorage.php:163 -msgid "Show URL to this file" -msgstr "URL zu dieser Datei anzeigen" - -#: ../../Zotlabs/Module/Filestorage.php:164 -msgid "Notify your contacts about this file" -msgstr "Meine Kontakte über diese Datei benachrichtigen" - -#: ../../Zotlabs/Module/Layouts.php:183 ../../include/text.php:2240 -msgid "Layouts" -msgstr "Layouts" - -#: ../../Zotlabs/Module/Layouts.php:185 -msgid "Comanche page description language help" -msgstr "Hilfe zur Comanche-Seitenbeschreibungssprache" - -#: ../../Zotlabs/Module/Layouts.php:189 -msgid "Layout Description" -msgstr "Layout-Beschreibung" - -#: ../../Zotlabs/Module/Layouts.php:190 ../../Zotlabs/Module/Menu.php:114 -#: ../../Zotlabs/Module/Blocks.php:157 ../../Zotlabs/Module/Webpages.php:205 -#: ../../include/page_widgets.php:47 -msgid "Created" -msgstr "Erstellt" - -#: ../../Zotlabs/Module/Layouts.php:191 ../../Zotlabs/Module/Menu.php:115 -#: ../../Zotlabs/Module/Blocks.php:158 ../../Zotlabs/Module/Webpages.php:206 -#: ../../include/page_widgets.php:48 -msgid "Edited" -msgstr "GeƤndert" - -#: ../../Zotlabs/Module/Layouts.php:193 ../../Zotlabs/Module/Photos.php:1070 -#: ../../Zotlabs/Module/Blocks.php:161 ../../Zotlabs/Module/Webpages.php:195 -#: ../../include/conversation.php:1219 -msgid "Share" -msgstr "Teilen" - -#: ../../Zotlabs/Module/Layouts.php:194 -msgid "Download PDL file" -msgstr "PDL-Datei herunterladen" - -#: ../../Zotlabs/Module/Like.php:19 -msgid "Like/Dislike" -msgstr "Mƶgen/Nicht mƶgen" - -#: ../../Zotlabs/Module/Like.php:24 -msgid "This action is restricted to members." -msgstr "Diese Aktion kann nur von Mitgliedern ausgeführt werden." - -#: ../../Zotlabs/Module/Like.php:25 -msgid "" -"Please login with your $Projectname ID or register as a new $Projectname member to continue." -msgstr "Um fortzufahren melde Dich bitte mit Deiner $Projectname-ID an oder registriere Dich als neues $Projectname-Mitglied." - -#: ../../Zotlabs/Module/Like.php:105 ../../Zotlabs/Module/Like.php:131 -#: ../../Zotlabs/Module/Like.php:169 -msgid "Invalid request." -msgstr "Ungültige Anfrage." - -#: ../../Zotlabs/Module/Like.php:117 ../../include/conversation.php:126 -msgid "channel" -msgstr "Kanal" - -#: ../../Zotlabs/Module/Like.php:146 -msgid "thing" -msgstr "Sache" - -#: ../../Zotlabs/Module/Like.php:192 -msgid "Channel unavailable." -msgstr "Kanal nicht vorhanden." - -#: ../../Zotlabs/Module/Like.php:240 -msgid "Previous action reversed." -msgstr "Die vorherige Aktion wurde rückgƤngig gemacht." - -#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 -#: ../../Zotlabs/Module/Tagger.php:47 ../../include/conversation.php:120 -#: ../../include/text.php:1921 -msgid "photo" -msgstr "Foto" - -#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 -#: ../../include/conversation.php:148 ../../include/text.php:1927 -msgid "status" -msgstr "Status" - -#: ../../Zotlabs/Module/Like.php:419 ../../include/conversation.php:164 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s gefƤllt %2$ss %3$s" - -#: ../../Zotlabs/Module/Like.php:421 ../../include/conversation.php:167 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s gefƤllt %2$ss %3$s nicht" - -#: ../../Zotlabs/Module/Like.php:423 -#, php-format -msgid "%1$s agrees with %2$s's %3$s" -msgstr "%1$s stimmt %2$ss %3$s zu" - -#: ../../Zotlabs/Module/Like.php:425 -#, php-format -msgid "%1$s doesn't agree with %2$s's %3$s" -msgstr "%1$s lehnt %2$ss %3$s ab" - -#: ../../Zotlabs/Module/Like.php:427 -#, php-format -msgid "%1$s abstains from a decision on %2$s's %3$s" -msgstr "%1$s enthƤlt sich zu %2$ss %3$s" - -#: ../../Zotlabs/Module/Like.php:429 -#, php-format -msgid "%1$s is attending %2$s's %3$s" -msgstr "%1$s nimmt an %2$ss %3$s teil" - -#: ../../Zotlabs/Module/Like.php:431 -#, php-format -msgid "%1$s is not attending %2$s's %3$s" -msgstr "%1$s nimmt an %2$ss %3$s nicht teil" - -#: ../../Zotlabs/Module/Like.php:433 -#, php-format -msgid "%1$s may attend %2$s's %3$s" -msgstr "%1$s nimmt vielleicht an %2$ss %3$s teil" - -#: ../../Zotlabs/Module/Like.php:536 -msgid "Action completed." -msgstr "Aktion durchgeführt." - -#: ../../Zotlabs/Module/Like.php:537 -msgid "Thank you." -msgstr "Vielen Dank." - -#: ../../Zotlabs/Module/Profiles.php:24 ../../Zotlabs/Module/Profiles.php:189 -#: ../../Zotlabs/Module/Profiles.php:246 ../../Zotlabs/Module/Profiles.php:625 -msgid "Profile not found." -msgstr "Profil nicht gefunden." - -#: ../../Zotlabs/Module/Profiles.php:44 -msgid "Profile deleted." -msgstr "Profil gelƶscht." - -#: ../../Zotlabs/Module/Profiles.php:68 ../../Zotlabs/Module/Profiles.php:104 -msgid "Profile-" -msgstr "Profil-" - -#: ../../Zotlabs/Module/Profiles.php:89 ../../Zotlabs/Module/Profiles.php:132 -msgid "New profile created." -msgstr "Neues Profil erstellt." - -#: ../../Zotlabs/Module/Profiles.php:110 -msgid "Profile unavailable to clone." -msgstr "Profil kann nicht geklont werden." - -#: ../../Zotlabs/Module/Profiles.php:151 -msgid "Profile unavailable to export." -msgstr "Dieses Profil kann nicht exportiert werden." - -#: ../../Zotlabs/Module/Profiles.php:256 -msgid "Profile Name is required." -msgstr "Profil-Name erforderlich." - -#: ../../Zotlabs/Module/Profiles.php:427 -msgid "Marital Status" -msgstr "Familienstand" - -#: ../../Zotlabs/Module/Profiles.php:431 -msgid "Romantic Partner" -msgstr "Romantische Partner" - -#: ../../Zotlabs/Module/Profiles.php:435 ../../Zotlabs/Module/Profiles.php:736 -msgid "Likes" -msgstr "GefƤllt" - -#: ../../Zotlabs/Module/Profiles.php:439 ../../Zotlabs/Module/Profiles.php:737 -msgid "Dislikes" -msgstr "GefƤllt nicht" - -#: ../../Zotlabs/Module/Profiles.php:443 ../../Zotlabs/Module/Profiles.php:744 -msgid "Work/Employment" -msgstr "Arbeit/Anstellung" - -#: ../../Zotlabs/Module/Profiles.php:446 -msgid "Religion" -msgstr "Religion" - -#: ../../Zotlabs/Module/Profiles.php:450 -msgid "Political Views" -msgstr "Politische Ansichten" - -#: ../../Zotlabs/Module/Profiles.php:458 -msgid "Sexual Preference" -msgstr "Sexuelle Orientierung" - -#: ../../Zotlabs/Module/Profiles.php:462 -msgid "Homepage" -msgstr "Webseite" - -#: ../../Zotlabs/Module/Profiles.php:466 -msgid "Interests" -msgstr "Hobbys/Interessen" - -#: ../../Zotlabs/Module/Profiles.php:470 ../../Zotlabs/Module/Locs.php:118 -#: ../../Zotlabs/Module/Admin.php:1224 -msgid "Address" -msgstr "Adresse" - -#: ../../Zotlabs/Module/Profiles.php:560 -msgid "Profile updated." -msgstr "Profil aktualisiert." - -#: ../../Zotlabs/Module/Profiles.php:644 -msgid "Hide your connections list from viewers of this profile" -msgstr "Deine Verbindungen vor Betrachtern dieses Profils verbergen" - -#: ../../Zotlabs/Module/Profiles.php:686 -msgid "Edit Profile Details" -msgstr "Bearbeite Profil-Details" - -#: ../../Zotlabs/Module/Profiles.php:688 -msgid "View this profile" -msgstr "Dieses Profil ansehen" - -#: ../../Zotlabs/Module/Profiles.php:689 ../../Zotlabs/Module/Profiles.php:771 -#: ../../include/channel.php:998 -msgid "Edit visibility" -msgstr "Sichtbarkeit bearbeiten" - -#: ../../Zotlabs/Module/Profiles.php:690 -msgid "Profile Tools" -msgstr "Profilwerkzeuge" - -#: ../../Zotlabs/Module/Profiles.php:691 -msgid "Change cover photo" -msgstr "Titelbild Ƥndern" - -#: ../../Zotlabs/Module/Profiles.php:692 ../../include/channel.php:969 -msgid "Change profile photo" -msgstr "Profilfoto Ƥndern" - -#: ../../Zotlabs/Module/Profiles.php:693 -msgid "Create a new profile using these settings" -msgstr "Neues Profil anlegen und diese Einstellungen übernehmen" - -#: ../../Zotlabs/Module/Profiles.php:694 -msgid "Clone this profile" -msgstr "Dieses Profil klonen" - -#: ../../Zotlabs/Module/Profiles.php:695 -msgid "Delete this profile" -msgstr "Dieses Profil lƶschen" - -#: ../../Zotlabs/Module/Profiles.php:696 -msgid "Add profile things" -msgstr "Sachen zum Profil hinzufügen" - -#: ../../Zotlabs/Module/Profiles.php:697 ../../include/conversation.php:1541 -#: ../../include/widgets.php:105 -msgid "Personal" -msgstr "Persƶnlich" - -#: ../../Zotlabs/Module/Profiles.php:699 -msgid "Relation" -msgstr "Beziehung" - -#: ../../Zotlabs/Module/Profiles.php:700 ../../include/datetime.php:48 -msgid "Miscellaneous" -msgstr "Verschiedenes" - -#: ../../Zotlabs/Module/Profiles.php:702 -msgid "Import profile from file" -msgstr "Profil aus einer Datei importieren" - -#: ../../Zotlabs/Module/Profiles.php:703 -msgid "Export profile to file" -msgstr "Profil in eine Datei exportieren" - -#: ../../Zotlabs/Module/Profiles.php:704 -msgid "Your gender" -msgstr "Dein Geschlecht" - -#: ../../Zotlabs/Module/Profiles.php:705 -msgid "Marital status" -msgstr "Familienstand" - -#: ../../Zotlabs/Module/Profiles.php:706 -msgid "Sexual preference" -msgstr "Sexuelle Orientierung" - -#: ../../Zotlabs/Module/Profiles.php:709 -msgid "Profile name" -msgstr "Profilname" - -#: ../../Zotlabs/Module/Profiles.php:711 -msgid "This is your default profile." -msgstr "Das ist Dein Standardprofil." - -#: ../../Zotlabs/Module/Profiles.php:713 -msgid "Your full name" -msgstr "Dein voller Name" - -#: ../../Zotlabs/Module/Profiles.php:714 -msgid "Title/Description" -msgstr "Titel/Beschreibung" - -#: ../../Zotlabs/Module/Profiles.php:717 -msgid "Street address" -msgstr "Straße und Hausnummer" - -#: ../../Zotlabs/Module/Profiles.php:718 -msgid "Locality/City" -msgstr "Wohnort" - -#: ../../Zotlabs/Module/Profiles.php:719 -msgid "Region/State" -msgstr "Region/Bundesstaat" - -#: ../../Zotlabs/Module/Profiles.php:720 -msgid "Postal/Zip code" -msgstr "Postleitzahl" - -#: ../../Zotlabs/Module/Profiles.php:721 -msgid "Country" -msgstr "Land" - -#: ../../Zotlabs/Module/Profiles.php:726 -msgid "Who (if applicable)" -msgstr "Wer (falls anwendbar)" - -#: ../../Zotlabs/Module/Profiles.php:726 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "Beispiele: cathy123, Cathy Williams, cathy@example.com" - -#: ../../Zotlabs/Module/Profiles.php:727 -msgid "Since (date)" -msgstr "Seit (Datum)" - -#: ../../Zotlabs/Module/Profiles.php:730 -msgid "Tell us about yourself" -msgstr "ErzƤhle uns ein wenig von Dir" - -#: ../../Zotlabs/Module/Profiles.php:732 -msgid "Hometown" -msgstr "Heimatort" - -#: ../../Zotlabs/Module/Profiles.php:733 -msgid "Political views" -msgstr "Politische Ansichten" - -#: ../../Zotlabs/Module/Profiles.php:734 -msgid "Religious views" -msgstr "Religiƶse Ansichten" - -#: ../../Zotlabs/Module/Profiles.php:735 -msgid "Keywords used in directory listings" -msgstr "Schlüsselwƶrter, die in Verzeichnis-Auflistungen verwendet werden" - -#: ../../Zotlabs/Module/Profiles.php:735 -msgid "Example: fishing photography software" -msgstr "Beispiel: Angeln Fotografie Software" - -#: ../../Zotlabs/Module/Profiles.php:738 -msgid "Musical interests" -msgstr "Musikalische Interessen" - -#: ../../Zotlabs/Module/Profiles.php:739 -msgid "Books, literature" -msgstr "Bücher, Literatur" - -#: ../../Zotlabs/Module/Profiles.php:740 -msgid "Television" -msgstr "Fernsehen" - -#: ../../Zotlabs/Module/Profiles.php:741 -msgid "Film/Dance/Culture/Entertainment" -msgstr "Film/Tanz/Kultur/Unterhaltung" - -#: ../../Zotlabs/Module/Profiles.php:742 -msgid "Hobbies/Interests" -msgstr "Hobbys/Interessen" - -#: ../../Zotlabs/Module/Profiles.php:743 -msgid "Love/Romance" -msgstr "Liebe/Romantik" - -#: ../../Zotlabs/Module/Profiles.php:745 -msgid "School/Education" -msgstr "Schule/Ausbildung" - -#: ../../Zotlabs/Module/Profiles.php:746 -msgid "Contact information and social networks" -msgstr "Kontaktinformation und soziale Netzwerke" - -#: ../../Zotlabs/Module/Profiles.php:747 -msgid "My other channels" -msgstr "Meine anderen KanƤle" - -#: ../../Zotlabs/Module/Profiles.php:767 ../../include/channel.php:994 -msgid "Profile Image" -msgstr "Profilfoto:" - -#: ../../Zotlabs/Module/Profiles.php:777 ../../include/nav.php:88 -#: ../../include/channel.php:976 -msgid "Edit Profiles" -msgstr "Profile bearbeiten" - -#: ../../Zotlabs/Module/Import.php:33 -#, php-format -msgid "Your service plan only allows %d channels." -msgstr "Dein Vertrag erlaubt nur %d KanƤle." - -#: ../../Zotlabs/Module/Import.php:71 ../../Zotlabs/Module/Import_items.php:42 +#: ../../Zotlabs/Module/Import_items.php:42 ../../Zotlabs/Module/Import.php:71 msgid "Nothing to import." msgstr "Nichts zu importieren." -#: ../../Zotlabs/Module/Import.php:95 ../../Zotlabs/Module/Import_items.php:66 +#: ../../Zotlabs/Module/Import_items.php:66 ../../Zotlabs/Module/Import.php:95 msgid "Unable to download data from old server" msgstr "Daten kƶnnen vom alten Server nicht heruntergeladen werden" -#: ../../Zotlabs/Module/Import.php:101 #: ../../Zotlabs/Module/Import_items.php:72 +#: ../../Zotlabs/Module/Import.php:101 msgid "Imported file is empty." msgstr "Die importierte Datei ist leer." -#: ../../Zotlabs/Module/Import.php:123 #: ../../Zotlabs/Module/Import_items.php:88 +#: ../../Zotlabs/Module/Import.php:123 #, php-format msgid "Warning: Database versions differ by %1$d updates." msgstr "Achtung: Datenbankversionen unterscheiden sich um %1$d Aktualisierungen." -#: ../../Zotlabs/Module/Import.php:153 ../../include/import.php:107 -msgid "Cloned channel not found. Import failed." -msgstr "Geklonter Kanal nicht gefunden. Import fehlgeschlagen." - -#: ../../Zotlabs/Module/Import.php:163 -msgid "No channel. Import failed." -msgstr "Kein Kanal. Import fehlgeschlagen." - -#: ../../Zotlabs/Module/Import.php:520 -#: ../../include/Import/import_diaspora.php:142 -msgid "Import completed." -msgstr "Import abgeschlossen." - -#: ../../Zotlabs/Module/Import.php:542 -msgid "You must be logged in to use this feature." -msgstr "Du musst angemeldet sein um diese Funktion zu nutzen." - -#: ../../Zotlabs/Module/Import.php:547 -msgid "Import Channel" -msgstr "Kanal importieren" - -#: ../../Zotlabs/Module/Import.php:548 -msgid "" -"Use this form to import an existing channel from a different server/hub. You" -" may retrieve the channel identity from the old server/hub via the network " -"or provide an export file." -msgstr "Verwende dieses Formular, um einen existierenden Kanal von einem anderen Hub zu importieren. Du kannst den Kanal direkt vom bisherigen Hub über das Netzwerk oder aus einer exportierten Sicherheitskopie importieren." - -#: ../../Zotlabs/Module/Import.php:549 -#: ../../Zotlabs/Module/Import_items.php:121 -msgid "File to Upload" -msgstr "Hochzuladende Datei:" - -#: ../../Zotlabs/Module/Import.php:550 -msgid "Or provide the old server/hub details" -msgstr "Oder gib die Details Deines bisherigen $Projectname-Hubs ein" - -#: ../../Zotlabs/Module/Import.php:551 -msgid "Your old identity address (xyz@example.com)" -msgstr "Bisherige Kanal-Adresse (xyz@example.com)" - -#: ../../Zotlabs/Module/Import.php:552 -msgid "Your old login email address" -msgstr "Deine alte Login-E-Mail-Adresse" - -#: ../../Zotlabs/Module/Import.php:553 -msgid "Your old login password" -msgstr "Dein altes Passwort" - -#: ../../Zotlabs/Module/Import.php:554 -msgid "" -"For either option, please choose whether to make this hub your new primary " -"address, or whether your old location should continue this role. You will be" -" able to post from either location, but only one can be marked as the " -"primary location for files, photos, and media." -msgstr "Egal, welche Option Du wƤhlst – bitte lege fest, ob dieser Server die neue primƤre Adresse dieses Kanals sein soll, oder ob der bisherige $Projectname-Hub diese Rolle weiterhin wahrnimmt. Du kannst von beiden Servern aus posten, aber nur einer kann der primƤre Ort Deiner Dateien, Fotos und Medien sein." - -#: ../../Zotlabs/Module/Import.php:555 -msgid "Make this hub my primary location" -msgstr "Dieser $Pojectname-Hub ist mein primƤrer Hub." - -#: ../../Zotlabs/Module/Import.php:556 -msgid "" -"Import existing posts if possible (experimental - limited by available " -"memory" -msgstr "Importiere bestehende BeitrƤge falls mƶglich (experimentell - begrenzt durch zur Verfügung stehenden Speicher" - -#: ../../Zotlabs/Module/Import.php:557 -msgid "" -"This process may take several minutes to complete. Please submit the form " -"only once and leave this page open until finished." -msgstr "Dieser Vorgang kann einige Minuten dauern. Bitte sende das Formular nur einmal ab und lasse diese Seite bis zur Fertigstellung offen." - -#: ../../Zotlabs/Module/Home.php:74 ../../Zotlabs/Module/Home.php:82 -#: ../../Zotlabs/Module/Siteinfo.php:48 -msgid "$Projectname" -msgstr "$Projectname" - -#: ../../Zotlabs/Module/Home.php:92 -#, php-format -msgid "Welcome to %s" -msgstr "Willkommen auf %s" - -#: ../../Zotlabs/Module/Item.php:179 -msgid "Unable to locate original post." -msgstr "Originalbeitrag nicht gefunden." - -#: ../../Zotlabs/Module/Item.php:432 -msgid "Empty post discarded." -msgstr "Leeren Beitrag verworfen." - -#: ../../Zotlabs/Module/Item.php:472 -msgid "Executable content type not permitted to this channel." -msgstr "Ausführbarer Content-Typ ist für diesen Kanal nicht freigegeben." - -#: ../../Zotlabs/Module/Item.php:856 -msgid "Duplicate post suppressed." -msgstr "Doppelter Beitrag unterdrückt." - -#: ../../Zotlabs/Module/Item.php:989 -msgid "System error. Post not saved." -msgstr "Systemfehler. Beitrag nicht gespeichert." - -#: ../../Zotlabs/Module/Item.php:1242 -msgid "Unable to obtain post information from database." -msgstr "Beitragsinformationen kƶnnen nicht aus der Datenbank abgerufen werden." - -#: ../../Zotlabs/Module/Item.php:1249 -#, php-format -msgid "You have reached your limit of %1$.0f top level posts." -msgstr "Du hast die maximale Anzahl von %1$.0f BeitrƤgen erreicht." - -#: ../../Zotlabs/Module/Item.php:1256 -#, php-format -msgid "You have reached your limit of %1$.0f webpages." -msgstr "Du hast die maximale Anzahl von %1$.0f Webseiten erreicht." - -#: ../../Zotlabs/Module/Photos.php:82 -msgid "Page owner information could not be retrieved." -msgstr "Informationen über den Besitzer der Seite konnten nicht gefunden werden." - -#: ../../Zotlabs/Module/Photos.php:97 ../../Zotlabs/Module/Photos.php:741 -#: ../../Zotlabs/Module/Profile_photo.php:115 -#: ../../Zotlabs/Module/Profile_photo.php:212 -#: ../../Zotlabs/Module/Profile_photo.php:311 -#: ../../include/photo/photo_driver.php:718 -msgid "Profile Photos" -msgstr "Profilfotos" - -#: ../../Zotlabs/Module/Photos.php:103 ../../Zotlabs/Module/Photos.php:147 -msgid "Album not found." -msgstr "Album nicht gefunden." - -#: ../../Zotlabs/Module/Photos.php:130 -msgid "Delete Album" -msgstr "Album lƶschen" - -#: ../../Zotlabs/Module/Photos.php:151 -msgid "" -"Multiple storage folders exist with this album name, but within different " -"directories. Please remove the desired folder or folders using the Files " -"manager" -msgstr "Mehrere Speicherordner mit diesem Albumnamen sind bereits vorhanden, aber in verschiedenen Verzeichnissen. Bitte entfernen Sie den oder die gewünschten Ordner mit dem Dateimanager" - -#: ../../Zotlabs/Module/Photos.php:208 ../../Zotlabs/Module/Photos.php:1051 -msgid "Delete Photo" -msgstr "Foto lƶschen" - -#: ../../Zotlabs/Module/Photos.php:531 -msgid "No photos selected" -msgstr "Keine Fotos ausgewƤhlt" - -#: ../../Zotlabs/Module/Photos.php:580 -msgid "Access to this item is restricted." -msgstr "Der Zugriff auf dieses Foto ist eingeschrƤnkt." - -#: ../../Zotlabs/Module/Photos.php:619 -#, php-format -msgid "%1$.2f MB of %2$.2f MB photo storage used." -msgstr "%1$.2f MB von %2$.2f MB Foto-Speicher belegt." - -#: ../../Zotlabs/Module/Photos.php:622 -#, php-format -msgid "%1$.2f MB photo storage used." -msgstr "%1$.2f MB Foto-Speicher belegt." - -#: ../../Zotlabs/Module/Photos.php:658 -msgid "Upload Photos" -msgstr "Fotos hochladen" - -#: ../../Zotlabs/Module/Photos.php:662 -msgid "Enter an album name" -msgstr "Namen für ein neues Album eingeben" - -#: ../../Zotlabs/Module/Photos.php:663 -msgid "or select an existing album (doubleclick)" -msgstr "oder ein bereits vorhandenes auswƤhlen (Doppelklick)" - -#: ../../Zotlabs/Module/Photos.php:664 -msgid "Create a status post for this upload" -msgstr "Einen Statusbeitrag für diesen Upload erzeugen" - -#: ../../Zotlabs/Module/Photos.php:665 -msgid "Caption (optional):" -msgstr "Beschriftung (optional):" - -#: ../../Zotlabs/Module/Photos.php:666 -msgid "Description (optional):" -msgstr "Beschreibung (optional):" - -#: ../../Zotlabs/Module/Photos.php:693 -msgid "Album name could not be decoded" -msgstr "Albumname konnte nicht dekodiert werden" - -#: ../../Zotlabs/Module/Photos.php:741 -msgid "Contact Photos" -msgstr "Kontakt-Bilder" - -#: ../../Zotlabs/Module/Photos.php:764 -msgid "Show Newest First" -msgstr "Neueste zuerst anzeigen" - -#: ../../Zotlabs/Module/Photos.php:766 -msgid "Show Oldest First" -msgstr "Ƅlteste zuerst anzeigen" - -#: ../../Zotlabs/Module/Photos.php:790 ../../Zotlabs/Module/Photos.php:1329 -#: ../../Zotlabs/Module/Embedphotos.php:141 ../../include/widgets.php:1593 -msgid "View Photo" -msgstr "Foto ansehen" - -#: ../../Zotlabs/Module/Photos.php:821 -#: ../../Zotlabs/Module/Embedphotos.php:157 ../../include/widgets.php:1610 -msgid "Edit Album" -msgstr "Album bearbeiten" - -#: ../../Zotlabs/Module/Photos.php:868 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Berechtigung verweigert. Der Zugriff ist wahrscheinlich eingeschrƤnkt worden." - -#: ../../Zotlabs/Module/Photos.php:870 -msgid "Photo not available" -msgstr "Foto nicht verfügbar" - -#: ../../Zotlabs/Module/Photos.php:928 -msgid "Use as profile photo" -msgstr "Als Profilfoto verwenden" - -#: ../../Zotlabs/Module/Photos.php:929 -msgid "Use as cover photo" -msgstr "Als Titelbild verwenden" - -#: ../../Zotlabs/Module/Photos.php:936 -msgid "Private Photo" -msgstr "Privates Foto" - -#: ../../Zotlabs/Module/Photos.php:951 -msgid "View Full Size" -msgstr "In voller Größe anzeigen" - -#: ../../Zotlabs/Module/Photos.php:996 ../../Zotlabs/Module/Admin.php:1437 -#: ../../Zotlabs/Module/Tagrm.php:137 -msgid "Remove" -msgstr "Entfernen" - -#: ../../Zotlabs/Module/Photos.php:1030 -msgid "Edit photo" -msgstr "Foto bearbeiten" - -#: ../../Zotlabs/Module/Photos.php:1032 -msgid "Rotate CW (right)" -msgstr "Drehen im UZS (rechts)" - -#: ../../Zotlabs/Module/Photos.php:1033 -msgid "Rotate CCW (left)" -msgstr "Drehen gegen UZS (links)" - -#: ../../Zotlabs/Module/Photos.php:1036 -msgid "Enter a new album name" -msgstr "Gib einen Namen für ein neues Album ein" - -#: ../../Zotlabs/Module/Photos.php:1037 -msgid "or select an existing one (doubleclick)" -msgstr "oder wƤhle ein bereits vorhandenes aus (Doppelklick)" - -#: ../../Zotlabs/Module/Photos.php:1040 -msgid "Caption" -msgstr "Bildunterschrift" - -#: ../../Zotlabs/Module/Photos.php:1042 -msgid "Add a Tag" -msgstr "Schlagwort hinzufügen" - -#: ../../Zotlabs/Module/Photos.php:1046 -msgid "Example: @bob, @Barbara_Jensen, @jim@example.com" -msgstr "Beispiele: @ben, @Karl_Prester, @lieschen@example.com" - -#: ../../Zotlabs/Module/Photos.php:1049 -msgid "Flag as adult in album view" -msgstr "In der Albumansicht als nicht jugendfrei markieren" - -#: ../../Zotlabs/Module/Photos.php:1068 ../../Zotlabs/Lib/ThreadItem.php:261 -msgid "I like this (toggle)" -msgstr "Mir gefƤllt das (Umschalter)" - -#: ../../Zotlabs/Module/Photos.php:1069 ../../Zotlabs/Lib/ThreadItem.php:262 -msgid "I don't like this (toggle)" -msgstr "Mir gefƤllt das nicht (Umschalter)" - -#: ../../Zotlabs/Module/Photos.php:1071 ../../Zotlabs/Lib/ThreadItem.php:397 -#: ../../include/conversation.php:743 -msgid "Please wait" -msgstr "Bitte warten" - -#: ../../Zotlabs/Module/Photos.php:1087 ../../Zotlabs/Module/Photos.php:1205 -#: ../../Zotlabs/Lib/ThreadItem.php:707 -msgid "This is you" -msgstr "Das bist Du" - -#: ../../Zotlabs/Module/Photos.php:1089 ../../Zotlabs/Module/Photos.php:1207 -#: ../../Zotlabs/Lib/ThreadItem.php:709 ../../include/js_strings.php:6 -msgid "Comment" -msgstr "Kommentar" - -#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 -msgctxt "title" -msgid "Likes" -msgstr "GefƤllt mir" - -#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 -msgctxt "title" -msgid "Dislikes" -msgstr "GefƤllt mir nicht" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Agree" -msgstr "Zustimmungen" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Disagree" -msgstr "Ablehnungen" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Abstain" -msgstr "Enthaltungen" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Attending" -msgstr "Zusagen" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Not attending" -msgstr "Absagen" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Might attend" -msgstr "Vielleicht" - -#: ../../Zotlabs/Module/Photos.php:1124 ../../Zotlabs/Module/Photos.php:1136 -#: ../../Zotlabs/Lib/ThreadItem.php:181 ../../Zotlabs/Lib/ThreadItem.php:193 -#: ../../include/conversation.php:1738 -msgid "View all" -msgstr "Alles anzeigen" - -#: ../../Zotlabs/Module/Photos.php:1128 ../../Zotlabs/Lib/ThreadItem.php:185 -#: ../../include/taxonomy.php:403 ../../include/channel.php:1198 -#: ../../include/conversation.php:1762 -msgctxt "noun" -msgid "Like" -msgid_plural "Likes" -msgstr[0] "GefƤllt mir" -msgstr[1] "GefƤllt mir" - -#: ../../Zotlabs/Module/Photos.php:1133 ../../Zotlabs/Lib/ThreadItem.php:190 -#: ../../include/conversation.php:1765 -msgctxt "noun" -msgid "Dislike" -msgid_plural "Dislikes" -msgstr[0] "GefƤllt nicht" -msgstr[1] "GefƤllt nicht" - -#: ../../Zotlabs/Module/Photos.php:1233 -msgid "Photo Tools" -msgstr "Fotowerkzeuge" - -#: ../../Zotlabs/Module/Photos.php:1242 -msgid "In This Photo:" -msgstr "Auf diesem Foto:" - -#: ../../Zotlabs/Module/Photos.php:1247 -msgid "Map" -msgstr "Karte" - -#: ../../Zotlabs/Module/Photos.php:1255 ../../Zotlabs/Lib/ThreadItem.php:386 -msgctxt "noun" -msgid "Likes" -msgstr "GefƤllt mir" - -#: ../../Zotlabs/Module/Photos.php:1256 ../../Zotlabs/Lib/ThreadItem.php:387 -msgctxt "noun" -msgid "Dislikes" -msgstr "GefƤllt nicht" - -#: ../../Zotlabs/Module/Photos.php:1261 ../../Zotlabs/Lib/ThreadItem.php:392 -#: ../../include/acl_selectors.php:283 -msgid "Close" -msgstr "Schließen" - -#: ../../Zotlabs/Module/Photos.php:1335 -msgid "View Album" -msgstr "Album ansehen" - -#: ../../Zotlabs/Module/Photos.php:1346 ../../Zotlabs/Module/Photos.php:1359 -#: ../../Zotlabs/Module/Photos.php:1360 -msgid "Recent Photos" -msgstr "Neueste Fotos" - -#: ../../Zotlabs/Module/Lockview.php:75 -msgid "Remote privacy information not available." -msgstr "PrivatsphƤre-Einstellungen anderer Nutzer sind nicht verfügbar." - -#: ../../Zotlabs/Module/Lockview.php:96 -msgid "Visible to:" -msgstr "Sichtbar für:" - #: ../../Zotlabs/Module/Import_items.php:104 msgid "Import completed" msgstr "Import abgeschlossen" @@ -2867,6 +2733,11 @@ msgid "" "Use this form to import existing posts and content from an export file." msgstr "Mit diesem Formular kannst Du existierende BeitrƤge und Inhalte aus einer Sicherungsdatei importieren." +#: ../../Zotlabs/Module/Import_items.php:121 +#: ../../Zotlabs/Module/Import.php:549 +msgid "File to Upload" +msgstr "Hochzuladende Datei:" + #: ../../Zotlabs/Module/Invite.php:29 msgid "Total invitation limit exceeded." msgstr "Einladungslimit überschritten." @@ -2967,10 +2838,6 @@ msgstr "Klon-Adressen verwalten" msgid "Primary" msgstr "PrimƤr" -#: ../../Zotlabs/Module/Locs.php:120 ../../Zotlabs/Module/Menu.php:113 -msgid "Drop" -msgstr "Lƶschen" - #: ../../Zotlabs/Module/Locs.php:122 msgid "Sync Now" msgstr "Jetzt synchronisieren" @@ -2993,6 +2860,232 @@ msgstr "Benutze dieses Formular zum Lƶschen eines Klons, wenn es den Hub nicht msgid "Hub not found." msgstr "Server nicht gefunden." +#: ../../Zotlabs/Module/Chat.php:181 +msgid "Room not found" +msgstr "Chatraum nicht gefunden" + +#: ../../Zotlabs/Module/Chat.php:197 +msgid "Leave Room" +msgstr "Raum verlassen" + +#: ../../Zotlabs/Module/Chat.php:198 +msgid "Delete Room" +msgstr "Raum lƶschen" + +#: ../../Zotlabs/Module/Chat.php:199 +msgid "I am away right now" +msgstr "Ich bin gerade nicht da" + +#: ../../Zotlabs/Module/Chat.php:200 +msgid "I am online" +msgstr "Ich bin online" + +#: ../../Zotlabs/Module/Chat.php:202 +msgid "Bookmark this room" +msgstr "Lesezeichen für diesen Raum setzen" + +#: ../../Zotlabs/Module/Chat.php:205 ../../Zotlabs/Module/Mail.php:197 +#: ../../Zotlabs/Module/Mail.php:306 ../../include/conversation.php:1182 +msgid "Please enter a link URL:" +msgstr "Gib eine URL ein:" + +#: ../../Zotlabs/Module/Chat.php:206 ../../Zotlabs/Module/Mail.php:250 +#: ../../Zotlabs/Module/Mail.php:375 ../../Zotlabs/Lib/ThreadItem.php:723 +#: ../../include/conversation.php:1276 +msgid "Encrypt text" +msgstr "Text verschlüsseln" + +#: ../../Zotlabs/Module/Chat.php:218 +msgid "Feature disabled." +msgstr "Funktion deaktiviert." + +#: ../../Zotlabs/Module/Chat.php:231 +msgid "New Chatroom" +msgstr "Neuer Chatraum" + +#: ../../Zotlabs/Module/Chat.php:232 +msgid "Chatroom name" +msgstr "Chatraumname" + +#: ../../Zotlabs/Module/Chat.php:233 +msgid "Expiration of chats (minutes)" +msgstr "Verfall von Chats (Minuten)" + +#: ../../Zotlabs/Module/Chat.php:249 +#, php-format +msgid "%1$s's Chatrooms" +msgstr "%1$ss ChatrƤume" + +#: ../../Zotlabs/Module/Chat.php:254 +msgid "No chatrooms available" +msgstr "Keine ChatrƤume verfügbar" + +#: ../../Zotlabs/Module/Chat.php:258 +msgid "Expiration" +msgstr "Verfall" + +#: ../../Zotlabs/Module/Chat.php:259 +msgid "min" +msgstr "min" + +#: ../../Zotlabs/Module/Events.php:25 +msgid "Calendar entries imported." +msgstr "KalendereintrƤge wurden importiert." + +#: ../../Zotlabs/Module/Events.php:27 +msgid "No calendar entries found." +msgstr "Keine KalendereintrƤge gefunden." + +#: ../../Zotlabs/Module/Events.php:104 +msgid "Event can not end before it has started." +msgstr "Termin-Ende liegt vor dem Beginn." + +#: ../../Zotlabs/Module/Events.php:106 ../../Zotlabs/Module/Events.php:115 +#: ../../Zotlabs/Module/Events.php:135 +msgid "Unable to generate preview." +msgstr "Vorschau konnte nicht erzeugt werden." + +#: ../../Zotlabs/Module/Events.php:113 +msgid "Event title and start time are required." +msgstr "Titel und Startzeit des Termins sind erforderlich." + +#: ../../Zotlabs/Module/Events.php:133 ../../Zotlabs/Module/Events.php:258 +msgid "Event not found." +msgstr "Termin nicht gefunden." + +#: ../../Zotlabs/Module/Events.php:452 +msgid "Edit event title" +msgstr "Termintitel bearbeiten" + +#: ../../Zotlabs/Module/Events.php:452 +msgid "Event title" +msgstr "Termintitel" + +#: ../../Zotlabs/Module/Events.php:454 +msgid "Categories (comma-separated list)" +msgstr "Kategorien (Kommagetrennte Liste)" + +#: ../../Zotlabs/Module/Events.php:455 +msgid "Edit Category" +msgstr "Kategorie bearbeiten" + +#: ../../Zotlabs/Module/Events.php:455 +msgid "Category" +msgstr "Kategorie" + +#: ../../Zotlabs/Module/Events.php:458 +msgid "Edit start date and time" +msgstr "Startdatum und -zeit bearbeiten" + +#: ../../Zotlabs/Module/Events.php:458 +msgid "Start date and time" +msgstr "Startdatum und -zeit" + +#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:462 +msgid "Finish date and time are not known or not relevant" +msgstr "Enddatum und -zeit sind unbekannt oder irrelevant" + +#: ../../Zotlabs/Module/Events.php:461 +msgid "Edit finish date and time" +msgstr "Enddatum und -zeit bearbeiten" + +#: ../../Zotlabs/Module/Events.php:461 +msgid "Finish date and time" +msgstr "Enddatum und -zeit" + +#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Events.php:464 +msgid "Adjust for viewer timezone" +msgstr "An die Zeitzone des Betrachters anpassen" + +#: ../../Zotlabs/Module/Events.php:463 +msgid "" +"Important for events that happen in a particular place. Not practical for " +"global holidays." +msgstr "Wichtig für Veranstaltungen die an bestimmten Orten stattfinden. Nicht sinnvoll für globale Feiertage / Ferien." + +#: ../../Zotlabs/Module/Events.php:465 +msgid "Edit Description" +msgstr "Beschreibung bearbeiten" + +#: ../../Zotlabs/Module/Events.php:467 +msgid "Edit Location" +msgstr "Ort bearbeiten" + +#: ../../Zotlabs/Module/Events.php:470 ../../Zotlabs/Module/Events.php:472 +msgid "Share this event" +msgstr "Den Termin teilen" + +#: ../../Zotlabs/Module/Events.php:474 ../../include/conversation.php:1248 +msgid "Permission settings" +msgstr "Berechtigungs-Einstellungen" + +#: ../../Zotlabs/Module/Events.php:485 +msgid "Advanced Options" +msgstr "Weitere Optionen" + +#: ../../Zotlabs/Module/Events.php:597 ../../Zotlabs/Module/Cal.php:259 +msgid "l, F j" +msgstr "l, j. F" + +#: ../../Zotlabs/Module/Events.php:619 +msgid "Edit event" +msgstr "Termin bearbeiten" + +#: ../../Zotlabs/Module/Events.php:621 +msgid "Delete event" +msgstr "Termin lƶschen" + +#: ../../Zotlabs/Module/Events.php:646 ../../Zotlabs/Module/Cal.php:308 +#: ../../include/text.php:1716 +msgid "Link to Source" +msgstr "Link zur Quelle" + +#: ../../Zotlabs/Module/Events.php:655 +msgid "calendar" +msgstr "Kalender" + +#: ../../Zotlabs/Module/Events.php:674 ../../Zotlabs/Module/Cal.php:331 +msgid "Edit Event" +msgstr "Termin bearbeiten" + +#: ../../Zotlabs/Module/Events.php:674 ../../Zotlabs/Module/Cal.php:331 +msgid "Create Event" +msgstr "Termin anlegen" + +#: ../../Zotlabs/Module/Events.php:675 ../../Zotlabs/Module/Events.php:684 +#: ../../Zotlabs/Module/Photos.php:951 ../../Zotlabs/Module/Cal.php:332 +#: ../../Zotlabs/Module/Cal.php:339 +msgid "Previous" +msgstr "Voriges" + +#: ../../Zotlabs/Module/Events.php:677 ../../Zotlabs/Module/Cal.php:334 +msgid "Export" +msgstr "Exportieren" + +#: ../../Zotlabs/Module/Events.php:681 +msgid "Month" +msgstr "Monat" + +#: ../../Zotlabs/Module/Events.php:682 +msgid "Week" +msgstr "Woche" + +#: ../../Zotlabs/Module/Events.php:683 +msgid "Day" +msgstr "Tag" + +#: ../../Zotlabs/Module/Events.php:686 ../../Zotlabs/Module/Cal.php:341 +msgid "Today" +msgstr "Heute" + +#: ../../Zotlabs/Module/Events.php:717 +msgid "Event removed" +msgstr "Termin gelƶscht" + +#: ../../Zotlabs/Module/Events.php:720 +msgid "Failed to remove event" +msgstr "Termin konnte nicht gelƶscht werden" + #: ../../Zotlabs/Module/Mail.php:38 msgid "Unable to lookup recipient." msgstr "Konnte den EmpfƤnger nicht finden." @@ -3042,7 +3135,7 @@ msgid "Subject:" msgstr "Betreff:" #: ../../Zotlabs/Module/Mail.php:243 ../../Zotlabs/Module/Mail.php:368 -#: ../../include/conversation.php:1231 +#: ../../include/conversation.php:1232 msgid "Attach file" msgstr "Datei anhƤngen" @@ -3051,7 +3144,7 @@ msgid "Send" msgstr "Absenden" #: ../../Zotlabs/Module/Mail.php:248 ../../Zotlabs/Module/Mail.php:373 -#: ../../include/conversation.php:1266 +#: ../../include/conversation.php:1271 msgid "Set expiration date" msgstr "Verfallsdatum" @@ -3090,148 +3183,6 @@ msgstr "Antwort senden" msgid "Your message for %s (%s):" msgstr "Deine Nachricht für %s (%s):" -#: ../../Zotlabs/Module/Manage.php:136 -#: ../../Zotlabs/Module/New_channel.php:121 -#, php-format -msgid "You have created %1$.0f of %2$.0f allowed channels." -msgstr "Du hast %1$.0f von maximal %2$.0f erlaubten KanƤlen eingerichtet." - -#: ../../Zotlabs/Module/Manage.php:143 -msgid "Create a new channel" -msgstr "Neuen Kanal anlegen" - -#: ../../Zotlabs/Module/Manage.php:164 ../../Zotlabs/Lib/Apps.php:214 -#: ../../include/nav.php:208 -msgid "Channel Manager" -msgstr "Kanal-Manager" - -#: ../../Zotlabs/Module/Manage.php:165 -msgid "Current Channel" -msgstr "Aktueller Kanal" - -#: ../../Zotlabs/Module/Manage.php:167 -msgid "Switch to one of your channels by selecting it." -msgstr "Wechsle zu einem Deiner KanƤle, indem Du auf ihn klickst." - -#: ../../Zotlabs/Module/Manage.php:168 -msgid "Default Channel" -msgstr "Standard Kanal" - -#: ../../Zotlabs/Module/Manage.php:169 -msgid "Make Default" -msgstr "Zum Standard machen" - -#: ../../Zotlabs/Module/Manage.php:172 -#, php-format -msgid "%d new messages" -msgstr "%d neue Nachrichten" - -#: ../../Zotlabs/Module/Manage.php:173 -#, php-format -msgid "%d new introductions" -msgstr "%d neue Vorstellungen" - -#: ../../Zotlabs/Module/Manage.php:175 -msgid "Delegated Channel" -msgstr "Delegierte KanƤle" - -#: ../../Zotlabs/Module/Menu.php:49 -msgid "Unable to update menu." -msgstr "Kann Menü nicht aktualisieren." - -#: ../../Zotlabs/Module/Menu.php:60 -msgid "Unable to create menu." -msgstr "Kann Menü nicht erstellen." - -#: ../../Zotlabs/Module/Menu.php:98 ../../Zotlabs/Module/Menu.php:110 -msgid "Menu Name" -msgstr "Name des Menüs" - -#: ../../Zotlabs/Module/Menu.php:98 -msgid "Unique name (not visible on webpage) - required" -msgstr "Eindeutiger Name (nicht sichtbar auf der Webseite) – erforderlich" - -#: ../../Zotlabs/Module/Menu.php:99 ../../Zotlabs/Module/Menu.php:111 -msgid "Menu Title" -msgstr "Menütitel" - -#: ../../Zotlabs/Module/Menu.php:99 -msgid "Visible on webpage - leave empty for no title" -msgstr "Sichtbar auf der Webseite – für keinen Titel leer lassen" - -#: ../../Zotlabs/Module/Menu.php:100 -msgid "Allow Bookmarks" -msgstr "Lesezeichen erlauben" - -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 -msgid "Menu may be used to store saved bookmarks" -msgstr "Im Menü kƶnnen gespeicherte Lesezeichen abgelegt werden" - -#: ../../Zotlabs/Module/Menu.php:101 ../../Zotlabs/Module/Menu.php:159 -msgid "Submit and proceed" -msgstr "Absenden und fortfahren" - -#: ../../Zotlabs/Module/Menu.php:107 ../../include/text.php:2239 -msgid "Menus" -msgstr "Menüs" - -#: ../../Zotlabs/Module/Menu.php:117 -msgid "Bookmarks allowed" -msgstr "Lesezeichen erlaubt" - -#: ../../Zotlabs/Module/Menu.php:119 -msgid "Delete this menu" -msgstr "Lƶsche dieses Menü" - -#: ../../Zotlabs/Module/Menu.php:120 ../../Zotlabs/Module/Menu.php:154 -msgid "Edit menu contents" -msgstr "Bearbeite Menü Inhalte" - -#: ../../Zotlabs/Module/Menu.php:121 -msgid "Edit this menu" -msgstr "Dieses Menü bearbeiten" - -#: ../../Zotlabs/Module/Menu.php:136 -msgid "Menu could not be deleted." -msgstr "Menü konnte nicht gelƶscht werden." - -#: ../../Zotlabs/Module/Menu.php:144 ../../Zotlabs/Module/Mitem.php:28 -msgid "Menu not found." -msgstr "Menü nicht gefunden" - -#: ../../Zotlabs/Module/Menu.php:149 -msgid "Edit Menu" -msgstr "Menü bearbeiten" - -#: ../../Zotlabs/Module/Menu.php:153 -msgid "Add or remove entries to this menu" -msgstr "EintrƤge zu diesem Menü hinzufügen oder entfernen" - -#: ../../Zotlabs/Module/Menu.php:155 -msgid "Menu name" -msgstr "Menü Name" - -#: ../../Zotlabs/Module/Menu.php:155 -msgid "Must be unique, only seen by you" -msgstr "Muss eindeutig sein, ist aber nur für Dich sichtbar" - -#: ../../Zotlabs/Module/Menu.php:156 -msgid "Menu title" -msgstr "Menü Titel" - -#: ../../Zotlabs/Module/Menu.php:156 -msgid "Menu title as seen by others" -msgstr "Menü Titel wie er von anderen gesehen wird" - -#: ../../Zotlabs/Module/Menu.php:157 -msgid "Allow bookmarks" -msgstr "Erlaube Lesezeichen" - -#: ../../Zotlabs/Module/Menu.php:166 ../../Zotlabs/Module/Mitem.php:120 -#: ../../Zotlabs/Module/Xchan.php:41 -msgid "Not found." -msgstr "Nicht gefunden." - #: ../../Zotlabs/Module/Lostpass.php:19 msgid "No valid account found." msgstr "Kein gültiges Konto gefunden." @@ -3256,7 +3207,7 @@ msgid "" "Password reset failed." msgstr "Die Anfrage konnte nicht verifiziert werden. (Vielleicht hast Du schon einmal auf den Link in der E-Mail geklickt?) Passwort-Rücksetzung fehlgeschlagen." -#: ../../Zotlabs/Module/Lostpass.php:90 ../../boot.php:1712 +#: ../../Zotlabs/Module/Lostpass.php:90 ../../boot.php:1721 msgid "Password Reset" msgstr "Zurücksetzen des Kennworts" @@ -3319,33 +3270,50 @@ msgstr "Laune" msgid "Set your current mood and tell your friends" msgstr "WƤhle Deine aktuelle Stimmung und teile sie mit Deinen Freunden" -#: ../../Zotlabs/Module/Network.php:94 -msgid "No such group" -msgstr "Gruppe nicht gefunden" +#: ../../Zotlabs/Module/Manage.php:136 +#: ../../Zotlabs/Module/New_channel.php:121 +#, php-format +msgid "You have created %1$.0f of %2$.0f allowed channels." +msgstr "Du hast %1$.0f von maximal %2$.0f erlaubten KanƤlen eingerichtet." -#: ../../Zotlabs/Module/Network.php:134 -msgid "No such channel" -msgstr "Kanal nicht gefunden" +#: ../../Zotlabs/Module/Manage.php:143 +msgid "Create a new channel" +msgstr "Neuen Kanal anlegen" -#: ../../Zotlabs/Module/Network.php:139 -msgid "forum" -msgstr "Forum" +#: ../../Zotlabs/Module/Manage.php:164 ../../Zotlabs/Lib/Apps.php:214 +#: ../../include/nav.php:210 +msgid "Channel Manager" +msgstr "Kanal-Manager" -#: ../../Zotlabs/Module/Network.php:151 -msgid "Search Results For:" -msgstr "Suchergebnisse für:" +#: ../../Zotlabs/Module/Manage.php:165 +msgid "Current Channel" +msgstr "Aktueller Kanal" -#: ../../Zotlabs/Module/Network.php:215 -msgid "Privacy group is empty" -msgstr "Gruppe ist leer" +#: ../../Zotlabs/Module/Manage.php:167 +msgid "Switch to one of your channels by selecting it." +msgstr "Wechsle zu einem Deiner KanƤle, indem Du auf ihn klickst." -#: ../../Zotlabs/Module/Network.php:224 -msgid "Privacy group: " -msgstr "Gruppe:" +#: ../../Zotlabs/Module/Manage.php:168 +msgid "Default Channel" +msgstr "Standard Kanal" -#: ../../Zotlabs/Module/Network.php:250 -msgid "Invalid connection." -msgstr "Ungültige Verbindung." +#: ../../Zotlabs/Module/Manage.php:169 +msgid "Make Default" +msgstr "Zum Standard machen" + +#: ../../Zotlabs/Module/Manage.php:172 +#, php-format +msgid "%d new messages" +msgstr "%d neue Nachrichten" + +#: ../../Zotlabs/Module/Manage.php:173 +#, php-format +msgid "%d new introductions" +msgstr "%d neue Vorstellungen" + +#: ../../Zotlabs/Module/Manage.php:175 +msgid "Delegated Channel" +msgstr "Delegierte KanƤle" #: ../../Zotlabs/Module/Notify.php:57 #: ../../Zotlabs/Module/Notifications.php:98 @@ -3373,134 +3341,975 @@ msgstr "interessiert sich für:" msgid "No matches" msgstr "Keine Übereinstimmungen" -#: ../../Zotlabs/Module/Channel.php:40 -msgid "Posts and comments" -msgstr "BeitrƤge und Kommentare" +#: ../../Zotlabs/Module/Photos.php:82 +msgid "Page owner information could not be retrieved." +msgstr "Informationen über den Besitzer der Seite konnten nicht gefunden werden." -#: ../../Zotlabs/Module/Channel.php:41 -msgid "Only posts" -msgstr "Nur BeitrƤge" +#: ../../Zotlabs/Module/Photos.php:97 ../../Zotlabs/Module/Photos.php:745 +#: ../../Zotlabs/Module/Profile_photo.php:115 +#: ../../Zotlabs/Module/Profile_photo.php:212 +#: ../../Zotlabs/Module/Profile_photo.php:311 +#: ../../include/photo/photo_driver.php:718 +msgid "Profile Photos" +msgstr "Profilfotos" -#: ../../Zotlabs/Module/Channel.php:101 -msgid "Insufficient permissions. Request redirected to profile page." -msgstr "Unzureichende Zugriffsrechte. Die Anfrage wurde zur Profil-Seite umgeleitet." +#: ../../Zotlabs/Module/Photos.php:103 ../../Zotlabs/Module/Photos.php:147 +msgid "Album not found." +msgstr "Album nicht gefunden." -#: ../../Zotlabs/Module/Mitem.php:52 -msgid "Unable to create element." -msgstr "Element konnte nicht erstellt werden." +#: ../../Zotlabs/Module/Photos.php:130 +msgid "Delete Album" +msgstr "Album lƶschen" -#: ../../Zotlabs/Module/Mitem.php:76 -msgid "Unable to update menu element." -msgstr "Kann Menü-Element nicht aktualisieren." +#: ../../Zotlabs/Module/Photos.php:151 +msgid "" +"Multiple storage folders exist with this album name, but within different " +"directories. Please remove the desired folder or folders using the Files " +"manager" +msgstr "Mehrere Speicherordner mit diesem Albumnamen sind bereits vorhanden, aber in verschiedenen Verzeichnissen. Bitte entfernen Sie den oder die gewünschten Ordner mit dem Dateimanager" -#: ../../Zotlabs/Module/Mitem.php:92 -msgid "Unable to add menu element." -msgstr "Kann Menü-Bestandteil nicht hinzufügen." +#: ../../Zotlabs/Module/Photos.php:208 ../../Zotlabs/Module/Photos.php:1059 +msgid "Delete Photo" +msgstr "Foto lƶschen" -#: ../../Zotlabs/Module/Mitem.php:153 ../../Zotlabs/Module/Mitem.php:226 -msgid "Menu Item Permissions" -msgstr "Zugriffsrechte des Menü-Elements" +#: ../../Zotlabs/Module/Photos.php:531 +msgid "No photos selected" +msgstr "Keine Fotos ausgewƤhlt" -#: ../../Zotlabs/Module/Mitem.php:154 ../../Zotlabs/Module/Mitem.php:227 -#: ../../Zotlabs/Module/Settings.php:1163 +#: ../../Zotlabs/Module/Photos.php:580 +msgid "Access to this item is restricted." +msgstr "Der Zugriff auf dieses Foto ist eingeschrƤnkt." + +#: ../../Zotlabs/Module/Photos.php:619 +#, php-format +msgid "%1$.2f MB of %2$.2f MB photo storage used." +msgstr "%1$.2f MB von %2$.2f MB Foto-Speicher belegt." + +#: ../../Zotlabs/Module/Photos.php:622 +#, php-format +msgid "%1$.2f MB photo storage used." +msgstr "%1$.2f MB Foto-Speicher belegt." + +#: ../../Zotlabs/Module/Photos.php:658 +msgid "Upload Photos" +msgstr "Fotos hochladen" + +#: ../../Zotlabs/Module/Photos.php:662 +msgid "Enter an album name" +msgstr "Namen für ein neues Album eingeben" + +#: ../../Zotlabs/Module/Photos.php:663 +msgid "or select an existing album (doubleclick)" +msgstr "oder ein bereits vorhandenes auswƤhlen (Doppelklick)" + +#: ../../Zotlabs/Module/Photos.php:664 +msgid "Create a status post for this upload" +msgstr "Einen Statusbeitrag für diesen Upload erzeugen" + +#: ../../Zotlabs/Module/Photos.php:665 +msgid "Caption (optional):" +msgstr "Beschriftung (optional):" + +#: ../../Zotlabs/Module/Photos.php:666 +msgid "Description (optional):" +msgstr "Beschreibung (optional):" + +#: ../../Zotlabs/Module/Photos.php:697 +msgid "Album name could not be decoded" +msgstr "Albumname konnte nicht dekodiert werden" + +#: ../../Zotlabs/Module/Photos.php:745 +msgid "Contact Photos" +msgstr "Kontakt-Bilder" + +#: ../../Zotlabs/Module/Photos.php:768 +msgid "Show Newest First" +msgstr "Neueste zuerst anzeigen" + +#: ../../Zotlabs/Module/Photos.php:770 +msgid "Show Oldest First" +msgstr "Ƅlteste zuerst anzeigen" + +#: ../../Zotlabs/Module/Photos.php:794 ../../Zotlabs/Module/Photos.php:1337 +#: ../../Zotlabs/Module/Embedphotos.php:141 ../../include/widgets.php:1607 +msgid "View Photo" +msgstr "Foto ansehen" + +#: ../../Zotlabs/Module/Photos.php:825 +#: ../../Zotlabs/Module/Embedphotos.php:157 ../../include/widgets.php:1624 +msgid "Edit Album" +msgstr "Album bearbeiten" + +#: ../../Zotlabs/Module/Photos.php:872 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Berechtigung verweigert. Der Zugriff ist wahrscheinlich eingeschrƤnkt worden." + +#: ../../Zotlabs/Module/Photos.php:874 +msgid "Photo not available" +msgstr "Foto nicht verfügbar" + +#: ../../Zotlabs/Module/Photos.php:932 +msgid "Use as profile photo" +msgstr "Als Profilfoto verwenden" + +#: ../../Zotlabs/Module/Photos.php:933 +msgid "Use as cover photo" +msgstr "Als Titelbild verwenden" + +#: ../../Zotlabs/Module/Photos.php:940 +msgid "Private Photo" +msgstr "Privates Foto" + +#: ../../Zotlabs/Module/Photos.php:955 +msgid "View Full Size" +msgstr "In voller Größe anzeigen" + +#: ../../Zotlabs/Module/Photos.php:1000 ../../Zotlabs/Module/Admin.php:1437 +#: ../../Zotlabs/Module/Tagrm.php:137 +msgid "Remove" +msgstr "Entfernen" + +#: ../../Zotlabs/Module/Photos.php:1034 +msgid "Edit photo" +msgstr "Foto bearbeiten" + +#: ../../Zotlabs/Module/Photos.php:1036 +msgid "Rotate CW (right)" +msgstr "Drehen im UZS (rechts)" + +#: ../../Zotlabs/Module/Photos.php:1037 +msgid "Rotate CCW (left)" +msgstr "Drehen gegen UZS (links)" + +#: ../../Zotlabs/Module/Photos.php:1040 +msgid "Enter a new album name" +msgstr "Gib einen Namen für ein neues Album ein" + +#: ../../Zotlabs/Module/Photos.php:1041 +msgid "or select an existing one (doubleclick)" +msgstr "oder wƤhle ein bereits vorhandenes aus (Doppelklick)" + +#: ../../Zotlabs/Module/Photos.php:1044 +msgid "Caption" +msgstr "Bildunterschrift" + +#: ../../Zotlabs/Module/Photos.php:1046 +msgid "Add a Tag" +msgstr "Schlagwort hinzufügen" + +#: ../../Zotlabs/Module/Photos.php:1054 +msgid "Example: @bob, @Barbara_Jensen, @jim@example.com" +msgstr "Beispiele: @ben, @Karl_Prester, @lieschen@example.com" + +#: ../../Zotlabs/Module/Photos.php:1057 +msgid "Flag as adult in album view" +msgstr "In der Albumansicht als nicht jugendfrei markieren" + +#: ../../Zotlabs/Module/Photos.php:1076 ../../Zotlabs/Lib/ThreadItem.php:262 +msgid "I like this (toggle)" +msgstr "Mir gefƤllt das (Umschalter)" + +#: ../../Zotlabs/Module/Photos.php:1077 ../../Zotlabs/Lib/ThreadItem.php:263 +msgid "I don't like this (toggle)" +msgstr "Mir gefƤllt das nicht (Umschalter)" + +#: ../../Zotlabs/Module/Photos.php:1079 ../../Zotlabs/Lib/ThreadItem.php:398 +#: ../../include/conversation.php:743 +msgid "Please wait" +msgstr "Bitte warten" + +#: ../../Zotlabs/Module/Photos.php:1095 ../../Zotlabs/Module/Photos.php:1213 +#: ../../Zotlabs/Lib/ThreadItem.php:708 +msgid "This is you" +msgstr "Das bist Du" + +#: ../../Zotlabs/Module/Photos.php:1097 ../../Zotlabs/Module/Photos.php:1215 +#: ../../Zotlabs/Lib/ThreadItem.php:710 ../../include/js_strings.php:6 +msgid "Comment" +msgstr "Kommentar" + +#: ../../Zotlabs/Module/Photos.php:1113 ../../include/conversation.php:577 +msgctxt "title" +msgid "Likes" +msgstr "GefƤllt mir" + +#: ../../Zotlabs/Module/Photos.php:1113 ../../include/conversation.php:577 +msgctxt "title" +msgid "Dislikes" +msgstr "GefƤllt mir nicht" + +#: ../../Zotlabs/Module/Photos.php:1114 ../../include/conversation.php:578 +msgctxt "title" +msgid "Agree" +msgstr "Zustimmungen" + +#: ../../Zotlabs/Module/Photos.php:1114 ../../include/conversation.php:578 +msgctxt "title" +msgid "Disagree" +msgstr "Ablehnungen" + +#: ../../Zotlabs/Module/Photos.php:1114 ../../include/conversation.php:578 +msgctxt "title" +msgid "Abstain" +msgstr "Enthaltungen" + +#: ../../Zotlabs/Module/Photos.php:1115 ../../include/conversation.php:579 +msgctxt "title" +msgid "Attending" +msgstr "Zusagen" + +#: ../../Zotlabs/Module/Photos.php:1115 ../../include/conversation.php:579 +msgctxt "title" +msgid "Not attending" +msgstr "Absagen" + +#: ../../Zotlabs/Module/Photos.php:1115 ../../include/conversation.php:579 +msgctxt "title" +msgid "Might attend" +msgstr "Vielleicht" + +#: ../../Zotlabs/Module/Photos.php:1132 ../../Zotlabs/Module/Photos.php:1144 +#: ../../Zotlabs/Lib/ThreadItem.php:181 ../../Zotlabs/Lib/ThreadItem.php:193 +#: ../../include/conversation.php:1743 +msgid "View all" +msgstr "Alles anzeigen" + +#: ../../Zotlabs/Module/Photos.php:1136 ../../Zotlabs/Lib/ThreadItem.php:185 +#: ../../include/channel.php:1182 ../../include/conversation.php:1767 +#: ../../include/taxonomy.php:403 +msgctxt "noun" +msgid "Like" +msgid_plural "Likes" +msgstr[0] "GefƤllt mir" +msgstr[1] "GefƤllt mir" + +#: ../../Zotlabs/Module/Photos.php:1141 ../../Zotlabs/Lib/ThreadItem.php:190 +#: ../../include/conversation.php:1770 +msgctxt "noun" +msgid "Dislike" +msgid_plural "Dislikes" +msgstr[0] "GefƤllt nicht" +msgstr[1] "GefƤllt nicht" + +#: ../../Zotlabs/Module/Photos.php:1241 +msgid "Photo Tools" +msgstr "Fotowerkzeuge" + +#: ../../Zotlabs/Module/Photos.php:1250 +msgid "In This Photo:" +msgstr "Auf diesem Foto:" + +#: ../../Zotlabs/Module/Photos.php:1255 +msgid "Map" +msgstr "Karte" + +#: ../../Zotlabs/Module/Photos.php:1263 ../../Zotlabs/Lib/ThreadItem.php:387 +msgctxt "noun" +msgid "Likes" +msgstr "GefƤllt mir" + +#: ../../Zotlabs/Module/Photos.php:1264 ../../Zotlabs/Lib/ThreadItem.php:388 +msgctxt "noun" +msgid "Dislikes" +msgstr "GefƤllt nicht" + +#: ../../Zotlabs/Module/Photos.php:1269 ../../Zotlabs/Lib/ThreadItem.php:393 +#: ../../include/acl_selectors.php:283 +msgid "Close" +msgstr "Schließen" + +#: ../../Zotlabs/Module/Photos.php:1343 +msgid "View Album" +msgstr "Album ansehen" + +#: ../../Zotlabs/Module/Photos.php:1354 ../../Zotlabs/Module/Photos.php:1367 +#: ../../Zotlabs/Module/Photos.php:1368 +msgid "Recent Photos" +msgstr "Neueste Fotos" + +#: ../../Zotlabs/Module/Settings.php:64 +msgid "Name is required" +msgstr "Name ist erforderlich" + +#: ../../Zotlabs/Module/Settings.php:68 +msgid "Key and Secret are required" +msgstr "Schlüssel und Geheimnis werden benƶtigt" + +#: ../../Zotlabs/Module/Settings.php:72 ../../Zotlabs/Module/Settings.php:686 +#: ../../Zotlabs/Module/Admin.php:1435 ../../Zotlabs/Lib/Apps.php:334 +msgid "Update" +msgstr "Aktualisieren" + +#: ../../Zotlabs/Module/Settings.php:138 +#, php-format +msgid "This channel is limited to %d tokens" +msgstr "Dieser Kanal ist auf %d Token begrenzt" + +#: ../../Zotlabs/Module/Settings.php:144 +msgid "Name and Password are required." +msgstr "Name und Passwort sind erforderlich." + +#: ../../Zotlabs/Module/Settings.php:184 +msgid "Token saved." +msgstr "Token gespeichert." + +#: ../../Zotlabs/Module/Settings.php:290 +msgid "Not valid email." +msgstr "Keine gültige E-Mail Adresse." + +#: ../../Zotlabs/Module/Settings.php:293 +msgid "Protected email address. Cannot change to that email." +msgstr "Geschützte E-Mail Adresse. Diese kann nicht verƤndert werden." + +#: ../../Zotlabs/Module/Settings.php:302 +msgid "System failure storing new email. Please try again." +msgstr "Systemfehler wƤhrend des Speicherns der neuen Mail. Bitte versuche es noch einmal." + +#: ../../Zotlabs/Module/Settings.php:319 +msgid "Password verification failed." +msgstr "Passwortüberprüfung fehlgeschlagen." + +#: ../../Zotlabs/Module/Settings.php:326 +msgid "Passwords do not match. Password unchanged." +msgstr "Kennwƶrter stimmen nicht überein. Kennwort nicht verƤndert." + +#: ../../Zotlabs/Module/Settings.php:330 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "Leere Kennwƶrter sind nicht erlaubt. Kennwort nicht verƤndert." + +#: ../../Zotlabs/Module/Settings.php:344 +msgid "Password changed." +msgstr "Kennwort geƤndert." + +#: ../../Zotlabs/Module/Settings.php:346 +msgid "Password update failed. Please try again." +msgstr "KennwortƤnderung fehlgeschlagen. Bitte versuche es noch einmal." + +#: ../../Zotlabs/Module/Settings.php:595 +msgid "Settings updated." +msgstr "Einstellungen aktualisiert." + +#: ../../Zotlabs/Module/Settings.php:659 ../../Zotlabs/Module/Settings.php:685 +#: ../../Zotlabs/Module/Settings.php:721 +msgid "Add application" +msgstr "Anwendung hinzufügen" + +#: ../../Zotlabs/Module/Settings.php:662 +msgid "Name of application" +msgstr "Name der Anwendung" + +#: ../../Zotlabs/Module/Settings.php:663 ../../Zotlabs/Module/Settings.php:689 +msgid "Consumer Key" +msgstr "Consumer Key" + +#: ../../Zotlabs/Module/Settings.php:663 ../../Zotlabs/Module/Settings.php:664 +msgid "Automatically generated - change if desired. Max length 20" +msgstr "Automatisch erzeugt – Ƥndern, falls erwünscht. Maximale LƤnge 20" + +#: ../../Zotlabs/Module/Settings.php:664 ../../Zotlabs/Module/Settings.php:690 +msgid "Consumer Secret" +msgstr "Consumer Secret" + +#: ../../Zotlabs/Module/Settings.php:665 ../../Zotlabs/Module/Settings.php:691 +msgid "Redirect" +msgstr "Umleitung" + +#: ../../Zotlabs/Module/Settings.php:665 +msgid "" +"Redirect URI - leave blank unless your application specifically requires " +"this" +msgstr "Umleitungs-URl – lasse das leer, solange Deine Anwendung es nicht explizit erfordert" + +#: ../../Zotlabs/Module/Settings.php:666 ../../Zotlabs/Module/Settings.php:692 +msgid "Icon url" +msgstr "Symbol-URL" + +#: ../../Zotlabs/Module/Settings.php:666 ../../Zotlabs/Module/Sources.php:112 +#: ../../Zotlabs/Module/Sources.php:147 +msgid "Optional" +msgstr "Optional" + +#: ../../Zotlabs/Module/Settings.php:677 +msgid "Application not found." +msgstr "Die Anwendung wurde nicht gefunden." + +#: ../../Zotlabs/Module/Settings.php:720 +msgid "Connected Apps" +msgstr "Verbundene Apps" + +#: ../../Zotlabs/Module/Settings.php:724 +msgid "Client key starts with" +msgstr "Client Key beginnt mit" + +#: ../../Zotlabs/Module/Settings.php:725 +msgid "No name" +msgstr "Kein Name" + +#: ../../Zotlabs/Module/Settings.php:726 +msgid "Remove authorization" +msgstr "Authorisierung aufheben" + +#: ../../Zotlabs/Module/Settings.php:739 +msgid "No feature settings configured" +msgstr "Keine Funktions-Einstellungen konfiguriert" + +#: ../../Zotlabs/Module/Settings.php:746 +msgid "Feature/Addon Settings" +msgstr "Funktions-/Addon-Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:769 +msgid "Account Settings" +msgstr "Konto-Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:770 +msgid "Current Password" +msgstr "Aktuelles Passwort" + +#: ../../Zotlabs/Module/Settings.php:771 +msgid "Enter New Password" +msgstr "Gib ein neues Passwort ein" + +#: ../../Zotlabs/Module/Settings.php:772 +msgid "Confirm New Password" +msgstr "BestƤtige das neue Passwort" + +#: ../../Zotlabs/Module/Settings.php:772 +msgid "Leave password fields blank unless changing" +msgstr "Lasse die Passwort-Felder leer, außer Du mƶchtest das Passwort Ƥndern" + +#: ../../Zotlabs/Module/Settings.php:774 +#: ../../Zotlabs/Module/Settings.php:1194 +msgid "Email Address:" +msgstr "Email Adresse:" + +#: ../../Zotlabs/Module/Settings.php:775 +#: ../../Zotlabs/Module/Removeaccount.php:61 +msgid "Remove Account" +msgstr "Konto entfernen" + +#: ../../Zotlabs/Module/Settings.php:776 +msgid "Remove this account including all its channels" +msgstr "Dieses Konto inklusive all seiner KanƤle lƶschen" + +#: ../../Zotlabs/Module/Settings.php:810 +msgid "" +"Use this form to create temporary access identifiers to share things with " +"non-members. These identities may be used in Access Control Lists and " +"visitors may login using these credentials to access private content." +msgstr "Mit diesem Formular kannst Du temporƤre Zugangs-IDs anlegen, um Inhalte mit Nicht-Mitgliedern zu teilen. Die IDs kƶnnen in Berechtigungslisten (ACLs) verwendet werden, und Besucher kƶnnen sich damit einloggen, um auf private Inhalte zuzugreifen." + +#: ../../Zotlabs/Module/Settings.php:812 +msgid "" +"You may also provide dropbox style access links to friends and " +"associates by adding the Login Password to any specific site URL as shown. " +"Examples:" +msgstr "Du kannst auch Dropbox-Ƥhnliche Zugriffslinks an Andere weitergeben, indem du das Login-Passwort an eine entsprechende URL anhƤngst wie nachfolgend gezeigt. Beispiele:" + +#: ../../Zotlabs/Module/Settings.php:847 ../../include/widgets.php:614 +msgid "Guest Access Tokens" +msgstr "Gastzugangstoken" + +#: ../../Zotlabs/Module/Settings.php:854 +msgid "Login Name" +msgstr "Anmeldename" + +#: ../../Zotlabs/Module/Settings.php:855 +msgid "Login Password" +msgstr "Anmeldepasswort" + +#: ../../Zotlabs/Module/Settings.php:856 +msgid "Expires (yyyy-mm-dd)" +msgstr "LƤuft ab (jjjj-mm-tt)" + +#: ../../Zotlabs/Module/Settings.php:881 ../../Zotlabs/Module/Admin.php:677 +#: ../../Zotlabs/Module/Admin.php:678 +msgid "Off" +msgstr "Aus" + +#: ../../Zotlabs/Module/Settings.php:881 ../../Zotlabs/Module/Admin.php:677 +#: ../../Zotlabs/Module/Admin.php:678 +msgid "On" +msgstr "An" + +#: ../../Zotlabs/Module/Settings.php:888 +msgid "Additional Features" +msgstr "ZusƤtzliche Funktionen" + +#: ../../Zotlabs/Module/Settings.php:912 +msgid "Connector Settings" +msgstr "Connector-Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:951 +msgid "No special theme for mobile devices" +msgstr "Keine spezielle Theme für mobile GerƤte" + +#: ../../Zotlabs/Module/Settings.php:954 +#, php-format +msgid "%s - (Experimental)" +msgstr "%s – (experimentell)" + +#: ../../Zotlabs/Module/Settings.php:957 ../../Zotlabs/Module/Admin.php:410 +msgid "mobile" +msgstr "mobil" + +#: ../../Zotlabs/Module/Settings.php:996 +msgid "Display Settings" +msgstr "Anzeige-Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:997 +msgid "Theme Settings" +msgstr "Theme-Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:998 +msgid "Custom Theme Settings" +msgstr "Benutzerdefinierte Theme-Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:999 +msgid "Content Settings" +msgstr "Inhaltseinstellungen" + +#: ../../Zotlabs/Module/Settings.php:1005 +msgid "Display Theme:" +msgstr "Anzeige-Theme:" + +#: ../../Zotlabs/Module/Settings.php:1006 +msgid "Mobile Theme:" +msgstr "Mobile Theme:" + +#: ../../Zotlabs/Module/Settings.php:1007 +msgid "Preload images before rendering the page" +msgstr "Bilder im voraus laden, bevor die Seite angezeigt wird" + +#: ../../Zotlabs/Module/Settings.php:1007 +msgid "" +"The subjective page load time will be longer but the page will be ready when" +" displayed" +msgstr "Die empfundene Ladezeit wird sich erhƶhen, aber dafür ist das Layout stabil, sobald eine Seite angezeigt wird" + +#: ../../Zotlabs/Module/Settings.php:1008 +msgid "Enable user zoom on mobile devices" +msgstr "Zoom auf MobilgerƤten aktivieren" + +#: ../../Zotlabs/Module/Settings.php:1009 +msgid "Update browser every xx seconds" +msgstr "Browser alle xx Sekunden aktualisieren" + +#: ../../Zotlabs/Module/Settings.php:1009 +msgid "Minimum of 10 seconds, no maximum" +msgstr "Minimum 10 Sekunden, kein Maximum" + +#: ../../Zotlabs/Module/Settings.php:1010 +msgid "Maximum number of conversations to load at any time:" +msgstr "Maximale Anzahl von Unterhaltungen, die auf einmal geladen werden sollen:" + +#: ../../Zotlabs/Module/Settings.php:1010 +msgid "Maximum of 100 items" +msgstr "Maximum: 100 BeitrƤge" + +#: ../../Zotlabs/Module/Settings.php:1011 +msgid "Show emoticons (smilies) as images" +msgstr "Emoticons (Smilies) als Bilder anzeigen" + +#: ../../Zotlabs/Module/Settings.php:1012 +msgid "Link post titles to source" +msgstr "Beitragstitel zum Originalbeitrag verlinken" + +#: ../../Zotlabs/Module/Settings.php:1013 +msgid "System Page Layout Editor - (advanced)" +msgstr "System-Seitenlayout-Editor (für Experten)" + +#: ../../Zotlabs/Module/Settings.php:1016 +msgid "Use blog/list mode on channel page" +msgstr "Blog-/Listenmodus auf der Kanalseite verwenden" + +#: ../../Zotlabs/Module/Settings.php:1016 +#: ../../Zotlabs/Module/Settings.php:1017 +msgid "(comments displayed separately)" +msgstr "(Kommentare werden separat angezeigt)" + +#: ../../Zotlabs/Module/Settings.php:1017 +msgid "Use blog/list mode on grid page" +msgstr "Blog-/Listenmodus auf der Netzwerkseite verwenden" + +#: ../../Zotlabs/Module/Settings.php:1018 +msgid "Channel page max height of content (in pixels)" +msgstr "Maximale Hƶhe von Beitragsblƶcken auf der Kanalseite (in Pixeln)" + +#: ../../Zotlabs/Module/Settings.php:1018 +#: ../../Zotlabs/Module/Settings.php:1019 +msgid "click to expand content exceeding this height" +msgstr "Blƶcke, deren Inhalt diese Hƶhe überschreitet, kƶnnen per Klick vergrößert werden." + +#: ../../Zotlabs/Module/Settings.php:1019 +msgid "Grid page max height of content (in pixels)" +msgstr "Maximale Hƶhe (in Pixel) des Inhalts der Netzwerkseite" + +#: ../../Zotlabs/Module/Settings.php:1048 +msgid "Nobody except yourself" +msgstr "Niemand außer Dir selbst" + +#: ../../Zotlabs/Module/Settings.php:1049 +msgid "Only those you specifically allow" +msgstr "Nur die, denen Du es explizit erlaubst" + +#: ../../Zotlabs/Module/Settings.php:1050 +msgid "Approved connections" +msgstr "Angenommene Verbindungen" + +#: ../../Zotlabs/Module/Settings.php:1051 +msgid "Any connections" +msgstr "Beliebige Verbindungen" + +#: ../../Zotlabs/Module/Settings.php:1052 +msgid "Anybody on this website" +msgstr "Jeder auf dieser Website" + +#: ../../Zotlabs/Module/Settings.php:1053 +msgid "Anybody in this network" +msgstr "Alle $Projectname-Mitglieder" + +#: ../../Zotlabs/Module/Settings.php:1054 +msgid "Anybody authenticated" +msgstr "Jeder authentifizierte" + +#: ../../Zotlabs/Module/Settings.php:1055 +msgid "Anybody on the internet" +msgstr "Jeder im Internet" + +#: ../../Zotlabs/Module/Settings.php:1129 +msgid "Publish your default profile in the network directory" +msgstr "Standard-Profil im Netzwerk-Verzeichnis verƶffentlichen" + +#: ../../Zotlabs/Module/Settings.php:1134 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "Dürfen wir Dich neuen Mitgliedern als potentiellen Kontakt vorschlagen?" + +#: ../../Zotlabs/Module/Settings.php:1143 +msgid "Your channel address is" +msgstr "Deine Kanal-Adresse lautet" + +#: ../../Zotlabs/Module/Settings.php:1185 +msgid "Channel Settings" +msgstr "Kanal-Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:1192 +msgid "Basic Settings" +msgstr "Grundeinstellungen" + +#: ../../Zotlabs/Module/Settings.php:1193 ../../include/channel.php:1164 +msgid "Full Name:" +msgstr "Voller Name:" + +#: ../../Zotlabs/Module/Settings.php:1195 +msgid "Your Timezone:" +msgstr "Ihre Zeitzone:" + +#: ../../Zotlabs/Module/Settings.php:1196 +msgid "Default Post Location:" +msgstr "Standardstandort:" + +#: ../../Zotlabs/Module/Settings.php:1196 +msgid "Geographical location to display on your posts" +msgstr "Geografischer Ort, der bei Deinen BeitrƤgen angezeigt werden soll" + +#: ../../Zotlabs/Module/Settings.php:1197 +msgid "Use Browser Location:" +msgstr "Standort des Browsers verwenden:" + +#: ../../Zotlabs/Module/Settings.php:1199 +msgid "Adult Content" +msgstr "Nicht jugendfreie Inhalte" + +#: ../../Zotlabs/Module/Settings.php:1199 +msgid "" +"This channel frequently or regularly publishes adult content. (Please tag " +"any adult material and/or nudity with #NSFW)" +msgstr "Dieser Kanal verƶffentlicht regelmäßig Inhalte, die für MinderjƤhrige ungeeignet sind. (Bitte markiere solche Inhalte mit dem Schlagwort #NSFW)" + +#: ../../Zotlabs/Module/Settings.php:1201 +msgid "Security and Privacy Settings" +msgstr "Sicherheits- und Datenschutz-Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:1204 +msgid "Your permissions are already configured. Click to view/adjust" +msgstr "Deine Zugriffsrechte sind schon konfiguriert. Klicke hier, um sie zu betrachten oder zu Ƥndern" + +#: ../../Zotlabs/Module/Settings.php:1206 +msgid "Hide my online presence" +msgstr "Meine Online-PrƤsenz verbergen" + +#: ../../Zotlabs/Module/Settings.php:1206 +msgid "Prevents displaying in your profile that you are online" +msgstr "Verhindert die Anzeige Deines Online-Status in deinem Profil" + +#: ../../Zotlabs/Module/Settings.php:1208 +msgid "Simple Privacy Settings:" +msgstr "Einfache PrivatsphƤre-Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:1209 +msgid "" +"Very Public - extremely permissive (should be used with caution)" +msgstr "Komplett offen – extrem ungeschützt (mit großer Vorsicht verwenden!)" + +#: ../../Zotlabs/Module/Settings.php:1210 +msgid "" +"Typical - default public, privacy when desired (similar to social " +"network permissions but with improved privacy)" +msgstr "Typisch – Standard ƶffentlich, PrivatsphƤre, wo sie erwünscht ist (Ƥhnlich den Einstellungen in sozialen Netzwerken, aber mit besser geschützter PrivatsphƤre)" + +#: ../../Zotlabs/Module/Settings.php:1211 +msgid "Private - default private, never open or public" +msgstr "Privat – Standard privat, nie offen oder ƶffentlich" + +#: ../../Zotlabs/Module/Settings.php:1212 +msgid "Blocked - default blocked to/from everybody" +msgstr "Blockiert – Alle standardmäßig blockiert" + +#: ../../Zotlabs/Module/Settings.php:1214 +msgid "Allow others to tag your posts" +msgstr "Erlaube anderen, Deine BeitrƤge zu verschlagworten" + +#: ../../Zotlabs/Module/Settings.php:1214 +msgid "" +"Often used by the community to retro-actively flag inappropriate content" +msgstr "Wird oft von der Community genutzt um rückwirkend anstößigen Inhalt zu markieren" + +#: ../../Zotlabs/Module/Settings.php:1216 +msgid "Advanced Privacy Settings" +msgstr "Fortgeschrittene PrivatsphƤre-Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:1218 +msgid "Expire other channel content after this many days" +msgstr "Den Inhalt anderer KanƤle nach dieser Anzahl Tage verfallen lassen" + +#: ../../Zotlabs/Module/Settings.php:1218 +msgid "0 or blank to use the website limit." +msgstr "0 oder leer lassen, um den voreingestellten Wert der Webseite zu verwenden." + +#: ../../Zotlabs/Module/Settings.php:1218 +#, php-format +msgid "This website expires after %d days." +msgstr "Diese Webseite lƤuft nach %d Tagen ab." + +#: ../../Zotlabs/Module/Settings.php:1218 +msgid "This website does not expire imported content." +msgstr "Diese Webseite lƤsst importierte Inhalte nicht verfallen." + +#: ../../Zotlabs/Module/Settings.php:1218 +msgid "The website limit takes precedence if lower than your limit." +msgstr "Das Verfallslimit der Webseite hat Vorrang, wenn es niedriger als Deines hier ist." + +#: ../../Zotlabs/Module/Settings.php:1219 +msgid "Maximum Friend Requests/Day:" +msgstr "Maximale Kontaktanfragen pro Tag:" + +#: ../../Zotlabs/Module/Settings.php:1219 +msgid "May reduce spam activity" +msgstr "Kann die Spam-AktivitƤt verringern" + +#: ../../Zotlabs/Module/Settings.php:1220 +msgid "Default Post and Publish Permissions" +msgstr "Standard-Berechtigungen für BeitrƤge und andere Inhalte" + +#: ../../Zotlabs/Module/Settings.php:1221 ../../Zotlabs/Module/Mitem.php:154 +#: ../../Zotlabs/Module/Mitem.php:231 msgid "(click to open/close)" msgstr "(zum ƶffnen/schließen anklicken)" -#: ../../Zotlabs/Module/Mitem.php:156 ../../Zotlabs/Module/Mitem.php:172 -msgid "Link Name" -msgstr "Name des Links" +#: ../../Zotlabs/Module/Settings.php:1222 +msgid "Use my default audience setting for the type of object published" +msgstr "Verwende Deine eingestellte Standard-Zielgruppe des jeweiligen Inhaltstyps" -#: ../../Zotlabs/Module/Mitem.php:157 ../../Zotlabs/Module/Mitem.php:231 -msgid "Link or Submenu Target" -msgstr "Ziel des Links oder Untermenüs" +#: ../../Zotlabs/Module/Settings.php:1229 +msgid "Channel permissions category:" +msgstr "Zugriffsrechte-Kategorie des Kanals:" -#: ../../Zotlabs/Module/Mitem.php:157 -msgid "Enter URL of the link or select a menu name to create a submenu" -msgstr "URL des Links eingeben oder Menünamen wƤhlen, um ein Untermenü anzulegen." +#: ../../Zotlabs/Module/Settings.php:1235 +msgid "Maximum private messages per day from unknown people:" +msgstr "Maximale Anzahl privater Nachrichten pro Tag von unbekannten Leuten:" -#: ../../Zotlabs/Module/Mitem.php:158 ../../Zotlabs/Module/Mitem.php:232 -msgid "Use magic-auth if available" -msgstr "Magic-Auth verwenden, falls verfügbar" +#: ../../Zotlabs/Module/Settings.php:1235 +msgid "Useful to reduce spamming" +msgstr "Nützlich, um Spam zu verringern" -#: ../../Zotlabs/Module/Mitem.php:159 ../../Zotlabs/Module/Mitem.php:233 -msgid "Open link in new window" -msgstr "Ɩffne Link in neuem Fenster" +#: ../../Zotlabs/Module/Settings.php:1238 +msgid "Notification Settings" +msgstr "Benachrichtigungs-Einstellungen" -#: ../../Zotlabs/Module/Mitem.php:160 ../../Zotlabs/Module/Mitem.php:234 -msgid "Order in list" -msgstr "Reihenfolge in der Liste" +#: ../../Zotlabs/Module/Settings.php:1239 +msgid "By default post a status message when:" +msgstr "Sende standardmäßig Status-Nachrichten, wenn:" -#: ../../Zotlabs/Module/Mitem.php:160 ../../Zotlabs/Module/Mitem.php:234 -msgid "Higher numbers will sink to bottom of listing" -msgstr "Größere Nummern werden weiter unten in der Auflistung einsortiert" +#: ../../Zotlabs/Module/Settings.php:1240 +msgid "accepting a friend request" +msgstr "Du eine Verbindungsanfrage annimmst" -#: ../../Zotlabs/Module/Mitem.php:161 -msgid "Submit and finish" -msgstr "Absenden und fertigstellen" +#: ../../Zotlabs/Module/Settings.php:1241 +msgid "joining a forum/community" +msgstr "Du einem Forum beitrittst" -#: ../../Zotlabs/Module/Mitem.php:162 -msgid "Submit and continue" -msgstr "Absenden und fortfahren" +#: ../../Zotlabs/Module/Settings.php:1242 +msgid "making an interesting profile change" +msgstr "Du eine interessante Ƅnderung an Deinem Profil vornimmst" -#: ../../Zotlabs/Module/Mitem.php:170 -msgid "Menu:" -msgstr "Menü:" +#: ../../Zotlabs/Module/Settings.php:1243 +msgid "Send a notification email when:" +msgstr "Eine E-Mail-Benachrichtigung senden, wenn:" -#: ../../Zotlabs/Module/Mitem.php:173 -msgid "Link Target" -msgstr "Ziel des Links" +#: ../../Zotlabs/Module/Settings.php:1244 +msgid "You receive a connection request" +msgstr "Du eine Verbindungsanfrage erhƤltst" -#: ../../Zotlabs/Module/Mitem.php:176 -msgid "Edit menu" -msgstr "Menü bearbeiten" +#: ../../Zotlabs/Module/Settings.php:1245 +msgid "Your connections are confirmed" +msgstr "Eine Verbindung bestƤtigt wurde" -#: ../../Zotlabs/Module/Mitem.php:179 -msgid "Edit element" -msgstr "Bestandteil bearbeiten" +#: ../../Zotlabs/Module/Settings.php:1246 +msgid "Someone writes on your profile wall" +msgstr "Jemand auf Deine Pinnwand schreibt" -#: ../../Zotlabs/Module/Mitem.php:180 -msgid "Drop element" -msgstr "Bestandteil lƶschen" +#: ../../Zotlabs/Module/Settings.php:1247 +msgid "Someone writes a followup comment" +msgstr "Jemand einen Beitrag kommentiert" -#: ../../Zotlabs/Module/Mitem.php:181 -msgid "New element" -msgstr "Neues Bestandteil" +#: ../../Zotlabs/Module/Settings.php:1248 +msgid "You receive a private message" +msgstr "Du eine private Nachricht erhƤltst" -#: ../../Zotlabs/Module/Mitem.php:182 -msgid "Edit this menu container" -msgstr "Diesen Menü-Container bearbeiten" +#: ../../Zotlabs/Module/Settings.php:1249 +msgid "You receive a friend suggestion" +msgstr "Du einen Kontaktvorschlag erhƤltst" -#: ../../Zotlabs/Module/Mitem.php:183 -msgid "Add menu element" -msgstr "Menüelement hinzufügen" +#: ../../Zotlabs/Module/Settings.php:1250 +msgid "You are tagged in a post" +msgstr "Du in einem Beitrag erwƤhnt wurdest" -#: ../../Zotlabs/Module/Mitem.php:184 -msgid "Delete this menu item" -msgstr "Lƶsche dieses Menü-Bestandteil" +#: ../../Zotlabs/Module/Settings.php:1251 +msgid "You are poked/prodded/etc. in a post" +msgstr "Du in einem Beitrag angestupst/geknufft/o.Ƥ. wurdest" -#: ../../Zotlabs/Module/Mitem.php:185 -msgid "Edit this menu item" -msgstr "Bearbeite dieses Menü-Bestandteil" +#: ../../Zotlabs/Module/Settings.php:1254 +msgid "Show visual notifications including:" +msgstr "Visuelle Benachrichtigungen anzeigen für:" -#: ../../Zotlabs/Module/Mitem.php:202 -msgid "Menu item not found." -msgstr "Menü-Bestandteil nicht gefunden." +#: ../../Zotlabs/Module/Settings.php:1256 +msgid "Unseen grid activity" +msgstr "Ungesehene Netzwerk-AktivitƤt" -#: ../../Zotlabs/Module/Mitem.php:215 -msgid "Menu item deleted." -msgstr "Menü-Bestandteil gelƶscht." +#: ../../Zotlabs/Module/Settings.php:1257 +msgid "Unseen channel activity" +msgstr "Ungesehene Kanal-AktivitƤt" -#: ../../Zotlabs/Module/Mitem.php:217 -msgid "Menu item could not be deleted." -msgstr "Menü-Bestandteil kann nicht gelƶscht werden." +#: ../../Zotlabs/Module/Settings.php:1258 +msgid "Unseen private messages" +msgstr "Ungelesene persƶnliche Nachrichten" -#: ../../Zotlabs/Module/Mitem.php:224 -msgid "Edit Menu Element" -msgstr "Bearbeite Menü-Bestandteil" +#: ../../Zotlabs/Module/Settings.php:1258 +#: ../../Zotlabs/Module/Settings.php:1263 +#: ../../Zotlabs/Module/Settings.php:1264 +#: ../../Zotlabs/Module/Settings.php:1265 +msgid "Recommended" +msgstr "Empfohlen" -#: ../../Zotlabs/Module/Mitem.php:230 -msgid "Link text" -msgstr "Link Text" +#: ../../Zotlabs/Module/Settings.php:1259 +msgid "Upcoming events" +msgstr "Baldige Termine" + +#: ../../Zotlabs/Module/Settings.php:1260 +msgid "Events today" +msgstr "Heutige Termine" + +#: ../../Zotlabs/Module/Settings.php:1261 +msgid "Upcoming birthdays" +msgstr "Baldige Geburtstage" + +#: ../../Zotlabs/Module/Settings.php:1261 +msgid "Not available in all themes" +msgstr "Nicht in allen Themes verfügbar" + +#: ../../Zotlabs/Module/Settings.php:1262 +msgid "System (personal) notifications" +msgstr "System – (persƶnliche) Benachrichtigungen" + +#: ../../Zotlabs/Module/Settings.php:1263 +msgid "System info messages" +msgstr "System – Info-Nachrichten" + +#: ../../Zotlabs/Module/Settings.php:1264 +msgid "System critical alerts" +msgstr "System – kritische Warnungen" + +#: ../../Zotlabs/Module/Settings.php:1265 +msgid "New connections" +msgstr "Neue Verbindungen" + +#: ../../Zotlabs/Module/Settings.php:1266 +msgid "System Registrations" +msgstr "System – Registrierungen" + +#: ../../Zotlabs/Module/Settings.php:1267 +msgid "" +"Also show new wall posts, private messages and connections under Notices" +msgstr "Neue Pinnwand-Nachrichten, private Nachrichten und Verbindungen unter Benachrichtigungen anzeigen" + +#: ../../Zotlabs/Module/Settings.php:1269 +msgid "Notify me of events this many days in advance" +msgstr "Benachrichtige mich zu Terminen so viele Tage im Voraus" + +#: ../../Zotlabs/Module/Settings.php:1269 +msgid "Must be greater than 0" +msgstr "Muss größer als 0 sein" + +#: ../../Zotlabs/Module/Settings.php:1271 +msgid "Advanced Account/Page Type Settings" +msgstr "Erweiterte Account- und Seitenart-Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:1272 +msgid "Change the behaviour of this account for special situations" +msgstr "Ƅndere das Verhalten dieses Accounts unter speziellen UmstƤnden" + +#: ../../Zotlabs/Module/Settings.php:1275 +msgid "" +"Please enable expert mode (in Settings > " +"Additional features) to adjust!" +msgstr "Aktiviere den Expertenmodus (unter Settings > ZusƤtzliche Funktionen), um hier Einstellungen vorzunehmen!" + +#: ../../Zotlabs/Module/Settings.php:1276 +msgid "Miscellaneous Settings" +msgstr "Sonstige Einstellungen" + +#: ../../Zotlabs/Module/Settings.php:1277 +msgid "Default photo upload folder" +msgstr "Voreingestellter Ordner für hochgeladene Fotos" + +#: ../../Zotlabs/Module/Settings.php:1277 +#: ../../Zotlabs/Module/Settings.php:1278 +msgid "%Y - current year, %m - current month" +msgstr "%Y - aktuelles Jahr, %m - aktueller Monat" + +#: ../../Zotlabs/Module/Settings.php:1278 +msgid "Default file upload folder" +msgstr "Voreingestellter Ordner für hochgeladene Dateien" + +#: ../../Zotlabs/Module/Settings.php:1280 +msgid "Personal menu to display in your channel pages" +msgstr "Eigenes Menü zur Anzeige auf den Seiten deines Kanals" + +#: ../../Zotlabs/Module/Settings.php:1281 ../../Zotlabs/Module/Removeme.php:64 +msgid "Remove Channel" +msgstr "Kanal lƶschen" + +#: ../../Zotlabs/Module/Settings.php:1282 +msgid "Remove this channel." +msgstr "Diesen Kanal lƶschen" + +#: ../../Zotlabs/Module/Settings.php:1283 +msgid "Firefox Share $Projectname provider" +msgstr "$Projectname-Provider für Firefox Share" + +#: ../../Zotlabs/Module/Settings.php:1284 +msgid "Start calendar week on monday" +msgstr "Montag als erster Tag der Kalenderwoche" #: ../../Zotlabs/Module/Admin.php:77 msgid "Theme settings updated." @@ -3587,14 +4396,10 @@ msgstr "Repository-Version (dev)" msgid "Site settings updated." msgstr "Site-Einstellungen aktualisiert." -#: ../../Zotlabs/Module/Admin.php:400 ../../include/text.php:2829 +#: ../../Zotlabs/Module/Admin.php:400 ../../include/text.php:2888 msgid "Default" msgstr "Standard" -#: ../../Zotlabs/Module/Admin.php:410 ../../Zotlabs/Module/Settings.php:899 -msgid "mobile" -msgstr "mobil" - #: ../../Zotlabs/Module/Admin.php:412 msgid "experimental" msgstr "experimentell" @@ -3623,11 +4428,11 @@ msgstr "Meine Seite hat nur freien Zugriff" msgid "My site offers free accounts with optional paid upgrades" msgstr "Mein Server bietet kostenlose Konten mit der Mƶglichkeit zu bezahlten Upgrades" -#: ../../Zotlabs/Module/Admin.php:491 ../../include/widgets.php:1476 +#: ../../Zotlabs/Module/Admin.php:491 ../../include/widgets.php:1490 msgid "Site" msgstr "Seite" -#: ../../Zotlabs/Module/Admin.php:493 ../../Zotlabs/Module/Register.php:245 +#: ../../Zotlabs/Module/Admin.php:493 ../../Zotlabs/Module/Register.php:248 msgid "Registration" msgstr "Registrierung" @@ -3910,16 +4715,6 @@ msgstr "Setze den Zeitraum (in Tagen), ab wann importierte (aus dem Netzwerk) In msgid "0 for no expiration of imported content" msgstr "0 = keine Lƶschung importierter Inhalte" -#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 -#: ../../Zotlabs/Module/Settings.php:823 -msgid "Off" -msgstr "Aus" - -#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 -#: ../../Zotlabs/Module/Settings.php:823 -msgid "On" -msgstr "An" - #: ../../Zotlabs/Module/Admin.php:678 #, php-format msgid "Lock feature %s" @@ -3973,7 +4768,7 @@ msgid "" "embedded content from that site is explicitly blocked." msgstr "Alle anderen eingebetteten Inhalte werden gefiltert, es sei denn, eingebettete Inhalte von einer bestimmten Seite sind explizit blockiert." -#: ../../Zotlabs/Module/Admin.php:756 ../../include/widgets.php:1479 +#: ../../Zotlabs/Module/Admin.php:756 ../../include/widgets.php:1493 msgid "Security" msgstr "Sicherheit" @@ -4141,7 +4936,7 @@ msgid "Account '%s' unblocked" msgstr "Konto '%s' freigegeben" #: ../../Zotlabs/Module/Admin.php:1031 ../../Zotlabs/Module/Admin.php:1044 -#: ../../include/widgets.php:1477 +#: ../../include/widgets.php:1491 msgid "Accounts" msgstr "Konten" @@ -4157,6 +4952,11 @@ msgstr "Registrierungen warten auf BestƤtigung" msgid "Request date" msgstr "Antragsdatum" +#: ../../Zotlabs/Module/Admin.php:1035 ../../Zotlabs/Module/Admin.php:1047 +#: ../../include/network.php:2208 +msgid "Email" +msgstr "E-Mail" + #: ../../Zotlabs/Module/Admin.php:1036 msgid "No registrations." msgstr "Keine Registrierungen." @@ -4247,7 +5047,7 @@ msgstr "Code für Kanal '%s' freigegeben" msgid "Channel '%s' code disallowed" msgstr "Code für Kanal '%s' gesperrt" -#: ../../Zotlabs/Module/Admin.php:1210 ../../include/widgets.php:1478 +#: ../../Zotlabs/Module/Admin.php:1210 ../../include/widgets.php:1492 msgid "Channels" msgstr "KanƤle" @@ -4267,7 +5067,7 @@ msgstr "Code erlauben" msgid "Disallow Code" msgstr "Code sperren" -#: ../../Zotlabs/Module/Admin.php:1218 ../../include/conversation.php:1626 +#: ../../Zotlabs/Module/Admin.php:1218 ../../include/conversation.php:1631 msgid "Channel" msgstr "Kanal" @@ -4306,7 +5106,7 @@ msgid "Enable" msgstr "Aktivieren" #: ../../Zotlabs/Module/Admin.php:1330 ../../Zotlabs/Module/Admin.php:1420 -#: ../../include/widgets.php:1481 +#: ../../include/widgets.php:1495 msgid "Plugins" msgstr "Plug-Ins" @@ -4315,7 +5115,7 @@ msgid "Toggle" msgstr "Umschalten" #: ../../Zotlabs/Module/Admin.php:1332 ../../Zotlabs/Module/Admin.php:1615 -#: ../../Zotlabs/Lib/Apps.php:216 ../../include/nav.php:210 +#: ../../Zotlabs/Lib/Apps.php:216 ../../include/nav.php:212 #: ../../include/widgets.php:647 msgid "Settings" msgstr "Einstellungen" @@ -4388,11 +5188,6 @@ msgstr "Installierte Plugin-Repositorien" msgid "Install a New Plugin Repository" msgstr "Ein neues Plugin-Repository installieren" -#: ../../Zotlabs/Module/Admin.php:1435 ../../Zotlabs/Module/Settings.php:72 -#: ../../Zotlabs/Module/Settings.php:670 ../../Zotlabs/Lib/Apps.php:334 -msgid "Update" -msgstr "Aktualisieren" - #: ../../Zotlabs/Module/Admin.php:1436 msgid "Switch branch" msgstr "Zweig/Branch wechseln" @@ -4406,7 +5201,7 @@ msgid "Screenshot" msgstr "Bildschirmfoto" #: ../../Zotlabs/Module/Admin.php:1613 ../../Zotlabs/Module/Admin.php:1647 -#: ../../include/widgets.php:1482 +#: ../../include/widgets.php:1496 msgid "Themes" msgstr "Themes" @@ -4422,8 +5217,8 @@ msgstr "[Nicht unterstützt]" msgid "Log settings updated." msgstr "Protokoll-Einstellungen aktualisiert." -#: ../../Zotlabs/Module/Admin.php:1732 ../../include/widgets.php:1503 -#: ../../include/widgets.php:1513 +#: ../../Zotlabs/Module/Admin.php:1732 ../../include/widgets.php:1517 +#: ../../include/widgets.php:1527 msgid "Logs" msgstr "Protokolle" @@ -4489,7 +5284,7 @@ msgstr "Feld-Definition nicht gefunden" msgid "Edit Profile Field" msgstr "Profilfeld bearbeiten" -#: ../../Zotlabs/Module/Admin.php:2106 ../../include/widgets.php:1484 +#: ../../Zotlabs/Module/Admin.php:2106 ../../include/widgets.php:1498 msgid "Profile Fields" msgstr "Profil Felder" @@ -4599,12 +5394,12 @@ msgstr "Ungültiger Anfrage-Identifikator." msgid "Discard" msgstr "Verwerfen" -#: ../../Zotlabs/Module/Notifications.php:103 ../../include/nav.php:193 +#: ../../Zotlabs/Module/Notifications.php:103 ../../include/nav.php:195 msgid "Mark all system notifications seen" msgstr "Markiere alle System-Benachrichtigungen als gesehen" #: ../../Zotlabs/Module/Poke.php:168 ../../Zotlabs/Lib/Apps.php:228 -#: ../../include/conversation.php:963 +#: ../../include/conversation.php:964 msgid "Poke" msgstr "Anstupsen" @@ -4640,14 +5435,6 @@ msgstr "Konnte Deinen Server nicht finden." msgid "Post successful." msgstr "Verƶffentlichung erfolgreich." -#: ../../Zotlabs/Module/Openid.php:30 -msgid "OpenID protocol error. No ID returned." -msgstr "OpenID Protokollfehler. Keine ID zurückgegeben." - -#: ../../Zotlabs/Module/Openid.php:193 ../../include/auth.php:285 -msgid "Login failed." -msgstr "Login fehlgeschlagen." - #: ../../Zotlabs/Module/Profperm.php:34 ../../Zotlabs/Module/Profperm.php:63 msgid "Invalid profile identifier." msgstr "Ungültiger Profil-Identifikator" @@ -4656,7 +5443,7 @@ msgstr "Ungültiger Profil-Identifikator" msgid "Profile Visibility Editor" msgstr "Profil-Sichtbarkeits-Editor" -#: ../../Zotlabs/Module/Profperm.php:117 ../../include/channel.php:1290 +#: ../../Zotlabs/Module/Profperm.php:117 ../../include/channel.php:1274 msgid "Profile" msgstr "Profil" @@ -4683,10 +5470,82 @@ msgid "" " to correctly use this feature." msgstr "Warnung: Einige Einstellungen kƶnnen Deinen Kanal funktionsunfƤhig machen. Bitte verlasse diese Seite, es sei denn Du bist vertraut damit, wie dieses Feature korrekt verwendet wird." -#: ../../Zotlabs/Module/Probe.php:28 ../../Zotlabs/Module/Probe.php:32 -#, php-format -msgid "Fetching URL returns error: %1$s" -msgstr "Abrufen der URL gab einen Fehler zurück: %1$s" +#: ../../Zotlabs/Module/Wiki.php:34 +msgid "Not found" +msgstr "Nicht gefunden" + +#: ../../Zotlabs/Module/Wiki.php:97 ../../Zotlabs/Lib/Apps.php:219 +#: ../../include/features.php:57 ../../include/nav.php:110 +#: ../../include/conversation.php:1715 ../../include/conversation.php:1718 +msgid "Wiki" +msgstr "Wiki" + +#: ../../Zotlabs/Module/Wiki.php:98 +msgid "Sandbox" +msgstr "Sandbox" + +#: ../../Zotlabs/Module/Wiki.php:100 +msgid "" +"\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be" +" saved*.\"" +msgstr "\"# Wiki Sandkasten\\n\\nInhalte, die Du hier **verƤnderst** und **als Vorschau anzeigst**, *werden nicht gespeichert*.\"" + +#: ../../Zotlabs/Module/Wiki.php:169 +msgid "Revision Comparison" +msgstr "Revisionsvergleich" + +#: ../../Zotlabs/Module/Wiki.php:170 +msgid "Revert" +msgstr "RückgƤngig machen" + +#: ../../Zotlabs/Module/Wiki.php:201 +msgid "Enter the name of your new wiki:" +msgstr "Gib einen Namen für Dein neues Wiki ein:" + +#: ../../Zotlabs/Module/Wiki.php:202 +msgid "Enter the name of the new page:" +msgstr "Geben Sie den Namen der neuen Seite ein:" + +#: ../../Zotlabs/Module/Wiki.php:203 +msgid "Enter the new name:" +msgstr "Geben Sie den neuen Namen ein:" + +#: ../../Zotlabs/Module/Wiki.php:209 ../../include/conversation.php:1151 +msgid "Embed image from photo albums" +msgstr "Bild aus Fotoalben einbetten" + +#: ../../Zotlabs/Module/Wiki.php:210 ../../include/conversation.php:1235 +msgid "Embed an image from your albums" +msgstr "Betten Sie ein Bild aus Ihren Alben ein" + +#: ../../Zotlabs/Module/Wiki.php:212 ../../include/conversation.php:1237 +#: ../../include/conversation.php:1278 +msgid "OK" +msgstr "Ok" + +#: ../../Zotlabs/Module/Wiki.php:213 ../../include/conversation.php:1187 +msgid "Choose images to embed" +msgstr "WƤhlen Sie Bilder zum Einbetten aus" + +#: ../../Zotlabs/Module/Wiki.php:214 ../../include/conversation.php:1188 +msgid "Choose an album" +msgstr "WƤhlen Sie ein Album aus" + +#: ../../Zotlabs/Module/Wiki.php:215 ../../include/conversation.php:1189 +msgid "Choose a different album..." +msgstr "WƤhlen Sie ein anderes Album aus..." + +#: ../../Zotlabs/Module/Wiki.php:216 ../../include/conversation.php:1190 +msgid "Error getting album list" +msgstr "Fehler beim Holen der Albenliste" + +#: ../../Zotlabs/Module/Wiki.php:217 ../../include/conversation.php:1191 +msgid "Error getting photo link" +msgstr "Fehler beim Holen des Fotolinks" + +#: ../../Zotlabs/Module/Wiki.php:218 ../../include/conversation.php:1192 +msgid "Error getting album" +msgstr "Fehler beim Holen des Albums" #: ../../Zotlabs/Module/Siteinfo.php:19 #, php-format @@ -4747,33 +5606,31 @@ msgstr "VorschlƤge, Lob, usw.: E-Mail an 'redmatrix' at librelist - dot - com" msgid "Site Administrators" msgstr "Administratoren" -#: ../../Zotlabs/Module/Rmagic.php:44 -msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "Wir haben ein Problem mit der OpenID festgestellt, mit der Du Dich anmelden wolltest. Bitte überprüfe sie noch einmal." +#: ../../Zotlabs/Module/Blocks.php:154 ../../include/text.php:2262 +msgid "Blocks" +msgstr "Blƶcke" -#: ../../Zotlabs/Module/Rmagic.php:44 -msgid "The error message was:" -msgstr "Die Fehlermeldung war:" +#: ../../Zotlabs/Module/Blocks.php:156 +msgid "Block Title" +msgstr "Titel des Blocks" -#: ../../Zotlabs/Module/Rmagic.php:48 -msgid "Authentication failed." -msgstr "Authentifizierung fehlgeschlagen." +#: ../../Zotlabs/Module/Layouts.php:183 ../../include/text.php:2264 +msgid "Layouts" +msgstr "Layouts" -#: ../../Zotlabs/Module/Rmagic.php:88 -msgid "Remote Authentication" -msgstr "Entfernte Authentifizierung" +#: ../../Zotlabs/Module/Layouts.php:185 +msgid "Comanche page description language help" +msgstr "Hilfe zur Comanche-Seitenbeschreibungssprache" -#: ../../Zotlabs/Module/Rmagic.php:89 -msgid "Enter your channel address (e.g. channel@example.com)" -msgstr "Deine Kanal-Adresse (z. B. channel@example.com)" +#: ../../Zotlabs/Module/Layouts.php:189 +msgid "Layout Description" +msgstr "Layout-Beschreibung" -#: ../../Zotlabs/Module/Rmagic.php:90 -msgid "Authenticate" -msgstr "Authentifizieren" +#: ../../Zotlabs/Module/Layouts.php:194 +msgid "Download PDL file" +msgstr "PDL-Datei herunterladen" -#: ../../Zotlabs/Module/Pubsites.php:22 ../../include/widgets.php:1337 +#: ../../Zotlabs/Module/Pubsites.php:22 ../../include/widgets.php:1351 msgid "Public Hubs" msgstr "Ɩffentliche Hubs" @@ -4807,7 +5664,7 @@ msgid "Software" msgstr "Software" #: ../../Zotlabs/Module/Pubsites.php:31 ../../Zotlabs/Module/Ratings.php:103 -#: ../../include/conversation.php:962 +#: ../../include/conversation.php:963 msgid "Ratings" msgstr "Bewertungen" @@ -4825,64 +5682,13 @@ msgstr "Leere den Browser Cache oder nutze Umschalten-Neu Laden, falls das neue msgid "Upload Profile Photo" msgstr "Lade neues Profilfoto hoch" -#: ../../Zotlabs/Module/Blocks.php:97 ../../Zotlabs/Module/Blocks.php:155 -#: ../../Zotlabs/Module/Editblock.php:108 -msgid "Block Name" -msgstr "Block-Name" +#: ../../Zotlabs/Module/Cal.php:69 +msgid "Permissions denied." +msgstr "Berechtigung verweigert." -#: ../../Zotlabs/Module/Blocks.php:154 ../../include/text.php:2238 -msgid "Blocks" -msgstr "Blƶcke" - -#: ../../Zotlabs/Module/Blocks.php:156 -msgid "Block Title" -msgstr "Titel des Blocks" - -#: ../../Zotlabs/Module/Rate.php:160 -msgid "Website:" -msgstr "Webseite:" - -#: ../../Zotlabs/Module/Rate.php:163 -#, php-format -msgid "Remote Channel [%s] (not yet known on this site)" -msgstr "Kanal [%s] (auf diesem Server noch unbekannt)" - -#: ../../Zotlabs/Module/Rate.php:164 -msgid "Rating (this information is public)" -msgstr "Bewertung (ƶffentlich sichtbar)" - -#: ../../Zotlabs/Module/Rate.php:165 -msgid "Optionally explain your rating (this information is public)" -msgstr "Optional kannst du deine Bewertung erklƤren (ƶffentlich sichtbar)" - -#: ../../Zotlabs/Module/Ratings.php:73 -msgid "No ratings" -msgstr "Keine Bewertungen" - -#: ../../Zotlabs/Module/Ratings.php:104 -msgid "Rating: " -msgstr "Bewertung: " - -#: ../../Zotlabs/Module/Ratings.php:105 -msgid "Website: " -msgstr "Webseite: " - -#: ../../Zotlabs/Module/Ratings.php:107 -msgid "Description: " -msgstr "Beschreibung: " - -#: ../../Zotlabs/Module/Apps.php:47 ../../include/nav.php:165 -#: ../../include/widgets.php:102 -msgid "Apps" -msgstr "Apps" - -#: ../../Zotlabs/Module/Editblock.php:124 ../../include/conversation.php:1243 -msgid "Title (optional)" -msgstr "Titel (optional)" - -#: ../../Zotlabs/Module/Editblock.php:133 -msgid "Edit Block" -msgstr "Block bearbeiten" +#: ../../Zotlabs/Module/Cal.php:337 ../../include/text.php:2286 +msgid "Import" +msgstr "Import" #: ../../Zotlabs/Module/Common.php:14 msgid "No channel." @@ -4896,22 +5702,6 @@ msgstr "Gemeinsame Verbindungen" msgid "No connections in common." msgstr "Keine gemeinsamen Verbindungen." -#: ../../Zotlabs/Module/Rbmark.php:94 -msgid "Select a bookmark folder" -msgstr "Lesezeichenordner wƤhlen" - -#: ../../Zotlabs/Module/Rbmark.php:99 -msgid "Save Bookmark" -msgstr "Lesezeichen speichern" - -#: ../../Zotlabs/Module/Rbmark.php:100 -msgid "URL of bookmark" -msgstr "URL des Lesezeichens" - -#: ../../Zotlabs/Module/Rbmark.php:105 -msgid "Or enter new bookmark folder name" -msgstr "Oder gib einen neuen Namen für den Lesezeichenordner ein" - #: ../../Zotlabs/Module/Register.php:49 msgid "Maximum daily site registrations exceeded. Please try again tomorrow." msgstr "Maximale Anzahl tƤglicher Neuanmeldungen erreicht. Bitte versuche es morgen noch einmal." @@ -4995,21 +5785,241 @@ msgstr "nein" msgid "yes" msgstr "ja" -#: ../../Zotlabs/Module/Register.php:250 +#: ../../Zotlabs/Module/Register.php:253 msgid "Membership on this site is by invitation only." msgstr "Mitgliedschaft auf dieser Seite ist nur nach vorheriger Einladung mƶglich." -#: ../../Zotlabs/Module/Register.php:262 ../../include/nav.php:149 -#: ../../boot.php:1686 +#: ../../Zotlabs/Module/Register.php:265 ../../include/nav.php:151 +#: ../../boot.php:1695 msgid "Register" msgstr "Registrieren" -#: ../../Zotlabs/Module/Register.php:263 +#: ../../Zotlabs/Module/Register.php:266 msgid "" "This site may require email verification after submitting this form. If you " "are returned to a login page, please check your email for instructions." msgstr "Diese Seite verlangt mƶglicherweise eine EmailbestƤtigung nach dem Ansenden des Formulars. Wenn Du auf eine Login-Seite zurückgeleitet wirst, prüfe bitte auf neue Mail mit entsprechenden Hinweisen." +#: ../../Zotlabs/Module/Ratings.php:73 +msgid "No ratings" +msgstr "Keine Bewertungen" + +#: ../../Zotlabs/Module/Ratings.php:104 +msgid "Rating: " +msgstr "Bewertung: " + +#: ../../Zotlabs/Module/Ratings.php:105 +msgid "Website: " +msgstr "Webseite: " + +#: ../../Zotlabs/Module/Ratings.php:107 +msgid "Description: " +msgstr "Beschreibung: " + +#: ../../Zotlabs/Module/Apps.php:47 ../../include/nav.php:167 +#: ../../include/widgets.php:102 +msgid "Apps" +msgstr "Apps" + +#: ../../Zotlabs/Module/Mitem.php:52 +msgid "Unable to create element." +msgstr "Element konnte nicht erstellt werden." + +#: ../../Zotlabs/Module/Mitem.php:76 +msgid "Unable to update menu element." +msgstr "Kann Menü-Element nicht aktualisieren." + +#: ../../Zotlabs/Module/Mitem.php:92 +msgid "Unable to add menu element." +msgstr "Kann Menü-Bestandteil nicht hinzufügen." + +#: ../../Zotlabs/Module/Mitem.php:153 ../../Zotlabs/Module/Mitem.php:230 +msgid "Menu Item Permissions" +msgstr "Zugriffsrechte des Menü-Elements" + +#: ../../Zotlabs/Module/Mitem.php:160 ../../Zotlabs/Module/Mitem.php:176 +msgid "Link Name" +msgstr "Name des Links" + +#: ../../Zotlabs/Module/Mitem.php:161 ../../Zotlabs/Module/Mitem.php:239 +msgid "Link or Submenu Target" +msgstr "Ziel des Links oder Untermenüs" + +#: ../../Zotlabs/Module/Mitem.php:161 +msgid "Enter URL of the link or select a menu name to create a submenu" +msgstr "URL des Links eingeben oder Menünamen wƤhlen, um ein Untermenü anzulegen." + +#: ../../Zotlabs/Module/Mitem.php:162 ../../Zotlabs/Module/Mitem.php:240 +msgid "Use magic-auth if available" +msgstr "Magic-Auth verwenden, falls verfügbar" + +#: ../../Zotlabs/Module/Mitem.php:163 ../../Zotlabs/Module/Mitem.php:241 +msgid "Open link in new window" +msgstr "Ɩffne Link in neuem Fenster" + +#: ../../Zotlabs/Module/Mitem.php:164 ../../Zotlabs/Module/Mitem.php:242 +msgid "Order in list" +msgstr "Reihenfolge in der Liste" + +#: ../../Zotlabs/Module/Mitem.php:164 ../../Zotlabs/Module/Mitem.php:242 +msgid "Higher numbers will sink to bottom of listing" +msgstr "Größere Nummern werden weiter unten in der Auflistung einsortiert" + +#: ../../Zotlabs/Module/Mitem.php:165 +msgid "Submit and finish" +msgstr "Absenden und fertigstellen" + +#: ../../Zotlabs/Module/Mitem.php:166 +msgid "Submit and continue" +msgstr "Absenden und fortfahren" + +#: ../../Zotlabs/Module/Mitem.php:174 +msgid "Menu:" +msgstr "Menü:" + +#: ../../Zotlabs/Module/Mitem.php:177 +msgid "Link Target" +msgstr "Ziel des Links" + +#: ../../Zotlabs/Module/Mitem.php:180 +msgid "Edit menu" +msgstr "Menü bearbeiten" + +#: ../../Zotlabs/Module/Mitem.php:183 +msgid "Edit element" +msgstr "Bestandteil bearbeiten" + +#: ../../Zotlabs/Module/Mitem.php:184 +msgid "Drop element" +msgstr "Bestandteil lƶschen" + +#: ../../Zotlabs/Module/Mitem.php:185 +msgid "New element" +msgstr "Neues Bestandteil" + +#: ../../Zotlabs/Module/Mitem.php:186 +msgid "Edit this menu container" +msgstr "Diesen Menü-Container bearbeiten" + +#: ../../Zotlabs/Module/Mitem.php:187 +msgid "Add menu element" +msgstr "Menüelement hinzufügen" + +#: ../../Zotlabs/Module/Mitem.php:188 +msgid "Delete this menu item" +msgstr "Lƶsche dieses Menü-Bestandteil" + +#: ../../Zotlabs/Module/Mitem.php:189 +msgid "Edit this menu item" +msgstr "Bearbeite dieses Menü-Bestandteil" + +#: ../../Zotlabs/Module/Mitem.php:206 +msgid "Menu item not found." +msgstr "Menü-Bestandteil nicht gefunden." + +#: ../../Zotlabs/Module/Mitem.php:219 +msgid "Menu item deleted." +msgstr "Menü-Bestandteil gelƶscht." + +#: ../../Zotlabs/Module/Mitem.php:221 +msgid "Menu item could not be deleted." +msgstr "Menü-Bestandteil kann nicht gelƶscht werden." + +#: ../../Zotlabs/Module/Mitem.php:228 +msgid "Edit Menu Element" +msgstr "Bearbeite Menü-Bestandteil" + +#: ../../Zotlabs/Module/Mitem.php:238 +msgid "Link text" +msgstr "Link Text" + +#: ../../Zotlabs/Module/Connect.php:61 ../../Zotlabs/Module/Connect.php:109 +msgid "Continue" +msgstr "Fortfahren" + +#: ../../Zotlabs/Module/Connect.php:90 +msgid "Premium Channel Setup" +msgstr "Premium-Kanal-Einrichtung" + +#: ../../Zotlabs/Module/Connect.php:92 +msgid "Enable premium channel connection restrictions" +msgstr "EinschrƤnkungen für einen Premium-Kanal aktivieren" + +#: ../../Zotlabs/Module/Connect.php:93 +msgid "" +"Please enter your restrictions or conditions, such as paypal receipt, usage " +"guidelines, etc." +msgstr "Bitte gib Deine Nutzungsbedingungen ein, z.B. Paypal-Quittung, Richtlinien etc." + +#: ../../Zotlabs/Module/Connect.php:95 ../../Zotlabs/Module/Connect.php:115 +msgid "" +"This channel may require additional steps or acknowledgement of the " +"following conditions prior to connecting:" +msgstr "Unter UmstƤnden sind weitere Schritte oder die BestƤtigung der folgenden Bedingungen vor dem Verbinden mit diesem Kanal nƶtig." + +#: ../../Zotlabs/Module/Connect.php:96 +msgid "" +"Potential connections will then see the following text before proceeding:" +msgstr "Potentielle Kontakte werden den folgenden Text sehen, bevor fortgefahren wird:" + +#: ../../Zotlabs/Module/Connect.php:97 ../../Zotlabs/Module/Connect.php:118 +msgid "" +"By continuing, I certify that I have complied with any instructions provided" +" on this page." +msgstr "Indem ich fortfahre, bestƤtige ich die Erfüllung aller Anweisungen auf dieser Seite." + +#: ../../Zotlabs/Module/Connect.php:106 +msgid "(No specific instructions have been provided by the channel owner.)" +msgstr "(Der Kanal-Besitzer hat keine speziellen Anweisungen hinterlegt.)" + +#: ../../Zotlabs/Module/Connect.php:114 +msgid "Restricted or Premium Channel" +msgstr "EingeschrƤnkter oder Premium-Kanal" + +#: ../../Zotlabs/Module/Rbmark.php:94 +msgid "Select a bookmark folder" +msgstr "Lesezeichenordner wƤhlen" + +#: ../../Zotlabs/Module/Rbmark.php:99 +msgid "Save Bookmark" +msgstr "Lesezeichen speichern" + +#: ../../Zotlabs/Module/Rbmark.php:100 +msgid "URL of bookmark" +msgstr "URL des Lesezeichens" + +#: ../../Zotlabs/Module/Rbmark.php:105 +msgid "Or enter new bookmark folder name" +msgstr "Oder gib einen neuen Namen für den Lesezeichenordner ein" + +#: ../../Zotlabs/Module/Network.php:94 +msgid "No such group" +msgstr "Gruppe nicht gefunden" + +#: ../../Zotlabs/Module/Network.php:134 +msgid "No such channel" +msgstr "Kanal nicht gefunden" + +#: ../../Zotlabs/Module/Network.php:139 +msgid "forum" +msgstr "Forum" + +#: ../../Zotlabs/Module/Network.php:151 +msgid "Search Results For:" +msgstr "Suchergebnisse für:" + +#: ../../Zotlabs/Module/Network.php:216 +msgid "Privacy group is empty" +msgstr "Gruppe ist leer" + +#: ../../Zotlabs/Module/Network.php:225 +msgid "Privacy group: " +msgstr "Gruppe:" + +#: ../../Zotlabs/Module/Network.php:251 +msgid "Invalid connection." +msgstr "Ungültige Verbindung." + #: ../../Zotlabs/Module/Regmod.php:15 msgid "Please login." msgstr "Bitte melde dich an." @@ -5057,11 +6067,6 @@ msgid "" "removed from the network" msgstr "Standardmäßig werden nur die Kanalklone auf diesem $Projectname-Hub aus dem Netzwerk entfernt" -#: ../../Zotlabs/Module/Removeaccount.php:61 -#: ../../Zotlabs/Module/Settings.php:759 -msgid "Remove Account" -msgstr "Konto entfernen" - #: ../../Zotlabs/Module/Removeme.php:35 msgid "" "Channel removals are not allowed within 48 hours of changing the account " @@ -5086,10 +6091,6 @@ msgid "" "removed from the network" msgstr "Standardmäßig wird der Kanal nur auf diesem Server gelƶscht, seine Klone verbleiben im Netzwerk" -#: ../../Zotlabs/Module/Removeme.php:64 ../../Zotlabs/Module/Settings.php:1219 -msgid "Remove Channel" -msgstr "Kanal lƶschen" - #: ../../Zotlabs/Module/Uexport.php:55 ../../Zotlabs/Module/Uexport.php:56 msgid "Export Channel" msgstr "Kanal exportieren" @@ -5148,1113 +6149,6 @@ msgid "" " please import or restore these in date order (oldest first)." msgstr "Diese Inhalts-Sicherungen kƶnnen wiederhergestellt werden, indem Du %2$s auf jeglichem Hub besuchst, der diesen Kanal enthƤlt. Das funktioniert am besten, wenn Du dabei die zeitliche Reihenfolge einhƤltst, also die Sicherungen für den Ƥltesten Zeitraum zuerst importierst." -#: ../../Zotlabs/Module/Search.php:216 -#, php-format -msgid "Items tagged with: %s" -msgstr "BeitrƤge mit Schlagwort: %s" - -#: ../../Zotlabs/Module/Search.php:218 -#, php-format -msgid "Search results for: %s" -msgstr "Suchergebnisse für: %s" - -#: ../../Zotlabs/Module/Service_limits.php:23 -msgid "No service class restrictions found." -msgstr "Keine DienstklassenbeschrƤnkungen gefunden." - -#: ../../Zotlabs/Module/Settings.php:64 -msgid "Name is required" -msgstr "Name ist erforderlich" - -#: ../../Zotlabs/Module/Settings.php:68 -msgid "Key and Secret are required" -msgstr "Schlüssel und Geheimnis werden benƶtigt" - -#: ../../Zotlabs/Module/Settings.php:138 -#, php-format -msgid "This channel is limited to %d tokens" -msgstr "Dieser Kanal ist auf %d Token begrenzt" - -#: ../../Zotlabs/Module/Settings.php:144 -msgid "Name and Password are required." -msgstr "Name und Passwort sind erforderlich." - -#: ../../Zotlabs/Module/Settings.php:168 -msgid "Token saved." -msgstr "Token gespeichert." - -#: ../../Zotlabs/Module/Settings.php:274 -msgid "Not valid email." -msgstr "Keine gültige E-Mail Adresse." - -#: ../../Zotlabs/Module/Settings.php:277 -msgid "Protected email address. Cannot change to that email." -msgstr "Geschützte E-Mail Adresse. Diese kann nicht verƤndert werden." - -#: ../../Zotlabs/Module/Settings.php:286 -msgid "System failure storing new email. Please try again." -msgstr "Systemfehler wƤhrend des Speicherns der neuen Mail. Bitte versuche es noch einmal." - -#: ../../Zotlabs/Module/Settings.php:303 -msgid "Password verification failed." -msgstr "Passwortüberprüfung fehlgeschlagen." - -#: ../../Zotlabs/Module/Settings.php:310 -msgid "Passwords do not match. Password unchanged." -msgstr "Kennwƶrter stimmen nicht überein. Kennwort nicht verƤndert." - -#: ../../Zotlabs/Module/Settings.php:314 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "Leere Kennwƶrter sind nicht erlaubt. Kennwort nicht verƤndert." - -#: ../../Zotlabs/Module/Settings.php:328 -msgid "Password changed." -msgstr "Kennwort geƤndert." - -#: ../../Zotlabs/Module/Settings.php:330 -msgid "Password update failed. Please try again." -msgstr "KennwortƤnderung fehlgeschlagen. Bitte versuche es noch einmal." - -#: ../../Zotlabs/Module/Settings.php:579 -msgid "Settings updated." -msgstr "Einstellungen aktualisiert." - -#: ../../Zotlabs/Module/Settings.php:643 ../../Zotlabs/Module/Settings.php:669 -#: ../../Zotlabs/Module/Settings.php:705 -msgid "Add application" -msgstr "Anwendung hinzufügen" - -#: ../../Zotlabs/Module/Settings.php:646 -msgid "Name of application" -msgstr "Name der Anwendung" - -#: ../../Zotlabs/Module/Settings.php:647 ../../Zotlabs/Module/Settings.php:673 -msgid "Consumer Key" -msgstr "Consumer Key" - -#: ../../Zotlabs/Module/Settings.php:647 ../../Zotlabs/Module/Settings.php:648 -msgid "Automatically generated - change if desired. Max length 20" -msgstr "Automatisch erzeugt – Ƥndern, falls erwünscht. Maximale LƤnge 20" - -#: ../../Zotlabs/Module/Settings.php:648 ../../Zotlabs/Module/Settings.php:674 -msgid "Consumer Secret" -msgstr "Consumer Secret" - -#: ../../Zotlabs/Module/Settings.php:649 ../../Zotlabs/Module/Settings.php:675 -msgid "Redirect" -msgstr "Umleitung" - -#: ../../Zotlabs/Module/Settings.php:649 -msgid "" -"Redirect URI - leave blank unless your application specifically requires " -"this" -msgstr "Umleitungs-URl – lasse das leer, solange Deine Anwendung es nicht explizit erfordert" - -#: ../../Zotlabs/Module/Settings.php:650 ../../Zotlabs/Module/Settings.php:676 -msgid "Icon url" -msgstr "Symbol-URL" - -#: ../../Zotlabs/Module/Settings.php:650 ../../Zotlabs/Module/Sources.php:112 -#: ../../Zotlabs/Module/Sources.php:147 -msgid "Optional" -msgstr "Optional" - -#: ../../Zotlabs/Module/Settings.php:661 -msgid "Application not found." -msgstr "Die Anwendung wurde nicht gefunden." - -#: ../../Zotlabs/Module/Settings.php:704 -msgid "Connected Apps" -msgstr "Verbundene Apps" - -#: ../../Zotlabs/Module/Settings.php:708 -msgid "Client key starts with" -msgstr "Client Key beginnt mit" - -#: ../../Zotlabs/Module/Settings.php:709 -msgid "No name" -msgstr "Kein Name" - -#: ../../Zotlabs/Module/Settings.php:710 -msgid "Remove authorization" -msgstr "Authorisierung aufheben" - -#: ../../Zotlabs/Module/Settings.php:723 -msgid "No feature settings configured" -msgstr "Keine Funktions-Einstellungen konfiguriert" - -#: ../../Zotlabs/Module/Settings.php:730 -msgid "Feature/Addon Settings" -msgstr "Funktions-/Addon-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:753 -msgid "Account Settings" -msgstr "Konto-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:754 -msgid "Current Password" -msgstr "Aktuelles Passwort" - -#: ../../Zotlabs/Module/Settings.php:755 -msgid "Enter New Password" -msgstr "Gib ein neues Passwort ein" - -#: ../../Zotlabs/Module/Settings.php:756 -msgid "Confirm New Password" -msgstr "BestƤtige das neue Passwort" - -#: ../../Zotlabs/Module/Settings.php:756 -msgid "Leave password fields blank unless changing" -msgstr "Lasse die Passwort-Felder leer, außer Du mƶchtest das Passwort Ƥndern" - -#: ../../Zotlabs/Module/Settings.php:758 -#: ../../Zotlabs/Module/Settings.php:1136 -msgid "Email Address:" -msgstr "Email Adresse:" - -#: ../../Zotlabs/Module/Settings.php:760 -msgid "Remove this account including all its channels" -msgstr "Dieses Konto inklusive all seiner KanƤle lƶschen" - -#: ../../Zotlabs/Module/Settings.php:789 -msgid "" -"Use this form to create temporary access identifiers to share things with " -"non-members. These identities may be used in Access Control Lists and " -"visitors may login using these credentials to access the private content." -msgstr "Mit diesem Formular kannst Du temporƤre Zugangs-IDs anlegen, um Inhalte mit Nicht-Mitgliedern zu teilen. Die IDs kƶnnen in Berechtigungslisten (ACLs) verwendet werden, und Besucher kƶnnen sich damit einloggen, um auf private Inhalte zuzugreifen." - -#: ../../Zotlabs/Module/Settings.php:791 -msgid "" -"You may also provide dropbox style access links to friends and " -"associates by adding the Login Password to any specific site URL as shown. " -"Examples:" -msgstr "Du kannst auch Dropbox-Ƥhnliche Zugriffslinks an Andere weitergeben, indem du das Login-Passwort an eine entsprechende URL anhƤngst wie nachfolgend gezeigt. Beispiele:" - -#: ../../Zotlabs/Module/Settings.php:796 ../../include/widgets.php:614 -msgid "Guest Access Tokens" -msgstr "Gastzugangstoken" - -#: ../../Zotlabs/Module/Settings.php:803 -msgid "Login Name" -msgstr "Anmeldename" - -#: ../../Zotlabs/Module/Settings.php:804 -msgid "Login Password" -msgstr "Anmeldepasswort" - -#: ../../Zotlabs/Module/Settings.php:805 -msgid "Expires (yyyy-mm-dd)" -msgstr "LƤuft ab (jjjj-mm-tt)" - -#: ../../Zotlabs/Module/Settings.php:830 -msgid "Additional Features" -msgstr "ZusƤtzliche Funktionen" - -#: ../../Zotlabs/Module/Settings.php:854 -msgid "Connector Settings" -msgstr "Connector-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:893 -msgid "No special theme for mobile devices" -msgstr "Keine spezielle Theme für mobile GerƤte" - -#: ../../Zotlabs/Module/Settings.php:896 -#, php-format -msgid "%s - (Experimental)" -msgstr "%s – (experimentell)" - -#: ../../Zotlabs/Module/Settings.php:938 -msgid "Display Settings" -msgstr "Anzeige-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:939 -msgid "Theme Settings" -msgstr "Theme-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:940 -msgid "Custom Theme Settings" -msgstr "Benutzerdefinierte Theme-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:941 -msgid "Content Settings" -msgstr "Inhaltseinstellungen" - -#: ../../Zotlabs/Module/Settings.php:947 -msgid "Display Theme:" -msgstr "Anzeige-Theme:" - -#: ../../Zotlabs/Module/Settings.php:948 -msgid "Mobile Theme:" -msgstr "Mobile Theme:" - -#: ../../Zotlabs/Module/Settings.php:949 -msgid "Preload images before rendering the page" -msgstr "Bilder im voraus laden, bevor die Seite angezeigt wird" - -#: ../../Zotlabs/Module/Settings.php:949 -msgid "" -"The subjective page load time will be longer but the page will be ready when" -" displayed" -msgstr "Die empfundene Ladezeit wird sich erhƶhen, aber dafür ist das Layout stabil, sobald eine Seite angezeigt wird" - -#: ../../Zotlabs/Module/Settings.php:950 -msgid "Enable user zoom on mobile devices" -msgstr "Zoom auf MobilgerƤten aktivieren" - -#: ../../Zotlabs/Module/Settings.php:951 -msgid "Update browser every xx seconds" -msgstr "Browser alle xx Sekunden aktualisieren" - -#: ../../Zotlabs/Module/Settings.php:951 -msgid "Minimum of 10 seconds, no maximum" -msgstr "Minimum 10 Sekunden, kein Maximum" - -#: ../../Zotlabs/Module/Settings.php:952 -msgid "Maximum number of conversations to load at any time:" -msgstr "Maximale Anzahl von Unterhaltungen, die auf einmal geladen werden sollen:" - -#: ../../Zotlabs/Module/Settings.php:952 -msgid "Maximum of 100 items" -msgstr "Maximum: 100 BeitrƤge" - -#: ../../Zotlabs/Module/Settings.php:953 -msgid "Show emoticons (smilies) as images" -msgstr "Emoticons (Smilies) als Bilder anzeigen" - -#: ../../Zotlabs/Module/Settings.php:954 -msgid "Link post titles to source" -msgstr "Beitragstitel zum Originalbeitrag verlinken" - -#: ../../Zotlabs/Module/Settings.php:955 -msgid "System Page Layout Editor - (advanced)" -msgstr "System-Seitenlayout-Editor (für Experten)" - -#: ../../Zotlabs/Module/Settings.php:958 -msgid "Use blog/list mode on channel page" -msgstr "Blog-/Listenmodus auf der Kanalseite verwenden" - -#: ../../Zotlabs/Module/Settings.php:958 ../../Zotlabs/Module/Settings.php:959 -msgid "(comments displayed separately)" -msgstr "(Kommentare werden separat angezeigt)" - -#: ../../Zotlabs/Module/Settings.php:959 -msgid "Use blog/list mode on grid page" -msgstr "Blog-/Listenmodus auf der Netzwerkseite verwenden" - -#: ../../Zotlabs/Module/Settings.php:960 -msgid "Channel page max height of content (in pixels)" -msgstr "Maximale Hƶhe von Beitragsblƶcken auf der Kanalseite (in Pixeln)" - -#: ../../Zotlabs/Module/Settings.php:960 ../../Zotlabs/Module/Settings.php:961 -msgid "click to expand content exceeding this height" -msgstr "Blƶcke, deren Inhalt diese Hƶhe überschreitet, kƶnnen per Klick vergrößert werden." - -#: ../../Zotlabs/Module/Settings.php:961 -msgid "Grid page max height of content (in pixels)" -msgstr "Maximale Hƶhe (in Pixel) des Inhalts der Netzwerkseite" - -#: ../../Zotlabs/Module/Settings.php:990 -msgid "Nobody except yourself" -msgstr "Niemand außer Dir selbst" - -#: ../../Zotlabs/Module/Settings.php:991 -msgid "Only those you specifically allow" -msgstr "Nur die, denen Du es explizit erlaubst" - -#: ../../Zotlabs/Module/Settings.php:992 -msgid "Approved connections" -msgstr "Angenommene Verbindungen" - -#: ../../Zotlabs/Module/Settings.php:993 -msgid "Any connections" -msgstr "Beliebige Verbindungen" - -#: ../../Zotlabs/Module/Settings.php:994 -msgid "Anybody on this website" -msgstr "Jeder auf dieser Website" - -#: ../../Zotlabs/Module/Settings.php:995 -msgid "Anybody in this network" -msgstr "Alle $Projectname-Mitglieder" - -#: ../../Zotlabs/Module/Settings.php:996 -msgid "Anybody authenticated" -msgstr "Jeder authentifizierte" - -#: ../../Zotlabs/Module/Settings.php:997 -msgid "Anybody on the internet" -msgstr "Jeder im Internet" - -#: ../../Zotlabs/Module/Settings.php:1071 -msgid "Publish your default profile in the network directory" -msgstr "Standard-Profil im Netzwerk-Verzeichnis verƶffentlichen" - -#: ../../Zotlabs/Module/Settings.php:1076 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "Dürfen wir Dich neuen Mitgliedern als potentiellen Kontakt vorschlagen?" - -#: ../../Zotlabs/Module/Settings.php:1085 -msgid "Your channel address is" -msgstr "Deine Kanal-Adresse lautet" - -#: ../../Zotlabs/Module/Settings.php:1127 -msgid "Channel Settings" -msgstr "Kanal-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:1134 -msgid "Basic Settings" -msgstr "Grundeinstellungen" - -#: ../../Zotlabs/Module/Settings.php:1135 ../../include/channel.php:1180 -msgid "Full Name:" -msgstr "Voller Name:" - -#: ../../Zotlabs/Module/Settings.php:1137 -msgid "Your Timezone:" -msgstr "Ihre Zeitzone:" - -#: ../../Zotlabs/Module/Settings.php:1138 -msgid "Default Post Location:" -msgstr "Standardstandort:" - -#: ../../Zotlabs/Module/Settings.php:1138 -msgid "Geographical location to display on your posts" -msgstr "Geografischer Ort, der bei Deinen BeitrƤgen angezeigt werden soll" - -#: ../../Zotlabs/Module/Settings.php:1139 -msgid "Use Browser Location:" -msgstr "Standort des Browsers verwenden:" - -#: ../../Zotlabs/Module/Settings.php:1141 -msgid "Adult Content" -msgstr "Nicht jugendfreie Inhalte" - -#: ../../Zotlabs/Module/Settings.php:1141 -msgid "" -"This channel frequently or regularly publishes adult content. (Please tag " -"any adult material and/or nudity with #NSFW)" -msgstr "Dieser Kanal verƶffentlicht regelmäßig Inhalte, die für MinderjƤhrige ungeeignet sind. (Bitte markiere solche Inhalte mit dem Schlagwort #NSFW)" - -#: ../../Zotlabs/Module/Settings.php:1143 -msgid "Security and Privacy Settings" -msgstr "Sicherheits- und Datenschutz-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:1146 -msgid "Your permissions are already configured. Click to view/adjust" -msgstr "Deine Zugriffsrechte sind schon konfiguriert. Klicke hier, um sie zu betrachten oder zu Ƥndern" - -#: ../../Zotlabs/Module/Settings.php:1148 -msgid "Hide my online presence" -msgstr "Meine Online-PrƤsenz verbergen" - -#: ../../Zotlabs/Module/Settings.php:1148 -msgid "Prevents displaying in your profile that you are online" -msgstr "Verhindert die Anzeige Deines Online-Status in deinem Profil" - -#: ../../Zotlabs/Module/Settings.php:1150 -msgid "Simple Privacy Settings:" -msgstr "Einfache PrivatsphƤre-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:1151 -msgid "" -"Very Public - extremely permissive (should be used with caution)" -msgstr "Komplett offen – extrem ungeschützt (mit großer Vorsicht verwenden!)" - -#: ../../Zotlabs/Module/Settings.php:1152 -msgid "" -"Typical - default public, privacy when desired (similar to social " -"network permissions but with improved privacy)" -msgstr "Typisch – Standard ƶffentlich, PrivatsphƤre, wo sie erwünscht ist (Ƥhnlich den Einstellungen in sozialen Netzwerken, aber mit besser geschützter PrivatsphƤre)" - -#: ../../Zotlabs/Module/Settings.php:1153 -msgid "Private - default private, never open or public" -msgstr "Privat – Standard privat, nie offen oder ƶffentlich" - -#: ../../Zotlabs/Module/Settings.php:1154 -msgid "Blocked - default blocked to/from everybody" -msgstr "Blockiert – Alle standardmäßig blockiert" - -#: ../../Zotlabs/Module/Settings.php:1156 -msgid "Allow others to tag your posts" -msgstr "Erlaube anderen, Deine BeitrƤge zu verschlagworten" - -#: ../../Zotlabs/Module/Settings.php:1156 -msgid "" -"Often used by the community to retro-actively flag inappropriate content" -msgstr "Wird oft von der Community genutzt um rückwirkend anstößigen Inhalt zu markieren" - -#: ../../Zotlabs/Module/Settings.php:1158 -msgid "Advanced Privacy Settings" -msgstr "Fortgeschrittene PrivatsphƤre-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "Expire other channel content after this many days" -msgstr "Den Inhalt anderer KanƤle nach dieser Anzahl Tage verfallen lassen" - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "0 or blank to use the website limit." -msgstr "0 oder leer lassen, um den voreingestellten Wert der Webseite zu verwenden." - -#: ../../Zotlabs/Module/Settings.php:1160 -#, php-format -msgid "This website expires after %d days." -msgstr "Diese Webseite lƤuft nach %d Tagen ab." - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "This website does not expire imported content." -msgstr "Diese Webseite lƤsst importierte Inhalte nicht verfallen." - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "The website limit takes precedence if lower than your limit." -msgstr "Das Verfallslimit der Webseite hat Vorrang, wenn es niedriger als Deines hier ist." - -#: ../../Zotlabs/Module/Settings.php:1161 -msgid "Maximum Friend Requests/Day:" -msgstr "Maximale Kontaktanfragen pro Tag:" - -#: ../../Zotlabs/Module/Settings.php:1161 -msgid "May reduce spam activity" -msgstr "Kann die Spam-AktivitƤt verringern" - -#: ../../Zotlabs/Module/Settings.php:1162 -msgid "Default Post and Publish Permissions" -msgstr "Standard-Berechtigungen für BeitrƤge und andere Inhalte" - -#: ../../Zotlabs/Module/Settings.php:1164 -msgid "Use my default audience setting for the type of object published" -msgstr "Verwende Deine eingestellte Standard-Zielgruppe des jeweiligen Inhaltstyps" - -#: ../../Zotlabs/Module/Settings.php:1167 -msgid "Channel permissions category:" -msgstr "Zugriffsrechte-Kategorie des Kanals:" - -#: ../../Zotlabs/Module/Settings.php:1173 -msgid "Maximum private messages per day from unknown people:" -msgstr "Maximale Anzahl privater Nachrichten pro Tag von unbekannten Leuten:" - -#: ../../Zotlabs/Module/Settings.php:1173 -msgid "Useful to reduce spamming" -msgstr "Nützlich, um Spam zu verringern" - -#: ../../Zotlabs/Module/Settings.php:1176 -msgid "Notification Settings" -msgstr "Benachrichtigungs-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:1177 -msgid "By default post a status message when:" -msgstr "Sende standardmäßig Status-Nachrichten, wenn:" - -#: ../../Zotlabs/Module/Settings.php:1178 -msgid "accepting a friend request" -msgstr "Du eine Verbindungsanfrage annimmst" - -#: ../../Zotlabs/Module/Settings.php:1179 -msgid "joining a forum/community" -msgstr "Du einem Forum beitrittst" - -#: ../../Zotlabs/Module/Settings.php:1180 -msgid "making an interesting profile change" -msgstr "Du eine interessante Ƅnderung an Deinem Profil vornimmst" - -#: ../../Zotlabs/Module/Settings.php:1181 -msgid "Send a notification email when:" -msgstr "Eine E-Mail-Benachrichtigung senden, wenn:" - -#: ../../Zotlabs/Module/Settings.php:1182 -msgid "You receive a connection request" -msgstr "Du eine Verbindungsanfrage erhƤltst" - -#: ../../Zotlabs/Module/Settings.php:1183 -msgid "Your connections are confirmed" -msgstr "Eine Verbindung bestƤtigt wurde" - -#: ../../Zotlabs/Module/Settings.php:1184 -msgid "Someone writes on your profile wall" -msgstr "Jemand auf Deine Pinnwand schreibt" - -#: ../../Zotlabs/Module/Settings.php:1185 -msgid "Someone writes a followup comment" -msgstr "Jemand einen Beitrag kommentiert" - -#: ../../Zotlabs/Module/Settings.php:1186 -msgid "You receive a private message" -msgstr "Du eine private Nachricht erhƤltst" - -#: ../../Zotlabs/Module/Settings.php:1187 -msgid "You receive a friend suggestion" -msgstr "Du einen Kontaktvorschlag erhƤltst" - -#: ../../Zotlabs/Module/Settings.php:1188 -msgid "You are tagged in a post" -msgstr "Du in einem Beitrag erwƤhnt wurdest" - -#: ../../Zotlabs/Module/Settings.php:1189 -msgid "You are poked/prodded/etc. in a post" -msgstr "Du in einem Beitrag angestupst/geknufft/o.Ƥ. wurdest" - -#: ../../Zotlabs/Module/Settings.php:1192 -msgid "Show visual notifications including:" -msgstr "Visuelle Benachrichtigungen anzeigen für:" - -#: ../../Zotlabs/Module/Settings.php:1194 -msgid "Unseen grid activity" -msgstr "Ungesehene Netzwerk-AktivitƤt" - -#: ../../Zotlabs/Module/Settings.php:1195 -msgid "Unseen channel activity" -msgstr "Ungesehene Kanal-AktivitƤt" - -#: ../../Zotlabs/Module/Settings.php:1196 -msgid "Unseen private messages" -msgstr "Ungelesene persƶnliche Nachrichten" - -#: ../../Zotlabs/Module/Settings.php:1196 -#: ../../Zotlabs/Module/Settings.php:1201 -#: ../../Zotlabs/Module/Settings.php:1202 -#: ../../Zotlabs/Module/Settings.php:1203 -msgid "Recommended" -msgstr "Empfohlen" - -#: ../../Zotlabs/Module/Settings.php:1197 -msgid "Upcoming events" -msgstr "Baldige Termine" - -#: ../../Zotlabs/Module/Settings.php:1198 -msgid "Events today" -msgstr "Heutige Termine" - -#: ../../Zotlabs/Module/Settings.php:1199 -msgid "Upcoming birthdays" -msgstr "Baldige Geburtstage" - -#: ../../Zotlabs/Module/Settings.php:1199 -msgid "Not available in all themes" -msgstr "Nicht in allen Themes verfügbar" - -#: ../../Zotlabs/Module/Settings.php:1200 -msgid "System (personal) notifications" -msgstr "System – (persƶnliche) Benachrichtigungen" - -#: ../../Zotlabs/Module/Settings.php:1201 -msgid "System info messages" -msgstr "System – Info-Nachrichten" - -#: ../../Zotlabs/Module/Settings.php:1202 -msgid "System critical alerts" -msgstr "System – kritische Warnungen" - -#: ../../Zotlabs/Module/Settings.php:1203 -msgid "New connections" -msgstr "Neue Verbindungen" - -#: ../../Zotlabs/Module/Settings.php:1204 -msgid "System Registrations" -msgstr "System – Registrierungen" - -#: ../../Zotlabs/Module/Settings.php:1205 -msgid "" -"Also show new wall posts, private messages and connections under Notices" -msgstr "Neue Pinnwand-Nachrichten, private Nachrichten und Verbindungen unter Benachrichtigungen anzeigen" - -#: ../../Zotlabs/Module/Settings.php:1207 -msgid "Notify me of events this many days in advance" -msgstr "Benachrichtige mich zu Terminen so viele Tage im Voraus" - -#: ../../Zotlabs/Module/Settings.php:1207 -msgid "Must be greater than 0" -msgstr "Muss größer als 0 sein" - -#: ../../Zotlabs/Module/Settings.php:1209 -msgid "Advanced Account/Page Type Settings" -msgstr "Erweiterte Account- und Seitenart-Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:1210 -msgid "Change the behaviour of this account for special situations" -msgstr "Ƅndere das Verhalten dieses Accounts unter speziellen UmstƤnden" - -#: ../../Zotlabs/Module/Settings.php:1213 -msgid "" -"Please enable expert mode (in Settings > " -"Additional features) to adjust!" -msgstr "Aktiviere den Expertenmodus (unter Settings > ZusƤtzliche Funktionen), um hier Einstellungen vorzunehmen!" - -#: ../../Zotlabs/Module/Settings.php:1214 -msgid "Miscellaneous Settings" -msgstr "Sonstige Einstellungen" - -#: ../../Zotlabs/Module/Settings.php:1215 -msgid "Default photo upload folder" -msgstr "Voreingestellter Ordner für hochgeladene Fotos" - -#: ../../Zotlabs/Module/Settings.php:1215 -#: ../../Zotlabs/Module/Settings.php:1216 -msgid "%Y - current year, %m - current month" -msgstr "%Y - aktuelles Jahr, %m - aktueller Monat" - -#: ../../Zotlabs/Module/Settings.php:1216 -msgid "Default file upload folder" -msgstr "Voreingestellter Ordner für hochgeladene Dateien" - -#: ../../Zotlabs/Module/Settings.php:1218 -msgid "Personal menu to display in your channel pages" -msgstr "Eigenes Menü zur Anzeige auf den Seiten deines Kanals" - -#: ../../Zotlabs/Module/Settings.php:1220 -msgid "Remove this channel." -msgstr "Diesen Kanal lƶschen" - -#: ../../Zotlabs/Module/Settings.php:1221 -msgid "Firefox Share $Projectname provider" -msgstr "$Projectname-Provider für Firefox Share" - -#: ../../Zotlabs/Module/Settings.php:1222 -msgid "Start calendar week on monday" -msgstr "Montag als erster Tag der Kalenderwoche" - -#: ../../Zotlabs/Module/Setup.php:179 -msgid "$Projectname Server - Setup" -msgstr "$Projectname Server-Einrichtung" - -#: ../../Zotlabs/Module/Setup.php:183 -msgid "Could not connect to database." -msgstr "Kann nicht mit der Datenbank verbinden." - -#: ../../Zotlabs/Module/Setup.php:187 -msgid "" -"Could not connect to specified site URL. Possible SSL certificate or DNS " -"issue." -msgstr "Konnte die angegebene Webseiten-URL nicht erreichen. Mƶglicherweise ein Problem mit dem SSL-Zertifikat oder dem DNS." - -#: ../../Zotlabs/Module/Setup.php:194 -msgid "Could not create table." -msgstr "Kann Tabelle nicht erstellen." - -#: ../../Zotlabs/Module/Setup.php:199 -msgid "Your site database has been installed." -msgstr "Die Datenbank Deines Hubs wurde installiert." - -#: ../../Zotlabs/Module/Setup.php:203 -msgid "" -"You may need to import the file \"install/schema_xxx.sql\" manually using a " -"database client." -msgstr "Mƶglicherweise musst Du die Datei install/schema_xxx.sql manuell mit Hilfe eines Datenkbank-Clients importieren." - -#: ../../Zotlabs/Module/Setup.php:204 ../../Zotlabs/Module/Setup.php:266 -#: ../../Zotlabs/Module/Setup.php:722 -msgid "Please see the file \"install/INSTALL.txt\"." -msgstr "Lies die Datei \"install/INSTALL.txt\"." - -#: ../../Zotlabs/Module/Setup.php:263 -msgid "System check" -msgstr "Systemprüfung" - -#: ../../Zotlabs/Module/Setup.php:268 -msgid "Check again" -msgstr "Bitte nochmal prüfen" - -#: ../../Zotlabs/Module/Setup.php:290 -msgid "Database connection" -msgstr "Datenbank Verbindung" - -#: ../../Zotlabs/Module/Setup.php:291 -msgid "" -"In order to install $Projectname we need to know how to connect to your " -"database." -msgstr "Um $Projectname zu installieren, müssen wir wissen, wie wir eine Verbindung zu Deiner Datenbank aufbauen kƶnnen." - -#: ../../Zotlabs/Module/Setup.php:292 -msgid "" -"Please contact your hosting provider or site administrator if you have " -"questions about these settings." -msgstr "Bitte kontaktiere Deinen Hosting-Provider oder Administrator, falls Du Fragen zu diesen Einstellungen hast." - -#: ../../Zotlabs/Module/Setup.php:293 -msgid "" -"The database you specify below should already exist. If it does not, please " -"create it before continuing." -msgstr "Die Datenbank, die Du weiter unten angibst, sollte bereits existieren. Sollte das noch nicht der Fall sein, erzeuge sie bitte bevor Du fortfƤhrst." - -#: ../../Zotlabs/Module/Setup.php:297 -msgid "Database Server Name" -msgstr "Datenbank-Servername" - -#: ../../Zotlabs/Module/Setup.php:297 -msgid "Default is 127.0.0.1" -msgstr "Standard ist 127.0.0.1" - -#: ../../Zotlabs/Module/Setup.php:298 -msgid "Database Port" -msgstr "Datenbank-Port" - -#: ../../Zotlabs/Module/Setup.php:298 -msgid "Communication port number - use 0 for default" -msgstr "Port-Nummer für die Kommunikation – verwende 0 für die Standardeinstellung" - -#: ../../Zotlabs/Module/Setup.php:299 -msgid "Database Login Name" -msgstr "Datenbank-Benutzername" - -#: ../../Zotlabs/Module/Setup.php:300 -msgid "Database Login Password" -msgstr "Datenbank-Kennwort" - -#: ../../Zotlabs/Module/Setup.php:301 -msgid "Database Name" -msgstr "Datenbank-Name" - -#: ../../Zotlabs/Module/Setup.php:302 -msgid "Database Type" -msgstr "Datenbanktyp" - -#: ../../Zotlabs/Module/Setup.php:304 ../../Zotlabs/Module/Setup.php:344 -msgid "Site administrator email address" -msgstr "E-Mail Adresse des Seiten-Administrators" - -#: ../../Zotlabs/Module/Setup.php:304 ../../Zotlabs/Module/Setup.php:344 -msgid "" -"Your account email address must match this in order to use the web admin " -"panel." -msgstr "Die E-Mail-Adresse Deines Accounts muss dieser Adresse entsprechen, damit Du Zugriff zur Administrations-Seite erhƤltst." - -#: ../../Zotlabs/Module/Setup.php:305 ../../Zotlabs/Module/Setup.php:346 -msgid "Website URL" -msgstr "Server-URL" - -#: ../../Zotlabs/Module/Setup.php:305 ../../Zotlabs/Module/Setup.php:346 -msgid "Please use SSL (https) URL if available." -msgstr "Nutze wenn mƶglich eine SSL-URL (https)." - -#: ../../Zotlabs/Module/Setup.php:306 ../../Zotlabs/Module/Setup.php:349 -msgid "Please select a default timezone for your website" -msgstr "Standard-Zeitzone für Deinen Server" - -#: ../../Zotlabs/Module/Setup.php:333 -msgid "Site settings" -msgstr "Seiteneinstellungen" - -#: ../../Zotlabs/Module/Setup.php:347 -msgid "Enable $Projectname advanced features?" -msgstr "Erweiterte Funktionen für $Projectname aktivieren?" - -#: ../../Zotlabs/Module/Setup.php:347 -msgid "" -"Some advanced features, while useful - may be best suited for technically " -"proficient audiences" -msgstr "Einige erweiterte Funktionen kƶnnen ungeachtet ihrer Nützlichkeit eher für eine technisch versierte Zielgruppe geeignet sein." - -#: ../../Zotlabs/Module/Setup.php:388 -msgid "PHP version 5.5 or greater is required." -msgstr "PHP Version 5.5 oder hƶher wird benƶtigt." - -#: ../../Zotlabs/Module/Setup.php:389 -msgid "PHP version" -msgstr "PHP-Version" - -#: ../../Zotlabs/Module/Setup.php:404 -msgid "Could not find a command line version of PHP in the web server PATH." -msgstr "Konnte die Kommandozeilen-Version von PHP nicht im PATH des Web-Servers finden." - -#: ../../Zotlabs/Module/Setup.php:405 -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." -msgstr "Ohne Kommandozeilen-Version von PHP auf dem Server wirst Du nicht in der Lage sein, Hintergrundprozesse via cron auszuführen." - -#: ../../Zotlabs/Module/Setup.php:409 -msgid "PHP executable path" -msgstr "PHP Pfad zu ausführbarer Datei" - -#: ../../Zotlabs/Module/Setup.php:409 -msgid "" -"Enter full path to php executable. You can leave this blank to continue the " -"installation." -msgstr "Gib den vollen Pfad zum PHP-Interpreter an. Du kannst dieses Feld frei lassen und mit der Installation fortfahren." - -#: ../../Zotlabs/Module/Setup.php:414 -msgid "Command line PHP" -msgstr "PHP Befehlszeile" - -#: ../../Zotlabs/Module/Setup.php:423 -msgid "" -"The command line version of PHP on your system does not have " -"\"register_argc_argv\" enabled." -msgstr "Bei der Kommandozeilen-Version von PHP auf Deinem System ist \"register_argc_argv\" nicht aktiviert." - -#: ../../Zotlabs/Module/Setup.php:424 -msgid "This is required for message delivery to work." -msgstr "Das wird benƶtigt, damit die Auslieferung von Nachrichten funktioniert." - -#: ../../Zotlabs/Module/Setup.php:427 -msgid "PHP register_argc_argv" -msgstr "PHP register_argc_argv" - -#: ../../Zotlabs/Module/Setup.php:445 -#, php-format -msgid "" -"Your max allowed total upload size is set to %s. Maximum size of one file to" -" upload is set to %s. You are allowed to upload up to %d files at once." -msgstr "Die Maximalgröße für Uploads insgesamt liegt bei %s. Die Maximalgröße für eine Datei liegt bei %s. Es kƶnnen maximal %d Dateien gleichzeitig hochgeladen werden." - -#: ../../Zotlabs/Module/Setup.php:450 -msgid "You can adjust these settings in the servers php.ini." -msgstr "Du kannst diese Einstellungen in der php.ini des Servers Ƥndern." - -#: ../../Zotlabs/Module/Setup.php:452 -msgid "PHP upload limits" -msgstr "PHP-HochladebeschrƤnkungen" - -#: ../../Zotlabs/Module/Setup.php:475 -msgid "" -"Error: the \"openssl_pkey_new\" function on this system is not able to " -"generate encryption keys" -msgstr "Fehler: Die ā€žopenssl_pkey_newā€œ-Funktion auf diesem System ist nicht in der Lage, Schlüssel für die Verschlüsselung zu erzeugen." - -#: ../../Zotlabs/Module/Setup.php:476 -msgid "" -"If running under Windows, please see " -"\"http://www.php.net/manual/en/openssl.installation.php\"." -msgstr "Wenn Du Windows verwendest, findest Du unter http://www.php.net/manual/en/openssl.installation.php eine Installationsanleitung." - -#: ../../Zotlabs/Module/Setup.php:479 -msgid "Generate encryption keys" -msgstr "Verschlüsselungsschlüssel generieren" - -#: ../../Zotlabs/Module/Setup.php:491 -msgid "libCurl PHP module" -msgstr "libCurl-PHP-Modul" - -#: ../../Zotlabs/Module/Setup.php:492 -msgid "GD graphics PHP module" -msgstr "GD-Grafik-PHP-Modul" - -#: ../../Zotlabs/Module/Setup.php:493 -msgid "OpenSSL PHP module" -msgstr "OpenSSL-PHP-Modul" - -#: ../../Zotlabs/Module/Setup.php:494 -msgid "mysqli or postgres PHP module" -msgstr "mysqli oder postgres PHP-Modul" - -#: ../../Zotlabs/Module/Setup.php:495 -msgid "mb_string PHP module" -msgstr "mb_string-PHP-Modul" - -#: ../../Zotlabs/Module/Setup.php:496 -msgid "xml PHP module" -msgstr "xml-PHP-Modul" - -#: ../../Zotlabs/Module/Setup.php:500 ../../Zotlabs/Module/Setup.php:502 -msgid "Apache mod_rewrite module" -msgstr "Apache-mod_rewrite-Modul" - -#: ../../Zotlabs/Module/Setup.php:500 -msgid "" -"Error: Apache webserver mod-rewrite module is required but not installed." -msgstr "Fehler: Das Apache-Modul mod-rewrite wird benƶtigt, ist aber nicht installiert." - -#: ../../Zotlabs/Module/Setup.php:506 ../../Zotlabs/Module/Setup.php:509 -msgid "proc_open" -msgstr "proc_open" - -#: ../../Zotlabs/Module/Setup.php:506 -msgid "" -"Error: proc_open is required but is either not installed or has been " -"disabled in php.ini" -msgstr "Fehler: proc_open wird benƶtigt, ist aber entweder nicht installiert oder wurde in der php.ini deaktiviert" - -#: ../../Zotlabs/Module/Setup.php:514 -msgid "Error: libCURL PHP module required but not installed." -msgstr "Fehler: Das PHP-Modul libCURL wird benƶtigt, ist aber nicht installiert." - -#: ../../Zotlabs/Module/Setup.php:518 -msgid "" -"Error: GD graphics PHP module with JPEG support required but not installed." -msgstr "Fehler: Das PHP-Modul GD-Grafik mit JPEG-Unterstützung wird benƶtigt, ist aber nicht installiert." - -#: ../../Zotlabs/Module/Setup.php:522 -msgid "Error: openssl PHP module required but not installed." -msgstr "Fehler: Das PHP-Modul openssl wird benƶtigt, ist aber nicht installiert." - -#: ../../Zotlabs/Module/Setup.php:526 -msgid "" -"Error: mysqli or postgres PHP module required but neither are installed." -msgstr "Fehler: Das mysqli oder postgres PHP-Modul ist erforderlich, aber keines von beiden ist installiert." - -#: ../../Zotlabs/Module/Setup.php:530 -msgid "Error: mb_string PHP module required but not installed." -msgstr "Fehler: Das PHP-Modul mb_string wird benƶtigt, ist aber nicht installiert." - -#: ../../Zotlabs/Module/Setup.php:534 -msgid "Error: xml PHP module required for DAV but not installed." -msgstr "Fehler: Das xml-PHP-Modul wird für DAV benƶtigt, ist aber nicht installiert." - -#: ../../Zotlabs/Module/Setup.php:552 -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 "Der Installations-Assistent muss in der Lage sein, die Datei \".htconfig.php\" im Stammverzeichnis des Web-Servers anzulegen, ist er aber nicht." - -#: ../../Zotlabs/Module/Setup.php:553 -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 "Meist liegt das daran, dass der Nutzer, unter dem der Web-Server lƤuft, keine Schreibrechte in dem Verzeichnis hat – selbst wenn Du selbst das darfst." - -#: ../../Zotlabs/Module/Setup.php:554 -msgid "" -"At the end of this procedure, we will give you a text to save in a file " -"named .htconfig.php in your Red top folder." -msgstr "Am Schluss dieses Vorgangs wird ein Text generiert, den Du unter dem Dateinamen .htconfig.php im Stammverzeichnis Deiner Hubzilla-Installation speichern musst." - -#: ../../Zotlabs/Module/Setup.php:555 -msgid "" -"You can alternatively skip this procedure and perform a manual installation." -" Please see the file \"install/INSTALL.txt\" for instructions." -msgstr "Alternativ kannst Du diesen Schritt überspringen und die Installation manuell vornehmen. Lies dazu die Datei install/INSTALL.txt." - -#: ../../Zotlabs/Module/Setup.php:558 -msgid ".htconfig.php is writable" -msgstr ".htconfig.php ist beschreibbar" - -#: ../../Zotlabs/Module/Setup.php:572 -msgid "" -"Red uses the Smarty3 template engine to render its web views. Smarty3 " -"compiles templates to PHP to speed up rendering." -msgstr "$Projectname verwendet Smarty3 um Vorlagen für die Webdarstellung zu übersetzen. Smarty3 übersetzt diese Vorlagen nach PHP, um die Darstellung zu beschleunigen." - -#: ../../Zotlabs/Module/Setup.php:573 -#, php-format -msgid "" -"In order to store these compiled templates, the web server needs to have " -"write access to the directory %s under the top level web folder." -msgstr "Um diese kompilierten Vorlagen speichern zu kƶnnen, braucht der Web-Server Schreibzugriff auf das Verzeichnis %s unterhalb des Hubzilla-Stammverzeichnisses." - -#: ../../Zotlabs/Module/Setup.php:574 ../../Zotlabs/Module/Setup.php:595 -msgid "" -"Please ensure that the user that your web server runs as (e.g. www-data) has" -" write access to this folder." -msgstr "Bitte stelle sicher, dass der Nutzer, unter dem der Web-Server lƤuft (z.B. www-data), Schreibzugriff auf dieses Verzeichnis hat." - -#: ../../Zotlabs/Module/Setup.php:575 -#, php-format -msgid "" -"Note: as a security measure, you should give the web server write access to " -"%s only--not the template files (.tpl) that it contains." -msgstr "Hinweis: Aus Sicherheitsgründen sollte der Web-Server nur auf %s Schreibrechte haben, nicht auf die Template-Dateien (.tpl), die das Verzeichnis enthƤlt." - -#: ../../Zotlabs/Module/Setup.php:578 -#, php-format -msgid "%s is writable" -msgstr "%s ist beschreibbar" - -#: ../../Zotlabs/Module/Setup.php:594 -msgid "" -"This software uses the store directory to save uploaded files. The web " -"server needs to have write access to the store directory under the Red top " -"level folder" -msgstr "Diese Software benutzt das Verzeichnis store, um hochgeladene Dateien zu speichern. Der Web-Server benƶtigt Schreibrechte für dieses Verzeichnis direkt unterhalb des Hubzilla-Stammverzeichnisses" - -#: ../../Zotlabs/Module/Setup.php:598 -msgid "store is writable" -msgstr "store ist schreibbar" - -#: ../../Zotlabs/Module/Setup.php:631 -msgid "" -"SSL certificate cannot be validated. Fix certificate or disable https access" -" to this site." -msgstr "Das SSL-Zertifikat konnte nicht validiert werden. Korrigiere das Zertifikat oder deaktiviere den HTTPS-Zugriff auf diesen Server." - -#: ../../Zotlabs/Module/Setup.php:632 -msgid "" -"If you have https access to your website or allow connections to TCP port " -"443 (the https: port), you MUST use a browser-valid certificate. You MUST " -"NOT use self-signed certificates!" -msgstr "Wenn Du via HTTPS auf Deinen Server zugreifen mƶchtest, also Verbindungen über den Port 443 mƶglich sein sollen, ist ein SSL-Zertifikat einer Zertifizierungsstelle (CA) notwendig, das von den Browsern ohne Sicherheitsabfrage akzeptiert wird. Die Verwendung eines selbst signierten Zertifikates ist nicht mƶglich." - -#: ../../Zotlabs/Module/Setup.php:633 -msgid "" -"This restriction is incorporated because public posts from you may for " -"example contain references to images on your own hub." -msgstr "Diese EinschrƤnkung wurde eingebaut, weil Deine ƶffentlichen BeitrƤge zum Beispiel Verweise auf Bilder auf Deinem eigenen Hub enthalten kƶnnen." - -#: ../../Zotlabs/Module/Setup.php:634 -msgid "" -"If your certificate is not recognized, members of other sites (who may " -"themselves have valid certificates) will get a warning message on their own " -"site complaining about security issues." -msgstr "Wenn Dein Zertifikat nicht von jedem Browser akzeptiert wird, erhalten die Mitglieder anderer $Projectname-Hubs (die mit korrekten Zertifikaten ausgestattet sind) Sicherheits-Warnmeldungen, obwohl sie gar nicht direkt auf Deinem Server unterwegs sind (zum Beispiel, wenn ein Bild aus einem Deiner BeitrƤge angezeigt wird)." - -#: ../../Zotlabs/Module/Setup.php:635 -msgid "" -"This can cause usability issues elsewhere (not just on your own site) so we " -"must insist on this requirement." -msgstr "Dies kann Probleme für andere Nutzer (nicht nur auf Deinem eigenen Server) verursachen, so dass wir auf dieser Forderung bestehen müssen." - -#: ../../Zotlabs/Module/Setup.php:636 -msgid "" -"Providers are available that issue free certificates which are browser-" -"valid." -msgstr "Es gibt einige Zertifizierungsstellen (CAs), bei denen solche Zertifikate kostenlos zu haben sind." - -#: ../../Zotlabs/Module/Setup.php:638 -msgid "" -"If you are confident that the certificate is valid and signed by a trusted " -"authority, check to see if you have failed to install an intermediate cert. " -"These are not normally required by browsers, but are required for server-to-" -"server communications." -msgstr "Wenn Du sicher bist, dass das Zertifikat gültig und von einer vertrauenswürdigen Zertifizierungsstelle signiert ist, prüfe auf ggf. noch zu installierende Zwischenzertifikate (intermediate). Diese werden nicht unbedingt von Browsern benƶtigt, aber sehr wohl für die Kommunikation zwischen Servern." - -#: ../../Zotlabs/Module/Setup.php:641 -msgid "SSL certificate validation" -msgstr "SSL Zertifikatverifizierung" - -#: ../../Zotlabs/Module/Setup.php:647 -msgid "" -"Url rewrite in .htaccess is not working. Check your server " -"configuration.Test: " -msgstr "Das Umschreiben von URLs (rewrite) per .htaccess funktioniert nicht. Bitte prüfe die Server-Konfiguration. Test:" - -#: ../../Zotlabs/Module/Setup.php:650 -msgid "Url rewrite is working" -msgstr "Url rewrite funktioniert" - -#: ../../Zotlabs/Module/Setup.php:659 -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 "Die Datenbank-Konfigurationsdatei ā€ž.htconfig.phpā€œ konnte nicht geschrieben werden. Bitte verwende den unten angegebenen Text, um die Konfigurationsdatei im Stammverzeichnis des Webservers anzulegen." - -#: ../../Zotlabs/Module/Setup.php:683 -msgid "Errors encountered creating database tables." -msgstr "Fehler beim Anlegen der Datenbank-Tabellen aufgetreten." - -#: ../../Zotlabs/Module/Setup.php:720 -msgid "

What next

" -msgstr "

Was als NƤchstes

" - -#: ../../Zotlabs/Module/Setup.php:721 -msgid "" -"IMPORTANT: You will need to [manually] setup a scheduled task for the " -"poller." -msgstr "WICHTIG: Du musst [manuell] einen Cronjob für den Poller einrichten." - -#: ../../Zotlabs/Module/Sharedwithme.php:98 -msgid "Files: shared with me" -msgstr "Dateien, die mit mir geteilt wurden" - -#: ../../Zotlabs/Module/Sharedwithme.php:100 -msgid "NEW" -msgstr "NEU" - -#: ../../Zotlabs/Module/Sharedwithme.php:103 -msgid "Remove all files" -msgstr "Alle Dateien lƶschen" - -#: ../../Zotlabs/Module/Sharedwithme.php:104 -msgid "Remove this file" -msgstr "Diese Datei lƶschen" - #: ../../Zotlabs/Module/Thing.php:114 msgid "Thing updated" msgstr "Sache aktualisiert" @@ -6284,34 +6178,101 @@ msgstr "Eintrag nicht gefunden" msgid "Edit Thing" msgstr "Sache bearbeiten" -#: ../../Zotlabs/Module/Thing.php:301 ../../Zotlabs/Module/Thing.php:351 +#: ../../Zotlabs/Module/Thing.php:301 ../../Zotlabs/Module/Thing.php:355 msgid "Select a profile" msgstr "WƤhle ein Profil" -#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:354 +#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:358 msgid "Post an activity" msgstr "AktivitƤtsnachricht senden" -#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:354 +#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:358 msgid "Only sends to viewers of the applicable profile" msgstr "Nur an Betrachter des ausgewƤhlten Profils senden" -#: ../../Zotlabs/Module/Thing.php:307 ../../Zotlabs/Module/Thing.php:356 +#: ../../Zotlabs/Module/Thing.php:307 ../../Zotlabs/Module/Thing.php:360 msgid "Name of thing e.g. something" msgstr "Name der Sache, z. B. irgendwas" -#: ../../Zotlabs/Module/Thing.php:309 ../../Zotlabs/Module/Thing.php:357 +#: ../../Zotlabs/Module/Thing.php:309 ../../Zotlabs/Module/Thing.php:361 msgid "URL of thing (optional)" msgstr "URL der Sache (optional)" -#: ../../Zotlabs/Module/Thing.php:311 ../../Zotlabs/Module/Thing.php:358 +#: ../../Zotlabs/Module/Thing.php:311 ../../Zotlabs/Module/Thing.php:362 msgid "URL for photo of thing (optional)" msgstr "URL eines Fotos der Sache (optional)" -#: ../../Zotlabs/Module/Thing.php:349 +#: ../../Zotlabs/Module/Thing.php:353 msgid "Add Thing to your Profile" msgstr "Die Sache Deinem Profil hinzufügen" +#: ../../Zotlabs/Module/Search.php:216 +#, php-format +msgid "Items tagged with: %s" +msgstr "BeitrƤge mit Schlagwort: %s" + +#: ../../Zotlabs/Module/Search.php:218 +#, php-format +msgid "Search results for: %s" +msgstr "Suchergebnisse für: %s" + +#: ../../Zotlabs/Module/Service_limits.php:23 +msgid "No service class restrictions found." +msgstr "Keine DienstklassenbeschrƤnkungen gefunden." + +#: ../../Zotlabs/Module/Rate.php:160 +msgid "Website:" +msgstr "Webseite:" + +#: ../../Zotlabs/Module/Rate.php:163 +#, php-format +msgid "Remote Channel [%s] (not yet known on this site)" +msgstr "Kanal [%s] (auf diesem Server noch unbekannt)" + +#: ../../Zotlabs/Module/Rate.php:164 +msgid "Rating (this information is public)" +msgstr "Bewertung (ƶffentlich sichtbar)" + +#: ../../Zotlabs/Module/Rate.php:165 +msgid "Optionally explain your rating (this information is public)" +msgstr "Optional kannst du deine Bewertung erklƤren (ƶffentlich sichtbar)" + +#: ../../Zotlabs/Module/Rmagic.php:35 +msgid "Authentication failed." +msgstr "Authentifizierung fehlgeschlagen." + +#: ../../Zotlabs/Module/Rmagic.php:75 +msgid "Remote Authentication" +msgstr "Entfernte Authentifizierung" + +#: ../../Zotlabs/Module/Rmagic.php:76 +msgid "Enter your channel address (e.g. channel@example.com)" +msgstr "Deine Kanal-Adresse (z. B. channel@example.com)" + +#: ../../Zotlabs/Module/Rmagic.php:77 +msgid "Authenticate" +msgstr "Authentifizieren" + +#: ../../Zotlabs/Module/Sharedwithme.php:98 +msgid "Files: shared with me" +msgstr "Dateien, die mit mir geteilt wurden" + +#: ../../Zotlabs/Module/Sharedwithme.php:100 +msgid "NEW" +msgstr "NEU" + +#: ../../Zotlabs/Module/Sharedwithme.php:103 +msgid "Remove all files" +msgstr "Alle Dateien lƶschen" + +#: ../../Zotlabs/Module/Sharedwithme.php:104 +msgid "Remove this file" +msgstr "Diese Datei lƶschen" + +#: ../../Zotlabs/Module/Follow.php:34 +msgid "Channel added." +msgstr "Kanal hinzugefügt." + #: ../../Zotlabs/Module/Sources.php:37 msgid "Failed to create source. No channel selected." msgstr "Konnte die Quelle nicht anlegen. Kein Kanal ausgewƤhlt." @@ -6328,7 +6289,7 @@ msgstr "Quelle aktualisiert." msgid "*" msgstr "*" -#: ../../Zotlabs/Module/Sources.php:96 ../../include/features.php:72 +#: ../../Zotlabs/Module/Sources.php:96 ../../include/features.php:74 #: ../../include/widgets.php:639 msgid "Channel Sources" msgstr "Kanal-Quellen" @@ -6409,8 +6370,8 @@ msgstr "Ignorieren/Verstecken" msgid "post" msgstr "Beitrag" -#: ../../Zotlabs/Module/Tagger.php:57 ../../include/conversation.php:150 -#: ../../include/text.php:1929 +#: ../../Zotlabs/Module/Tagger.php:57 ../../include/text.php:1953 +#: ../../include/conversation.php:150 msgid "comment" msgstr "Kommentar" @@ -6431,99 +6392,96 @@ msgstr "Schlagwort entfernen" msgid "Select a tag to remove: " msgstr "Schlagwort zum Entfernen auswƤhlen:" -#: ../../Zotlabs/Module/Webpages.php:191 ../../Zotlabs/Lib/Apps.php:218 -#: ../../include/nav.php:106 ../../include/conversation.php:1700 -msgid "Webpages" -msgstr "Webseiten" +#: ../../Zotlabs/Module/Api.php:60 ../../Zotlabs/Module/Api.php:81 +msgid "Authorize application connection" +msgstr "Zugriff für die Anwendung autorisieren" -#: ../../Zotlabs/Module/Webpages.php:202 ../../include/page_widgets.php:44 -msgid "Actions" -msgstr "Aktionen" +#: ../../Zotlabs/Module/Api.php:61 +msgid "Return to your app and insert this Security Code:" +msgstr "Gehen Sie zu Ihrer App zurück und tragen Sie diesen Sicherheitscode ein:" -#: ../../Zotlabs/Module/Webpages.php:203 ../../include/page_widgets.php:45 -msgid "Page Link" -msgstr "Seiten-Link" +#: ../../Zotlabs/Module/Api.php:71 +msgid "Please login to continue." +msgstr "Zum Weitermachen, bitte einloggen." -#: ../../Zotlabs/Module/Webpages.php:204 -msgid "Page Title" -msgstr "Seitentitel" - -#: ../../Zotlabs/Module/Wiki.php:34 -msgid "Not found" -msgstr "Nicht gefunden" - -#: ../../Zotlabs/Module/Wiki.php:92 ../../Zotlabs/Lib/Apps.php:219 -#: ../../include/nav.php:108 ../../include/conversation.php:1710 -#: ../../include/conversation.php:1713 ../../include/features.php:55 -msgid "Wiki" -msgstr "Wiki" - -#: ../../Zotlabs/Module/Wiki.php:93 -msgid "Sandbox" -msgstr "Sandbox" - -#: ../../Zotlabs/Module/Wiki.php:95 +#: ../../Zotlabs/Module/Api.php:83 msgid "" -"\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be" -" saved*.\"" -msgstr "\"# Wiki Sandkasten\\n\\nInhalte, die Du hier **verƤnderst** und **als Vorschau anzeigst**, *werden nicht gespeichert*.\"" +"Do you want to authorize this application to access your posts and contacts," +" and/or create new posts for you?" +msgstr "Mƶchtest Du dieser Anwendung erlauben, Deine Nachrichten und Kontakte abzurufen und/oder neue Nachrichten für Dich zu erstellen?" -#: ../../Zotlabs/Module/Wiki.php:164 -msgid "Revision Comparison" -msgstr "Revisionsvergleich" +#: ../../Zotlabs/Module/Import.php:33 +#, php-format +msgid "Your service plan only allows %d channels." +msgstr "Dein Vertrag erlaubt nur %d KanƤle." -#: ../../Zotlabs/Module/Wiki.php:165 -msgid "Revert" -msgstr "RückgƤngig machen" +#: ../../Zotlabs/Module/Import.php:153 ../../include/import.php:107 +msgid "Cloned channel not found. Import failed." +msgstr "Geklonter Kanal nicht gefunden. Import fehlgeschlagen." -#: ../../Zotlabs/Module/Wiki.php:192 -msgid "Enter the name of your new wiki:" -msgstr "Gib einen Namen für Dein neues Wiki ein:" +#: ../../Zotlabs/Module/Import.php:163 +msgid "No channel. Import failed." +msgstr "Kein Kanal. Import fehlgeschlagen." -#: ../../Zotlabs/Module/Wiki.php:193 -msgid "Enter the name of the new page:" -msgstr "Geben Sie den Namen der neuen Seite ein:" +#: ../../Zotlabs/Module/Import.php:520 +#: ../../include/Import/import_diaspora.php:142 +msgid "Import completed." +msgstr "Import abgeschlossen." -#: ../../Zotlabs/Module/Wiki.php:194 -msgid "Enter the new name:" -msgstr "Geben Sie den neuen Namen ein:" +#: ../../Zotlabs/Module/Import.php:542 +msgid "You must be logged in to use this feature." +msgstr "Du musst angemeldet sein um diese Funktion zu nutzen." -#: ../../Zotlabs/Module/Wiki.php:200 ../../include/conversation.php:1150 -msgid "Embed image from photo albums" -msgstr "Bild aus Fotoalben einbetten" +#: ../../Zotlabs/Module/Import.php:547 +msgid "Import Channel" +msgstr "Kanal importieren" -#: ../../Zotlabs/Module/Wiki.php:201 ../../include/conversation.php:1234 -msgid "Embed an image from your albums" -msgstr "Betten Sie ein Bild aus Ihren Alben ein" +#: ../../Zotlabs/Module/Import.php:548 +msgid "" +"Use this form to import an existing channel from a different server/hub. You" +" may retrieve the channel identity from the old server/hub via the network " +"or provide an export file." +msgstr "Verwende dieses Formular, um einen existierenden Kanal von einem anderen Hub zu importieren. Du kannst den Kanal direkt vom bisherigen Hub über das Netzwerk oder aus einer exportierten Sicherheitskopie importieren." -#: ../../Zotlabs/Module/Wiki.php:203 ../../include/conversation.php:1236 -#: ../../include/conversation.php:1273 -msgid "OK" -msgstr "Ok" +#: ../../Zotlabs/Module/Import.php:550 +msgid "Or provide the old server/hub details" +msgstr "Oder gib die Details Deines bisherigen $Projectname-Hubs ein" -#: ../../Zotlabs/Module/Wiki.php:204 ../../include/conversation.php:1186 -msgid "Choose images to embed" -msgstr "WƤhlen Sie Bilder zum Einbetten aus" +#: ../../Zotlabs/Module/Import.php:551 +msgid "Your old identity address (xyz@example.com)" +msgstr "Bisherige Kanal-Adresse (xyz@example.com)" -#: ../../Zotlabs/Module/Wiki.php:205 ../../include/conversation.php:1187 -msgid "Choose an album" -msgstr "WƤhlen Sie ein Album aus" +#: ../../Zotlabs/Module/Import.php:552 +msgid "Your old login email address" +msgstr "Deine alte Login-E-Mail-Adresse" -#: ../../Zotlabs/Module/Wiki.php:206 ../../include/conversation.php:1188 -msgid "Choose a different album..." -msgstr "WƤhlen Sie ein anderes Album aus..." +#: ../../Zotlabs/Module/Import.php:553 +msgid "Your old login password" +msgstr "Dein altes Passwort" -#: ../../Zotlabs/Module/Wiki.php:207 ../../include/conversation.php:1189 -msgid "Error getting album list" -msgstr "Fehler beim Holen der Albenliste" +#: ../../Zotlabs/Module/Import.php:554 +msgid "" +"For either option, please choose whether to make this hub your new primary " +"address, or whether your old location should continue this role. You will be" +" able to post from either location, but only one can be marked as the " +"primary location for files, photos, and media." +msgstr "Egal, welche Option Du wƤhlst – bitte lege fest, ob dieser Server die neue primƤre Adresse dieses Kanals sein soll, oder ob der bisherige $Projectname-Hub diese Rolle weiterhin wahrnimmt. Du kannst von beiden Servern aus posten, aber nur einer kann der primƤre Ort Deiner Dateien, Fotos und Medien sein." -#: ../../Zotlabs/Module/Wiki.php:208 ../../include/conversation.php:1190 -msgid "Error getting photo link" -msgstr "Fehler beim Holen des Fotolinks" +#: ../../Zotlabs/Module/Import.php:555 +msgid "Make this hub my primary location" +msgstr "Dieser $Pojectname-Hub ist mein primƤrer Hub." -#: ../../Zotlabs/Module/Wiki.php:209 ../../include/conversation.php:1191 -msgid "Error getting album" -msgstr "Fehler beim Holen des Albums" +#: ../../Zotlabs/Module/Import.php:556 +msgid "" +"Import existing posts if possible (experimental - limited by available " +"memory" +msgstr "Importiere bestehende BeitrƤge falls mƶglich (experimentell - begrenzt durch zur Verfügung stehenden Speicher" + +#: ../../Zotlabs/Module/Import.php:557 +msgid "" +"This process may take several minutes to complete. Please submit the form " +"only once and leave this page open until finished." +msgstr "Dieser Vorgang kann einige Minuten dauern. Bitte sende das Formular nur einmal ab und lasse diese Seite bis zur Fertigstellung offen." #: ../../Zotlabs/Module/Viewconnections.php:65 msgid "No connections." @@ -6542,24 +6500,6 @@ msgstr "Verbindungen anzeigen" msgid "Source of Item" msgstr "Quelle des Elements" -#: ../../Zotlabs/Module/Api.php:61 ../../Zotlabs/Module/Api.php:85 -msgid "Authorize application connection" -msgstr "Zugriff für die Anwendung autorisieren" - -#: ../../Zotlabs/Module/Api.php:62 -msgid "Return to your app and insert this Securty Code:" -msgstr "Trage folgenden Sicherheitscode in der Anwendung ein:" - -#: ../../Zotlabs/Module/Api.php:72 -msgid "Please login to continue." -msgstr "Zum Weitermachen, bitte einloggen." - -#: ../../Zotlabs/Module/Api.php:87 -msgid "" -"Do you want to authorize this application to access your posts and contacts," -" and/or create new posts for you?" -msgstr "Mƶchtest Du dieser Anwendung erlauben, Deine Nachrichten und Kontakte abzurufen und/oder neue Nachrichten für Dich zu erstellen?" - #: ../../Zotlabs/Module/Xchan.php:10 msgid "Xchan Lookup" msgstr "Xchan-Suche" @@ -6588,19 +6528,19 @@ msgstr "Chatraum konnte nicht gefunden werden." msgid "Room is full" msgstr "Der Chatraum ist voll" -#: ../../Zotlabs/Lib/Enotify.php:60 ../../include/network.php:1882 +#: ../../Zotlabs/Lib/Enotify.php:60 ../../include/network.php:1887 msgid "$Projectname Notification" msgstr "$Projectname-Benachrichtigung" -#: ../../Zotlabs/Lib/Enotify.php:61 ../../include/network.php:1883 +#: ../../Zotlabs/Lib/Enotify.php:61 ../../include/network.php:1888 msgid "$projectname" msgstr "$projectname" -#: ../../Zotlabs/Lib/Enotify.php:63 ../../include/network.php:1885 +#: ../../Zotlabs/Lib/Enotify.php:63 ../../include/network.php:1890 msgid "Thank You," msgstr "Danke." -#: ../../Zotlabs/Lib/Enotify.php:65 ../../include/network.php:1887 +#: ../../Zotlabs/Lib/Enotify.php:65 ../../include/network.php:1892 #, php-format msgid "%s Administrator" msgstr "der Administrator von %s" @@ -6817,37 +6757,37 @@ msgstr "Teilen-Knopf für Firefox" msgid "Remote Diagnostics" msgstr "Ferndiagnose" -#: ../../Zotlabs/Lib/Apps.php:212 ../../include/features.php:90 +#: ../../Zotlabs/Lib/Apps.php:212 ../../include/features.php:92 msgid "Suggest Channels" msgstr "KanƤle vorschlagen" -#: ../../Zotlabs/Lib/Apps.php:213 ../../include/nav.php:112 -#: ../../boot.php:1704 +#: ../../Zotlabs/Lib/Apps.php:213 ../../include/nav.php:114 +#: ../../boot.php:1713 msgid "Login" msgstr "Anmelden" -#: ../../Zotlabs/Lib/Apps.php:215 ../../include/nav.php:181 +#: ../../Zotlabs/Lib/Apps.php:215 ../../include/nav.php:183 msgid "Grid" msgstr "Grid" -#: ../../Zotlabs/Lib/Apps.php:220 ../../include/nav.php:184 +#: ../../Zotlabs/Lib/Apps.php:220 ../../include/nav.php:186 msgid "Channel Home" msgstr "Mein Kanal" -#: ../../Zotlabs/Lib/Apps.php:223 ../../include/nav.php:203 -#: ../../include/conversation.php:1664 ../../include/conversation.php:1667 +#: ../../Zotlabs/Lib/Apps.php:223 ../../include/nav.php:205 +#: ../../include/conversation.php:1669 ../../include/conversation.php:1672 msgid "Events" msgstr "Termine" -#: ../../Zotlabs/Lib/Apps.php:224 ../../include/nav.php:169 +#: ../../Zotlabs/Lib/Apps.php:224 ../../include/nav.php:171 msgid "Directory" msgstr "Verzeichnis" -#: ../../Zotlabs/Lib/Apps.php:226 ../../include/nav.php:195 +#: ../../Zotlabs/Lib/Apps.php:226 ../../include/nav.php:197 msgid "Mail" msgstr "Mail" -#: ../../Zotlabs/Lib/Apps.php:229 ../../include/nav.php:96 +#: ../../Zotlabs/Lib/Apps.php:229 ../../include/nav.php:98 msgid "Chat" msgstr "Chat" @@ -6867,18 +6807,89 @@ msgstr "ZufƤlliger Kanal" msgid "Invite" msgstr "Einladen" -#: ../../Zotlabs/Lib/Apps.php:235 ../../include/widgets.php:1480 +#: ../../Zotlabs/Lib/Apps.php:235 ../../include/widgets.php:1494 msgid "Features" msgstr "Funktionen" +#: ../../Zotlabs/Lib/Apps.php:236 +msgid "Language" +msgstr "Sprache" + #: ../../Zotlabs/Lib/Apps.php:237 msgid "Post" msgstr "Beitrag schreiben" +#: ../../Zotlabs/Lib/Apps.php:238 +msgid "Profile Photo" +msgstr "Profilfoto" + #: ../../Zotlabs/Lib/Apps.php:339 msgid "Purchase" msgstr "Kaufen" +#: ../../Zotlabs/Lib/PermissionDescription.php:31 +#: ../../include/acl_selectors.php:230 +msgid "Visible to your default audience" +msgstr "Standard-Sichtbarkeit gemäß Kanaleinstellungen" + +#: ../../Zotlabs/Lib/PermissionDescription.php:106 +#: ../../include/acl_selectors.php:266 +msgid "Only me" +msgstr "Nur ich" + +#: ../../Zotlabs/Lib/PermissionDescription.php:107 +msgid "Public" +msgstr "Ɩffentlich" + +#: ../../Zotlabs/Lib/PermissionDescription.php:108 +msgid "Anybody in the $Projectname network" +msgstr "Jeder innerhalb des $Projectname Netzwerks" + +#: ../../Zotlabs/Lib/PermissionDescription.php:109 +#, php-format +msgid "Any account on %s" +msgstr "Jedes Nutzerkonto auf %s" + +#: ../../Zotlabs/Lib/PermissionDescription.php:110 +msgid "Any of my connections" +msgstr "Alle meine Verbindungen" + +#: ../../Zotlabs/Lib/PermissionDescription.php:111 +msgid "Only connections I specifically allow" +msgstr "Nur Verbindungen, denen ich es explizit erlaube" + +#: ../../Zotlabs/Lib/PermissionDescription.php:112 +msgid "Anybody authenticated (could include visitors from other networks)" +msgstr "Jeder, der angemeldet ist (kann Besucher anderer Netzwerke beinhalten)" + +#: ../../Zotlabs/Lib/PermissionDescription.php:113 +msgid "Any connections including those who haven't yet been approved" +msgstr "Alle Verbindungen einschließlich der noch nicht bestƤtigten" + +#: ../../Zotlabs/Lib/PermissionDescription.php:152 +msgid "" +"This is your default setting for the audience of your normal stream, and " +"posts." +msgstr "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner normalen BeitrƤge (Stream)." + +#: ../../Zotlabs/Lib/PermissionDescription.php:153 +msgid "" +"This is your default setting for who can view your default channel profile" +msgstr "Dies ist Deine Voreinstellung für die Sichtbarkeit Deines Standard-Kanalprofils." + +#: ../../Zotlabs/Lib/PermissionDescription.php:154 +msgid "This is your default setting for who can view your connections" +msgstr "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Verbindungen." + +#: ../../Zotlabs/Lib/PermissionDescription.php:155 +msgid "" +"This is your default setting for who can view your file storage and photos" +msgstr "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Dateien und Fotos." + +#: ../../Zotlabs/Lib/PermissionDescription.php:156 +msgid "This is your default setting for the audience of your webpages" +msgstr "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Webseiten." + #: ../../Zotlabs/Lib/ThreadItem.php:95 ../../include/conversation.php:667 msgid "Private Message" msgstr "Private Nachricht" @@ -6943,181 +6954,118 @@ msgstr "Signatur nicht korrekt" msgid "Add Tag" msgstr "Tag hinzufügen" -#: ../../Zotlabs/Lib/ThreadItem.php:261 ../../include/taxonomy.php:316 +#: ../../Zotlabs/Lib/ThreadItem.php:262 ../../include/taxonomy.php:316 msgid "like" msgstr "mag" -#: ../../Zotlabs/Lib/ThreadItem.php:262 ../../include/taxonomy.php:317 +#: ../../Zotlabs/Lib/ThreadItem.php:263 ../../include/taxonomy.php:317 msgid "dislike" msgstr "verurteile" -#: ../../Zotlabs/Lib/ThreadItem.php:266 +#: ../../Zotlabs/Lib/ThreadItem.php:267 msgid "Share This" msgstr "Teilen" -#: ../../Zotlabs/Lib/ThreadItem.php:266 +#: ../../Zotlabs/Lib/ThreadItem.php:267 msgid "share" msgstr "Teilen" -#: ../../Zotlabs/Lib/ThreadItem.php:275 +#: ../../Zotlabs/Lib/ThreadItem.php:276 msgid "Delivery Report" msgstr "Zustellungsbericht" -#: ../../Zotlabs/Lib/ThreadItem.php:293 +#: ../../Zotlabs/Lib/ThreadItem.php:294 #, php-format msgid "%d comment" msgid_plural "%d comments" msgstr[0] "%d Kommentar" msgstr[1] "%d Kommentare" -#: ../../Zotlabs/Lib/ThreadItem.php:322 ../../Zotlabs/Lib/ThreadItem.php:323 +#: ../../Zotlabs/Lib/ThreadItem.php:323 ../../Zotlabs/Lib/ThreadItem.php:324 #, php-format msgid "View %s's profile - %s" msgstr "Schaue Dir %ss Profil an – %s" -#: ../../Zotlabs/Lib/ThreadItem.php:326 +#: ../../Zotlabs/Lib/ThreadItem.php:327 msgid "to" msgstr "an" -#: ../../Zotlabs/Lib/ThreadItem.php:327 +#: ../../Zotlabs/Lib/ThreadItem.php:328 msgid "via" msgstr "via" -#: ../../Zotlabs/Lib/ThreadItem.php:328 +#: ../../Zotlabs/Lib/ThreadItem.php:329 msgid "Wall-to-Wall" msgstr "Wall-to-Wall" -#: ../../Zotlabs/Lib/ThreadItem.php:329 +#: ../../Zotlabs/Lib/ThreadItem.php:330 msgid "via Wall-To-Wall:" msgstr "via Wall-To-Wall:" -#: ../../Zotlabs/Lib/ThreadItem.php:341 ../../include/conversation.php:722 +#: ../../Zotlabs/Lib/ThreadItem.php:342 ../../include/conversation.php:722 #, php-format msgid "from %s" msgstr "via %s" -#: ../../Zotlabs/Lib/ThreadItem.php:344 ../../include/conversation.php:725 +#: ../../Zotlabs/Lib/ThreadItem.php:345 ../../include/conversation.php:725 #, php-format msgid "last edited: %s" msgstr "zuletzt bearbeitet: %s" -#: ../../Zotlabs/Lib/ThreadItem.php:345 ../../include/conversation.php:726 +#: ../../Zotlabs/Lib/ThreadItem.php:346 ../../include/conversation.php:726 #, php-format msgid "Expires: %s" msgstr "VerfƤllt: %s" -#: ../../Zotlabs/Lib/ThreadItem.php:370 +#: ../../Zotlabs/Lib/ThreadItem.php:371 msgid "Save Bookmarks" msgstr "Favoriten speichern" -#: ../../Zotlabs/Lib/ThreadItem.php:371 +#: ../../Zotlabs/Lib/ThreadItem.php:372 msgid "Add to Calendar" msgstr "Zum Kalender hinzufügen" -#: ../../Zotlabs/Lib/ThreadItem.php:380 +#: ../../Zotlabs/Lib/ThreadItem.php:381 msgid "Mark all seen" msgstr "Alle als gelesen markieren" -#: ../../Zotlabs/Lib/ThreadItem.php:421 ../../include/js_strings.php:7 +#: ../../Zotlabs/Lib/ThreadItem.php:422 ../../include/js_strings.php:7 #, php-format msgid "%s show all" msgstr "%s mehr anzeigen" -#: ../../Zotlabs/Lib/ThreadItem.php:711 ../../include/conversation.php:1226 +#: ../../Zotlabs/Lib/ThreadItem.php:712 ../../include/conversation.php:1227 msgid "Bold" msgstr "Fett" -#: ../../Zotlabs/Lib/ThreadItem.php:712 ../../include/conversation.php:1227 +#: ../../Zotlabs/Lib/ThreadItem.php:713 ../../include/conversation.php:1228 msgid "Italic" msgstr "Kursiv" -#: ../../Zotlabs/Lib/ThreadItem.php:713 ../../include/conversation.php:1228 +#: ../../Zotlabs/Lib/ThreadItem.php:714 ../../include/conversation.php:1229 msgid "Underline" msgstr "Unterstrichen" -#: ../../Zotlabs/Lib/ThreadItem.php:714 ../../include/conversation.php:1229 +#: ../../Zotlabs/Lib/ThreadItem.php:715 ../../include/conversation.php:1230 msgid "Quote" msgstr "Zitat" -#: ../../Zotlabs/Lib/ThreadItem.php:715 ../../include/conversation.php:1230 +#: ../../Zotlabs/Lib/ThreadItem.php:716 ../../include/conversation.php:1231 msgid "Code" msgstr "Code" -#: ../../Zotlabs/Lib/ThreadItem.php:716 +#: ../../Zotlabs/Lib/ThreadItem.php:717 msgid "Image" msgstr "Bild" -#: ../../Zotlabs/Lib/ThreadItem.php:717 +#: ../../Zotlabs/Lib/ThreadItem.php:718 msgid "Insert Link" msgstr "Link einfügen" -#: ../../Zotlabs/Lib/ThreadItem.php:718 +#: ../../Zotlabs/Lib/ThreadItem.php:719 msgid "Video" msgstr "Video" -#: ../../Zotlabs/Lib/PermissionDescription.php:31 -#: ../../include/acl_selectors.php:230 -msgid "Visible to your default audience" -msgstr "Standard-Sichtbarkeit gemäß Kanaleinstellungen" - -#: ../../Zotlabs/Lib/PermissionDescription.php:106 -#: ../../include/acl_selectors.php:266 -msgid "Only me" -msgstr "Nur ich" - -#: ../../Zotlabs/Lib/PermissionDescription.php:107 -msgid "Public" -msgstr "Ɩffentlich" - -#: ../../Zotlabs/Lib/PermissionDescription.php:108 -msgid "Anybody in the $Projectname network" -msgstr "Jeder innerhalb des $Projectname Netzwerks" - -#: ../../Zotlabs/Lib/PermissionDescription.php:109 -#, php-format -msgid "Any account on %s" -msgstr "Jedes Nutzerkonto auf %s" - -#: ../../Zotlabs/Lib/PermissionDescription.php:110 -msgid "Any of my connections" -msgstr "Alle meine Verbindungen" - -#: ../../Zotlabs/Lib/PermissionDescription.php:111 -msgid "Only connections I specifically allow" -msgstr "Nur Verbindungen, denen ich es explizit erlaube" - -#: ../../Zotlabs/Lib/PermissionDescription.php:112 -msgid "Anybody authenticated (could include visitors from other networks)" -msgstr "Jeder, der angemeldet ist (kann Besucher anderer Netzwerke beinhalten)" - -#: ../../Zotlabs/Lib/PermissionDescription.php:113 -msgid "Any connections including those who haven't yet been approved" -msgstr "Alle Verbindungen einschließlich der noch nicht bestƤtigten" - -#: ../../Zotlabs/Lib/PermissionDescription.php:152 -msgid "" -"This is your default setting for the audience of your normal stream, and " -"posts." -msgstr "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner normalen BeitrƤge (Stream)." - -#: ../../Zotlabs/Lib/PermissionDescription.php:153 -msgid "" -"This is your default setting for who can view your default channel profile" -msgstr "Dies ist Deine Voreinstellung für die Sichtbarkeit Deines Standard-Kanalprofils." - -#: ../../Zotlabs/Lib/PermissionDescription.php:154 -msgid "This is your default setting for who can view your connections" -msgstr "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Verbindungen." - -#: ../../Zotlabs/Lib/PermissionDescription.php:155 -msgid "" -"This is your default setting for who can view your file storage and photos" -msgstr "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Dateien und Fotos." - -#: ../../Zotlabs/Lib/PermissionDescription.php:156 -msgid "This is your default setting for the audience of your webpages" -msgstr "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Webseiten." - #: ../../include/Import/import_diaspora.php:16 msgid "No username found in import file." msgstr "Kein Benutzername in der Importdatei gefunden." @@ -7131,6 +7079,69 @@ msgstr "Es war nicht mƶglich, eine eindeutige Kanal-Adresse zu erzeugen. Der Im msgid "Cannot locate DNS info for database server '%s'" msgstr "Kann die DNS-Informationen für den Datenbank-Server '%s' nicht finden" +#: ../../include/items.php:897 ../../include/items.php:942 +msgid "(Unknown)" +msgstr "(Unbekannt)" + +#: ../../include/items.php:1141 +msgid "Visible to anybody on the internet." +msgstr "Für jeden im Internet sichtbar." + +#: ../../include/items.php:1143 +msgid "Visible to you only." +msgstr "Nur für Dich sichtbar." + +#: ../../include/items.php:1145 +msgid "Visible to anybody in this network." +msgstr "Für jedes $Projectname-Mitglied sichtbar." + +#: ../../include/items.php:1147 +msgid "Visible to anybody authenticated." +msgstr "Für jeden sichtbar, der angemeldet ist." + +#: ../../include/items.php:1149 +#, php-format +msgid "Visible to anybody on %s." +msgstr "Für jeden auf %s sichtbar." + +#: ../../include/items.php:1151 +msgid "Visible to all connections." +msgstr "Für alle Verbindungen sichtbar." + +#: ../../include/items.php:1153 +msgid "Visible to approved connections." +msgstr "Nur für akzeptierte Verbindungen sichtbar." + +#: ../../include/items.php:1155 +msgid "Visible to specific connections." +msgstr "Sichtbar für bestimmte Verbindungen." + +#: ../../include/items.php:3918 +msgid "Privacy group is empty." +msgstr "Gruppe ist leer." + +#: ../../include/items.php:3925 +#, php-format +msgid "Privacy group: %s" +msgstr "Gruppe: %s" + +#: ../../include/items.php:3937 +msgid "Connection not found." +msgstr "Die Verbindung wurde nicht gefunden." + +#: ../../include/items.php:4290 +msgid "profile photo" +msgstr "Profilfoto" + +#: ../../include/import.php:30 +msgid "" +"Cannot create a duplicate channel identifier on this system. Import failed." +msgstr "Kann keinen doppelten Kanal-Identifikator auf diesem System erzeugen (Spitzname oder Hash schon belegt). Import fehlgeschlagen." + +#: ../../include/import.php:97 +msgid "Channel clone failed. Import failed." +msgstr "Klonen des Kanals fehlgeschlagen. Import fehlgeschlagen." + #: ../../include/photos.php:114 #, php-format msgid "Image exceeds website size limit of %lu bytes" @@ -7154,7 +7165,7 @@ msgctxt "photo_upload" msgid "%1$s posted %2$s to %3$s" msgstr "%1$s hat %2$s auf %3$s verƶffentlicht" -#: ../../include/photos.php:506 ../../include/conversation.php:1650 +#: ../../include/photos.php:506 ../../include/conversation.php:1655 msgid "Photo Albums" msgstr "Fotoalben" @@ -7162,737 +7173,423 @@ msgstr "Fotoalben" msgid "Upload New Photos" msgstr "Neue Fotos hochladen" -#: ../../include/nav.php:82 ../../include/nav.php:115 ../../boot.php:1703 -msgid "Logout" -msgstr "Abmelden" +#: ../../include/features.php:50 +msgid "General Features" +msgstr "Allgemeine Funktionen" -#: ../../include/nav.php:82 ../../include/nav.php:115 -msgid "End this session" -msgstr "Beende diese Sitzung" +#: ../../include/features.php:52 +msgid "Content Expiration" +msgstr "Verfall von Inhalten" -#: ../../include/nav.php:85 ../../include/nav.php:146 -msgid "Home" -msgstr "Home" +#: ../../include/features.php:52 +msgid "Remove posts/comments and/or private messages at a future time" +msgstr "Ermƶglicht das automatische Lƶschen von BeitrƤgen, Kommentaren und/oder privaten Nachrichten zu einem zukünftigen Datum." -#: ../../include/nav.php:85 -msgid "Your posts and conversations" -msgstr "Deine BeitrƤge und Unterhaltungen" +#: ../../include/features.php:53 +msgid "Multiple Profiles" +msgstr "Mehrfachprofile" -#: ../../include/nav.php:86 -msgid "Your profile page" -msgstr "Deine Profilseite" +#: ../../include/features.php:53 +msgid "Ability to create multiple profiles" +msgstr "Ermƶglicht das Anlegen mehrerer Profile pro Kanal" -#: ../../include/nav.php:88 -msgid "Manage/Edit profiles" -msgstr "Profile verwalten" +#: ../../include/features.php:54 +msgid "Advanced Profiles" +msgstr "Erweiterte Profile" -#: ../../include/nav.php:90 ../../include/channel.php:980 -msgid "Edit Profile" -msgstr "Profile bearbeiten" +#: ../../include/features.php:54 +msgid "Additional profile sections and selections" +msgstr "Stellt zusƤtzliche Bereiche und Felder im Profil zur Verfügung" -#: ../../include/nav.php:90 -msgid "Edit your profile" -msgstr "Profil bearbeiten" +#: ../../include/features.php:55 +msgid "Profile Import/Export" +msgstr "Profil-Import/Export" -#: ../../include/nav.php:92 -msgid "Your photos" -msgstr "Deine Bilder" +#: ../../include/features.php:55 +msgid "Save and load profile details across sites/channels" +msgstr "Ermƶglicht das Speichern von Profilen, um sie in einen anderen Kanal zu importieren" -#: ../../include/nav.php:93 -msgid "Your files" -msgstr "Deine Dateien" +#: ../../include/features.php:56 +msgid "Web Pages" +msgstr "Webseiten" -#: ../../include/nav.php:96 -msgid "Your chatrooms" -msgstr "Deine ChatrƤume" +#: ../../include/features.php:56 +msgid "Provide managed web pages on your channel" +msgstr "Ermƶglicht das Erstellen von Webseiten in Deinem Kanal" -#: ../../include/nav.php:102 ../../include/conversation.php:1690 -msgid "Bookmarks" -msgstr "Lesezeichen" +#: ../../include/features.php:57 +msgid "Provide a wiki for your channel" +msgstr "Stelle ein Wiki in Deinem Kanal zur Verfügung" -#: ../../include/nav.php:102 -msgid "Your bookmarks" -msgstr "Deine Lesezeichen" +#: ../../include/features.php:58 +msgid "Hide Rating" +msgstr "Bewertung verbergen" -#: ../../include/nav.php:106 -msgid "Your webpages" -msgstr "Deine Webseiten" - -#: ../../include/nav.php:108 -msgid "Your wiki" -msgstr "Dein Wiki" - -#: ../../include/nav.php:112 -msgid "Sign in" -msgstr "Anmelden" - -#: ../../include/nav.php:129 -#, php-format -msgid "%s - click to logout" -msgstr "%s - Klick zum Abmelden" - -#: ../../include/nav.php:132 -msgid "Remote authentication" -msgstr "Über Konto auf anderem Server einloggen" - -#: ../../include/nav.php:132 -msgid "Click to authenticate to your home hub" -msgstr "Klicke, um Dich über Deinen Heimat-Server zu authentifizieren" - -#: ../../include/nav.php:146 -msgid "Home Page" -msgstr "Homepage" - -#: ../../include/nav.php:149 -msgid "Create an account" -msgstr "Erzeuge ein Konto" - -#: ../../include/nav.php:161 -msgid "Help and documentation" -msgstr "Hilfe und Dokumentation" - -#: ../../include/nav.php:165 -msgid "Applications, utilities, links, games" -msgstr "Anwendungen (Apps), Zubehƶr, Links, Spiele" - -#: ../../include/nav.php:167 -msgid "Search site @name, #tag, ?docs, content" -msgstr "Hub durchsuchen: @Name. #Schlagwort, ?Dokumentation, Inhalt" - -#: ../../include/nav.php:169 -msgid "Channel Directory" -msgstr "Kanal-Verzeichnis" - -#: ../../include/nav.php:181 -msgid "Your grid" -msgstr "Dein Grid" - -#: ../../include/nav.php:182 -msgid "Mark all grid notifications seen" -msgstr "Alle Grid-Benachrichtigungen als angesehen markieren" - -#: ../../include/nav.php:184 -msgid "Channel home" -msgstr "Mein Kanal" - -#: ../../include/nav.php:185 -msgid "Mark all channel notifications seen" -msgstr "Markiere alle Kanal-Benachrichtigungen als angesehen" - -#: ../../include/nav.php:191 -msgid "Notices" -msgstr "Benachrichtigungen" - -#: ../../include/nav.php:191 -msgid "Notifications" -msgstr "Benachrichtigungen" - -#: ../../include/nav.php:192 -msgid "See all notifications" -msgstr "Alle Benachrichtigungen ansehen" - -#: ../../include/nav.php:195 -msgid "Private mail" -msgstr "Persƶnliche Mail" - -#: ../../include/nav.php:196 -msgid "See all private messages" -msgstr "Alle persƶnlichen Nachrichten ansehen" - -#: ../../include/nav.php:197 -msgid "Mark all private messages seen" -msgstr "Markiere alle persƶnlichen Nachrichten als gesehen" - -#: ../../include/nav.php:198 ../../include/widgets.php:667 -msgid "Inbox" -msgstr "Eingang" - -#: ../../include/nav.php:199 ../../include/widgets.php:672 -msgid "Outbox" -msgstr "Ausgang" - -#: ../../include/nav.php:200 ../../include/widgets.php:677 -msgid "New Message" -msgstr "Neue Nachricht" - -#: ../../include/nav.php:203 -msgid "Event Calendar" -msgstr "Terminkalender" - -#: ../../include/nav.php:204 -msgid "See all events" -msgstr "Alle Termine ansehen" - -#: ../../include/nav.php:205 -msgid "Mark all events seen" -msgstr "Markiere alle Termine als gesehen" - -#: ../../include/nav.php:208 -msgid "Manage Your Channels" -msgstr "Verwalte Deine KanƤle" - -#: ../../include/nav.php:210 -msgid "Account/Channel Settings" -msgstr "Konto-/Kanal-Einstellungen" - -#: ../../include/nav.php:218 ../../include/widgets.php:1510 -msgid "Admin" -msgstr "Administration" - -#: ../../include/nav.php:218 -msgid "Site Setup and Configuration" -msgstr "Seiten-Einrichtung und -Konfiguration" - -#: ../../include/nav.php:249 ../../include/conversation.php:854 -msgid "Loading..." -msgstr "LƤdt ..." - -#: ../../include/nav.php:254 -msgid "@name, #tag, ?doc, content" -msgstr "@Name, #Schlagwort, ?Dokumentation, Inhalt" - -#: ../../include/nav.php:255 -msgid "Please wait..." -msgstr "Bitte warten..." - -#: ../../include/network.php:704 -msgid "view full size" -msgstr "In Vollbildansicht anschauen" - -#: ../../include/network.php:1930 ../../include/account.php:317 -#: ../../include/account.php:344 ../../include/account.php:404 -msgid "Administrator" -msgstr "Administrator" - -#: ../../include/network.php:1944 -msgid "No Subject" -msgstr "Kein Betreff" - -#: ../../include/network.php:2198 ../../include/network.php:2199 -msgid "Friendica" -msgstr "Friendica" - -#: ../../include/network.php:2200 -msgid "OStatus" -msgstr "OStatus" - -#: ../../include/network.php:2201 -msgid "GNU-Social" -msgstr "GNU-Social" - -#: ../../include/network.php:2202 -msgid "RSS/Atom" -msgstr "RSS/Atom" - -#: ../../include/network.php:2204 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../include/network.php:2205 -msgid "Facebook" -msgstr "Facebook" - -#: ../../include/network.php:2206 -msgid "Zot" -msgstr "Zot!" - -#: ../../include/network.php:2207 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: ../../include/network.php:2208 -msgid "XMPP/IM" -msgstr "XMPP/IM" - -#: ../../include/network.php:2209 -msgid "MySpace" -msgstr "MySpace" - -#: ../../include/page_widgets.php:7 -msgid "New Page" -msgstr "Neue Seite" - -#: ../../include/page_widgets.php:46 -msgid "Title" -msgstr "Titel" - -#: ../../include/taxonomy.php:188 ../../include/taxonomy.php:270 -#: ../../include/widgets.php:46 ../../include/widgets.php:429 -#: ../../include/contact_widgets.php:91 -msgid "Categories" -msgstr "Kategorien" - -#: ../../include/taxonomy.php:228 ../../include/taxonomy.php:249 -msgid "Tags" -msgstr "Schlagwƶrter" - -#: ../../include/taxonomy.php:293 -msgid "Keywords" -msgstr "Schlüsselwƶrter" - -#: ../../include/taxonomy.php:314 -msgid "have" -msgstr "habe" - -#: ../../include/taxonomy.php:314 -msgid "has" -msgstr "hat" - -#: ../../include/taxonomy.php:315 -msgid "want" -msgstr "will" - -#: ../../include/taxonomy.php:315 -msgid "wants" -msgstr "will" - -#: ../../include/taxonomy.php:316 -msgid "likes" -msgstr "gefƤllt" - -#: ../../include/taxonomy.php:317 -msgid "dislikes" -msgstr "missfƤllt" - -#: ../../include/channel.php:33 -msgid "Unable to obtain identity information from database" -msgstr "Kann keine IdentitƤts-Informationen aus Datenbank beziehen" - -#: ../../include/channel.php:67 -msgid "Empty name" -msgstr "Namensfeld leer" - -#: ../../include/channel.php:70 -msgid "Name too long" -msgstr "Name ist zu lang" - -#: ../../include/channel.php:181 -msgid "No account identifier" -msgstr "Keine Account-Kennung" - -#: ../../include/channel.php:193 -msgid "Nickname is required." -msgstr "Spitzname ist erforderlich." - -#: ../../include/channel.php:207 -msgid "Reserved nickname. Please choose another." -msgstr "Reservierter Kurzname. Bitte wƤhle einen anderen." - -#: ../../include/channel.php:212 +#: ../../include/features.php:58 msgid "" -"Nickname has unsupported characters or is already being used on this site." -msgstr "Der Spitzname enthƤlt nicht-unterstütze Zeichen oder wird bereits auf dieser Seite genutzt." +"Hide the rating buttons on your channel and profile pages. Note: People can " +"still rate you somewhere else." +msgstr "Verberge die Buttons zur Bewertung auf deiner Profil-Seite und deinem Kanal. Hinweis: Leute kƶnnen dich weiterhin andernorts bewerten." -#: ../../include/channel.php:272 -msgid "Unable to retrieve created identity" -msgstr "Kann die erstellte IdentitƤt nicht empfangen" +#: ../../include/features.php:59 +msgid "Private Notes" +msgstr "Private Notizen" -#: ../../include/channel.php:341 -msgid "Default Profile" -msgstr "Standard-Profil" +#: ../../include/features.php:59 +msgid "Enables a tool to store notes and reminders (note: not encrypted)" +msgstr "Aktiviert ein Werkzeug mit dem Notizen und Erinnerungen gespeichert werden kƶnnen (Hinweis: nicht verschlüsselt)" -#: ../../include/channel.php:830 -msgid "Requested channel is not available." -msgstr "Angeforderte Kanal nicht verfügbar." +#: ../../include/features.php:60 +msgid "Navigation Channel Select" +msgstr "Kanal-Auswahl in der Navigationsleiste" -#: ../../include/channel.php:977 -msgid "Create New Profile" -msgstr "Neues Profil erstellen" +#: ../../include/features.php:60 +msgid "Change channels directly from within the navigation dropdown menu" +msgstr "Ermƶglicht den direkten Wechsel zu anderen KanƤlen über das Navigationsmenü" -#: ../../include/channel.php:997 -msgid "Visible to everybody" -msgstr "Für jeden sichtbar" +#: ../../include/features.php:61 +msgid "Photo Location" +msgstr "Aufnahmeort" -#: ../../include/channel.php:1070 ../../include/channel.php:1182 -msgid "Gender:" -msgstr "Geschlecht:" +#: ../../include/features.php:61 +msgid "If location data is available on uploaded photos, link this to a map." +msgstr "Verlinkt den Aufnahmeort von Fotos (falls verfügbar) auf einer Karte" -#: ../../include/channel.php:1071 ../../include/channel.php:1226 -msgid "Status:" -msgstr "Status:" +#: ../../include/features.php:62 +msgid "Access Controlled Chatrooms" +msgstr "Zugriffskontrollierte ChatrƤume" -#: ../../include/channel.php:1072 ../../include/channel.php:1237 -msgid "Homepage:" -msgstr "Homepage:" +#: ../../include/features.php:62 +msgid "Provide chatrooms and chat services with access control." +msgstr "Bieten Sie ChatrƤume und Chatdienste mit Zugriffskontrolle an." -#: ../../include/channel.php:1073 -msgid "Online Now" -msgstr "gerade online" +#: ../../include/features.php:63 +msgid "Smart Birthdays" +msgstr "Smarte Geburtstage" -#: ../../include/channel.php:1187 -msgid "Like this channel" -msgstr "Dieser Kanal gefƤllt mir" - -#: ../../include/channel.php:1211 -msgid "j F, Y" -msgstr "j. F Y" - -#: ../../include/channel.php:1212 -msgid "j F" -msgstr "j. F" - -#: ../../include/channel.php:1219 -msgid "Birthday:" -msgstr "Geburtstag:" - -#: ../../include/channel.php:1232 -#, php-format -msgid "for %1$d %2$s" -msgstr "seit %1$d %2$s" - -#: ../../include/channel.php:1235 -msgid "Sexual Preference:" -msgstr "Sexuelle Orientierung:" - -#: ../../include/channel.php:1241 -msgid "Tags:" -msgstr "Schlagworte:" - -#: ../../include/channel.php:1243 -msgid "Political Views:" -msgstr "Politische Ansichten:" - -#: ../../include/channel.php:1245 -msgid "Religion:" -msgstr "Religion:" - -#: ../../include/channel.php:1249 -msgid "Hobbies/Interests:" -msgstr "Hobbys/Interessen:" - -#: ../../include/channel.php:1251 -msgid "Likes:" -msgstr "GefƤllt:" - -#: ../../include/channel.php:1253 -msgid "Dislikes:" -msgstr "GefƤllt nicht:" - -#: ../../include/channel.php:1255 -msgid "Contact information and Social Networks:" -msgstr "Kontaktinformation und soziale Netzwerke:" - -#: ../../include/channel.php:1257 -msgid "My other channels:" -msgstr "Meine anderen KanƤle:" - -#: ../../include/channel.php:1259 -msgid "Musical interests:" -msgstr "Musikalische Interessen:" - -#: ../../include/channel.php:1261 -msgid "Books, literature:" -msgstr "Bücher, Literatur:" - -#: ../../include/channel.php:1263 -msgid "Television:" -msgstr "Fernsehen:" - -#: ../../include/channel.php:1265 -msgid "Film/dance/culture/entertainment:" -msgstr "Film/Tanz/Kultur/Unterhaltung:" - -#: ../../include/channel.php:1267 -msgid "Love/Romance:" -msgstr "Liebe/Romantik:" - -#: ../../include/channel.php:1269 -msgid "Work/employment:" -msgstr "Arbeit/Anstellung:" - -#: ../../include/channel.php:1271 -msgid "School/education:" -msgstr "Schule/Ausbildung:" - -#: ../../include/channel.php:1292 -msgid "Like this thing" -msgstr "GefƤllt mir" - -#: ../../include/connections.php:95 -msgid "New window" -msgstr "Neues Fenster" - -#: ../../include/connections.php:96 -msgid "Open the selected location in a different window or browser tab" -msgstr "Ɩffne die markierte Adresse in einem neuen Browserfenster oder Tab" - -#: ../../include/connections.php:214 -#, php-format -msgid "User '%s' deleted" -msgstr "Benutzer '%s' gelƶscht" - -#: ../../include/conversation.php:204 -#, php-format -msgid "%1$s is now connected with %2$s" -msgstr "%1$s ist jetzt mit %2$s verbunden" - -#: ../../include/conversation.php:239 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s stupste %2$s an" - -#: ../../include/conversation.php:243 ../../include/text.php:1013 -#: ../../include/text.php:1018 -msgid "poked" -msgstr "stupste" - -#: ../../include/conversation.php:694 -#, php-format -msgid "View %s's profile @ %s" -msgstr "%ss Profil auf %s ansehen" - -#: ../../include/conversation.php:713 -msgid "Categories:" -msgstr "Kategorien:" - -#: ../../include/conversation.php:714 -msgid "Filed under:" -msgstr "Gespeichert unter:" - -#: ../../include/conversation.php:741 -msgid "View in context" -msgstr "Im Zusammenhang anschauen" - -#: ../../include/conversation.php:850 -msgid "remove" -msgstr "lƶsche" - -#: ../../include/conversation.php:855 -msgid "Delete Selected Items" -msgstr "Lƶsche die ausgewƤhlten Elemente" - -#: ../../include/conversation.php:951 -msgid "View Source" -msgstr "Quelle anzeigen" - -#: ../../include/conversation.php:952 -msgid "Follow Thread" -msgstr "Unterhaltung folgen" - -#: ../../include/conversation.php:953 -msgid "Unfollow Thread" -msgstr "Unterhaltung nicht mehr folgen" - -#: ../../include/conversation.php:958 -msgid "Activity/Posts" -msgstr "AktivitƤten/BeitrƤge" - -#: ../../include/conversation.php:960 -msgid "Edit Connection" -msgstr "Verbindung bearbeiten" - -#: ../../include/conversation.php:961 -msgid "Message" -msgstr "Nachricht" - -#: ../../include/conversation.php:1078 -#, php-format -msgid "%s likes this." -msgstr "%s gefƤllt das." - -#: ../../include/conversation.php:1078 -#, php-format -msgid "%s doesn't like this." -msgstr "%s gefƤllt das nicht." - -#: ../../include/conversation.php:1082 -#, php-format -msgid "%2$d people like this." -msgid_plural "%2$d people like this." -msgstr[0] "%2$d Person gefƤllt das." -msgstr[1] "%2$d Leuten gefƤllt das." - -#: ../../include/conversation.php:1084 -#, php-format -msgid "%2$d people don't like this." -msgid_plural "%2$d people don't like this." -msgstr[0] "%2$d Person gefƤllt das nicht." -msgstr[1] "%2$d Leuten gefƤllt das nicht." - -#: ../../include/conversation.php:1090 -msgid "and" -msgstr "und" - -#: ../../include/conversation.php:1093 -#, php-format -msgid ", and %d other people" -msgid_plural ", and %d other people" -msgstr[0] "" -msgstr[1] ", und %d andere" - -#: ../../include/conversation.php:1094 -#, php-format -msgid "%s like this." -msgstr "%s gefƤllt das." - -#: ../../include/conversation.php:1094 -#, php-format -msgid "%s don't like this." -msgstr "%s gefƤllt das nicht." - -#: ../../include/conversation.php:1133 -msgid "Set your location" -msgstr "Standort" - -#: ../../include/conversation.php:1134 -msgid "Clear browser location" -msgstr "Browser-Standort lƶschen" - -#: ../../include/conversation.php:1182 -msgid "Tag term:" -msgstr "Schlagwort:" - -#: ../../include/conversation.php:1183 -msgid "Where are you right now?" -msgstr "Wo bist Du jetzt grade?" - -#: ../../include/conversation.php:1221 -msgid "Page link name" -msgstr "Link zur Seite" - -#: ../../include/conversation.php:1224 -msgid "Post as" -msgstr "Verƶffentlichen als" - -#: ../../include/conversation.php:1238 -msgid "Toggle voting" -msgstr "Umfragewerkzeug aktivieren" - -#: ../../include/conversation.php:1246 -msgid "Categories (optional, comma-separated list)" -msgstr "Kategorien (optional, kommagetrennte Liste)" - -#: ../../include/conversation.php:1269 -msgid "Set publish date" -msgstr "Verƶffentlichungsdatum festlegen" - -#: ../../include/conversation.php:1518 -msgid "Discover" -msgstr "Entdecken" - -#: ../../include/conversation.php:1521 -msgid "Imported public streams" -msgstr "Importierte ƶffentliche BeitrƤge" - -#: ../../include/conversation.php:1526 -msgid "Commented Order" -msgstr "Neueste Kommentare" - -#: ../../include/conversation.php:1529 -msgid "Sort by Comment Date" -msgstr "Nach Kommentardatum sortiert" - -#: ../../include/conversation.php:1533 -msgid "Posted Order" -msgstr "Neueste BeitrƤge" - -#: ../../include/conversation.php:1536 -msgid "Sort by Post Date" -msgstr "Nach Beitragsdatum sortiert" - -#: ../../include/conversation.php:1544 -msgid "Posts that mention or involve you" -msgstr "BeitrƤge mit Beteiligung Deinerseits" - -#: ../../include/conversation.php:1553 -msgid "Activity Stream - by date" -msgstr "Activity Stream – nach Datum sortiert" - -#: ../../include/conversation.php:1559 -msgid "Starred" -msgstr "Markiert" - -#: ../../include/conversation.php:1562 -msgid "Favourite Posts" -msgstr "Markierte BeitrƤge" - -#: ../../include/conversation.php:1569 -msgid "Spam" -msgstr "Spam" - -#: ../../include/conversation.php:1572 -msgid "Posts flagged as SPAM" -msgstr "Nachrichten, die als SPAM markiert wurden" - -#: ../../include/conversation.php:1629 -msgid "Status Messages and Posts" -msgstr "Statusnachrichten und BeitrƤge" - -#: ../../include/conversation.php:1638 -msgid "About" -msgstr "Über" - -#: ../../include/conversation.php:1641 -msgid "Profile Details" -msgstr "Profil-Details" - -#: ../../include/conversation.php:1657 -msgid "Files and Storage" -msgstr "Dateien und Speicher" - -#: ../../include/conversation.php:1677 ../../include/conversation.php:1680 -#: ../../include/widgets.php:836 -msgid "Chatrooms" -msgstr "ChatrƤume" - -#: ../../include/conversation.php:1693 -msgid "Saved Bookmarks" -msgstr "Gespeicherte Lesezeichen" - -#: ../../include/conversation.php:1703 -msgid "Manage Webpages" -msgstr "Webseiten verwalten" - -#: ../../include/conversation.php:1768 -msgctxt "noun" -msgid "Attending" -msgid_plural "Attending" -msgstr[0] "Zusage" -msgstr[1] "Zusagen" - -#: ../../include/conversation.php:1771 -msgctxt "noun" -msgid "Not Attending" -msgid_plural "Not Attending" -msgstr[0] "Absage" -msgstr[1] "Absagen" - -#: ../../include/conversation.php:1774 -msgctxt "noun" -msgid "Undecided" -msgid_plural "Undecided" -msgstr[0] " Unentschlossen" -msgstr[1] "Unentschlossene" - -#: ../../include/conversation.php:1777 -msgctxt "noun" -msgid "Agree" -msgid_plural "Agrees" -msgstr[0] "Zustimmung" -msgstr[1] "Zustimmungen" - -#: ../../include/conversation.php:1780 -msgctxt "noun" -msgid "Disagree" -msgid_plural "Disagrees" -msgstr[0] "Ablehnung" -msgstr[1] "Ablehnungen" - -#: ../../include/conversation.php:1783 -msgctxt "noun" -msgid "Abstain" -msgid_plural "Abstains" -msgstr[0] "Enthaltung" -msgstr[1] "Enthaltungen" - -#: ../../include/import.php:30 +#: ../../include/features.php:63 msgid "" -"Cannot create a duplicate channel identifier on this system. Import failed." -msgstr "Kann keinen doppelten Kanal-Identifikator auf diesem System erzeugen (Spitzname oder Hash schon belegt). Import fehlgeschlagen." +"Make birthday events timezone aware in case your friends are scattered " +"across the planet." +msgstr "Stellt für Geburtstage einen Zeitzonenbezug her, falls deine Freunde über den ganzen Planeten verstreut sind." -#: ../../include/import.php:97 -msgid "Channel clone failed. Import failed." -msgstr "Klonen des Kanals fehlgeschlagen. Import fehlgeschlagen." +#: ../../include/features.php:64 +msgid "Expert Mode" +msgstr "Expertenmodus" + +#: ../../include/features.php:64 +msgid "Enable Expert Mode to provide advanced configuration options" +msgstr "Aktiviert den Expertenmodus, der fortgeschrittene Konfigurationsoptionen zur Verfügung stellt" + +#: ../../include/features.php:65 +msgid "Premium Channel" +msgstr "Premium-Kanal" + +#: ../../include/features.php:65 +msgid "" +"Allows you to set restrictions and terms on those that connect with your " +"channel" +msgstr "Ermƶglicht es, EinschrƤnkungen und Bedingungen für Verbindungen dieses Kanals festzulegen" + +#: ../../include/features.php:70 +msgid "Post Composition Features" +msgstr "Nachbearbeitungsfunktionen" + +#: ../../include/features.php:73 +msgid "Large Photos" +msgstr "Große Fotos" + +#: ../../include/features.php:73 +msgid "" +"Include large (1024px) photo thumbnails in posts. If not enabled, use small " +"(640px) photo thumbnails" +msgstr "Große Vorschaubilder (1024px) in BeitrƤgen anzeigen. Falls nicht aktiviert, werden kleine Vorschaubilder (640px) verwendet." + +#: ../../include/features.php:74 +msgid "Automatically import channel content from other channels or feeds" +msgstr "Ermƶglicht den automatischen Import von Inhalten für diesen Kanal von anderen KanƤlen oder Feeds" + +#: ../../include/features.php:75 +msgid "Even More Encryption" +msgstr "Noch mehr Verschlüsselung" + +#: ../../include/features.php:75 +msgid "" +"Allow optional encryption of content end-to-end with a shared secret key" +msgstr "Ermƶglicht optional die zusƤtzliche Verschlüsselung von Inhalten (Ende-zu-Ende mit geteiltem Schlüssel)" + +#: ../../include/features.php:76 +msgid "Enable Voting Tools" +msgstr "Umfragewerkzeuge aktivieren" + +#: ../../include/features.php:76 +msgid "Provide a class of post which others can vote on" +msgstr "Aktiviert die Umfragewerkzeuge, um anderen die Mƶglichkeit zu geben, einem Beitrag zuzustimmen, ihn abzulehnen oder sich zu enthalten. (Muss im Beitrag selbst noch aktiviert werden.)" + +#: ../../include/features.php:77 +msgid "Delayed Posting" +msgstr "Verzƶgertes Senden" + +#: ../../include/features.php:77 +msgid "Allow posts to be published at a later date" +msgstr "Ermƶglicht es, BeitrƤge zu einem spƤteren Zeitpunkt zu verƶffentlichen" + +#: ../../include/features.php:78 +msgid "Suppress Duplicate Posts/Comments" +msgstr "Doppelte BeitrƤge unterdrücken" + +#: ../../include/features.php:78 +msgid "" +"Prevent posts with identical content to be published with less than two " +"minutes in between submissions." +msgstr "Verhindert, dass innerhalb von zwei Minuten BeitrƤge mit identischem Inhalt verƶffentlicht werden." + +#: ../../include/features.php:84 +msgid "Network and Stream Filtering" +msgstr "Netzwerk- und Stream-Filter" + +#: ../../include/features.php:85 +msgid "Search by Date" +msgstr "Suche nach Datum" + +#: ../../include/features.php:85 +msgid "Ability to select posts by date ranges" +msgstr "Mƶglichkeit, BeitrƤge nach ZeitrƤumen auszuwƤhlen" + +#: ../../include/features.php:86 ../../include/group.php:311 +msgid "Privacy Groups" +msgstr "Gruppen" + +#: ../../include/features.php:86 +msgid "Enable management and selection of privacy groups" +msgstr "Auswahl und Verwaltung von Gruppen für KanƤle aktivieren" + +#: ../../include/features.php:87 ../../include/widgets.php:281 +msgid "Saved Searches" +msgstr "Gespeicherte Suchanfragen" + +#: ../../include/features.php:87 +msgid "Save search terms for re-use" +msgstr "Ermƶglicht das Abspeichern von Suchbegriffen zur Wiederverwendung" + +#: ../../include/features.php:88 +msgid "Network Personal Tab" +msgstr "Persƶnlicher Netzwerkreiter" + +#: ../../include/features.php:88 +msgid "Enable tab to display only Network posts that you've interacted on" +msgstr "Aktiviert einen Reiter in der Grid-Ansicht, der nur Netzwerk-BeitrƤge anzeigt, mit denen Du interagiert hast" + +#: ../../include/features.php:89 +msgid "Network New Tab" +msgstr "Netzwerkreiter Neu" + +#: ../../include/features.php:89 +msgid "Enable tab to display all new Network activity" +msgstr "Aktiviert einen Reiter in der Grid-Ansicht, der alle neuen NetzwerkaktivitƤten anzeigt" + +#: ../../include/features.php:90 +msgid "Affinity Tool" +msgstr "Beziehungs-Tool" + +#: ../../include/features.php:90 +msgid "Filter stream activity by depth of relationships" +msgstr "Aktiviert ein Werkzeug in der Grid-Ansicht, das den Stream nach Grad der Beziehung filtern kann" + +#: ../../include/features.php:91 +msgid "Connection Filtering" +msgstr "Filter für Verbindungen" + +#: ../../include/features.php:91 +msgid "Filter incoming posts from connections based on keywords/content" +msgstr "Ermƶglicht die Filterung eingehender BeitrƤge anhand von Schlüsselwƶrtern (muss an der Verbindung konfiguriert werden)" + +#: ../../include/features.php:92 +msgid "Show channel suggestions" +msgstr "KanalvorschlƤge anzeigen" + +#: ../../include/features.php:97 +msgid "Post/Comment Tools" +msgstr "Beitrag-/Kommentar-Tools" + +#: ../../include/features.php:98 +msgid "Community Tagging" +msgstr "Gemeinschaftliches Verschlagworten" + +#: ../../include/features.php:98 +msgid "Ability to tag existing posts" +msgstr "Ermƶglicht das Verschlagworten existierender BeitrƤge" + +#: ../../include/features.php:99 +msgid "Post Categories" +msgstr "Beitrags-Kategorien" + +#: ../../include/features.php:99 +msgid "Add categories to your posts" +msgstr "Aktiviert Kategorien für BeitrƤge" + +#: ../../include/features.php:100 +msgid "Emoji Reactions" +msgstr "Emoji Reaktionen" + +#: ../../include/features.php:100 +msgid "Add emoji reaction ability to posts" +msgstr "Aktiviert Emoji-Reaktionen für BeitrƤge" + +#: ../../include/features.php:101 ../../include/widgets.php:310 +#: ../../include/contact_widgets.php:53 +msgid "Saved Folders" +msgstr "Gespeicherte Ordner" + +#: ../../include/features.php:101 +msgid "Ability to file posts under folders" +msgstr "Mƶglichkeit, BeitrƤge in Verzeichnissen zu sammeln" + +#: ../../include/features.php:102 +msgid "Dislike Posts" +msgstr "GefƤllt-mir-nicht-BeitrƤge" + +#: ../../include/features.php:102 +msgid "Ability to dislike posts/comments" +msgstr "Aktiviert die ā€žGefƤllt mir nichtā€œ-SchaltflƤche" + +#: ../../include/features.php:103 +msgid "Star Posts" +msgstr "BeitrƤge mit Sternchen versehen" + +#: ../../include/features.php:103 +msgid "Ability to mark special posts with a star indicator" +msgstr "Ermƶglicht die lokale Markierung spezieller BeitrƤge mit einem Sternchen-Symbol" + +#: ../../include/features.php:104 +msgid "Tag Cloud" +msgstr "Schlagwort-Wolke" + +#: ../../include/features.php:104 +msgid "Provide a personal tag cloud on your channel page" +msgstr "Aktiviert die Anzeige einer Schlagwort-Wolke (Tag Cloud) auf Deiner Kanal-Seite" + +#: ../../include/api.php:1337 +msgid "Public Timeline" +msgstr "Ɩffentliche Zeitleiste" + +#: ../../include/acl_selectors.php:269 +msgid "Who can see this?" +msgstr "Wer kann das sehen?" + +#: ../../include/acl_selectors.php:270 +msgid "Custom selection" +msgstr "Benutzerdefinierte Auswahl" + +#: ../../include/acl_selectors.php:271 +msgid "" +"Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit" +" the scope of \"Show\"." +msgstr "WƤhle \"Anzeigen\", um Betrachtung zuzulassen. \"Nicht anzeigen\" überstimmt und limitiert den Aktionsradius von \"Anzeigen\" für Ausnahmen." + +#: ../../include/acl_selectors.php:272 +msgid "Show" +msgstr "Anzeigen" + +#: ../../include/acl_selectors.php:273 +msgid "Don't show" +msgstr "Nicht anzeigen" + +#: ../../include/acl_selectors.php:279 +msgid "Other networks and post services" +msgstr "Andere Netzwerke und Platformen" + +#: ../../include/acl_selectors.php:309 +#, php-format +msgid "" +"Post permissions %s cannot be changed %s after a post is shared.
These" +" permissions set who is allowed to view the post." +msgstr "Beitragsberechtigungen %s kƶnnen nicht geƤndert werden %s, nachdem der Beitrag gesendet wurde.
Diese Berechtigungen bestimmen, wer den Beitrag sehen kann." + +#: ../../include/datetime.php:135 +msgid "Birthday" +msgstr "Geburtstag" + +#: ../../include/datetime.php:137 +msgid "Age: " +msgstr "Alter:" + +#: ../../include/datetime.php:139 +msgid "YYYY-MM-DD or MM-DD" +msgstr "JJJJ-MM-TT oder MM-TT" + +#: ../../include/datetime.php:272 ../../boot.php:2549 +msgid "never" +msgstr "Nie" + +#: ../../include/datetime.php:278 +msgid "less than a second ago" +msgstr "Vor weniger als einer Sekunde" + +#: ../../include/datetime.php:296 +#, php-format +msgctxt "e.g. 22 hours ago, 1 minute ago" +msgid "%1$d %2$s ago" +msgstr "vor %1$d %2$s" + +#: ../../include/datetime.php:307 +msgctxt "relative_date" +msgid "year" +msgid_plural "years" +msgstr[0] "Jahr" +msgstr[1] "Jahre" + +#: ../../include/datetime.php:310 +msgctxt "relative_date" +msgid "month" +msgid_plural "months" +msgstr[0] "Monat" +msgstr[1] "Monate" + +#: ../../include/datetime.php:313 +msgctxt "relative_date" +msgid "week" +msgid_plural "weeks" +msgstr[0] "Woche" +msgstr[1] "Wochen" + +#: ../../include/datetime.php:316 +msgctxt "relative_date" +msgid "day" +msgid_plural "days" +msgstr[0] "Tag" +msgstr[1] "Tage" + +#: ../../include/datetime.php:319 +msgctxt "relative_date" +msgid "hour" +msgid_plural "hours" +msgstr[0] "Stunde" +msgstr[1] "Stunden" + +#: ../../include/datetime.php:322 +msgctxt "relative_date" +msgid "minute" +msgid_plural "minutes" +msgstr[0] "Minute" +msgstr[1] "Minuten" + +#: ../../include/datetime.php:325 +msgctxt "relative_date" +msgid "second" +msgid_plural "seconds" +msgstr[0] "Sekunde" +msgstr[1] "Sekunden" + +#: ../../include/datetime.php:562 +#, php-format +msgid "%1$s's birthday" +msgstr "%1$ss Geburtstag" + +#: ../../include/datetime.php:563 +#, php-format +msgid "Happy Birthday %1$s" +msgstr "Alles Gute zum Geburtstag, %1$s" #: ../../include/selectors.php:30 msgid "Frequently" @@ -7918,6 +7615,14 @@ msgstr "Wƶchentlich" msgid "Monthly" msgstr "Monatlich" +#: ../../include/selectors.php:49 ../../include/selectors.php:66 +msgid "Male" +msgstr "MƤnnlich" + +#: ../../include/selectors.php:49 ../../include/selectors.php:66 +msgid "Female" +msgstr "Weiblich" + #: ../../include/selectors.php:49 msgid "Currently Male" msgstr "Momentan mƤnnlich" @@ -8134,20 +7839,33 @@ msgstr "Interessiert mich nicht" msgid "Ask me" msgstr "Frag mich mal" -#: ../../include/bookmarks.php:35 -#, php-format -msgid "%1$s's bookmarks" -msgstr "%1$ss Lesezeichen" +#: ../../include/follow.php:27 +msgid "Channel is blocked on this site." +msgstr "Der Kanal ist auf dieser Seite blockiert " -#: ../../include/security.php:109 -msgid "guest:" -msgstr "Gast:" +#: ../../include/follow.php:32 +msgid "Channel location missing." +msgstr "Adresse des Kanals fehlt." -#: ../../include/security.php:427 -msgid "" -"The form security token was not correct. This probably happened because the " -"form has been opened for too long (>3 hours) before submitting it." -msgstr "Das Security-Token des Formulars war nicht korrekt. Das ist wahrscheinlich passiert, weil das Formular zu lange (>3 Stunden) offen war, bevor es abgeschickt wurde." +#: ../../include/follow.php:80 +msgid "Response from remote channel was incomplete." +msgstr "Antwort des entfernten Kanals war unvollstƤndig." + +#: ../../include/follow.php:97 +msgid "Channel was deleted and no longer exists." +msgstr "Kanal wurde gelƶscht und existiert nicht mehr." + +#: ../../include/follow.php:147 ../../include/follow.php:183 +msgid "Protocol disabled." +msgstr "Protokoll deaktiviert." + +#: ../../include/follow.php:171 +msgid "Channel discovery failed." +msgstr "Kanalsuche fehlgeschlagen" + +#: ../../include/follow.php:210 +msgid "Cannot connect to yourself." +msgstr "Du kannst Dich nicht mit Dir selbst verbinden." #: ../../include/text.php:404 msgid "prev" @@ -8186,6 +7904,11 @@ msgstr "Alle Verbindungen von %s anzeigen" msgid "poke" msgstr "anstupsen" +#: ../../include/text.php:1013 ../../include/text.php:1018 +#: ../../include/conversation.php:243 +msgid "poked" +msgstr "stupste" + #: ../../include/text.php:1019 msgid "ping" msgstr "anpingen" @@ -8310,517 +8033,355 @@ msgstr "entspannt" msgid "surprised" msgstr "überrascht" -#: ../../include/text.php:1237 ../../include/js_strings.php:70 +#: ../../include/text.php:1239 ../../include/js_strings.php:70 msgid "Monday" msgstr "Montag" -#: ../../include/text.php:1237 ../../include/js_strings.php:71 +#: ../../include/text.php:1239 ../../include/js_strings.php:71 msgid "Tuesday" msgstr "Dienstag" -#: ../../include/text.php:1237 ../../include/js_strings.php:72 +#: ../../include/text.php:1239 ../../include/js_strings.php:72 msgid "Wednesday" msgstr "Mittwoch" -#: ../../include/text.php:1237 ../../include/js_strings.php:73 +#: ../../include/text.php:1239 ../../include/js_strings.php:73 msgid "Thursday" msgstr "Donnerstag" -#: ../../include/text.php:1237 ../../include/js_strings.php:74 +#: ../../include/text.php:1239 ../../include/js_strings.php:74 msgid "Friday" msgstr "Freitag" -#: ../../include/text.php:1237 ../../include/js_strings.php:75 +#: ../../include/text.php:1239 ../../include/js_strings.php:75 msgid "Saturday" msgstr "Samstag" -#: ../../include/text.php:1237 ../../include/js_strings.php:69 +#: ../../include/text.php:1239 ../../include/js_strings.php:69 msgid "Sunday" msgstr "Sonntag" -#: ../../include/text.php:1241 ../../include/js_strings.php:45 +#: ../../include/text.php:1243 ../../include/js_strings.php:45 msgid "January" msgstr "Januar" -#: ../../include/text.php:1241 ../../include/js_strings.php:46 +#: ../../include/text.php:1243 ../../include/js_strings.php:46 msgid "February" msgstr "Februar" -#: ../../include/text.php:1241 ../../include/js_strings.php:47 +#: ../../include/text.php:1243 ../../include/js_strings.php:47 msgid "March" msgstr "MƤrz" -#: ../../include/text.php:1241 ../../include/js_strings.php:48 +#: ../../include/text.php:1243 ../../include/js_strings.php:48 msgid "April" msgstr "April" -#: ../../include/text.php:1241 +#: ../../include/text.php:1243 msgid "May" msgstr "Mai" -#: ../../include/text.php:1241 ../../include/js_strings.php:50 +#: ../../include/text.php:1243 ../../include/js_strings.php:50 msgid "June" msgstr "Juni" -#: ../../include/text.php:1241 ../../include/js_strings.php:51 +#: ../../include/text.php:1243 ../../include/js_strings.php:51 msgid "July" msgstr "Juli" -#: ../../include/text.php:1241 ../../include/js_strings.php:52 +#: ../../include/text.php:1243 ../../include/js_strings.php:52 msgid "August" msgstr "August" -#: ../../include/text.php:1241 ../../include/js_strings.php:53 +#: ../../include/text.php:1243 ../../include/js_strings.php:53 msgid "September" msgstr "September" -#: ../../include/text.php:1241 ../../include/js_strings.php:54 +#: ../../include/text.php:1243 ../../include/js_strings.php:54 msgid "October" msgstr "Oktober" -#: ../../include/text.php:1241 ../../include/js_strings.php:55 +#: ../../include/text.php:1243 ../../include/js_strings.php:55 msgid "November" msgstr "November" -#: ../../include/text.php:1241 ../../include/js_strings.php:56 +#: ../../include/text.php:1243 ../../include/js_strings.php:56 msgid "December" msgstr "Dezember" -#: ../../include/text.php:1318 ../../include/text.php:1322 +#: ../../include/text.php:1320 ../../include/text.php:1324 msgid "Unknown Attachment" msgstr "Unbekannter Anhang" -#: ../../include/text.php:1324 +#: ../../include/text.php:1326 msgid "unknown" msgstr "unbekannt" -#: ../../include/text.php:1360 +#: ../../include/text.php:1362 msgid "remove category" msgstr "Kategorie entfernen" -#: ../../include/text.php:1437 +#: ../../include/text.php:1439 msgid "remove from file" msgstr "aus der Datei entfernen" -#: ../../include/text.php:1734 ../../include/text.php:1805 +#: ../../include/text.php:1738 ../../include/text.php:1809 msgid "default" msgstr "Standard" -#: ../../include/text.php:1742 +#: ../../include/text.php:1746 msgid "Page layout" msgstr "Seiten-Layout" -#: ../../include/text.php:1742 +#: ../../include/text.php:1746 msgid "You can create your own with the layouts tool" msgstr "Mit dem Gestaltungswerkzeug kannst Du Deine eigenen Layouts erstellen" -#: ../../include/text.php:1784 +#: ../../include/text.php:1788 msgid "Page content type" msgstr "Art des Seiteninhalts" -#: ../../include/text.php:1817 +#: ../../include/text.php:1821 msgid "Select an alternate language" msgstr "WƤhle eine alternative Sprache" -#: ../../include/text.php:1934 +#: ../../include/text.php:1958 msgid "activity" msgstr "AktivitƤt" -#: ../../include/text.php:2235 +#: ../../include/text.php:2259 msgid "Design Tools" msgstr "Gestaltungswerkzeuge" -#: ../../include/text.php:2241 +#: ../../include/text.php:2265 msgid "Pages" msgstr "Seiten" -#: ../../include/auth.php:147 -msgid "Logged out." -msgstr "Ausgeloggt." - -#: ../../include/auth.php:274 -msgid "Failed authentication" -msgstr "Authentifizierung fehlgeschlagen" - -#: ../../include/permissions.php:26 -msgid "Can view my normal stream and posts" -msgstr "Kann meine normalen BeitrƤge sehen" - -#: ../../include/permissions.php:30 -msgid "Can view my webpages" -msgstr "Kann meine Webseiten sehen" - -#: ../../include/permissions.php:34 -msgid "Can post on my channel page (\"wall\")" -msgstr "Kann auf meiner Kanal-Seite (\"wall\") BeitrƤge verƶffentlichen" - -#: ../../include/permissions.php:37 -msgid "Can like/dislike stuff" -msgstr "Kann andere Elemente mƶgen/nicht mƶgen" - -#: ../../include/permissions.php:37 -msgid "Profiles and things other than posts/comments" -msgstr "Profile und alles außer BeitrƤge und Kommentare" - -#: ../../include/permissions.php:39 -msgid "Can forward to all my channel contacts via post @mentions" -msgstr "Kann an alle meine Kontakte via @-ErwƤhnung Nachrichten weiterleiten" - -#: ../../include/permissions.php:39 -msgid "Advanced - useful for creating group forum channels" -msgstr "Fortgeschritten - sinnvoll, um Gruppen-KanƤle/-Foren zu erstellen" - -#: ../../include/permissions.php:40 -msgid "Can chat with me (when available)" -msgstr "Kann mit mir chatten (wenn verfügbar)" - -#: ../../include/permissions.php:41 -msgid "Can write to my file storage and photos" -msgstr "Kann in meine Datei- und Bilderordner schreiben" - -#: ../../include/permissions.php:42 -msgid "Can edit my webpages" -msgstr "Kann meine Webseiten bearbeiten" - -#: ../../include/permissions.php:44 -msgid "Somewhat advanced - very useful in open communities" -msgstr "Etwas fortgeschritten – sehr nützlich in offenen Gemeinschaften" - -#: ../../include/permissions.php:46 -msgid "Can administer my channel resources" -msgstr "Kann meine KanƤle administrieren" - -#: ../../include/permissions.php:46 -msgid "" -"Extremely advanced. Leave this alone unless you know what you are doing" -msgstr "Sehr fortgeschritten. Bearbeite das nur, wenn Du genau weißt, was Du tust" - -#: ../../include/features.php:48 -msgid "General Features" -msgstr "Allgemeine Funktionen" - -#: ../../include/features.php:50 -msgid "Content Expiration" -msgstr "Verfall von Inhalten" - -#: ../../include/features.php:50 -msgid "Remove posts/comments and/or private messages at a future time" -msgstr "Ermƶglicht das automatische Lƶschen von BeitrƤgen, Kommentaren und/oder privaten Nachrichten zu einem zukünftigen Datum." - -#: ../../include/features.php:51 -msgid "Multiple Profiles" -msgstr "Mehrfachprofile" - -#: ../../include/features.php:51 -msgid "Ability to create multiple profiles" -msgstr "Ermƶglicht das Anlegen mehrerer Profile pro Kanal" - -#: ../../include/features.php:52 -msgid "Advanced Profiles" -msgstr "Erweiterte Profile" - -#: ../../include/features.php:52 -msgid "Additional profile sections and selections" -msgstr "Stellt zusƤtzliche Bereiche und Felder im Profil zur Verfügung" - -#: ../../include/features.php:53 -msgid "Profile Import/Export" -msgstr "Profil-Import/Export" - -#: ../../include/features.php:53 -msgid "Save and load profile details across sites/channels" -msgstr "Ermƶglicht das Speichern von Profilen, um sie in einen anderen Kanal zu importieren" - -#: ../../include/features.php:54 -msgid "Web Pages" -msgstr "Webseiten" - -#: ../../include/features.php:54 -msgid "Provide managed web pages on your channel" -msgstr "Ermƶglicht das Erstellen von Webseiten in Deinem Kanal" - -#: ../../include/features.php:55 -msgid "Provide a wiki for your channel" -msgstr "Stelle ein Wiki in Deinem Kanal zur Verfügung" - -#: ../../include/features.php:56 -msgid "Hide Rating" -msgstr "Bewertung verbergen" - -#: ../../include/features.php:56 -msgid "" -"Hide the rating buttons on your channel and profile pages. Note: People can " -"still rate you somewhere else." -msgstr "Verberge die Buttons zur Bewertung auf deiner Profil-Seite und deinem Kanal. Hinweis: Leute kƶnnen dich weiterhin andernorts bewerten." - -#: ../../include/features.php:57 -msgid "Private Notes" -msgstr "Private Notizen" - -#: ../../include/features.php:57 -msgid "Enables a tool to store notes and reminders (note: not encrypted)" -msgstr "Aktiviert ein Werkzeug mit dem Notizen und Erinnerungen gespeichert werden kƶnnen (Hinweis: nicht verschlüsselt)" - -#: ../../include/features.php:58 -msgid "Navigation Channel Select" -msgstr "Kanal-Auswahl in der Navigationsleiste" - -#: ../../include/features.php:58 -msgid "Change channels directly from within the navigation dropdown menu" -msgstr "Ermƶglicht den direkten Wechsel zu anderen KanƤlen über das Navigationsmenü" - -#: ../../include/features.php:59 -msgid "Photo Location" -msgstr "Aufnahmeort" - -#: ../../include/features.php:59 -msgid "If location data is available on uploaded photos, link this to a map." -msgstr "Verlinkt den Aufnahmeort von Fotos (falls verfügbar) auf einer Karte" - -#: ../../include/features.php:60 -msgid "Access Controlled Chatrooms" -msgstr "Zugriffskontrollierte ChatrƤume" - -#: ../../include/features.php:60 -msgid "Provide chatrooms and chat services with access control." -msgstr "Bieten Sie ChatrƤume und Chatdienste mit Zugriffskontrolle an." - -#: ../../include/features.php:61 -msgid "Smart Birthdays" -msgstr "Smarte Geburtstage" - -#: ../../include/features.php:61 -msgid "" -"Make birthday events timezone aware in case your friends are scattered " -"across the planet." -msgstr "Stellt für Geburtstage einen Zeitzonenbezug her, falls deine Freunde über den ganzen Planeten verstreut sind." - -#: ../../include/features.php:62 -msgid "Expert Mode" -msgstr "Expertenmodus" - -#: ../../include/features.php:62 -msgid "Enable Expert Mode to provide advanced configuration options" -msgstr "Aktiviert den Expertenmodus, der fortgeschrittene Konfigurationsoptionen zur Verfügung stellt" - -#: ../../include/features.php:63 -msgid "Premium Channel" -msgstr "Premium-Kanal" - -#: ../../include/features.php:63 -msgid "" -"Allows you to set restrictions and terms on those that connect with your " -"channel" -msgstr "Ermƶglicht es, EinschrƤnkungen und Bedingungen für Verbindungen dieses Kanals festzulegen" - -#: ../../include/features.php:68 -msgid "Post Composition Features" -msgstr "Nachbearbeitungsfunktionen" - -#: ../../include/features.php:71 -msgid "Large Photos" -msgstr "Große Fotos" - -#: ../../include/features.php:71 -msgid "" -"Include large (1024px) photo thumbnails in posts. If not enabled, use small " -"(640px) photo thumbnails" -msgstr "Große Vorschaubilder (1024px) in BeitrƤgen anzeigen. Falls nicht aktiviert, werden kleine Vorschaubilder (640px) verwendet." - -#: ../../include/features.php:72 -msgid "Automatically import channel content from other channels or feeds" -msgstr "Ermƶglicht den automatischen Import von Inhalten für diesen Kanal von anderen KanƤlen oder Feeds" - -#: ../../include/features.php:73 -msgid "Even More Encryption" -msgstr "Noch mehr Verschlüsselung" - -#: ../../include/features.php:73 -msgid "" -"Allow optional encryption of content end-to-end with a shared secret key" -msgstr "Ermƶglicht optional die zusƤtzliche Verschlüsselung von Inhalten (Ende-zu-Ende mit geteiltem Schlüssel)" - -#: ../../include/features.php:74 -msgid "Enable Voting Tools" -msgstr "Umfragewerkzeuge aktivieren" - -#: ../../include/features.php:74 -msgid "Provide a class of post which others can vote on" -msgstr "Aktiviert die Umfragewerkzeuge, um anderen die Mƶglichkeit zu geben, einem Beitrag zuzustimmen, ihn abzulehnen oder sich zu enthalten. (Muss im Beitrag selbst noch aktiviert werden.)" - -#: ../../include/features.php:75 -msgid "Delayed Posting" -msgstr "Verzƶgertes Senden" - -#: ../../include/features.php:75 -msgid "Allow posts to be published at a later date" -msgstr "Ermƶglicht es, BeitrƤge zu einem spƤteren Zeitpunkt zu verƶffentlichen" - -#: ../../include/features.php:76 -msgid "Suppress Duplicate Posts/Comments" -msgstr "Doppelte BeitrƤge unterdrücken" - -#: ../../include/features.php:76 -msgid "" -"Prevent posts with identical content to be published with less than two " -"minutes in between submissions." -msgstr "Verhindert, dass innerhalb von zwei Minuten BeitrƤge mit identischem Inhalt verƶffentlicht werden." - -#: ../../include/features.php:82 -msgid "Network and Stream Filtering" -msgstr "Netzwerk- und Stream-Filter" - -#: ../../include/features.php:83 -msgid "Search by Date" -msgstr "Suche nach Datum" - -#: ../../include/features.php:83 -msgid "Ability to select posts by date ranges" -msgstr "Mƶglichkeit, BeitrƤge nach ZeitrƤumen auszuwƤhlen" - -#: ../../include/features.php:84 ../../include/group.php:311 -msgid "Privacy Groups" -msgstr "Gruppen" - -#: ../../include/features.php:84 -msgid "Enable management and selection of privacy groups" -msgstr "Auswahl und Verwaltung von Gruppen für KanƤle aktivieren" - -#: ../../include/features.php:85 ../../include/widgets.php:281 -msgid "Saved Searches" -msgstr "Gespeicherte Suchanfragen" - -#: ../../include/features.php:85 -msgid "Save search terms for re-use" -msgstr "Ermƶglicht das Abspeichern von Suchbegriffen zur Wiederverwendung" - -#: ../../include/features.php:86 -msgid "Network Personal Tab" -msgstr "Persƶnlicher Netzwerkreiter" - -#: ../../include/features.php:86 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "Aktiviert einen Reiter in der Grid-Ansicht, der nur Netzwerk-BeitrƤge anzeigt, mit denen Du interagiert hast" - -#: ../../include/features.php:87 -msgid "Network New Tab" -msgstr "Netzwerkreiter Neu" - -#: ../../include/features.php:87 -msgid "Enable tab to display all new Network activity" -msgstr "Aktiviert einen Reiter in der Grid-Ansicht, der alle neuen NetzwerkaktivitƤten anzeigt" - -#: ../../include/features.php:88 -msgid "Affinity Tool" -msgstr "Beziehungs-Tool" - -#: ../../include/features.php:88 -msgid "Filter stream activity by depth of relationships" -msgstr "Aktiviert ein Werkzeug in der Grid-Ansicht, das den Stream nach Grad der Beziehung filtern kann" - -#: ../../include/features.php:89 -msgid "Connection Filtering" -msgstr "Filter für Verbindungen" - -#: ../../include/features.php:89 -msgid "Filter incoming posts from connections based on keywords/content" -msgstr "Ermƶglicht die Filterung eingehender BeitrƤge anhand von Schlüsselwƶrtern (muss an der Verbindung konfiguriert werden)" - -#: ../../include/features.php:90 -msgid "Show channel suggestions" -msgstr "KanalvorschlƤge anzeigen" - -#: ../../include/features.php:95 -msgid "Post/Comment Tools" -msgstr "Beitrag-/Kommentar-Tools" - -#: ../../include/features.php:96 -msgid "Community Tagging" -msgstr "Gemeinschaftliches Verschlagworten" - -#: ../../include/features.php:96 -msgid "Ability to tag existing posts" -msgstr "Ermƶglicht das Verschlagworten existierender BeitrƤge" - -#: ../../include/features.php:97 -msgid "Post Categories" -msgstr "Beitrags-Kategorien" - -#: ../../include/features.php:97 -msgid "Add categories to your posts" -msgstr "Aktiviert Kategorien für BeitrƤge" - -#: ../../include/features.php:98 -msgid "Emoji Reactions" -msgstr "Emoji Reaktionen" - -#: ../../include/features.php:98 -msgid "Add emoji reaction ability to posts" -msgstr "Aktiviert Emoji-Reaktionen für BeitrƤge" - -#: ../../include/features.php:99 ../../include/widgets.php:310 -#: ../../include/contact_widgets.php:53 -msgid "Saved Folders" -msgstr "Gespeicherte Ordner" - -#: ../../include/features.php:99 -msgid "Ability to file posts under folders" -msgstr "Mƶglichkeit, BeitrƤge in Verzeichnissen zu sammeln" - -#: ../../include/features.php:100 -msgid "Dislike Posts" -msgstr "GefƤllt-mir-nicht-BeitrƤge" - -#: ../../include/features.php:100 -msgid "Ability to dislike posts/comments" -msgstr "Aktiviert die ā€žGefƤllt mir nichtā€œ-SchaltflƤche" - -#: ../../include/features.php:101 -msgid "Star Posts" -msgstr "BeitrƤge mit Sternchen versehen" - -#: ../../include/features.php:101 -msgid "Ability to mark special posts with a star indicator" -msgstr "Ermƶglicht die lokale Markierung spezieller BeitrƤge mit einem Sternchen-Symbol" - -#: ../../include/features.php:102 -msgid "Tag Cloud" -msgstr "Schlagwort-Wolke" - -#: ../../include/features.php:102 -msgid "Provide a personal tag cloud on your channel page" -msgstr "Aktiviert die Anzeige einer Schlagwort-Wolke (Tag Cloud) auf Deiner Kanal-Seite" - -#: ../../include/group.php:26 -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 "Es hat früher schon einmal eine Gruppe mit diesem Namen existiert, die gelƶscht wurde. Es kƶnnten von damals noch Elemente (BeitrƤge, Dateien etc.) vorhanden sein, die allen jetzigen und zukünftigen Mitgliedern dieser Gruppe den Zugriff erlauben. Wenn das nicht Deine Absicht ist, erstelle bitte eine neue Gruppe mit einem anderen Namen." - -#: ../../include/group.php:248 -msgid "Add new connections to this privacy group" -msgstr "Neue Verbindung zu dieser Gruppe hinzufügen" - -#: ../../include/group.php:289 -msgid "edit" -msgstr "Bearbeiten" - -#: ../../include/group.php:312 -msgid "Edit group" -msgstr "Gruppe Ƥndern" - -#: ../../include/group.php:313 -msgid "Add privacy group" -msgstr "Gruppe hinzufügen" - -#: ../../include/group.php:314 -msgid "Channels not in any privacy group" -msgstr "KanƤle, die in keiner Gruppe sind" - -#: ../../include/group.php:316 ../../include/widgets.php:282 -msgid "add" -msgstr "hinzufügen" +#: ../../include/text.php:2287 +msgid "Import website..." +msgstr "Webseite importieren..." + +#: ../../include/text.php:2288 +msgid "Select folder to import" +msgstr "Ordner zum Importieren auswƤhlen" + +#: ../../include/text.php:2289 +msgid "Import from a zipped folder:" +msgstr "Aus einem gezippten Ordner importieren:" + +#: ../../include/text.php:2290 +msgid "Import from cloud files:" +msgstr "Aus Cloud-Dateien importieren:" + +#: ../../include/text.php:2291 +msgid "/cloud/channel/path/to/folder" +msgstr "/Cloud/Kanal/Pfad/zum/Ordner" + +#: ../../include/text.php:2292 +msgid "Enter path to website files" +msgstr "Pfad zu Webseitendateien eingeben" + +#: ../../include/text.php:2293 +msgid "Select folder" +msgstr "Ordner auswƤhlen" + +#: ../../include/nav.php:84 ../../include/nav.php:117 ../../boot.php:1712 +msgid "Logout" +msgstr "Abmelden" + +#: ../../include/nav.php:84 ../../include/nav.php:117 +msgid "End this session" +msgstr "Beende diese Sitzung" + +#: ../../include/nav.php:87 ../../include/nav.php:148 +msgid "Home" +msgstr "Home" + +#: ../../include/nav.php:87 +msgid "Your posts and conversations" +msgstr "Deine BeitrƤge und Unterhaltungen" + +#: ../../include/nav.php:88 +msgid "Your profile page" +msgstr "Deine Profilseite" + +#: ../../include/nav.php:90 +msgid "Manage/Edit profiles" +msgstr "Profile verwalten" + +#: ../../include/nav.php:92 ../../include/channel.php:963 +msgid "Edit Profile" +msgstr "Profile bearbeiten" + +#: ../../include/nav.php:92 +msgid "Edit your profile" +msgstr "Profil bearbeiten" + +#: ../../include/nav.php:94 +msgid "Your photos" +msgstr "Deine Bilder" + +#: ../../include/nav.php:95 +msgid "Your files" +msgstr "Deine Dateien" + +#: ../../include/nav.php:98 +msgid "Your chatrooms" +msgstr "Deine ChatrƤume" + +#: ../../include/nav.php:104 ../../include/conversation.php:1695 +msgid "Bookmarks" +msgstr "Lesezeichen" + +#: ../../include/nav.php:104 +msgid "Your bookmarks" +msgstr "Deine Lesezeichen" + +#: ../../include/nav.php:108 +msgid "Your webpages" +msgstr "Deine Webseiten" + +#: ../../include/nav.php:110 +msgid "Your wiki" +msgstr "Dein Wiki" + +#: ../../include/nav.php:114 +msgid "Sign in" +msgstr "Anmelden" + +#: ../../include/nav.php:131 +#, php-format +msgid "%s - click to logout" +msgstr "%s - Klick zum Abmelden" + +#: ../../include/nav.php:134 +msgid "Remote authentication" +msgstr "Über Konto auf anderem Server einloggen" + +#: ../../include/nav.php:134 +msgid "Click to authenticate to your home hub" +msgstr "Klicke, um Dich über Deinen Heimat-Server zu authentifizieren" + +#: ../../include/nav.php:148 +msgid "Home Page" +msgstr "Homepage" + +#: ../../include/nav.php:151 +msgid "Create an account" +msgstr "Erzeuge ein Konto" + +#: ../../include/nav.php:163 +msgid "Help and documentation" +msgstr "Hilfe und Dokumentation" + +#: ../../include/nav.php:167 +msgid "Applications, utilities, links, games" +msgstr "Anwendungen (Apps), Zubehƶr, Links, Spiele" + +#: ../../include/nav.php:169 +msgid "Search site @name, #tag, ?docs, content" +msgstr "Hub durchsuchen: @Name. #Schlagwort, ?Dokumentation, Inhalt" + +#: ../../include/nav.php:171 +msgid "Channel Directory" +msgstr "Kanal-Verzeichnis" + +#: ../../include/nav.php:183 +msgid "Your grid" +msgstr "Dein Grid" + +#: ../../include/nav.php:184 +msgid "Mark all grid notifications seen" +msgstr "Alle Grid-Benachrichtigungen als angesehen markieren" + +#: ../../include/nav.php:186 +msgid "Channel home" +msgstr "Mein Kanal" + +#: ../../include/nav.php:187 +msgid "Mark all channel notifications seen" +msgstr "Markiere alle Kanal-Benachrichtigungen als angesehen" + +#: ../../include/nav.php:193 +msgid "Notices" +msgstr "Benachrichtigungen" + +#: ../../include/nav.php:193 +msgid "Notifications" +msgstr "Benachrichtigungen" + +#: ../../include/nav.php:194 +msgid "See all notifications" +msgstr "Alle Benachrichtigungen ansehen" + +#: ../../include/nav.php:197 +msgid "Private mail" +msgstr "Persƶnliche Mail" + +#: ../../include/nav.php:198 +msgid "See all private messages" +msgstr "Alle persƶnlichen Nachrichten ansehen" + +#: ../../include/nav.php:199 +msgid "Mark all private messages seen" +msgstr "Markiere alle persƶnlichen Nachrichten als gesehen" + +#: ../../include/nav.php:200 ../../include/widgets.php:667 +msgid "Inbox" +msgstr "Eingang" + +#: ../../include/nav.php:201 ../../include/widgets.php:672 +msgid "Outbox" +msgstr "Ausgang" + +#: ../../include/nav.php:202 ../../include/widgets.php:677 +msgid "New Message" +msgstr "Neue Nachricht" + +#: ../../include/nav.php:205 +msgid "Event Calendar" +msgstr "Terminkalender" + +#: ../../include/nav.php:206 +msgid "See all events" +msgstr "Alle Termine ansehen" + +#: ../../include/nav.php:207 +msgid "Mark all events seen" +msgstr "Markiere alle Termine als gesehen" + +#: ../../include/nav.php:210 +msgid "Manage Your Channels" +msgstr "Verwalte Deine KanƤle" + +#: ../../include/nav.php:212 +msgid "Account/Channel Settings" +msgstr "Konto-/Kanal-Einstellungen" + +#: ../../include/nav.php:220 ../../include/widgets.php:1524 +msgid "Admin" +msgstr "Administration" + +#: ../../include/nav.php:220 +msgid "Site Setup and Configuration" +msgstr "Seiten-Einrichtung und -Konfiguration" + +#: ../../include/nav.php:251 ../../include/conversation.php:855 +msgid "Loading..." +msgstr "LƤdt ..." + +#: ../../include/nav.php:256 +msgid "@name, #tag, ?doc, content" +msgstr "@Name, #Schlagwort, ?Dokumentation, Inhalt" + +#: ../../include/nav.php:257 +msgid "Please wait..." +msgstr "Bitte warten..." + +#: ../../include/bookmarks.php:35 +#, php-format +msgid "%1$s's bookmarks" +msgstr "%1$ss Lesezeichen" #: ../../include/event.php:22 ../../include/event.php:69 #: ../../include/bb2diaspora.php:485 @@ -8861,513 +8422,251 @@ msgstr "In Bearbeitung" msgid "Cancelled" msgstr "gestrichen" -#: ../../include/account.php:28 -msgid "Not a valid email address" -msgstr "Ungültige E-Mail-Adresse" - -#: ../../include/account.php:30 -msgid "Your email domain is not among those allowed on this site" -msgstr "Deine E-Mail-Adresse ist auf dieser Seite nicht erlaubt" - -#: ../../include/account.php:36 -msgid "Your email address is already registered at this site." -msgstr "Deine E-Mail-Adresse ist auf dieser Seite bereits registriert." - -#: ../../include/account.php:68 -msgid "An invitation is required." -msgstr "Eine Einladung wird benƶtigt." - -#: ../../include/account.php:72 -msgid "Invitation could not be verified." -msgstr "Die Einladung konnte nicht bestƤtigt werden." - -#: ../../include/account.php:122 -msgid "Please enter the required information." -msgstr "Bitte gib die benƶtigten Informationen ein." - -#: ../../include/account.php:189 -msgid "Failed to store account information." -msgstr "Speichern der Nutzerkontodaten fehlgeschlagen." - -#: ../../include/account.php:249 -#, php-format -msgid "Registration confirmation for %s" -msgstr "RegistrierungsbestƤtigung für %s" - -#: ../../include/account.php:315 -#, php-format -msgid "Registration request at %s" -msgstr "Registrierungsanfrage auf %s" - -#: ../../include/account.php:339 -msgid "your registration password" -msgstr "Dein Registrierungspasswort" - -#: ../../include/account.php:342 ../../include/account.php:402 -#, php-format -msgid "Registration details for %s" -msgstr "Registrierungsdetails für %s" - -#: ../../include/account.php:414 -msgid "Account approved." -msgstr "Nutzerkonto bestƤtigt." - -#: ../../include/account.php:454 -#, php-format -msgid "Registration revoked for %s" -msgstr "Registrierung für %s wurde widerrufen" - -#: ../../include/account.php:739 ../../include/account.php:741 -msgid "Click here to upgrade." -msgstr "Klicke hier, um das Upgrade durchzuführen." - -#: ../../include/account.php:747 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "Diese Aktion überschreitet die Grenzen Ihres Abonnements." - -#: ../../include/account.php:752 -msgid "This action is not available under your subscription plan." -msgstr "Diese Aktion ist in Ihrem Abonnement nicht verfügbar." - -#: ../../include/follow.php:27 -msgid "Channel is blocked on this site." -msgstr "Der Kanal ist auf dieser Seite blockiert " - -#: ../../include/follow.php:32 -msgid "Channel location missing." -msgstr "Adresse des Kanals fehlt." - -#: ../../include/follow.php:80 -msgid "Response from remote channel was incomplete." -msgstr "Antwort des entfernten Kanals war unvollstƤndig." - -#: ../../include/follow.php:97 -msgid "Channel was deleted and no longer exists." -msgstr "Kanal wurde gelƶscht und existiert nicht mehr." - -#: ../../include/follow.php:147 ../../include/follow.php:183 -msgid "Protocol disabled." -msgstr "Protokoll deaktiviert." - -#: ../../include/follow.php:171 -msgid "Channel discovery failed." -msgstr "Kanalsuche fehlgeschlagen" - -#: ../../include/follow.php:210 -msgid "Cannot connect to yourself." -msgstr "Du kannst Dich nicht mit Dir selbst verbinden." - -#: ../../include/attach.php:247 ../../include/attach.php:333 -msgid "Item was not found." -msgstr "Beitrag wurde nicht gefunden." - -#: ../../include/attach.php:499 -msgid "No source file." -msgstr "Keine Quelldatei." - -#: ../../include/attach.php:521 -msgid "Cannot locate file to replace" -msgstr "Kann Datei zum Ersetzen nicht finden" - -#: ../../include/attach.php:539 -msgid "Cannot locate file to revise/update" -msgstr "Kann Datei zum Prüfen/Aktualisieren nicht finden" - -#: ../../include/attach.php:674 -#, php-format -msgid "File exceeds size limit of %d" -msgstr "Datei überschreitet das Größen-Limit von %d" - -#: ../../include/attach.php:688 -#, php-format -msgid "You have reached your limit of %1$.0f Mbytes attachment storage." -msgstr "Die Größe Deiner Datei-AnhƤnge hat das Maximum von %1$.0f MByte erreicht." - -#: ../../include/attach.php:846 -msgid "File upload failed. Possible system limit or action terminated." -msgstr "Datei-Upload fehlgeschlagen. Mƶgliche Systembegrenzung oder abgebrochener Prozess." - -#: ../../include/attach.php:859 -msgid "Stored file could not be verified. Upload failed." -msgstr "Gespeichert Datei konnte nicht verifiziert werden. Upload abgebrochen." - -#: ../../include/attach.php:915 ../../include/attach.php:931 -msgid "Path not available." -msgstr "Pfad nicht verfügbar." - -#: ../../include/attach.php:977 ../../include/attach.php:1129 -msgid "Empty pathname" -msgstr "Leere Pfadangabe" - -#: ../../include/attach.php:1003 -msgid "duplicate filename or path" -msgstr "doppelter Dateiname oder Pfad" - -#: ../../include/attach.php:1025 -msgid "Path not found." -msgstr "Pfad nicht gefunden." - -#: ../../include/attach.php:1083 -msgid "mkdir failed." -msgstr "mkdir fehlgeschlagen." - -#: ../../include/attach.php:1087 -msgid "database storage failed." -msgstr "Speichern in der Datenbank fehlgeschlagen." - -#: ../../include/attach.php:1135 -msgid "Empty path" -msgstr "Leere Pfadangabe" - -#: ../../include/bbcode.php:123 ../../include/bbcode.php:878 -#: ../../include/bbcode.php:881 ../../include/bbcode.php:886 -#: ../../include/bbcode.php:889 ../../include/bbcode.php:892 -#: ../../include/bbcode.php:895 ../../include/bbcode.php:900 -#: ../../include/bbcode.php:903 ../../include/bbcode.php:908 -#: ../../include/bbcode.php:911 ../../include/bbcode.php:914 -#: ../../include/bbcode.php:917 -msgid "Image/photo" -msgstr "Bild/Foto" - -#: ../../include/bbcode.php:162 ../../include/bbcode.php:928 -msgid "Encrypted content" -msgstr "Verschlüsselter Inhalt" - -#: ../../include/bbcode.php:178 -#, php-format -msgid "Install %s element: " -msgstr "Element %s installieren: " - -#: ../../include/bbcode.php:182 -#, php-format +#: ../../include/group.php:26 msgid "" -"This post contains an installable %s element, however you lack permissions " -"to install it on this site." -msgstr "Dieser Beitrag beinhaltet ein installierbares %s Element, aber Du hast nicht die nƶtigen Rechte, um es auf diesem Hub zu installieren." +"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 "Es hat früher schon einmal eine Gruppe mit diesem Namen existiert, die gelƶscht wurde. Es kƶnnten von damals noch Elemente (BeitrƤge, Dateien etc.) vorhanden sein, die allen jetzigen und zukünftigen Mitgliedern dieser Gruppe den Zugriff erlauben. Wenn das nicht Deine Absicht ist, erstelle bitte eine neue Gruppe mit einem anderen Namen." -#: ../../include/bbcode.php:261 +#: ../../include/group.php:248 +msgid "Add new connections to this privacy group" +msgstr "Neue Verbindung zu dieser Gruppe hinzufügen" + +#: ../../include/group.php:289 +msgid "edit" +msgstr "Bearbeiten" + +#: ../../include/group.php:312 +msgid "Edit group" +msgstr "Gruppe Ƥndern" + +#: ../../include/group.php:313 +msgid "Add privacy group" +msgstr "Gruppe hinzufügen" + +#: ../../include/group.php:314 +msgid "Channels not in any privacy group" +msgstr "KanƤle, die in keiner Gruppe sind" + +#: ../../include/group.php:316 ../../include/widgets.php:282 +msgid "add" +msgstr "hinzufügen" + +#: ../../include/page_widgets.php:7 +msgid "New Page" +msgstr "Neue Seite" + +#: ../../include/page_widgets.php:46 +msgid "Title" +msgstr "Titel" + +#: ../../include/channel.php:33 +msgid "Unable to obtain identity information from database" +msgstr "Kann keine IdentitƤts-Informationen aus Datenbank beziehen" + +#: ../../include/channel.php:67 +msgid "Empty name" +msgstr "Namensfeld leer" + +#: ../../include/channel.php:70 +msgid "Name too long" +msgstr "Name ist zu lang" + +#: ../../include/channel.php:181 +msgid "No account identifier" +msgstr "Keine Account-Kennung" + +#: ../../include/channel.php:193 +msgid "Nickname is required." +msgstr "Spitzname ist erforderlich." + +#: ../../include/channel.php:207 +msgid "Reserved nickname. Please choose another." +msgstr "Reservierter Kurzname. Bitte wƤhle einen anderen." + +#: ../../include/channel.php:212 +msgid "" +"Nickname has unsupported characters or is already being used on this site." +msgstr "Der Spitzname enthƤlt nicht-unterstütze Zeichen oder wird bereits auf dieser Seite genutzt." + +#: ../../include/channel.php:272 +msgid "Unable to retrieve created identity" +msgstr "Kann die erstellte IdentitƤt nicht empfangen" + +#: ../../include/channel.php:341 +msgid "Default Profile" +msgstr "Standard-Profil" + +#: ../../include/channel.php:813 +msgid "Requested channel is not available." +msgstr "Angeforderte Kanal nicht verfügbar." + +#: ../../include/channel.php:960 +msgid "Create New Profile" +msgstr "Neues Profil erstellen" + +#: ../../include/channel.php:980 +msgid "Visible to everybody" +msgstr "Für jeden sichtbar" + +#: ../../include/channel.php:1053 ../../include/channel.php:1166 +msgid "Gender:" +msgstr "Geschlecht:" + +#: ../../include/channel.php:1054 ../../include/channel.php:1210 +msgid "Status:" +msgstr "Status:" + +#: ../../include/channel.php:1055 ../../include/channel.php:1221 +msgid "Homepage:" +msgstr "Homepage:" + +#: ../../include/channel.php:1056 +msgid "Online Now" +msgstr "gerade online" + +#: ../../include/channel.php:1171 +msgid "Like this channel" +msgstr "Dieser Kanal gefƤllt mir" + +#: ../../include/channel.php:1195 +msgid "j F, Y" +msgstr "j. F Y" + +#: ../../include/channel.php:1196 +msgid "j F" +msgstr "j. F" + +#: ../../include/channel.php:1203 +msgid "Birthday:" +msgstr "Geburtstag:" + +#: ../../include/channel.php:1216 #, php-format -msgid "%1$s wrote the following %2$s %3$s" -msgstr "%1$s schrieb den folgenden %2$s %3$s" +msgid "for %1$d %2$s" +msgstr "seit %1$d %2$s" -#: ../../include/bbcode.php:338 ../../include/bbcode.php:346 -msgid "Click to open/close" -msgstr "Klicke zum Ɩffnen/Schließen" +#: ../../include/channel.php:1219 +msgid "Sexual Preference:" +msgstr "Sexuelle Orientierung:" -#: ../../include/bbcode.php:346 -msgid "spoiler" -msgstr "Spoiler" +#: ../../include/channel.php:1225 +msgid "Tags:" +msgstr "Schlagworte:" -#: ../../include/bbcode.php:619 -msgid "Different viewers will see this text differently" -msgstr "Verschiedene Betrachter werden diesen Text unterschiedlich sehen" +#: ../../include/channel.php:1227 +msgid "Political Views:" +msgstr "Politische Ansichten:" -#: ../../include/bbcode.php:866 -msgid "$1 wrote:" -msgstr "$1 schrieb:" +#: ../../include/channel.php:1229 +msgid "Religion:" +msgstr "Religion:" -#: ../../include/items.php:897 ../../include/items.php:942 -msgid "(Unknown)" -msgstr "(Unbekannt)" +#: ../../include/channel.php:1233 +msgid "Hobbies/Interests:" +msgstr "Hobbys/Interessen:" -#: ../../include/items.php:1141 -msgid "Visible to anybody on the internet." -msgstr "Für jeden im Internet sichtbar." +#: ../../include/channel.php:1235 +msgid "Likes:" +msgstr "GefƤllt:" -#: ../../include/items.php:1143 -msgid "Visible to you only." -msgstr "Nur für Dich sichtbar." +#: ../../include/channel.php:1237 +msgid "Dislikes:" +msgstr "GefƤllt nicht:" -#: ../../include/items.php:1145 -msgid "Visible to anybody in this network." -msgstr "Für jedes $Projectname-Mitglied sichtbar." +#: ../../include/channel.php:1239 +msgid "Contact information and Social Networks:" +msgstr "Kontaktinformation und soziale Netzwerke:" -#: ../../include/items.php:1147 -msgid "Visible to anybody authenticated." -msgstr "Für jeden sichtbar, der angemeldet ist." +#: ../../include/channel.php:1241 +msgid "My other channels:" +msgstr "Meine anderen KanƤle:" -#: ../../include/items.php:1149 -#, php-format -msgid "Visible to anybody on %s." -msgstr "Für jeden auf %s sichtbar." +#: ../../include/channel.php:1243 +msgid "Musical interests:" +msgstr "Musikalische Interessen:" -#: ../../include/items.php:1151 -msgid "Visible to all connections." -msgstr "Für alle Verbindungen sichtbar." +#: ../../include/channel.php:1245 +msgid "Books, literature:" +msgstr "Bücher, Literatur:" -#: ../../include/items.php:1153 -msgid "Visible to approved connections." -msgstr "Nur für akzeptierte Verbindungen sichtbar." +#: ../../include/channel.php:1247 +msgid "Television:" +msgstr "Fernsehen:" -#: ../../include/items.php:1155 -msgid "Visible to specific connections." -msgstr "Sichtbar für bestimmte Verbindungen." +#: ../../include/channel.php:1249 +msgid "Film/dance/culture/entertainment:" +msgstr "Film/Tanz/Kultur/Unterhaltung:" -#: ../../include/items.php:3918 -msgid "Privacy group is empty." -msgstr "Gruppe ist leer." +#: ../../include/channel.php:1251 +msgid "Love/Romance:" +msgstr "Liebe/Romantik:" -#: ../../include/items.php:3925 -#, php-format -msgid "Privacy group: %s" -msgstr "Gruppe: %s" +#: ../../include/channel.php:1253 +msgid "Work/employment:" +msgstr "Arbeit/Anstellung:" -#: ../../include/items.php:3937 -msgid "Connection not found." -msgstr "Die Verbindung wurde nicht gefunden." +#: ../../include/channel.php:1255 +msgid "School/education:" +msgstr "Schule/Ausbildung:" -#: ../../include/items.php:4290 -msgid "profile photo" -msgstr "Profilfoto" +#: ../../include/channel.php:1276 +msgid "Like this thing" +msgstr "GefƤllt mir" -#: ../../include/oembed.php:336 -msgid "Embedded content" -msgstr "Eingebetteter Inhalt" +#: ../../include/network.php:704 +msgid "view full size" +msgstr "In Vollbildansicht anschauen" -#: ../../include/oembed.php:345 -msgid "Embedding disabled" -msgstr "Einbetten ausgeschaltet" +#: ../../include/network.php:1935 ../../include/account.php:317 +#: ../../include/account.php:344 ../../include/account.php:404 +msgid "Administrator" +msgstr "Administrator" -#: ../../include/widgets.php:103 -msgid "System" -msgstr "System" +#: ../../include/network.php:1949 +msgid "No Subject" +msgstr "Kein Betreff" -#: ../../include/widgets.php:106 -msgid "New App" -msgstr "Neue App" +#: ../../include/network.php:2203 ../../include/network.php:2204 +msgid "Friendica" +msgstr "Friendica" -#: ../../include/widgets.php:154 -msgid "Suggestions" -msgstr "VorschlƤge" +#: ../../include/network.php:2205 +msgid "OStatus" +msgstr "OStatus" -#: ../../include/widgets.php:155 -msgid "See more..." -msgstr "Mehr anzeigen …" +#: ../../include/network.php:2206 +msgid "GNU-Social" +msgstr "GNU-Social" -#: ../../include/widgets.php:175 -#, php-format -msgid "You have %1$.0f of %2$.0f allowed connections." -msgstr "Du bist %1$.0f von maximal %2$.0f erlaubten Verbindungen eingegangen." +#: ../../include/network.php:2207 +msgid "RSS/Atom" +msgstr "RSS/Atom" -#: ../../include/widgets.php:181 -msgid "Add New Connection" -msgstr "Neue Verbindung hinzufügen" - -#: ../../include/widgets.php:182 -msgid "Enter channel address" -msgstr "Adresse des Kanals eingeben" - -#: ../../include/widgets.php:183 -msgid "Examples: bob@example.com, https://example.com/barbara" -msgstr "Beispiele: bob@beispiel.com, http://beispiel.com/barbara" - -#: ../../include/widgets.php:199 -msgid "Notes" -msgstr "Notizen" - -#: ../../include/widgets.php:273 -msgid "Remove term" -msgstr "Eintrag lƶschen" - -#: ../../include/widgets.php:313 ../../include/widgets.php:432 -#: ../../include/contact_widgets.php:56 ../../include/contact_widgets.php:94 -msgid "Everything" -msgstr "Alles" - -#: ../../include/widgets.php:354 -msgid "Archives" -msgstr "Archive" - -#: ../../include/widgets.php:516 -msgid "Refresh" -msgstr "Aktualisieren" - -#: ../../include/widgets.php:556 -msgid "Account settings" -msgstr "Konto-Einstellungen" - -#: ../../include/widgets.php:562 -msgid "Channel settings" -msgstr "Kanal-Einstellungen" - -#: ../../include/widgets.php:571 -msgid "Additional features" -msgstr "ZusƤtzliche Funktionen" - -#: ../../include/widgets.php:578 -msgid "Feature/Addon settings" -msgstr "Plugin-Einstellungen" - -#: ../../include/widgets.php:584 -msgid "Display settings" -msgstr "Anzeige-Einstellungen" - -#: ../../include/widgets.php:591 -msgid "Manage locations" -msgstr "Klon-Adressen verwalten" - -#: ../../include/widgets.php:600 -msgid "Export channel" -msgstr "Kanal exportieren" - -#: ../../include/widgets.php:607 -msgid "Connected apps" -msgstr "Verbundene Apps" - -#: ../../include/widgets.php:631 -msgid "Premium Channel Settings" -msgstr "Premium-Kanal-Einstellungen" - -#: ../../include/widgets.php:660 -msgid "Private Mail Menu" -msgstr "Private Nachrichten" - -#: ../../include/widgets.php:662 -msgid "Combined View" -msgstr "Kombinierte Anzeige" - -#: ../../include/widgets.php:694 ../../include/widgets.php:706 -msgid "Conversations" -msgstr "Konversationen" - -#: ../../include/widgets.php:698 -msgid "Received Messages" -msgstr "Erhaltene Nachrichten" - -#: ../../include/widgets.php:702 -msgid "Sent Messages" -msgstr "Gesendete Nachrichten" - -#: ../../include/widgets.php:716 -msgid "No messages." -msgstr "Keine Nachrichten." - -#: ../../include/widgets.php:734 -msgid "Delete conversation" -msgstr "Unterhaltung lƶschen" - -#: ../../include/widgets.php:760 -msgid "Events Tools" -msgstr "Kalenderwerkzeuge" - -#: ../../include/widgets.php:761 -msgid "Export Calendar" -msgstr "Kalender exportieren" - -#: ../../include/widgets.php:762 -msgid "Import Calendar" -msgstr "Kalender importieren" - -#: ../../include/widgets.php:840 -msgid "Overview" -msgstr "Übersicht" - -#: ../../include/widgets.php:847 -msgid "Chat Members" -msgstr "Chatmitglieder" - -#: ../../include/widgets.php:869 -msgid "Wiki List" -msgstr "Wikiliste" - -#: ../../include/widgets.php:907 -msgid "Wiki Pages" -msgstr "Wikiseiten" - -#: ../../include/widgets.php:942 -msgid "Bookmarked Chatrooms" -msgstr "Gespeicherte Chatrooms" - -#: ../../include/widgets.php:965 -msgid "Suggested Chatrooms" -msgstr "Chatraum-VorschlƤge" - -#: ../../include/widgets.php:1111 ../../include/widgets.php:1223 -msgid "photo/image" -msgstr "Foto/Bild" - -#: ../../include/widgets.php:1166 -msgid "Click to show more" -msgstr "Klick, um mehr anzuzeigen" - -#: ../../include/widgets.php:1317 -msgid "Rating Tools" -msgstr "Bewertungswerkzeuge" - -#: ../../include/widgets.php:1321 ../../include/widgets.php:1323 -msgid "Rate Me" -msgstr "Bewerte mich" - -#: ../../include/widgets.php:1326 -msgid "View Ratings" -msgstr "Bewertungen ansehen" - -#: ../../include/widgets.php:1410 -msgid "Forums" -msgstr "Foren" - -#: ../../include/widgets.php:1439 -msgid "Tasks" -msgstr "Aufgaben" - -#: ../../include/widgets.php:1448 -msgid "Documentation" -msgstr "Dokumentation" - -#: ../../include/widgets.php:1450 -msgid "Project/Site Information" -msgstr "Informationen über das Projekt und diesen Hub" - -#: ../../include/widgets.php:1451 -msgid "For Members" -msgstr "Für Mitglieder" - -#: ../../include/widgets.php:1452 -msgid "For Administrators" -msgstr "Für Administratoren" - -#: ../../include/widgets.php:1453 -msgid "For Developers" -msgstr "Für Entwickler" - -#: ../../include/widgets.php:1477 ../../include/widgets.php:1515 -msgid "Member registrations waiting for confirmation" -msgstr "Nutzer-Anmeldungen, die auf BestƤtigung warten" - -#: ../../include/widgets.php:1483 -msgid "Inspect queue" -msgstr "Warteschlange kontrollieren" - -#: ../../include/widgets.php:1485 -msgid "DB updates" -msgstr "DB-Aktualisierungen" - -#: ../../include/widgets.php:1511 -msgid "Plugin Features" -msgstr "Plug-In Funktionen" - -#: ../../include/activities.php:41 -msgid " and " -msgstr "und" - -#: ../../include/activities.php:49 -msgid "public profile" -msgstr "ƶffentliches Profil" - -#: ../../include/activities.php:58 -#, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "%1$s hat %2$s auf “%3$s” geƤndert" - -#: ../../include/activities.php:59 -#, php-format -msgid "Visit %1$s's %2$s" -msgstr "Besuche %1$s's %2$s" - -#: ../../include/activities.php:62 -#, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "%1$s hat ein aktualisiertes %2$s, %3$s wurde verƤndert." +#: ../../include/network.php:2209 +msgid "Diaspora" +msgstr "Diaspora" + +#: ../../include/network.php:2210 +msgid "Facebook" +msgstr "Facebook" + +#: ../../include/network.php:2211 +msgid "Zot" +msgstr "Zot!" + +#: ../../include/network.php:2212 +msgid "LinkedIn" +msgstr "LinkedIn" + +#: ../../include/network.php:2213 +msgid "XMPP/IM" +msgstr "XMPP/IM" + +#: ../../include/network.php:2214 +msgid "MySpace" +msgstr "MySpace" #: ../../include/bb2diaspora.php:398 msgid "Attachments:" @@ -9624,6 +8923,792 @@ msgctxt "calendar" msgid "All day" msgstr "GanztƤgig" +#: ../../include/security.php:109 +msgid "guest:" +msgstr "Gast:" + +#: ../../include/security.php:527 +msgid "" +"The form security token was not correct. This probably happened because the " +"form has been opened for too long (>3 hours) before submitting it." +msgstr "Das Security-Token des Formulars war nicht korrekt. Das ist wahrscheinlich passiert, weil das Formular zu lange (>3 Stunden) offen war, bevor es abgeschickt wurde." + +#: ../../include/account.php:28 +msgid "Not a valid email address" +msgstr "Ungültige E-Mail-Adresse" + +#: ../../include/account.php:30 +msgid "Your email domain is not among those allowed on this site" +msgstr "Deine E-Mail-Adresse ist auf dieser Seite nicht erlaubt" + +#: ../../include/account.php:36 +msgid "Your email address is already registered at this site." +msgstr "Deine E-Mail-Adresse ist auf dieser Seite bereits registriert." + +#: ../../include/account.php:68 +msgid "An invitation is required." +msgstr "Eine Einladung wird benƶtigt." + +#: ../../include/account.php:72 +msgid "Invitation could not be verified." +msgstr "Die Einladung konnte nicht bestƤtigt werden." + +#: ../../include/account.php:122 +msgid "Please enter the required information." +msgstr "Bitte gib die benƶtigten Informationen ein." + +#: ../../include/account.php:189 +msgid "Failed to store account information." +msgstr "Speichern der Nutzerkontodaten fehlgeschlagen." + +#: ../../include/account.php:249 +#, php-format +msgid "Registration confirmation for %s" +msgstr "RegistrierungsbestƤtigung für %s" + +#: ../../include/account.php:315 +#, php-format +msgid "Registration request at %s" +msgstr "Registrierungsanfrage auf %s" + +#: ../../include/account.php:339 +msgid "your registration password" +msgstr "Dein Registrierungspasswort" + +#: ../../include/account.php:342 ../../include/account.php:402 +#, php-format +msgid "Registration details for %s" +msgstr "Registrierungsdetails für %s" + +#: ../../include/account.php:414 +msgid "Account approved." +msgstr "Nutzerkonto bestƤtigt." + +#: ../../include/account.php:454 +#, php-format +msgid "Registration revoked for %s" +msgstr "Registrierung für %s wurde widerrufen" + +#: ../../include/account.php:739 ../../include/account.php:741 +msgid "Click here to upgrade." +msgstr "Klicke hier, um das Upgrade durchzuführen." + +#: ../../include/account.php:747 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "Diese Aktion überschreitet die Grenzen Ihres Abonnements." + +#: ../../include/account.php:752 +msgid "This action is not available under your subscription plan." +msgstr "Diese Aktion ist in Ihrem Abonnement nicht verfügbar." + +#: ../../include/bbcode.php:123 ../../include/bbcode.php:878 +#: ../../include/bbcode.php:881 ../../include/bbcode.php:886 +#: ../../include/bbcode.php:889 ../../include/bbcode.php:892 +#: ../../include/bbcode.php:895 ../../include/bbcode.php:900 +#: ../../include/bbcode.php:903 ../../include/bbcode.php:908 +#: ../../include/bbcode.php:911 ../../include/bbcode.php:914 +#: ../../include/bbcode.php:917 +msgid "Image/photo" +msgstr "Bild/Foto" + +#: ../../include/bbcode.php:162 ../../include/bbcode.php:928 +msgid "Encrypted content" +msgstr "Verschlüsselter Inhalt" + +#: ../../include/bbcode.php:178 +#, php-format +msgid "Install %s element: " +msgstr "Element %s installieren: " + +#: ../../include/bbcode.php:182 +#, php-format +msgid "" +"This post contains an installable %s element, however you lack permissions " +"to install it on this site." +msgstr "Dieser Beitrag beinhaltet ein installierbares %s Element, aber Du hast nicht die nƶtigen Rechte, um es auf diesem Hub zu installieren." + +#: ../../include/bbcode.php:261 +#, php-format +msgid "%1$s wrote the following %2$s %3$s" +msgstr "%1$s schrieb den folgenden %2$s %3$s" + +#: ../../include/bbcode.php:338 ../../include/bbcode.php:346 +msgid "Click to open/close" +msgstr "Klicke zum Ɩffnen/Schließen" + +#: ../../include/bbcode.php:346 +msgid "spoiler" +msgstr "Spoiler" + +#: ../../include/bbcode.php:619 ../../include/wiki.php:525 +msgid "Different viewers will see this text differently" +msgstr "Verschiedene Betrachter werden diesen Text unterschiedlich sehen" + +#: ../../include/bbcode.php:866 +msgid "$1 wrote:" +msgstr "$1 schrieb:" + +#: ../../include/conversation.php:204 +#, php-format +msgid "%1$s is now connected with %2$s" +msgstr "%1$s ist jetzt mit %2$s verbunden" + +#: ../../include/conversation.php:239 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s stupste %2$s an" + +#: ../../include/conversation.php:694 +#, php-format +msgid "View %s's profile @ %s" +msgstr "%ss Profil auf %s ansehen" + +#: ../../include/conversation.php:713 +msgid "Categories:" +msgstr "Kategorien:" + +#: ../../include/conversation.php:714 +msgid "Filed under:" +msgstr "Gespeichert unter:" + +#: ../../include/conversation.php:741 +msgid "View in context" +msgstr "Im Zusammenhang anschauen" + +#: ../../include/conversation.php:851 +msgid "remove" +msgstr "lƶsche" + +#: ../../include/conversation.php:856 +msgid "Delete Selected Items" +msgstr "Lƶsche die ausgewƤhlten Elemente" + +#: ../../include/conversation.php:952 +msgid "View Source" +msgstr "Quelle anzeigen" + +#: ../../include/conversation.php:953 +msgid "Follow Thread" +msgstr "Unterhaltung folgen" + +#: ../../include/conversation.php:954 +msgid "Unfollow Thread" +msgstr "Unterhaltung nicht mehr folgen" + +#: ../../include/conversation.php:959 +msgid "Activity/Posts" +msgstr "AktivitƤten/BeitrƤge" + +#: ../../include/conversation.php:961 +msgid "Edit Connection" +msgstr "Verbindung bearbeiten" + +#: ../../include/conversation.php:962 +msgid "Message" +msgstr "Nachricht" + +#: ../../include/conversation.php:1079 +#, php-format +msgid "%s likes this." +msgstr "%s gefƤllt das." + +#: ../../include/conversation.php:1079 +#, php-format +msgid "%s doesn't like this." +msgstr "%s gefƤllt das nicht." + +#: ../../include/conversation.php:1083 +#, php-format +msgid "%2$d people like this." +msgid_plural "%2$d people like this." +msgstr[0] "%2$d Person gefƤllt das." +msgstr[1] "%2$d Leuten gefƤllt das." + +#: ../../include/conversation.php:1085 +#, php-format +msgid "%2$d people don't like this." +msgid_plural "%2$d people don't like this." +msgstr[0] "%2$d Person gefƤllt das nicht." +msgstr[1] "%2$d Leuten gefƤllt das nicht." + +#: ../../include/conversation.php:1091 +msgid "and" +msgstr "und" + +#: ../../include/conversation.php:1094 +#, php-format +msgid ", and %d other people" +msgid_plural ", and %d other people" +msgstr[0] "" +msgstr[1] ", und %d andere" + +#: ../../include/conversation.php:1095 +#, php-format +msgid "%s like this." +msgstr "%s gefƤllt das." + +#: ../../include/conversation.php:1095 +#, php-format +msgid "%s don't like this." +msgstr "%s gefƤllt das nicht." + +#: ../../include/conversation.php:1134 +msgid "Set your location" +msgstr "Standort" + +#: ../../include/conversation.php:1135 +msgid "Clear browser location" +msgstr "Browser-Standort lƶschen" + +#: ../../include/conversation.php:1183 +msgid "Tag term:" +msgstr "Schlagwort:" + +#: ../../include/conversation.php:1184 +msgid "Where are you right now?" +msgstr "Wo bist Du jetzt grade?" + +#: ../../include/conversation.php:1222 +msgid "Page link name" +msgstr "Link zur Seite" + +#: ../../include/conversation.php:1225 +msgid "Post as" +msgstr "Verƶffentlichen als" + +#: ../../include/conversation.php:1239 +msgid "Toggle voting" +msgstr "Umfragewerkzeug aktivieren" + +#: ../../include/conversation.php:1247 +msgid "Categories (optional, comma-separated list)" +msgstr "Kategorien (optional, kommagetrennte Liste)" + +#: ../../include/conversation.php:1274 +msgid "Set publish date" +msgstr "Verƶffentlichungsdatum festlegen" + +#: ../../include/conversation.php:1523 +msgid "Discover" +msgstr "Entdecken" + +#: ../../include/conversation.php:1526 +msgid "Imported public streams" +msgstr "Importierte ƶffentliche BeitrƤge" + +#: ../../include/conversation.php:1531 +msgid "Commented Order" +msgstr "Neueste Kommentare" + +#: ../../include/conversation.php:1534 +msgid "Sort by Comment Date" +msgstr "Nach Kommentardatum sortiert" + +#: ../../include/conversation.php:1538 +msgid "Posted Order" +msgstr "Neueste BeitrƤge" + +#: ../../include/conversation.php:1541 +msgid "Sort by Post Date" +msgstr "Nach Beitragsdatum sortiert" + +#: ../../include/conversation.php:1549 +msgid "Posts that mention or involve you" +msgstr "BeitrƤge mit Beteiligung Deinerseits" + +#: ../../include/conversation.php:1558 +msgid "Activity Stream - by date" +msgstr "Activity Stream – nach Datum sortiert" + +#: ../../include/conversation.php:1564 +msgid "Starred" +msgstr "Markiert" + +#: ../../include/conversation.php:1567 +msgid "Favourite Posts" +msgstr "Markierte BeitrƤge" + +#: ../../include/conversation.php:1574 +msgid "Spam" +msgstr "Spam" + +#: ../../include/conversation.php:1577 +msgid "Posts flagged as SPAM" +msgstr "Nachrichten, die als SPAM markiert wurden" + +#: ../../include/conversation.php:1634 +msgid "Status Messages and Posts" +msgstr "Statusnachrichten und BeitrƤge" + +#: ../../include/conversation.php:1643 +msgid "About" +msgstr "Über" + +#: ../../include/conversation.php:1646 +msgid "Profile Details" +msgstr "Profil-Details" + +#: ../../include/conversation.php:1662 +msgid "Files and Storage" +msgstr "Dateien und Speicher" + +#: ../../include/conversation.php:1682 ../../include/conversation.php:1685 +#: ../../include/widgets.php:850 +msgid "Chatrooms" +msgstr "ChatrƤume" + +#: ../../include/conversation.php:1698 +msgid "Saved Bookmarks" +msgstr "Gespeicherte Lesezeichen" + +#: ../../include/conversation.php:1708 +msgid "Manage Webpages" +msgstr "Webseiten verwalten" + +#: ../../include/conversation.php:1773 +msgctxt "noun" +msgid "Attending" +msgid_plural "Attending" +msgstr[0] "Zusage" +msgstr[1] "Zusagen" + +#: ../../include/conversation.php:1776 +msgctxt "noun" +msgid "Not Attending" +msgid_plural "Not Attending" +msgstr[0] "Absage" +msgstr[1] "Absagen" + +#: ../../include/conversation.php:1779 +msgctxt "noun" +msgid "Undecided" +msgid_plural "Undecided" +msgstr[0] " Unentschlossen" +msgstr[1] "Unentschlossene" + +#: ../../include/conversation.php:1782 +msgctxt "noun" +msgid "Agree" +msgid_plural "Agrees" +msgstr[0] "Zustimmung" +msgstr[1] "Zustimmungen" + +#: ../../include/conversation.php:1785 +msgctxt "noun" +msgid "Disagree" +msgid_plural "Disagrees" +msgstr[0] "Ablehnung" +msgstr[1] "Ablehnungen" + +#: ../../include/conversation.php:1788 +msgctxt "noun" +msgid "Abstain" +msgid_plural "Abstains" +msgstr[0] "Enthaltung" +msgstr[1] "Enthaltungen" + +#: ../../include/oembed.php:340 +msgid "Embedded content" +msgstr "Eingebetteter Inhalt" + +#: ../../include/oembed.php:349 +msgid "Embedding disabled" +msgstr "Einbetten ausgeschaltet" + +#: ../../include/activities.php:41 +msgid " and " +msgstr "und" + +#: ../../include/activities.php:49 +msgid "public profile" +msgstr "ƶffentliches Profil" + +#: ../../include/activities.php:58 +#, php-format +msgid "%1$s changed %2$s to “%3$s”" +msgstr "%1$s hat %2$s auf “%3$s” geƤndert" + +#: ../../include/activities.php:59 +#, php-format +msgid "Visit %1$s's %2$s" +msgstr "Besuche %1$s's %2$s" + +#: ../../include/activities.php:62 +#, php-format +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "%1$s hat ein aktualisiertes %2$s, %3$s wurde verƤndert." + +#: ../../include/taxonomy.php:188 ../../include/taxonomy.php:270 +#: ../../include/widgets.php:46 ../../include/widgets.php:429 +#: ../../include/contact_widgets.php:91 +msgid "Categories" +msgstr "Kategorien" + +#: ../../include/taxonomy.php:228 ../../include/taxonomy.php:249 +msgid "Tags" +msgstr "Schlagwƶrter" + +#: ../../include/taxonomy.php:293 +msgid "Keywords" +msgstr "Schlüsselwƶrter" + +#: ../../include/taxonomy.php:314 +msgid "have" +msgstr "habe" + +#: ../../include/taxonomy.php:314 +msgid "has" +msgstr "hat" + +#: ../../include/taxonomy.php:315 +msgid "want" +msgstr "will" + +#: ../../include/taxonomy.php:315 +msgid "wants" +msgstr "will" + +#: ../../include/taxonomy.php:316 +msgid "likes" +msgstr "gefƤllt" + +#: ../../include/taxonomy.php:317 +msgid "dislikes" +msgstr "missfƤllt" + +#: ../../include/permissions.php:29 +msgid "Can view my normal stream and posts" +msgstr "Kann meine normalen BeitrƤge sehen" + +#: ../../include/permissions.php:33 +msgid "Can view my webpages" +msgstr "Kann meine Webseiten sehen" + +#: ../../include/permissions.php:37 +msgid "Can post on my channel page (\"wall\")" +msgstr "Kann auf meiner Kanal-Seite (\"wall\") BeitrƤge verƶffentlichen" + +#: ../../include/permissions.php:40 +msgid "Can like/dislike stuff" +msgstr "Kann andere Elemente mƶgen/nicht mƶgen" + +#: ../../include/permissions.php:40 +msgid "Profiles and things other than posts/comments" +msgstr "Profile und alles außer BeitrƤge und Kommentare" + +#: ../../include/permissions.php:42 +msgid "Can forward to all my channel contacts via post @mentions" +msgstr "Kann an alle meine Kontakte via @-ErwƤhnung Nachrichten weiterleiten" + +#: ../../include/permissions.php:42 +msgid "Advanced - useful for creating group forum channels" +msgstr "Fortgeschritten - sinnvoll, um Gruppen-KanƤle/-Foren zu erstellen" + +#: ../../include/permissions.php:43 +msgid "Can chat with me (when available)" +msgstr "Kann mit mir chatten (wenn verfügbar)" + +#: ../../include/permissions.php:44 +msgid "Can write to my file storage and photos" +msgstr "Kann in meine Datei- und Bilderordner schreiben" + +#: ../../include/permissions.php:45 +msgid "Can edit my webpages" +msgstr "Kann meine Webseiten bearbeiten" + +#: ../../include/permissions.php:47 +msgid "Somewhat advanced - very useful in open communities" +msgstr "Etwas fortgeschritten – sehr nützlich in offenen Gemeinschaften" + +#: ../../include/permissions.php:49 +msgid "Can administer my channel resources" +msgstr "Kann meine KanƤle administrieren" + +#: ../../include/permissions.php:49 +msgid "" +"Extremely advanced. Leave this alone unless you know what you are doing" +msgstr "Sehr fortgeschritten. Bearbeite das nur, wenn Du genau weißt, was Du tust" + +#: ../../include/widgets.php:103 +msgid "System" +msgstr "System" + +#: ../../include/widgets.php:106 +msgid "New App" +msgstr "Neue App" + +#: ../../include/widgets.php:154 +msgid "Suggestions" +msgstr "VorschlƤge" + +#: ../../include/widgets.php:155 +msgid "See more..." +msgstr "Mehr anzeigen …" + +#: ../../include/widgets.php:175 +#, php-format +msgid "You have %1$.0f of %2$.0f allowed connections." +msgstr "Du bist %1$.0f von maximal %2$.0f erlaubten Verbindungen eingegangen." + +#: ../../include/widgets.php:181 +msgid "Add New Connection" +msgstr "Neue Verbindung hinzufügen" + +#: ../../include/widgets.php:182 +msgid "Enter channel address" +msgstr "Adresse des Kanals eingeben" + +#: ../../include/widgets.php:183 +msgid "Examples: bob@example.com, https://example.com/barbara" +msgstr "Beispiele: bob@beispiel.com, http://beispiel.com/barbara" + +#: ../../include/widgets.php:199 +msgid "Notes" +msgstr "Notizen" + +#: ../../include/widgets.php:273 +msgid "Remove term" +msgstr "Eintrag lƶschen" + +#: ../../include/widgets.php:313 ../../include/widgets.php:432 +#: ../../include/contact_widgets.php:56 ../../include/contact_widgets.php:94 +msgid "Everything" +msgstr "Alles" + +#: ../../include/widgets.php:354 +msgid "Archives" +msgstr "Archive" + +#: ../../include/widgets.php:516 +msgid "Refresh" +msgstr "Aktualisieren" + +#: ../../include/widgets.php:556 +msgid "Account settings" +msgstr "Konto-Einstellungen" + +#: ../../include/widgets.php:562 +msgid "Channel settings" +msgstr "Kanal-Einstellungen" + +#: ../../include/widgets.php:571 +msgid "Additional features" +msgstr "ZusƤtzliche Funktionen" + +#: ../../include/widgets.php:578 +msgid "Feature/Addon settings" +msgstr "Plugin-Einstellungen" + +#: ../../include/widgets.php:584 +msgid "Display settings" +msgstr "Anzeige-Einstellungen" + +#: ../../include/widgets.php:591 +msgid "Manage locations" +msgstr "Klon-Adressen verwalten" + +#: ../../include/widgets.php:600 +msgid "Export channel" +msgstr "Kanal exportieren" + +#: ../../include/widgets.php:607 +msgid "Connected apps" +msgstr "Verbundene Apps" + +#: ../../include/widgets.php:631 +msgid "Premium Channel Settings" +msgstr "Premium-Kanal-Einstellungen" + +#: ../../include/widgets.php:660 +msgid "Private Mail Menu" +msgstr "Private Nachrichten" + +#: ../../include/widgets.php:662 +msgid "Combined View" +msgstr "Kombinierte Anzeige" + +#: ../../include/widgets.php:694 ../../include/widgets.php:706 +msgid "Conversations" +msgstr "Konversationen" + +#: ../../include/widgets.php:698 +msgid "Received Messages" +msgstr "Erhaltene Nachrichten" + +#: ../../include/widgets.php:702 +msgid "Sent Messages" +msgstr "Gesendete Nachrichten" + +#: ../../include/widgets.php:716 +msgid "No messages." +msgstr "Keine Nachrichten." + +#: ../../include/widgets.php:734 +msgid "Delete conversation" +msgstr "Unterhaltung lƶschen" + +#: ../../include/widgets.php:760 +msgid "Events Tools" +msgstr "Kalenderwerkzeuge" + +#: ../../include/widgets.php:761 +msgid "Export Calendar" +msgstr "Kalender exportieren" + +#: ../../include/widgets.php:762 +msgid "Import Calendar" +msgstr "Kalender importieren" + +#: ../../include/widgets.php:854 +msgid "Overview" +msgstr "Übersicht" + +#: ../../include/widgets.php:861 +msgid "Chat Members" +msgstr "Chatmitglieder" + +#: ../../include/widgets.php:883 +msgid "Wiki List" +msgstr "Wikiliste" + +#: ../../include/widgets.php:921 +msgid "Wiki Pages" +msgstr "Wikiseiten" + +#: ../../include/widgets.php:956 +msgid "Bookmarked Chatrooms" +msgstr "Gespeicherte Chatrooms" + +#: ../../include/widgets.php:979 +msgid "Suggested Chatrooms" +msgstr "Chatraum-VorschlƤge" + +#: ../../include/widgets.php:1125 ../../include/widgets.php:1237 +msgid "photo/image" +msgstr "Foto/Bild" + +#: ../../include/widgets.php:1180 +msgid "Click to show more" +msgstr "Klick, um mehr anzuzeigen" + +#: ../../include/widgets.php:1331 +msgid "Rating Tools" +msgstr "Bewertungswerkzeuge" + +#: ../../include/widgets.php:1335 ../../include/widgets.php:1337 +msgid "Rate Me" +msgstr "Bewerte mich" + +#: ../../include/widgets.php:1340 +msgid "View Ratings" +msgstr "Bewertungen ansehen" + +#: ../../include/widgets.php:1424 +msgid "Forums" +msgstr "Foren" + +#: ../../include/widgets.php:1453 +msgid "Tasks" +msgstr "Aufgaben" + +#: ../../include/widgets.php:1462 +msgid "Documentation" +msgstr "Dokumentation" + +#: ../../include/widgets.php:1464 +msgid "Project/Site Information" +msgstr "Informationen über das Projekt und diesen Hub" + +#: ../../include/widgets.php:1465 +msgid "For Members" +msgstr "Für Mitglieder" + +#: ../../include/widgets.php:1466 +msgid "For Administrators" +msgstr "Für Administratoren" + +#: ../../include/widgets.php:1467 +msgid "For Developers" +msgstr "Für Entwickler" + +#: ../../include/widgets.php:1491 ../../include/widgets.php:1529 +msgid "Member registrations waiting for confirmation" +msgstr "Nutzer-Anmeldungen, die auf BestƤtigung warten" + +#: ../../include/widgets.php:1497 +msgid "Inspect queue" +msgstr "Warteschlange kontrollieren" + +#: ../../include/widgets.php:1499 +msgid "DB updates" +msgstr "DB-Aktualisierungen" + +#: ../../include/widgets.php:1525 +msgid "Plugin Features" +msgstr "Plug-In Funktionen" + +#: ../../include/attach.php:248 ../../include/attach.php:334 +msgid "Item was not found." +msgstr "Beitrag wurde nicht gefunden." + +#: ../../include/attach.php:500 +msgid "No source file." +msgstr "Keine Quelldatei." + +#: ../../include/attach.php:522 +msgid "Cannot locate file to replace" +msgstr "Kann Datei zum Ersetzen nicht finden" + +#: ../../include/attach.php:540 +msgid "Cannot locate file to revise/update" +msgstr "Kann Datei zum Prüfen/Aktualisieren nicht finden" + +#: ../../include/attach.php:675 +#, php-format +msgid "File exceeds size limit of %d" +msgstr "Datei überschreitet das Größen-Limit von %d" + +#: ../../include/attach.php:689 +#, php-format +msgid "You have reached your limit of %1$.0f Mbytes attachment storage." +msgstr "Die Größe Deiner Datei-AnhƤnge hat das Maximum von %1$.0f MByte erreicht." + +#: ../../include/attach.php:847 +msgid "File upload failed. Possible system limit or action terminated." +msgstr "Datei-Upload fehlgeschlagen. Mƶgliche Systembegrenzung oder abgebrochener Prozess." + +#: ../../include/attach.php:860 +msgid "Stored file could not be verified. Upload failed." +msgstr "Gespeichert Datei konnte nicht verifiziert werden. Upload abgebrochen." + +#: ../../include/attach.php:916 ../../include/attach.php:932 +msgid "Path not available." +msgstr "Pfad nicht verfügbar." + +#: ../../include/attach.php:978 ../../include/attach.php:1130 +msgid "Empty pathname" +msgstr "Leere Pfadangabe" + +#: ../../include/attach.php:1004 +msgid "duplicate filename or path" +msgstr "doppelter Dateiname oder Pfad" + +#: ../../include/attach.php:1026 +msgid "Path not found." +msgstr "Pfad nicht gefunden." + +#: ../../include/attach.php:1084 +msgid "mkdir failed." +msgstr "mkdir fehlgeschlagen." + +#: ../../include/attach.php:1088 +msgid "database storage failed." +msgstr "Speichern in der Datenbank fehlgeschlagen." + +#: ../../include/attach.php:1136 +msgid "Empty path" +msgstr "Leere Pfadangabe" + #: ../../include/contact_widgets.php:11 #, php-format msgid "%d invitation available" @@ -9702,127 +9787,30 @@ msgstr "Kann Absender nicht bestimmen." msgid "Stored post could not be verified." msgstr "Gespeicherter Beitrag konnten nicht überprüft werden." -#: ../../include/acl_selectors.php:269 -msgid "Who can see this?" -msgstr "Wer kann das sehen?" +#: ../../include/auth.php:148 +msgid "Logged out." +msgstr "Ausgeloggt." -#: ../../include/acl_selectors.php:270 -msgid "Custom selection" -msgstr "Benutzerdefinierte Auswahl" +#: ../../include/auth.php:275 +msgid "Failed authentication" +msgstr "Authentifizierung fehlgeschlagen" -#: ../../include/acl_selectors.php:271 -msgid "" -"Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit" -" the scope of \"Show\"." -msgstr "WƤhle \"Anzeigen\", um Betrachtung zuzulassen. \"Nicht anzeigen\" überstimmt und limitiert den Aktionsradius von \"Anzeigen\" für Ausnahmen." +#: ../../include/auth.php:286 +msgid "Login failed." +msgstr "Login fehlgeschlagen." -#: ../../include/acl_selectors.php:272 -msgid "Show" -msgstr "Anzeigen" +#: ../../include/connections.php:95 +msgid "New window" +msgstr "Neues Fenster" -#: ../../include/acl_selectors.php:273 -msgid "Don't show" -msgstr "Nicht anzeigen" +#: ../../include/connections.php:96 +msgid "Open the selected location in a different window or browser tab" +msgstr "Ɩffne die markierte Adresse in einem neuen Browserfenster oder Tab" -#: ../../include/acl_selectors.php:279 -msgid "Other networks and post services" -msgstr "Andere Netzwerke und Platformen" - -#: ../../include/acl_selectors.php:309 +#: ../../include/connections.php:214 #, php-format -msgid "" -"Post permissions %s cannot be changed %s after a post is shared.
These" -" permissions set who is allowed to view the post." -msgstr "Beitragsberechtigungen %s kƶnnen nicht geƤndert werden %s, nachdem der Beitrag gesendet wurde.
Diese Berechtigungen bestimmen, wer den Beitrag sehen kann." - -#: ../../include/datetime.php:135 -msgid "Birthday" -msgstr "Geburtstag" - -#: ../../include/datetime.php:137 -msgid "Age: " -msgstr "Alter:" - -#: ../../include/datetime.php:139 -msgid "YYYY-MM-DD or MM-DD" -msgstr "JJJJ-MM-TT oder MM-TT" - -#: ../../include/datetime.php:272 ../../boot.php:2479 -msgid "never" -msgstr "Nie" - -#: ../../include/datetime.php:278 -msgid "less than a second ago" -msgstr "Vor weniger als einer Sekunde" - -#: ../../include/datetime.php:296 -#, php-format -msgctxt "e.g. 22 hours ago, 1 minute ago" -msgid "%1$d %2$s ago" -msgstr "vor %1$d %2$s" - -#: ../../include/datetime.php:307 -msgctxt "relative_date" -msgid "year" -msgid_plural "years" -msgstr[0] "Jahr" -msgstr[1] "Jahre" - -#: ../../include/datetime.php:310 -msgctxt "relative_date" -msgid "month" -msgid_plural "months" -msgstr[0] "Monat" -msgstr[1] "Monate" - -#: ../../include/datetime.php:313 -msgctxt "relative_date" -msgid "week" -msgid_plural "weeks" -msgstr[0] "Woche" -msgstr[1] "Wochen" - -#: ../../include/datetime.php:316 -msgctxt "relative_date" -msgid "day" -msgid_plural "days" -msgstr[0] "Tag" -msgstr[1] "Tage" - -#: ../../include/datetime.php:319 -msgctxt "relative_date" -msgid "hour" -msgid_plural "hours" -msgstr[0] "Stunde" -msgstr[1] "Stunden" - -#: ../../include/datetime.php:322 -msgctxt "relative_date" -msgid "minute" -msgid_plural "minutes" -msgstr[0] "Minute" -msgstr[1] "Minuten" - -#: ../../include/datetime.php:325 -msgctxt "relative_date" -msgid "second" -msgid_plural "seconds" -msgstr[0] "Sekunde" -msgstr[1] "Sekunden" - -#: ../../include/datetime.php:562 -#, php-format -msgid "%1$s's birthday" -msgstr "%1$ss Geburtstag" - -#: ../../include/datetime.php:563 -#, php-format -msgid "Happy Birthday %1$s" -msgstr "Alles Gute zum Geburtstag, %1$s" - -#: ../../include/api.php:1327 -msgid "Public Timeline" -msgstr "Ɩffentliche Zeitleiste" +msgid "User '%s' deleted" +msgstr "Benutzer '%s' gelƶscht" #: ../../include/zot.php:697 msgid "Invalid data packet" @@ -9977,66 +9965,66 @@ msgstr "Größe der Avatare von Themenstartern" msgid "Set size of followup author photos" msgstr "Größe der Avatare von Kommentatoren" -#: ../../boot.php:1163 +#: ../../boot.php:1169 #, php-format msgctxt "opensearch" msgid "Search %1$s (%2$s)" msgstr "Suche %1$s (%2$s)" -#: ../../boot.php:1163 +#: ../../boot.php:1169 msgctxt "opensearch" msgid "$Projectname" msgstr "$Projectname" -#: ../../boot.php:1481 +#: ../../boot.php:1487 #, php-format msgid "Update %s failed. See error logs." msgstr "Aktualisierung %s fehlgeschlagen. Details in den Fehlerprotokollen." -#: ../../boot.php:1484 +#: ../../boot.php:1490 #, php-format msgid "Update Error at %s" msgstr "Aktualisierungsfehler auf %s" -#: ../../boot.php:1685 +#: ../../boot.php:1694 msgid "" "Create an account to access services and applications within the Hubzilla" msgstr "Erstelle ein Konto, um Anwendungen und Dienste innerhalb von Hubzilla nutzen zu kƶnnen." -#: ../../boot.php:1706 +#: ../../boot.php:1715 msgid "Login/Email" msgstr "Anmelden/E-Mail" -#: ../../boot.php:1707 +#: ../../boot.php:1716 msgid "Password" msgstr "Kennwort" -#: ../../boot.php:1708 +#: ../../boot.php:1717 msgid "Remember me" msgstr "Angaben speichern" -#: ../../boot.php:1711 +#: ../../boot.php:1720 msgid "Forgot your password?" msgstr "Passwort vergessen?" -#: ../../boot.php:2277 +#: ../../boot.php:2286 msgid "toggle mobile" msgstr "auf/von mobile Ansicht wechseln" -#: ../../boot.php:2432 +#: ../../boot.php:2441 msgid "Website SSL certificate is not valid. Please correct." msgstr "Das SSL-Zertifikat der Website ist nicht gültig. Bitte beheben." -#: ../../boot.php:2435 +#: ../../boot.php:2444 #, php-format msgid "[hubzilla] Website SSL error for %s" msgstr "[hubzilla] Website-SSL-Fehler für %s" -#: ../../boot.php:2478 +#: ../../boot.php:2548 msgid "Cron/Scheduled tasks not running." msgstr "Cron-Aufgaben laufen nicht." -#: ../../boot.php:2482 +#: ../../boot.php:2552 #, php-format msgid "[hubzilla] Cron tasks not running on %s" msgstr "[hubzilla] Cron-Aufgaben für %s laufen nicht" diff --git a/view/de/hstrings.php b/view/de/hstrings.php index 6d6fd4ebe..0fb111fdf 100644 --- a/view/de/hstrings.php +++ b/view/de/hstrings.php @@ -61,113 +61,139 @@ App::$strings["You are using %1\$s of %2\$s available file storage. (%3\$s%) App::$strings["WARNING:"] = "WARNUNG:"; App::$strings["Create new folder"] = "Neuen Ordner anlegen"; App::$strings["Upload file"] = "Datei hochladen"; -App::$strings["Permission denied"] = "Keine Berechtigung"; +App::$strings["Drop files here to immediately upload"] = "Dateien zum sofortigen Hochladen hier fallen lassen"; App::$strings["Permission denied."] = "Berechtigung verweigert."; App::$strings["Not Found"] = "Nicht gefunden"; App::$strings["Page not found."] = "Seite nicht gefunden."; +App::$strings["Permission denied"] = "Keine Berechtigung"; App::$strings["Remote authentication blocked. You are logged into this site locally. Please logout and retry."] = "Fern-Authentifizierung blockiert. Du bist lokal auf diesem Server angemeldet. Bitte melde Dich ab und versuche es erneut."; App::$strings["Welcome %s. Remote authentication successful."] = "Willkommen %s. Entfernte Authentifizierung erfolgreich."; App::$strings["Requested profile is not available."] = "Das angefragte Profil ist nicht verfügbar."; App::$strings["Some blurb about what to do when you're new here"] = "Ein Hinweis, was man tun kann, wenn man neu hier ist"; App::$strings["Away"] = "Abwesend"; App::$strings["Online"] = "Online"; -App::$strings["Could not access contact record."] = "Konnte nicht auf den Kontakteintrag zugreifen."; -App::$strings["Could not locate selected profile."] = "GewƤhltes Profil nicht gefunden."; -App::$strings["Connection updated."] = "Verbindung aktualisiert."; -App::$strings["Failed to update connection record."] = "Konnte den Verbindungseintrag nicht aktualisieren."; -App::$strings["is now connected to"] = "ist jetzt verbunden mit"; -App::$strings["No"] = "Nein"; -App::$strings["Yes"] = "Ja"; -App::$strings["Could not access address book record."] = "Konnte nicht auf den Adressbuch-Eintrag zugreifen."; -App::$strings["Refresh failed - channel is currently unavailable."] = "Aktualisierung fehlgeschlagen – der Kanal ist im Moment nicht erreichbar."; -App::$strings["Unable to set address book parameters."] = "Konnte die Adressbuch-Parameter nicht setzen."; -App::$strings["Connection has been removed."] = "Verbindung wurde gelƶscht."; -App::$strings["View Profile"] = "Profil ansehen"; -App::$strings["View %s's profile"] = "%ss Profil ansehen"; -App::$strings["Refresh Permissions"] = "Zugriffsrechte neu laden"; -App::$strings["Fetch updated permissions"] = "Aktualisierte Zugriffsrechte abfragen"; -App::$strings["Recent Activity"] = "Kürzliche AktivitƤten"; -App::$strings["View recent posts and comments"] = "Betrachte die neuesten BeitrƤge und Kommentare"; -App::$strings["Unblock"] = "Freigeben"; -App::$strings["Block"] = "Blockieren"; -App::$strings["Block (or Unblock) all communications with this connection"] = "Jegliche Kommunikation mit dieser Verbindung blockieren/zulassen"; -App::$strings["This connection is blocked!"] = "Die Verbindung ist geblockt!"; -App::$strings["Unignore"] = "Nicht ignorieren"; -App::$strings["Ignore"] = "Ignorieren"; -App::$strings["Ignore (or Unignore) all inbound communications from this connection"] = "Jegliche eingehende Kommunikation von dieser Verbindung ignorieren/zulassen"; -App::$strings["This connection is ignored!"] = "Die Verbindung wird ignoriert!"; -App::$strings["Unarchive"] = "Aus Archiv zurückholen"; -App::$strings["Archive"] = "Archivieren"; -App::$strings["Archive (or Unarchive) this connection - mark channel dead but keep content"] = "Verbindung archivieren/aus dem Archiv zurückholen (Archiv = Kanal als erloschen markieren, aber die BeitrƤge behalten)"; -App::$strings["This connection is archived!"] = "Die Verbindung ist archiviert!"; -App::$strings["Unhide"] = "Wieder sichtbar machen"; -App::$strings["Hide"] = "Verstecken"; -App::$strings["Hide or Unhide this connection from your other connections"] = "Diese Verbindung vor anderen Verbindungen verstecken/zeigen"; -App::$strings["This connection is hidden!"] = "Die Verbindung ist versteckt!"; -App::$strings["Delete this connection"] = "Verbindung lƶschen"; -App::$strings["Me"] = "Ich"; -App::$strings["Family"] = "Familie"; -App::$strings["Friends"] = "Freunde"; -App::$strings["Acquaintances"] = "Bekannte"; -App::$strings["All"] = "Alle"; -App::$strings["Approve this connection"] = "Verbindung genehmigen"; -App::$strings["Accept connection to allow communication"] = "Akzeptiere die Verbindung, um Kommunikation zu ermƶglichen"; -App::$strings["Set Affinity"] = "Beziehung festlegen"; -App::$strings["Set Profile"] = "Profil festlegen"; -App::$strings["Set Affinity & Profile"] = "Beziehung und Profile festlegen"; -App::$strings["none"] = "Keine"; -App::$strings["Connection Default Permissions"] = "Standardzugriffsrechte für neue Verbindungen:"; -App::$strings["Connection: %s"] = "Verbindung: %s"; -App::$strings["Apply these permissions automatically"] = "Diese Berechtigungen automatisch anwenden"; -App::$strings["Connection requests will be approved without your interaction"] = "Verbindungsanfragen werden sofort bestƤtigt, ohne dass Deine aktive Zustimmung erforderlich ist."; -App::$strings["This connection's primary address is"] = "Die Hauptadresse der Verbindung ist"; -App::$strings["Available locations:"] = "Verfügbare Klone:"; -App::$strings["The permissions indicated on this page will be applied to all new connections."] = "Die auf dieser Seite angegebenen Berechtigungen werden auf alle neuen Verbindungen angewendet."; -App::$strings["Connection Tools"] = "Verbindungswerkzeuge"; -App::$strings["Slide to adjust your degree of friendship"] = "Verschieben, um den Grad der Freundschaft zu einzustellen"; -App::$strings["Rating"] = "Bewertung"; -App::$strings["Slide to adjust your rating"] = "Verschieben, um Deine Bewertung einzustellen"; -App::$strings["Optionally explain your rating"] = "Optional kannst Du Deine Bewertung begründen"; -App::$strings["Custom Filter"] = "Benutzerdefinierter Filter"; -App::$strings["Only import posts with this text"] = "Nur BeitrƤge mit diesem Text importieren"; -App::$strings["words one per line or #tags or /patterns/ or lang=xx, leave blank to import all posts"] = "Einzelne Wƶrter pro Zeile, #Tags oder /RegulƤre Ausdrücke/. lang=xx (z.B. lang=de) ermƶglicht Filterung nach Sprache. Leer lassen, um alle BeitrƤge zu importieren."; -App::$strings["Do not import posts with this text"] = "BeitrƤge mit diesem Text nicht importieren"; -App::$strings["This information is public!"] = "Diese Information ist ƶffentlich!"; -App::$strings["Connection Pending Approval"] = "Verbindung wartet auf BestƤtigung"; -App::$strings["inherited"] = "geerbt"; -App::$strings["Submit"] = "BestƤtigen"; -App::$strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Bitte wƤhle ein Profil, das wir %s zeigen sollen, wenn Deine Profilseite über eine verifizierte Verbindung aufgerufen wird."; -App::$strings["Their Settings"] = "Deren Einstellungen"; -App::$strings["My Settings"] = "Meine Einstellungen"; -App::$strings["Individual Permissions"] = "Individuelle Zugriffsrechte"; -App::$strings["Some permissions may be inherited from your channel's privacy settings, which have higher priority than individual settings. You can not change those settings here."] = "Einige Berechtigungen werden mƶglicherweise von den globalen Sicherheits- und PrivatsphƤre-Einstellungen dieses Kanals vererbt. Diese haben eine hƶhere PrioritƤt als die Einstellungen an der Verbindung und kƶnnen hier nicht verƤndert werden."; -App::$strings["Some permissions may be inherited from your channel's privacy settings, which have higher priority than individual settings. You can change those settings here but they wont have any impact unless the inherited setting changes."] = "Einige Berechtigungen werden mƶglicherweise von den globalen Sicherheits- und PrivatsphƤre-Einstellungen dieses Kanals geerbt. Diese haben eine hƶhere PrioritƤt als die Einstellungen an der Verbindung. Werden geerbte Einstellungen hier geƤndert, hat dies keine Auswirkungen."; -App::$strings["Last update:"] = "Letzte Aktualisierung:"; +App::$strings["\$Projectname Server - Setup"] = "\$Projectname Server-Einrichtung"; +App::$strings["Could not connect to database."] = "Kann nicht mit der Datenbank verbinden."; +App::$strings["Could not connect to specified site URL. Possible SSL certificate or DNS issue."] = "Konnte die angegebene Webseiten-URL nicht erreichen. Mƶglicherweise ein Problem mit dem SSL-Zertifikat oder dem DNS."; +App::$strings["Could not create table."] = "Konnte Tabelle nicht erstellen."; +App::$strings["Your site database has been installed."] = "Die Datenbank Deines Hubs wurde installiert."; +App::$strings["You may need to import the file \"install/schema_xxx.sql\" manually using a database client."] = "Mƶglicherweise musst Du die Datei install/schema_xxx.sql manuell mit Hilfe eines Datenkbank-Clients importieren."; +App::$strings["Please see the file \"install/INSTALL.txt\"."] = "Lies die Datei \"install/INSTALL.txt\"."; +App::$strings["System check"] = "Systemprüfung"; +App::$strings["Next"] = "NƤchste"; +App::$strings["Check again"] = "Nochmal prüfen"; +App::$strings["Database connection"] = "Datenbankverbindung"; +App::$strings["In order to install \$Projectname we need to know how to connect to your database."] = "Um \$Projectname zu installieren, müssen wir wissen, wie wir eine Verbindung zu Deiner Datenbank aufbauen kƶnnen."; +App::$strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Bitte kontaktiere Deinen Hosting-Provider oder Administrator, falls Du Fragen zu diesen Einstellungen hast."; +App::$strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Die Datenbank, die Du weiter unten angibst, sollte bereits existieren. Sollte das noch nicht der Fall sein, erzeuge sie bitte bevor Du fortfƤhrst."; +App::$strings["Database Server Name"] = "Datenbankservername"; +App::$strings["Default is 127.0.0.1"] = "Standard ist 127.0.0.1"; +App::$strings["Database Port"] = "Datenbankport"; +App::$strings["Communication port number - use 0 for default"] = "Port-Nummer für die Kommunikation – verwende 0 für die Standardeinstellung"; +App::$strings["Database Login Name"] = "Datenbank-Benutzername"; +App::$strings["Database Login Password"] = "Datenbank-Passwort"; +App::$strings["Database Name"] = "Datenbankname"; +App::$strings["Database Type"] = "Datenbanktyp"; +App::$strings["Site administrator email address"] = "E-Mail Adresse des Seiten-Administrators"; +App::$strings["Your account email address must match this in order to use the web admin panel."] = "Die E-Mail-Adresse Deines Accounts muss dieser Adresse entsprechen, damit Du Zugriff zur Administrations-Seite erhƤltst."; +App::$strings["Website URL"] = "Webseiten-URL"; +App::$strings["Please use SSL (https) URL if available."] = "Nutze wenn mƶglich eine SSL-URL (https)."; +App::$strings["Please select a default timezone for your website"] = "Standard-Zeitzone für Deinen Server"; +App::$strings["Submit"] = "Absenden"; +App::$strings["Site settings"] = "Seiteneinstellungen"; +App::$strings["Enable \$Projectname advanced features?"] = "Erweiterte Funktionen für \$Projectname aktivieren?"; +App::$strings["Some advanced features, while useful - may be best suited for technically proficient audiences"] = "Einige erweiterte Funktionen kƶnnen ungeachtet ihrer Nützlichkeit eher für eine technisch versierte Zielgruppe geeignet sein."; +App::$strings["PHP version 5.5 or greater is required."] = "PHP-Version 5.5 oder hƶher ist erforderlich."; +App::$strings["PHP version"] = "PHP-Version"; +App::$strings["Could not find a command line version of PHP in the web server PATH."] = "Konnte die Kommandozeilen-Version von PHP nicht im PATH des Web-Servers finden."; +App::$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."] = "Ohne Kommandozeilen-Version von PHP auf dem Server wirst Du nicht in der Lage sein, Hintergrundprozesse via cron auszuführen."; +App::$strings["PHP executable path"] = "PHP-Pfad zu ausführbarer Datei"; +App::$strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Gib den vollen Pfad zum PHP-Interpreter an. Du kannst dieses Feld frei lassen und mit der Installation fortfahren."; +App::$strings["Command line PHP"] = "PHP-Befehlszeile"; +App::$strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "Bei der Kommandozeilen-Version von PHP auf Deinem System ist \"register_argc_argv\" nicht aktiviert."; +App::$strings["This is required for message delivery to work."] = "Das wird benƶtigt, damit die Auslieferung von Nachrichten funktioniert."; +App::$strings["PHP register_argc_argv"] = "PHP register_argc_argv"; +App::$strings["Your max allowed total upload size is set to %s. Maximum size of one file to upload is set to %s. You are allowed to upload up to %d files at once."] = "Die Maximalgröße für Uploads insgesamt liegt bei %s. Die Maximalgröße für eine Datei liegt bei %s. Es kƶnnen maximal %d Dateien gleichzeitig hochgeladen werden."; +App::$strings["You can adjust these settings in the servers php.ini."] = "Du kannst diese Einstellungen in der php.ini des Servers Ƥndern."; +App::$strings["PHP upload limits"] = "PHP-HochladebeschrƤnkungen"; +App::$strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Fehler: Die ā€žopenssl_pkey_newā€œ-Funktion auf diesem System ist nicht in der Lage, Schlüssel für die Verschlüsselung zu erzeugen."; +App::$strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Wenn Du Windows verwendest, findest Du unter http://www.php.net/manual/en/openssl.installation.php eine Installationsanleitung."; +App::$strings["Generate encryption keys"] = "Verschlüsselungsschlüssel erzeugen"; +App::$strings["libCurl PHP module"] = "libCurl-PHP-Modul"; +App::$strings["GD graphics PHP module"] = "GD-Grafik-PHP-Modul"; +App::$strings["OpenSSL PHP module"] = "OpenSSL-PHP-Modul"; +App::$strings["mysqli or postgres PHP module"] = "mysqli oder postgres PHP-Modul"; +App::$strings["mb_string PHP module"] = "mb_string-PHP-Modul"; +App::$strings["xml PHP module"] = "xml-PHP-Modul"; +App::$strings["Apache mod_rewrite module"] = "Apache-mod_rewrite-Modul"; +App::$strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Fehler: Das Apache-Modul mod-rewrite wird benƶtigt, ist aber nicht installiert."; +App::$strings["proc_open"] = "proc_open"; +App::$strings["Error: proc_open is required but is either not installed or has been disabled in php.ini"] = "Fehler: proc_open wird benƶtigt, ist aber entweder nicht installiert oder wurde in der php.ini deaktiviert"; +App::$strings["Error: libCURL PHP module required but not installed."] = "Fehler: Das PHP-Modul libCURL wird benƶtigt, ist aber nicht installiert."; +App::$strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Fehler: Das PHP-Modul GD-Grafik mit JPEG-Unterstützung wird benƶtigt, ist aber nicht installiert."; +App::$strings["Error: openssl PHP module required but not installed."] = "Fehler: Das PHP-Modul openssl wird benƶtigt, ist aber nicht installiert."; +App::$strings["Error: mysqli or postgres PHP module required but neither are installed."] = "Fehler: Das mysqli oder postgres PHP-Modul ist erforderlich, aber keines von beiden ist installiert."; +App::$strings["Error: mb_string PHP module required but not installed."] = "Fehler: Das PHP-Modul mb_string wird benƶtigt, ist aber nicht installiert."; +App::$strings["Error: xml PHP module required for DAV but not installed."] = "Fehler: Das xml-PHP-Modul wird für DAV benƶtigt, ist aber nicht installiert."; +App::$strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "Der Installations-Assistent muss in der Lage sein, die Datei \".htconfig.php\" im Stammverzeichnis des Web-Servers anzulegen, ist er aber nicht."; +App::$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."] = "Meist liegt das daran, dass der Nutzer, unter dem der Web-Server lƤuft, keine Schreibrechte in dem Verzeichnis hat – selbst wenn Du selbst das darfst."; +App::$strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Red top folder."] = "Am Schluss dieses Vorgangs wird ein Text generiert, den Du unter dem Dateinamen .htconfig.php im Stammverzeichnis Deiner Hubzilla-Installation speichern musst."; +App::$strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"install/INSTALL.txt\" for instructions."] = "Alternativ kannst Du diesen Schritt überspringen und die Installation manuell vornehmen. Lies dazu die Datei install/INSTALL.txt."; +App::$strings[".htconfig.php is writable"] = ".htconfig.php ist beschreibbar"; +App::$strings["Red uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "\$Projectname verwendet Smarty3 um Vorlagen für die Webdarstellung zu übersetzen. Smarty3 übersetzt diese Vorlagen nach PHP, um die Darstellung zu beschleunigen."; +App::$strings["In order to store these compiled templates, the web server needs to have write access to the directory %s under the top level web folder."] = "Um diese kompilierten Vorlagen speichern zu kƶnnen, braucht der Web-Server Schreibzugriff auf das Verzeichnis %s unterhalb des Hubzilla-Stammverzeichnisses."; +App::$strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Bitte stelle sicher, dass der Nutzer, unter dem der Web-Server lƤuft (z.B. www-data), Schreibzugriff auf dieses Verzeichnis hat."; +App::$strings["Note: as a security measure, you should give the web server write access to %s only--not the template files (.tpl) that it contains."] = "Hinweis: Aus Sicherheitsgründen sollte der Web-Server nur auf %s Schreibrechte haben, nicht auf die Template-Dateien (.tpl), die das Verzeichnis enthƤlt."; +App::$strings["%s is writable"] = "%s ist beschreibbar"; +App::$strings["This software uses the store directory to save uploaded files. The web server needs to have write access to the store directory under the Red top level folder"] = "Diese Software benutzt das Verzeichnis store, um hochgeladene Dateien zu speichern. Der Web-Server benƶtigt Schreibrechte für dieses Verzeichnis direkt unterhalb des Hubzilla-Stammverzeichnisses"; +App::$strings["store is writable"] = "store ist schreibbar"; +App::$strings["SSL certificate cannot be validated. Fix certificate or disable https access to this site."] = "Das SSL-Zertifikat konnte nicht validiert werden. Korrigiere das Zertifikat oder deaktiviere den HTTPS-Zugriff auf diesen Server."; +App::$strings["If you have https access to your website or allow connections to TCP port 443 (the https: port), you MUST use a browser-valid certificate. You MUST NOT use self-signed certificates!"] = "Wenn Du via HTTPS auf Deinen Server zugreifen mƶchtest, also Verbindungen über den Port 443 mƶglich sein sollen, ist ein SSL-Zertifikat einer Zertifizierungsstelle (CA) notwendig, das von den Browsern ohne Sicherheitsabfrage akzeptiert wird. Die Verwendung eines selbst signierten Zertifikates ist nicht mƶglich."; +App::$strings["This restriction is incorporated because public posts from you may for example contain references to images on your own hub."] = "Diese EinschrƤnkung wurde eingebaut, weil Deine ƶffentlichen BeitrƤge zum Beispiel Verweise auf Bilder auf Deinem eigenen Hub enthalten kƶnnen."; +App::$strings["If your certificate is not recognized, members of other sites (who may themselves have valid certificates) will get a warning message on their own site complaining about security issues."] = "Wenn Dein Zertifikat nicht von jedem Browser akzeptiert wird, erhalten die Mitglieder anderer \$Projectname-Hubs (die mit korrekten Zertifikaten ausgestattet sind) Sicherheits-Warnmeldungen, obwohl sie gar nicht direkt auf Deinem Server unterwegs sind (zum Beispiel, wenn ein Bild aus einem Deiner BeitrƤge angezeigt wird)."; +App::$strings["This can cause usability issues elsewhere (not just on your own site) so we must insist on this requirement."] = "Dies kann Probleme für andere Nutzer (nicht nur auf Deinem eigenen Server) verursachen, so dass wir auf dieser Forderung bestehen müssen."; +App::$strings["Providers are available that issue free certificates which are browser-valid."] = "Es gibt einige Zertifizierungsstellen (CAs), bei denen solche Zertifikate kostenlos zu haben sind."; +App::$strings["If you are confident that the certificate is valid and signed by a trusted authority, check to see if you have failed to install an intermediate cert. These are not normally required by browsers, but are required for server-to-server communications."] = "Wenn Du sicher bist, dass das Zertifikat gültig und von einer vertrauenswürdigen Zertifizierungsstelle signiert ist, prüfe auf ggf. noch zu installierende Zwischenzertifikate (intermediate). Diese werden nicht unbedingt von Browsern benƶtigt, aber sehr wohl für die Kommunikation zwischen Servern."; +App::$strings["SSL certificate validation"] = "SSL Zertifikatverifizierung"; +App::$strings["Url rewrite in .htaccess is not working. Check your server configuration.Test: "] = "Das Umschreiben von URLs (rewrite) per .htaccess funktioniert nicht. Bitte prüfe die Server-Konfiguration. Test:"; +App::$strings["Url rewrite is working"] = "Url rewrite funktioniert"; +App::$strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "Die Datenbank-Konfigurationsdatei ā€ž.htconfig.phpā€œ konnte nicht geschrieben werden. Bitte verwende den unten angegebenen Text, um die Konfigurationsdatei im Stammverzeichnis des Webservers anzulegen."; +App::$strings["Errors encountered creating database tables."] = "Fehler beim Anlegen der Datenbank-Tabellen aufgetreten."; +App::$strings["

What next

"] = "

Was als NƤchstes

"; +App::$strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "WICHTIG: Du musst [manuell] einen Cronjob für den Poller einrichten."; +App::$strings["Invalid message"] = "Ungültige Beitrags-ID (mid)"; +App::$strings["no results"] = "keine Ergebnisse"; +App::$strings["channel sync processed"] = "Kanal-Sync verarbeitet"; +App::$strings["queued"] = "zur Warteschlange hinzugefügt"; +App::$strings["posted"] = "zugestellt"; +App::$strings["accepted for delivery"] = "für Zustellung akzeptiert"; +App::$strings["updated"] = "aktualisiert"; +App::$strings["update ignored"] = "Aktualisierung ignoriert"; +App::$strings["permission denied"] = "Zugriff verweigert"; +App::$strings["recipient not found"] = "EmpfƤnger nicht gefunden."; +App::$strings["mail recalled"] = "Mail widerrufen"; +App::$strings["duplicate mail received"] = "Doppelte Mail erhalten"; +App::$strings["mail delivered"] = "Mail zugestellt"; +App::$strings["Delivery report for %1\$s"] = "Zustellungsbericht für %1\$s"; +App::$strings["Options"] = "Optionen"; +App::$strings["Redeliver"] = "Erneut zustellen"; +App::$strings["Import Webpage Elements"] = "Webseitenelemente importieren"; +App::$strings["Import selected"] = "Import ausgewƤhlt"; +App::$strings["Webpages"] = "Webseiten"; +App::$strings["Share"] = "Teilen"; +App::$strings["View"] = "Ansicht"; +App::$strings["Preview"] = "Vorschau"; +App::$strings["Actions"] = "Aktionen"; +App::$strings["Page Link"] = "Seiten-Link"; +App::$strings["Page Title"] = "Seitentitel"; +App::$strings["Created"] = "Erstellt"; +App::$strings["Edited"] = "GeƤndert"; +App::$strings["Invalid file type."] = "Ungültiger Dateityp."; +App::$strings["Error opening zip file"] = "Fehler beim Ɩffnen der ZIP-Datei"; +App::$strings["Invalid folder path."] = "Ungültiger Ordnerpfad."; +App::$strings["No webpage elements detected."] = "Keine Webseitenelemente erkannt."; +App::$strings["Import complete."] = "Import abgeschlossen."; App::$strings["Public access denied."] = "Ɩffentlichen Zugriff verweigert."; -App::$strings["Item not found."] = "Element nicht gefunden."; -App::$strings["First Name"] = "Vorname"; -App::$strings["Last Name"] = "Nachname"; -App::$strings["Nickname"] = "Spitzname"; -App::$strings["Full Name"] = "Voller Name"; -App::$strings["Email"] = "E-Mail"; -App::$strings["Profile Photo"] = "Profilfoto"; -App::$strings["Profile Photo 16px"] = "Profilfoto 16 px"; -App::$strings["Profile Photo 32px"] = "Profilfoto 32 px"; -App::$strings["Profile Photo 48px"] = "Profilfoto 48 px"; -App::$strings["Profile Photo 64px"] = "Profilfoto 64 px"; -App::$strings["Profile Photo 80px"] = "Profilfoto 80 px"; -App::$strings["Profile Photo 128px"] = "Profilfoto 128 px"; -App::$strings["Timezone"] = "Zeitzone"; -App::$strings["Homepage URL"] = "Homepage-URL"; -App::$strings["Language"] = "Sprache"; -App::$strings["Birth Year"] = "Geburtsjahr"; -App::$strings["Birth Month"] = "Geburtsmonat"; -App::$strings["Birth Day"] = "Geburtstag"; -App::$strings["Birthdate"] = "Geburtsdatum"; -App::$strings["Gender"] = "Geschlecht"; -App::$strings["Male"] = "MƤnnlich"; -App::$strings["Female"] = "Weiblich"; -App::$strings["Channel added."] = "Kanal hinzugefügt."; App::$strings["%d rating"] = array( 0 => "%d Bewertung", 1 => "%d Bewertungen", @@ -198,66 +224,92 @@ App::$strings["Reverse Alphabetic"] = "Entgegengesetzt alphabetisch"; App::$strings["Newest to Oldest"] = "Neueste zuerst"; App::$strings["Oldest to Newest"] = "Ƅlteste zuerst"; App::$strings["No entries (some entries may be hidden)."] = "Keine EintrƤge gefunden (einige kƶnnten versteckt sein)."; -App::$strings["Continue"] = "Fortfahren"; -App::$strings["Premium Channel Setup"] = "Premium-Kanal-Einrichtung"; -App::$strings["Enable premium channel connection restrictions"] = "EinschrƤnkungen für einen Premium-Kanal aktivieren"; -App::$strings["Please enter your restrictions or conditions, such as paypal receipt, usage guidelines, etc."] = "Bitte gib Deine Nutzungsbedingungen ein, z.B. Paypal-Quittung, Richtlinien etc."; -App::$strings["This channel may require additional steps or acknowledgement of the following conditions prior to connecting:"] = "Unter UmstƤnden sind weitere Schritte oder die BestƤtigung der folgenden Bedingungen vor dem Verbinden mit diesem Kanal nƶtig."; -App::$strings["Potential connections will then see the following text before proceeding:"] = "Potentielle Kontakte werden den folgenden Text sehen, bevor fortgefahren wird:"; -App::$strings["By continuing, I certify that I have complied with any instructions provided on this page."] = "Indem ich fortfahre, bestƤtige ich die Erfüllung aller Anweisungen auf dieser Seite."; -App::$strings["(No specific instructions have been provided by the channel owner.)"] = "(Der Kanal-Besitzer hat keine speziellen Anweisungen hinterlegt.)"; -App::$strings["Restricted or Premium Channel"] = "EingeschrƤnkter oder Premium-Kanal"; -App::$strings["Calendar entries imported."] = "KalendereintrƤge wurden importiert."; -App::$strings["No calendar entries found."] = "Keine KalendereintrƤge gefunden."; -App::$strings["Event can not end before it has started."] = "Termin-Ende liegt vor dem Beginn."; -App::$strings["Unable to generate preview."] = "Vorschau konnte nicht erzeugt werden."; -App::$strings["Event title and start time are required."] = "Titel und Startzeit des Termins sind erforderlich."; -App::$strings["Event not found."] = "Termin nicht gefunden."; -App::$strings["event"] = "Termin"; -App::$strings["Edit event title"] = "Termintitel bearbeiten"; -App::$strings["Event title"] = "Termintitel"; -App::$strings["Required"] = "Benƶtigt"; -App::$strings["Categories (comma-separated list)"] = "Kategorien (Kommagetrennte Liste)"; -App::$strings["Edit Category"] = "Kategorie bearbeiten"; -App::$strings["Category"] = "Kategorie"; -App::$strings["Edit start date and time"] = "Startdatum und -zeit bearbeiten"; -App::$strings["Start date and time"] = "Startdatum und -zeit"; -App::$strings["Finish date and time are not known or not relevant"] = "Enddatum und -zeit sind unbekannt oder irrelevant"; -App::$strings["Edit finish date and time"] = "Enddatum und -zeit bearbeiten"; -App::$strings["Finish date and time"] = "Enddatum und -zeit"; -App::$strings["Adjust for viewer timezone"] = "An die Zeitzone des Betrachters anpassen"; -App::$strings["Important for events that happen in a particular place. Not practical for global holidays."] = "Wichtig für Veranstaltungen die an bestimmten Orten stattfinden. Nicht sinnvoll für globale Feiertage / Ferien."; -App::$strings["Edit Description"] = "Beschreibung bearbeiten"; -App::$strings["Description"] = "Beschreibung"; -App::$strings["Edit Location"] = "Ort bearbeiten"; +App::$strings["Profile not found."] = "Profil nicht gefunden."; +App::$strings["Profile deleted."] = "Profil gelƶscht."; +App::$strings["Profile-"] = "Profil-"; +App::$strings["New profile created."] = "Neues Profil erstellt."; +App::$strings["Profile unavailable to clone."] = "Profil kann nicht geklont werden."; +App::$strings["Profile unavailable to export."] = "Dieses Profil kann nicht exportiert werden."; +App::$strings["Profile Name is required."] = "Profil-Name erforderlich."; +App::$strings["Marital Status"] = "Familienstand"; +App::$strings["Romantic Partner"] = "Romantische Partner"; +App::$strings["Likes"] = "GefƤllt"; +App::$strings["Dislikes"] = "GefƤllt nicht"; +App::$strings["Work/Employment"] = "Arbeit/Anstellung"; +App::$strings["Religion"] = "Religion"; +App::$strings["Political Views"] = "Politische Ansichten"; +App::$strings["Gender"] = "Geschlecht"; +App::$strings["Sexual Preference"] = "Sexuelle Orientierung"; +App::$strings["Homepage"] = "Webseite"; +App::$strings["Interests"] = "Hobbys/Interessen"; +App::$strings["Address"] = "Adresse"; App::$strings["Location"] = "Ort"; -App::$strings["Share this event"] = "Den Termin teilen"; -App::$strings["Preview"] = "Vorschau"; -App::$strings["Permission settings"] = "Berechtigungs-Einstellungen"; -App::$strings["Advanced Options"] = "Weitere Optionen"; -App::$strings["l, F j"] = "l, j. F"; -App::$strings["Edit event"] = "Termin bearbeiten"; -App::$strings["Delete event"] = "Termin lƶschen"; -App::$strings["Link to Source"] = "Link zur Quelle"; -App::$strings["calendar"] = "Kalender"; -App::$strings["Edit Event"] = "Termin bearbeiten"; -App::$strings["Create Event"] = "Termin anlegen"; -App::$strings["Previous"] = "Voriges"; -App::$strings["Next"] = "NƤchste"; -App::$strings["Export"] = "Exportieren"; -App::$strings["View"] = "Ansicht"; -App::$strings["Month"] = "Monat"; -App::$strings["Week"] = "Woche"; -App::$strings["Day"] = "Tag"; -App::$strings["Today"] = "Heute"; -App::$strings["Event removed"] = "Termin gelƶscht"; -App::$strings["Failed to remove event"] = "Termin konnte nicht gelƶscht werden"; +App::$strings["Profile updated."] = "Profil aktualisiert."; +App::$strings["Hide your connections list from viewers of this profile"] = "Deine Verbindungen vor Betrachtern dieses Profils verbergen"; +App::$strings["No"] = "Nein"; +App::$strings["Yes"] = "Ja"; +App::$strings["Edit Profile Details"] = "Bearbeite Profil-Details"; +App::$strings["View this profile"] = "Dieses Profil ansehen"; +App::$strings["Edit visibility"] = "Sichtbarkeit bearbeiten"; +App::$strings["Profile Tools"] = "Profilwerkzeuge"; +App::$strings["Change cover photo"] = "Titelbild Ƥndern"; +App::$strings["Change profile photo"] = "Profilfoto Ƥndern"; +App::$strings["Create a new profile using these settings"] = "Neues Profil anlegen und diese Einstellungen übernehmen"; +App::$strings["Clone this profile"] = "Dieses Profil klonen"; +App::$strings["Delete this profile"] = "Dieses Profil lƶschen"; +App::$strings["Add profile things"] = "Sachen zum Profil hinzufügen"; +App::$strings["Personal"] = "Persƶnlich"; +App::$strings["Relation"] = "Beziehung"; +App::$strings["Miscellaneous"] = "Verschiedenes"; +App::$strings["Import profile from file"] = "Profil aus einer Datei importieren"; +App::$strings["Export profile to file"] = "Profil in eine Datei exportieren"; +App::$strings["Your gender"] = "Dein Geschlecht"; +App::$strings["Marital status"] = "Familienstand"; +App::$strings["Sexual preference"] = "Sexuelle Orientierung"; +App::$strings["Profile name"] = "Profilname"; +App::$strings["Required"] = "Benƶtigt"; +App::$strings["This is your default profile."] = "Das ist Dein Standardprofil."; +App::$strings["Your full name"] = "Dein voller Name"; +App::$strings["Title/Description"] = "Titel/Beschreibung"; +App::$strings["Street address"] = "Straße und Hausnummer"; +App::$strings["Locality/City"] = "Wohnort"; +App::$strings["Region/State"] = "Region/Bundesstaat"; +App::$strings["Postal/Zip code"] = "Postleitzahl"; +App::$strings["Country"] = "Land"; +App::$strings["Who (if applicable)"] = "Wer (falls anwendbar)"; +App::$strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Beispiele: cathy123, Cathy Williams, cathy@example.com"; +App::$strings["Since (date)"] = "Seit (Datum)"; +App::$strings["Tell us about yourself"] = "ErzƤhle uns ein wenig von Dir"; +App::$strings["Homepage URL"] = "Homepage-URL"; +App::$strings["Hometown"] = "Heimatort"; +App::$strings["Political views"] = "Politische Ansichten"; +App::$strings["Religious views"] = "Religiƶse Ansichten"; +App::$strings["Keywords used in directory listings"] = "Schlüsselwƶrter, die in Verzeichnis-Auflistungen verwendet werden"; +App::$strings["Example: fishing photography software"] = "Beispiel: Angeln Fotografie Software"; +App::$strings["Musical interests"] = "Musikalische Interessen"; +App::$strings["Books, literature"] = "Bücher, Literatur"; +App::$strings["Television"] = "Fernsehen"; +App::$strings["Film/Dance/Culture/Entertainment"] = "Film/Tanz/Kultur/Unterhaltung"; +App::$strings["Hobbies/Interests"] = "Hobbys/Interessen"; +App::$strings["Love/Romance"] = "Liebe/Romantik"; +App::$strings["School/Education"] = "Schule/Ausbildung"; +App::$strings["Contact information and social networks"] = "Kontaktinformation und soziale Netzwerke"; +App::$strings["My other channels"] = "Meine anderen KanƤle"; +App::$strings["Profile Image"] = "Profilfoto:"; +App::$strings["Edit Profiles"] = "Profile bearbeiten"; +App::$strings["Create New"] = "Neu anlegen"; +App::$strings["Edit post"] = "Bearbeite Beitrag"; App::$strings["Bookmark added"] = "Lesezeichen hinzugefügt"; App::$strings["My Bookmarks"] = "Meine Lesezeichen"; App::$strings["My Connections Bookmarks"] = "Lesezeichen meiner Kontakte"; -App::$strings["Item not found"] = "Element nicht gefunden"; -App::$strings["Item is not editable"] = "Element kann nicht bearbeitet werden."; -App::$strings["Edit post"] = "Bearbeite Beitrag"; +App::$strings["Unable to locate original post."] = "Originalbeitrag nicht gefunden."; +App::$strings["Empty post discarded."] = "Leeren Beitrag verworfen."; +App::$strings["Executable content type not permitted to this channel."] = "Ausführbarer Content-Typ ist für diesen Kanal nicht freigegeben."; +App::$strings["Duplicate post suppressed."] = "Doppelter Beitrag unterdrückt."; +App::$strings["System error. Post not saved."] = "Systemfehler. Beitrag nicht gespeichert."; +App::$strings["Unable to obtain post information from database."] = "Beitragsinformationen kƶnnen nicht aus der Datenbank abgerufen werden."; +App::$strings["You have reached your limit of %1$.0f top level posts."] = "Du hast die maximale Anzahl von %1$.0f BeitrƤgen erreicht."; +App::$strings["You have reached your limit of %1$.0f webpages."] = "Du hast die maximale Anzahl von %1$.0f Webseiten erreicht."; App::$strings["Photos"] = "Fotos"; App::$strings["Cancel"] = "Abbrechen"; App::$strings["Invalid item."] = "Ungültiges Element."; @@ -266,11 +318,16 @@ App::$strings["Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do e App::$strings["Save to Folder:"] = "Speichern in Ordner:"; App::$strings["- select -"] = "– auswƤhlen –"; App::$strings["Save"] = "Speichern"; +App::$strings["You must be logged in to see this page."] = "Du musst angemeldet sein, um diese Seite betrachten zu kƶnnen."; +App::$strings["Posts and comments"] = "BeitrƤge und Kommentare"; +App::$strings["Only posts"] = "Nur BeitrƤge"; +App::$strings["Insufficient permissions. Request redirected to profile page."] = "Unzureichende Zugriffsrechte. Die Anfrage wurde zur Profil-Seite umgeleitet."; App::$strings["Blocked"] = "Blockiert"; App::$strings["Ignored"] = "Ignoriert"; App::$strings["Hidden"] = "Versteckt"; App::$strings["Archived"] = "Archiviert"; App::$strings["New"] = "Neu"; +App::$strings["All"] = "Alle"; App::$strings["New Connections"] = "Neue Verbindungen"; App::$strings["Show pending (new) connections"] = "Ausstehende (neue) Verbindungsanfragen anzeigen"; App::$strings["All Connections"] = "Alle Verbindungen"; @@ -290,6 +347,7 @@ App::$strings["Connected"] = "Verbunden"; App::$strings["Approve connection"] = "Verbindung genehmigen"; App::$strings["Approve"] = "Genehmigen"; App::$strings["Ignore connection"] = "Verbindung ignorieren"; +App::$strings["Ignore"] = "Ignorieren"; App::$strings["Recent activity"] = "Kürzliche AktivitƤten"; App::$strings["Connections"] = "Verbindungen"; App::$strings["Search"] = "Suche"; @@ -323,64 +381,41 @@ App::$strings["layout"] = "Layout"; App::$strings["menu"] = "Menü"; App::$strings["%s element installed"] = "Element für %s installiert"; App::$strings["%s element installation failed"] = "Installation des Elements %s fehlgeschlagen"; -App::$strings["Permissions denied."] = "Berechtigung verweigert."; -App::$strings["Import"] = "Import"; +App::$strings["Like/Dislike"] = "Mƶgen/Nicht mƶgen"; +App::$strings["This action is restricted to members."] = "Diese Aktion kann nur von Mitgliedern ausgeführt werden."; +App::$strings["Please login with your \$Projectname ID or register as a new \$Projectname member to continue."] = "Um fortzufahren melde Dich bitte mit Deiner \$Projectname-ID an oder registriere Dich als neues \$Projectname-Mitglied."; +App::$strings["Invalid request."] = "Ungültige Anfrage."; +App::$strings["channel"] = "Kanal"; +App::$strings["thing"] = "Sache"; +App::$strings["Channel unavailable."] = "Kanal nicht vorhanden."; +App::$strings["Previous action reversed."] = "Die vorherige Aktion wurde rückgƤngig gemacht."; +App::$strings["photo"] = "Foto"; +App::$strings["status"] = "Status"; +App::$strings["event"] = "Termin"; +App::$strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s gefƤllt %2\$ss %3\$s"; +App::$strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s gefƤllt %2\$ss %3\$s nicht"; +App::$strings["%1\$s agrees with %2\$s's %3\$s"] = "%1\$s stimmt %2\$ss %3\$s zu"; +App::$strings["%1\$s doesn't agree with %2\$s's %3\$s"] = "%1\$s lehnt %2\$ss %3\$s ab"; +App::$strings["%1\$s abstains from a decision on %2\$s's %3\$s"] = "%1\$s enthƤlt sich zu %2\$ss %3\$s"; +App::$strings["%1\$s is attending %2\$s's %3\$s"] = "%1\$s nimmt an %2\$ss %3\$s teil"; +App::$strings["%1\$s is not attending %2\$s's %3\$s"] = "%1\$s nimmt an %2\$ss %3\$s nicht teil"; +App::$strings["%1\$s may attend %2\$s's %3\$s"] = "%1\$s nimmt vielleicht an %2\$ss %3\$s teil"; +App::$strings["Action completed."] = "Aktion durchgeführt."; +App::$strings["Thank you."] = "Vielen Dank."; App::$strings["This site is not a directory server"] = "Diese Webseite ist kein Verzeichnisserver"; App::$strings["This directory server requires an access token"] = "Dieser Verzeichnisserver benƶtigt einen Zugriffstoken"; -App::$strings["You must be logged in to see this page."] = "Du musst angemeldet sein, um diese Seite betrachten zu kƶnnen."; -App::$strings["Room not found"] = "Chatraum nicht gefunden"; -App::$strings["Leave Room"] = "Raum verlassen"; -App::$strings["Delete Room"] = "Raum lƶschen"; -App::$strings["I am away right now"] = "Ich bin gerade nicht da"; -App::$strings["I am online"] = "Ich bin online"; -App::$strings["Bookmark this room"] = "Lesezeichen für diesen Raum setzen"; -App::$strings["Please enter a link URL:"] = "Gib eine URL ein:"; -App::$strings["Encrypt text"] = "Text verschlüsseln"; +App::$strings["Item not found"] = "Element nicht gefunden"; +App::$strings["Block Name"] = "Block-Name"; App::$strings["Insert web link"] = "Link einfügen"; -App::$strings["Feature disabled."] = "Funktion deaktiviert."; -App::$strings["New Chatroom"] = "Neuer Chatraum"; -App::$strings["Chatroom name"] = "Chatraumname"; -App::$strings["Expiration of chats (minutes)"] = "Verfall von Chats (Minuten)"; -App::$strings["Permissions"] = "Berechtigungen"; -App::$strings["%1\$s's Chatrooms"] = "%1\$ss ChatrƤume"; -App::$strings["No chatrooms available"] = "Keine ChatrƤume verfügbar"; -App::$strings["Create New"] = "Neu anlegen"; -App::$strings["Expiration"] = "Verfall"; -App::$strings["min"] = "min"; -App::$strings["Invalid message"] = "Ungültige Beitrags-ID (mid)"; -App::$strings["no results"] = "keine Ergebnisse"; -App::$strings["channel sync processed"] = "Kanal-Sync verarbeitet"; -App::$strings["queued"] = "zur Warteschlange hinzugefügt"; -App::$strings["posted"] = "zugestellt"; -App::$strings["accepted for delivery"] = "für Zustellung akzeptiert"; -App::$strings["updated"] = "aktualisiert"; -App::$strings["update ignored"] = "Aktualisierung ignoriert"; -App::$strings["permission denied"] = "Zugriff verweigert"; -App::$strings["recipient not found"] = "EmpfƤnger nicht gefunden."; -App::$strings["mail recalled"] = "Mail widerrufen"; -App::$strings["duplicate mail received"] = "Doppelte Mail erhalten"; -App::$strings["mail delivered"] = "Mail zugestellt"; -App::$strings["Delivery report for %1\$s"] = "Zustellungsbericht für %1\$s"; -App::$strings["Options"] = "Optionen"; -App::$strings["Redeliver"] = "Erneut zustellen"; +App::$strings["Title (optional)"] = "Titel (optional)"; +App::$strings["Edit Block"] = "Block bearbeiten"; App::$strings["Layout Name"] = "Layout-Name"; App::$strings["Layout Description (Optional)"] = "Layout-Beschreibung (optional)"; App::$strings["Edit Layout"] = "Layout bearbeiten"; App::$strings["Page link"] = "Seiten-Link"; App::$strings["Edit Webpage"] = "Webseite bearbeiten"; -App::$strings["Privacy group created."] = "Gruppe wurde erstellt."; -App::$strings["Could not create privacy group."] = "Gruppe konnte nicht erstellt werden."; -App::$strings["Privacy group not found."] = "Gruppe nicht gefunden."; -App::$strings["Privacy group updated."] = "Gruppe wurde aktualisiert."; -App::$strings["Create a group of channels."] = "Erstelle eine Gruppe für KanƤle."; -App::$strings["Privacy group name: "] = "Gruppenname:"; -App::$strings["Members are visible to other channels"] = "Mitglieder sind sichtbar für andere KanƤle"; -App::$strings["Privacy group removed."] = "Gruppe wurde entfernt."; -App::$strings["Unable to remove privacy group."] = "Gruppe konnte nicht entfernt werden."; -App::$strings["Privacy group editor"] = "Gruppeneditor"; -App::$strings["Members"] = "Mitglieder"; -App::$strings["All Connected Channels"] = "Alle verbundenen KanƤle"; -App::$strings["Click on a channel to add or remove."] = "WƤhle einen Kanal zum hinzufügen oder entfernen aus."; +App::$strings["network"] = "Netzwerk"; +App::$strings["RSS"] = "RSS"; App::$strings["App installed."] = "App installiert."; App::$strings["Malformed app."] = "Fehlerhafte App."; App::$strings["Embed code"] = "Code einbetten"; @@ -388,6 +423,7 @@ App::$strings["Edit App"] = "App bearbeiten"; App::$strings["Create App"] = "App erstellen"; App::$strings["Name of app"] = "Name der App"; App::$strings["Location (URL) of app"] = "Ort (URL) der App"; +App::$strings["Description"] = "Beschreibung"; App::$strings["Photo icon URL"] = "URL zum Icon"; App::$strings["80 x 80 pixels - optional"] = "80 x 80 Pixel – optional"; App::$strings["Categories (optional, comma separated list)"] = "Kategorien (optional, kommagetrennte Liste)"; @@ -406,11 +442,15 @@ App::$strings["Module Name:"] = "Modulname:"; App::$strings["Layout Help"] = "Layout-Hilfe"; App::$strings["Share content from Firefox to \$Projectname"] = "Inhalte von Firefox nach \$Projectname teilen"; App::$strings["Activate the Firefox \$Projectname provider"] = "Aktiviert den \$Projectname-Provider für firefox"; -App::$strings["network"] = "Netzwerk"; -App::$strings["RSS"] = "RSS"; +App::$strings["\$Projectname"] = "\$Projectname"; +App::$strings["Welcome to %s"] = "Willkommen auf %s"; +App::$strings["Remote privacy information not available."] = "PrivatsphƤre-Einstellungen anderer Nutzer sind nicht verfügbar."; +App::$strings["Visible to:"] = "Sichtbar für:"; +App::$strings["Item not found."] = "Element nicht gefunden."; App::$strings["Permission Denied."] = "Zugriff verweigert."; App::$strings["File not found."] = "Datei nicht gefunden."; App::$strings["Edit file permissions"] = "Dateiberechtigungen bearbeiten"; +App::$strings["Permissions"] = "Berechtigungen"; App::$strings["Set/edit permissions"] = "Berechtigungen setzen/Ƥndern"; App::$strings["Include all files and sub folders"] = "Alle Dateien und Unterverzeichnisse einbinden"; App::$strings["Return to file list"] = "Zurück zur Dateiliste"; @@ -419,130 +459,264 @@ App::$strings["Copy/paste this URL to link file from a web page"] = "Diese URL v App::$strings["Share this file"] = "Diese Datei freigeben"; App::$strings["Show URL to this file"] = "URL zu dieser Datei anzeigen"; App::$strings["Notify your contacts about this file"] = "Meine Kontakte über diese Datei benachrichtigen"; -App::$strings["Layouts"] = "Layouts"; -App::$strings["Comanche page description language help"] = "Hilfe zur Comanche-Seitenbeschreibungssprache"; -App::$strings["Layout Description"] = "Layout-Beschreibung"; -App::$strings["Created"] = "Erstellt"; -App::$strings["Edited"] = "GeƤndert"; -App::$strings["Share"] = "Teilen"; -App::$strings["Download PDL file"] = "PDL-Datei herunterladen"; -App::$strings["Like/Dislike"] = "Mƶgen/Nicht mƶgen"; -App::$strings["This action is restricted to members."] = "Diese Aktion kann nur von Mitgliedern ausgeführt werden."; -App::$strings["Please login with your \$Projectname ID or register as a new \$Projectname member to continue."] = "Um fortzufahren melde Dich bitte mit Deiner \$Projectname-ID an oder registriere Dich als neues \$Projectname-Mitglied."; -App::$strings["Invalid request."] = "Ungültige Anfrage."; -App::$strings["channel"] = "Kanal"; -App::$strings["thing"] = "Sache"; -App::$strings["Channel unavailable."] = "Kanal nicht vorhanden."; -App::$strings["Previous action reversed."] = "Die vorherige Aktion wurde rückgƤngig gemacht."; -App::$strings["photo"] = "Foto"; -App::$strings["status"] = "Status"; -App::$strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s gefƤllt %2\$ss %3\$s"; -App::$strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s gefƤllt %2\$ss %3\$s nicht"; -App::$strings["%1\$s agrees with %2\$s's %3\$s"] = "%1\$s stimmt %2\$ss %3\$s zu"; -App::$strings["%1\$s doesn't agree with %2\$s's %3\$s"] = "%1\$s lehnt %2\$ss %3\$s ab"; -App::$strings["%1\$s abstains from a decision on %2\$s's %3\$s"] = "%1\$s enthƤlt sich zu %2\$ss %3\$s"; -App::$strings["%1\$s is attending %2\$s's %3\$s"] = "%1\$s nimmt an %2\$ss %3\$s teil"; -App::$strings["%1\$s is not attending %2\$s's %3\$s"] = "%1\$s nimmt an %2\$ss %3\$s nicht teil"; -App::$strings["%1\$s may attend %2\$s's %3\$s"] = "%1\$s nimmt vielleicht an %2\$ss %3\$s teil"; -App::$strings["Action completed."] = "Aktion durchgeführt."; -App::$strings["Thank you."] = "Vielen Dank."; -App::$strings["Profile not found."] = "Profil nicht gefunden."; -App::$strings["Profile deleted."] = "Profil gelƶscht."; -App::$strings["Profile-"] = "Profil-"; -App::$strings["New profile created."] = "Neues Profil erstellt."; -App::$strings["Profile unavailable to clone."] = "Profil kann nicht geklont werden."; -App::$strings["Profile unavailable to export."] = "Dieses Profil kann nicht exportiert werden."; -App::$strings["Profile Name is required."] = "Profil-Name erforderlich."; -App::$strings["Marital Status"] = "Familienstand"; -App::$strings["Romantic Partner"] = "Romantische Partner"; -App::$strings["Likes"] = "GefƤllt"; -App::$strings["Dislikes"] = "GefƤllt nicht"; -App::$strings["Work/Employment"] = "Arbeit/Anstellung"; -App::$strings["Religion"] = "Religion"; -App::$strings["Political Views"] = "Politische Ansichten"; -App::$strings["Sexual Preference"] = "Sexuelle Orientierung"; -App::$strings["Homepage"] = "Webseite"; -App::$strings["Interests"] = "Hobbys/Interessen"; -App::$strings["Address"] = "Adresse"; -App::$strings["Profile updated."] = "Profil aktualisiert."; -App::$strings["Hide your connections list from viewers of this profile"] = "Deine Verbindungen vor Betrachtern dieses Profils verbergen"; -App::$strings["Edit Profile Details"] = "Bearbeite Profil-Details"; -App::$strings["View this profile"] = "Dieses Profil ansehen"; -App::$strings["Edit visibility"] = "Sichtbarkeit bearbeiten"; -App::$strings["Profile Tools"] = "Profilwerkzeuge"; -App::$strings["Change cover photo"] = "Titelbild Ƥndern"; -App::$strings["Change profile photo"] = "Profilfoto Ƥndern"; -App::$strings["Create a new profile using these settings"] = "Neues Profil anlegen und diese Einstellungen übernehmen"; -App::$strings["Clone this profile"] = "Dieses Profil klonen"; -App::$strings["Delete this profile"] = "Dieses Profil lƶschen"; -App::$strings["Add profile things"] = "Sachen zum Profil hinzufügen"; -App::$strings["Personal"] = "Persƶnlich"; -App::$strings["Relation"] = "Beziehung"; -App::$strings["Miscellaneous"] = "Verschiedenes"; -App::$strings["Import profile from file"] = "Profil aus einer Datei importieren"; -App::$strings["Export profile to file"] = "Profil in eine Datei exportieren"; -App::$strings["Your gender"] = "Dein Geschlecht"; -App::$strings["Marital status"] = "Familienstand"; -App::$strings["Sexual preference"] = "Sexuelle Orientierung"; -App::$strings["Profile name"] = "Profilname"; -App::$strings["This is your default profile."] = "Das ist Dein Standardprofil."; -App::$strings["Your full name"] = "Dein voller Name"; -App::$strings["Title/Description"] = "Titel/Beschreibung"; -App::$strings["Street address"] = "Straße und Hausnummer"; -App::$strings["Locality/City"] = "Wohnort"; -App::$strings["Region/State"] = "Region/Bundesstaat"; -App::$strings["Postal/Zip code"] = "Postleitzahl"; -App::$strings["Country"] = "Land"; -App::$strings["Who (if applicable)"] = "Wer (falls anwendbar)"; -App::$strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Beispiele: cathy123, Cathy Williams, cathy@example.com"; -App::$strings["Since (date)"] = "Seit (Datum)"; -App::$strings["Tell us about yourself"] = "ErzƤhle uns ein wenig von Dir"; -App::$strings["Hometown"] = "Heimatort"; -App::$strings["Political views"] = "Politische Ansichten"; -App::$strings["Religious views"] = "Religiƶse Ansichten"; -App::$strings["Keywords used in directory listings"] = "Schlüsselwƶrter, die in Verzeichnis-Auflistungen verwendet werden"; -App::$strings["Example: fishing photography software"] = "Beispiel: Angeln Fotografie Software"; -App::$strings["Musical interests"] = "Musikalische Interessen"; -App::$strings["Books, literature"] = "Bücher, Literatur"; -App::$strings["Television"] = "Fernsehen"; -App::$strings["Film/Dance/Culture/Entertainment"] = "Film/Tanz/Kultur/Unterhaltung"; -App::$strings["Hobbies/Interests"] = "Hobbys/Interessen"; -App::$strings["Love/Romance"] = "Liebe/Romantik"; -App::$strings["School/Education"] = "Schule/Ausbildung"; -App::$strings["Contact information and social networks"] = "Kontaktinformation und soziale Netzwerke"; -App::$strings["My other channels"] = "Meine anderen KanƤle"; -App::$strings["Profile Image"] = "Profilfoto:"; -App::$strings["Edit Profiles"] = "Profile bearbeiten"; -App::$strings["Your service plan only allows %d channels."] = "Dein Vertrag erlaubt nur %d KanƤle."; +App::$strings["Fetching URL returns error: %1\$s"] = "Abrufen der URL gab einen Fehler zurück: %1\$s"; +App::$strings["Could not access contact record."] = "Konnte nicht auf den Kontakteintrag zugreifen."; +App::$strings["Could not locate selected profile."] = "GewƤhltes Profil nicht gefunden."; +App::$strings["Connection updated."] = "Verbindung aktualisiert."; +App::$strings["Failed to update connection record."] = "Konnte den Verbindungseintrag nicht aktualisieren."; +App::$strings["is now connected to"] = "ist jetzt verbunden mit"; +App::$strings["Could not access address book record."] = "Konnte nicht auf den Adressbuch-Eintrag zugreifen."; +App::$strings["Refresh failed - channel is currently unavailable."] = "Aktualisierung fehlgeschlagen – der Kanal ist im Moment nicht erreichbar."; +App::$strings["Unable to set address book parameters."] = "Konnte die Adressbuch-Parameter nicht setzen."; +App::$strings["Connection has been removed."] = "Verbindung wurde gelƶscht."; +App::$strings["View Profile"] = "Profil ansehen"; +App::$strings["View %s's profile"] = "%ss Profil ansehen"; +App::$strings["Refresh Permissions"] = "Zugriffsrechte neu laden"; +App::$strings["Fetch updated permissions"] = "Aktualisierte Zugriffsrechte abfragen"; +App::$strings["Recent Activity"] = "Kürzliche AktivitƤten"; +App::$strings["View recent posts and comments"] = "Betrachte die neuesten BeitrƤge und Kommentare"; +App::$strings["Unblock"] = "Freigeben"; +App::$strings["Block"] = "Blockieren"; +App::$strings["Block (or Unblock) all communications with this connection"] = "Jegliche Kommunikation mit dieser Verbindung blockieren/zulassen"; +App::$strings["This connection is blocked!"] = "Die Verbindung ist geblockt!"; +App::$strings["Unignore"] = "Nicht ignorieren"; +App::$strings["Ignore (or Unignore) all inbound communications from this connection"] = "Jegliche eingehende Kommunikation von dieser Verbindung ignorieren/zulassen"; +App::$strings["This connection is ignored!"] = "Die Verbindung wird ignoriert!"; +App::$strings["Unarchive"] = "Aus Archiv zurückholen"; +App::$strings["Archive"] = "Archivieren"; +App::$strings["Archive (or Unarchive) this connection - mark channel dead but keep content"] = "Verbindung archivieren/aus dem Archiv zurückholen (Archiv = Kanal als erloschen markieren, aber die BeitrƤge behalten)"; +App::$strings["This connection is archived!"] = "Die Verbindung ist archiviert!"; +App::$strings["Unhide"] = "Wieder sichtbar machen"; +App::$strings["Hide"] = "Verstecken"; +App::$strings["Hide or Unhide this connection from your other connections"] = "Diese Verbindung vor anderen Verbindungen verstecken/zeigen"; +App::$strings["This connection is hidden!"] = "Die Verbindung ist versteckt!"; +App::$strings["Delete this connection"] = "Verbindung lƶschen"; +App::$strings["Me"] = "Ich"; +App::$strings["Family"] = "Familie"; +App::$strings["Friends"] = "Freunde"; +App::$strings["Acquaintances"] = "Bekannte"; +App::$strings["Approve this connection"] = "Verbindung genehmigen"; +App::$strings["Accept connection to allow communication"] = "Akzeptiere die Verbindung, um Kommunikation zu ermƶglichen"; +App::$strings["Set Affinity"] = "Beziehung festlegen"; +App::$strings["Set Profile"] = "Profil festlegen"; +App::$strings["Set Affinity & Profile"] = "Beziehung und Profile festlegen"; +App::$strings["none"] = "Keine"; +App::$strings["Connection Default Permissions"] = "Standardzugriffsrechte für neue Verbindungen:"; +App::$strings["Connection: %s"] = "Verbindung: %s"; +App::$strings["Apply these permissions automatically"] = "Diese Berechtigungen automatisch anwenden"; +App::$strings["Connection requests will be approved without your interaction"] = "Verbindungsanfragen werden sofort bestƤtigt, ohne dass Deine aktive Zustimmung erforderlich ist."; +App::$strings["This connection's primary address is"] = "Die Hauptadresse der Verbindung ist"; +App::$strings["Available locations:"] = "Verfügbare Klone:"; +App::$strings["The permissions indicated on this page will be applied to all new connections."] = "Die auf dieser Seite angegebenen Berechtigungen werden auf alle neuen Verbindungen angewendet."; +App::$strings["Connection Tools"] = "Verbindungswerkzeuge"; +App::$strings["Slide to adjust your degree of friendship"] = "Verschieben, um den Grad der Freundschaft zu einzustellen"; +App::$strings["Rating"] = "Bewertung"; +App::$strings["Slide to adjust your rating"] = "Verschieben, um Deine Bewertung einzustellen"; +App::$strings["Optionally explain your rating"] = "Optional kannst Du Deine Bewertung begründen"; +App::$strings["Custom Filter"] = "Benutzerdefinierter Filter"; +App::$strings["Only import posts with this text"] = "Nur BeitrƤge mit diesem Text importieren"; +App::$strings["words one per line or #tags or /patterns/ or lang=xx, leave blank to import all posts"] = "Einzelne Wƶrter pro Zeile, #Tags oder /RegulƤre Ausdrücke/. lang=xx (z.B. lang=de) ermƶglicht Filterung nach Sprache. Leer lassen, um alle BeitrƤge zu importieren."; +App::$strings["Do not import posts with this text"] = "BeitrƤge mit diesem Text nicht importieren"; +App::$strings["This information is public!"] = "Diese Information ist ƶffentlich!"; +App::$strings["Connection Pending Approval"] = "Verbindung wartet auf BestƤtigung"; +App::$strings["inherited"] = "geerbt"; +App::$strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Bitte wƤhle ein Profil, das wir %s zeigen sollen, wenn Deine Profilseite über eine verifizierte Verbindung aufgerufen wird."; +App::$strings["Their Settings"] = "Deren Einstellungen"; +App::$strings["My Settings"] = "Meine Einstellungen"; +App::$strings["Individual Permissions"] = "Individuelle Zugriffsrechte"; +App::$strings["Some permissions may be inherited from your channel's privacy settings, which have higher priority than individual settings. You can not change those settings here."] = "Einige Berechtigungen werden mƶglicherweise von den globalen Sicherheits- und PrivatsphƤre-Einstellungen dieses Kanals vererbt. Diese haben eine hƶhere PrioritƤt als die Einstellungen an der Verbindung und kƶnnen hier nicht verƤndert werden."; +App::$strings["Some permissions may be inherited from your channel's privacy settings, which have higher priority than individual settings. You can change those settings here but they wont have any impact unless the inherited setting changes."] = "Einige Berechtigungen werden mƶglicherweise von den globalen Sicherheits- und PrivatsphƤre-Einstellungen dieses Kanals geerbt. Diese haben eine hƶhere PrioritƤt als die Einstellungen an der Verbindung. Werden geerbte Einstellungen hier geƤndert, hat dies keine Auswirkungen."; +App::$strings["Last update:"] = "Letzte Aktualisierung:"; +App::$strings["Privacy group created."] = "Gruppe wurde erstellt."; +App::$strings["Could not create privacy group."] = "Gruppe konnte nicht erstellt werden."; +App::$strings["Privacy group not found."] = "Gruppe nicht gefunden."; +App::$strings["Privacy group updated."] = "Gruppe wurde aktualisiert."; +App::$strings["Create a group of channels."] = "Erstelle eine Gruppe für KanƤle."; +App::$strings["Privacy group name: "] = "Gruppenname:"; +App::$strings["Members are visible to other channels"] = "Mitglieder sind sichtbar für andere KanƤle"; +App::$strings["Privacy group removed."] = "Gruppe wurde entfernt."; +App::$strings["Unable to remove privacy group."] = "Gruppe konnte nicht entfernt werden."; +App::$strings["Privacy group editor"] = "Gruppeneditor"; +App::$strings["Members"] = "Mitglieder"; +App::$strings["All Connected Channels"] = "Alle verbundenen KanƤle"; +App::$strings["Click on a channel to add or remove."] = "WƤhle einen Kanal zum hinzufügen oder entfernen aus."; +App::$strings["Unable to update menu."] = "Kann Menü nicht aktualisieren."; +App::$strings["Unable to create menu."] = "Kann Menü nicht erstellen."; +App::$strings["Menu Name"] = "Name des Menüs"; +App::$strings["Unique name (not visible on webpage) - required"] = "Eindeutiger Name (nicht sichtbar auf der Webseite) – erforderlich"; +App::$strings["Menu Title"] = "Menütitel"; +App::$strings["Visible on webpage - leave empty for no title"] = "Sichtbar auf der Webseite – für keinen Titel leer lassen"; +App::$strings["Allow Bookmarks"] = "Lesezeichen erlauben"; +App::$strings["Menu may be used to store saved bookmarks"] = "Im Menü kƶnnen gespeicherte Lesezeichen abgelegt werden"; +App::$strings["Submit and proceed"] = "Absenden und fortfahren"; +App::$strings["Menus"] = "Menüs"; +App::$strings["Drop"] = "Lƶschen"; +App::$strings["Bookmarks allowed"] = "Lesezeichen erlaubt"; +App::$strings["Delete this menu"] = "Lƶsche dieses Menü"; +App::$strings["Edit menu contents"] = "Bearbeite Menü Inhalte"; +App::$strings["Edit this menu"] = "Dieses Menü bearbeiten"; +App::$strings["Menu could not be deleted."] = "Menü konnte nicht gelƶscht werden."; +App::$strings["Menu not found."] = "Menü nicht gefunden"; +App::$strings["Edit Menu"] = "Menü bearbeiten"; +App::$strings["Add or remove entries to this menu"] = "EintrƤge zu diesem Menü hinzufügen oder entfernen"; +App::$strings["Menu name"] = "Menü Name"; +App::$strings["Must be unique, only seen by you"] = "Muss eindeutig sein, ist aber nur für Dich sichtbar"; +App::$strings["Menu title"] = "Menü Titel"; +App::$strings["Menu title as seen by others"] = "Menü Titel wie er von anderen gesehen wird"; +App::$strings["Allow bookmarks"] = "Erlaube Lesezeichen"; +App::$strings["Not found."] = "Nicht gefunden."; +App::$strings["Item is not editable"] = "Element kann nicht bearbeitet werden."; App::$strings["Nothing to import."] = "Nichts zu importieren."; App::$strings["Unable to download data from old server"] = "Daten kƶnnen vom alten Server nicht heruntergeladen werden"; App::$strings["Imported file is empty."] = "Die importierte Datei ist leer."; App::$strings["Warning: Database versions differ by %1\$d updates."] = "Achtung: Datenbankversionen unterscheiden sich um %1\$d Aktualisierungen."; -App::$strings["Cloned channel not found. Import failed."] = "Geklonter Kanal nicht gefunden. Import fehlgeschlagen."; -App::$strings["No channel. Import failed."] = "Kein Kanal. Import fehlgeschlagen."; -App::$strings["Import completed."] = "Import abgeschlossen."; -App::$strings["You must be logged in to use this feature."] = "Du musst angemeldet sein um diese Funktion zu nutzen."; -App::$strings["Import Channel"] = "Kanal importieren"; -App::$strings["Use this form to import an existing channel from a different server/hub. You may retrieve the channel identity from the old server/hub via the network or provide an export file."] = "Verwende dieses Formular, um einen existierenden Kanal von einem anderen Hub zu importieren. Du kannst den Kanal direkt vom bisherigen Hub über das Netzwerk oder aus einer exportierten Sicherheitskopie importieren."; +App::$strings["Import completed"] = "Import abgeschlossen"; +App::$strings["Import Items"] = "BeitrƤge importieren"; +App::$strings["Use this form to import existing posts and content from an export file."] = "Mit diesem Formular kannst Du existierende BeitrƤge und Inhalte aus einer Sicherungsdatei importieren."; App::$strings["File to Upload"] = "Hochzuladende Datei:"; -App::$strings["Or provide the old server/hub details"] = "Oder gib die Details Deines bisherigen \$Projectname-Hubs ein"; -App::$strings["Your old identity address (xyz@example.com)"] = "Bisherige Kanal-Adresse (xyz@example.com)"; -App::$strings["Your old login email address"] = "Deine alte Login-E-Mail-Adresse"; -App::$strings["Your old login password"] = "Dein altes Passwort"; -App::$strings["For either option, please choose whether to make this hub your new primary address, or whether your old location should continue this role. You will be able to post from either location, but only one can be marked as the primary location for files, photos, and media."] = "Egal, welche Option Du wƤhlst – bitte lege fest, ob dieser Server die neue primƤre Adresse dieses Kanals sein soll, oder ob der bisherige \$Projectname-Hub diese Rolle weiterhin wahrnimmt. Du kannst von beiden Servern aus posten, aber nur einer kann der primƤre Ort Deiner Dateien, Fotos und Medien sein."; -App::$strings["Make this hub my primary location"] = "Dieser $Pojectname-Hub ist mein primƤrer Hub."; -App::$strings["Import existing posts if possible (experimental - limited by available memory"] = "Importiere bestehende BeitrƤge falls mƶglich (experimentell - begrenzt durch zur Verfügung stehenden Speicher"; -App::$strings["This process may take several minutes to complete. Please submit the form only once and leave this page open until finished."] = "Dieser Vorgang kann einige Minuten dauern. Bitte sende das Formular nur einmal ab und lasse diese Seite bis zur Fertigstellung offen."; -App::$strings["\$Projectname"] = "\$Projectname"; -App::$strings["Welcome to %s"] = "Willkommen auf %s"; -App::$strings["Unable to locate original post."] = "Originalbeitrag nicht gefunden."; -App::$strings["Empty post discarded."] = "Leeren Beitrag verworfen."; -App::$strings["Executable content type not permitted to this channel."] = "Ausführbarer Content-Typ ist für diesen Kanal nicht freigegeben."; -App::$strings["Duplicate post suppressed."] = "Doppelter Beitrag unterdrückt."; -App::$strings["System error. Post not saved."] = "Systemfehler. Beitrag nicht gespeichert."; -App::$strings["Unable to obtain post information from database."] = "Beitragsinformationen kƶnnen nicht aus der Datenbank abgerufen werden."; -App::$strings["You have reached your limit of %1$.0f top level posts."] = "Du hast die maximale Anzahl von %1$.0f BeitrƤgen erreicht."; -App::$strings["You have reached your limit of %1$.0f webpages."] = "Du hast die maximale Anzahl von %1$.0f Webseiten erreicht."; +App::$strings["Total invitation limit exceeded."] = "Einladungslimit überschritten."; +App::$strings["%s : Not a valid email address."] = "%s : Keine gültige Email Adresse."; +App::$strings["Please join us on \$Projectname"] = "Schließe Dich uns auf \$Projectname an!"; +App::$strings["Invitation limit exceeded. Please contact your site administrator."] = "Einladungslimit überschritten. Bitte kontaktiere den Administrator Deines \$Projectname-Servers."; +App::$strings["%s : Message delivery failed."] = "%s : Nachricht konnte nicht zugestellt werden."; +App::$strings["%d message sent."] = array( + 0 => "%d Nachricht gesendet.", + 1 => "%d Nachrichten gesendet.", +); +App::$strings["You have no more invitations available"] = "Du hast keine weiteren verfügbare Einladungen"; +App::$strings["Send invitations"] = "Einladungen senden"; +App::$strings["Enter email addresses, one per line:"] = "Email-Adressen eintragen, eine pro Zeile:"; +App::$strings["Your message:"] = "Deine Nachricht:"; +App::$strings["Please join my community on \$Projectname."] = "Schließe Dich uns auf \$Projectname an!"; +App::$strings["You will need to supply this invitation code:"] = "Bitte verwende bei der Registrierung den folgenden Einladungscode:"; +App::$strings["1. Register at any \$Projectname location (they are all inter-connected)"] = "1. Registriere Dich auf einem beliebigen \$Projectname-Hub (sie sind alle miteinander verbunden)"; +App::$strings["2. Enter my \$Projectname network address into the site searchbar."] = "2. Gib meine \$Projectname-Adresse im Suchfeld ein."; +App::$strings["or visit"] = "oder besuche"; +App::$strings["3. Click [Connect]"] = "3. Klicke auf [Verbinden]"; +App::$strings["Location not found."] = "Klon nicht gefunden."; +App::$strings["Location lookup failed."] = "Nachschlagen des Kanal-Ortes fehlgeschlagen"; +App::$strings["Please select another location to become primary before removing the primary location."] = "Bitte mache einen anderen Kanal-Ort zum primƤren Ort, bevor Du den primƤren Ort lƶschst."; +App::$strings["Syncing locations"] = "Synchronisiere Klone"; +App::$strings["No locations found."] = "Keine Klon-Adressen gefunden."; +App::$strings["Manage Channel Locations"] = "Klon-Adressen verwalten"; +App::$strings["Primary"] = "PrimƤr"; +App::$strings["Sync Now"] = "Jetzt synchronisieren"; +App::$strings["Please wait several minutes between consecutive operations."] = "Bitte warte mehrere Minuten zwischen dem Ausführen zweier Operationen!"; +App::$strings["When possible, drop a location by logging into that website/hub and removing your channel."] = "Wenn mƶglich, lƶsche einen Klon, indem Du Dich auf dem jeweiligen Hub einloggst und den Kanal dort lƶschst."; +App::$strings["Use this form to drop the location if the hub is no longer operating."] = "Benutze dieses Formular zum Lƶschen eines Klons, wenn es den Hub nicht mehr gibt."; +App::$strings["Hub not found."] = "Server nicht gefunden."; +App::$strings["Room not found"] = "Chatraum nicht gefunden"; +App::$strings["Leave Room"] = "Raum verlassen"; +App::$strings["Delete Room"] = "Raum lƶschen"; +App::$strings["I am away right now"] = "Ich bin gerade nicht da"; +App::$strings["I am online"] = "Ich bin online"; +App::$strings["Bookmark this room"] = "Lesezeichen für diesen Raum setzen"; +App::$strings["Please enter a link URL:"] = "Gib eine URL ein:"; +App::$strings["Encrypt text"] = "Text verschlüsseln"; +App::$strings["Feature disabled."] = "Funktion deaktiviert."; +App::$strings["New Chatroom"] = "Neuer Chatraum"; +App::$strings["Chatroom name"] = "Chatraumname"; +App::$strings["Expiration of chats (minutes)"] = "Verfall von Chats (Minuten)"; +App::$strings["%1\$s's Chatrooms"] = "%1\$ss ChatrƤume"; +App::$strings["No chatrooms available"] = "Keine ChatrƤume verfügbar"; +App::$strings["Expiration"] = "Verfall"; +App::$strings["min"] = "min"; +App::$strings["Calendar entries imported."] = "KalendereintrƤge wurden importiert."; +App::$strings["No calendar entries found."] = "Keine KalendereintrƤge gefunden."; +App::$strings["Event can not end before it has started."] = "Termin-Ende liegt vor dem Beginn."; +App::$strings["Unable to generate preview."] = "Vorschau konnte nicht erzeugt werden."; +App::$strings["Event title and start time are required."] = "Titel und Startzeit des Termins sind erforderlich."; +App::$strings["Event not found."] = "Termin nicht gefunden."; +App::$strings["Edit event title"] = "Termintitel bearbeiten"; +App::$strings["Event title"] = "Termintitel"; +App::$strings["Categories (comma-separated list)"] = "Kategorien (Kommagetrennte Liste)"; +App::$strings["Edit Category"] = "Kategorie bearbeiten"; +App::$strings["Category"] = "Kategorie"; +App::$strings["Edit start date and time"] = "Startdatum und -zeit bearbeiten"; +App::$strings["Start date and time"] = "Startdatum und -zeit"; +App::$strings["Finish date and time are not known or not relevant"] = "Enddatum und -zeit sind unbekannt oder irrelevant"; +App::$strings["Edit finish date and time"] = "Enddatum und -zeit bearbeiten"; +App::$strings["Finish date and time"] = "Enddatum und -zeit"; +App::$strings["Adjust for viewer timezone"] = "An die Zeitzone des Betrachters anpassen"; +App::$strings["Important for events that happen in a particular place. Not practical for global holidays."] = "Wichtig für Veranstaltungen die an bestimmten Orten stattfinden. Nicht sinnvoll für globale Feiertage / Ferien."; +App::$strings["Edit Description"] = "Beschreibung bearbeiten"; +App::$strings["Edit Location"] = "Ort bearbeiten"; +App::$strings["Share this event"] = "Den Termin teilen"; +App::$strings["Permission settings"] = "Berechtigungs-Einstellungen"; +App::$strings["Advanced Options"] = "Weitere Optionen"; +App::$strings["l, F j"] = "l, j. F"; +App::$strings["Edit event"] = "Termin bearbeiten"; +App::$strings["Delete event"] = "Termin lƶschen"; +App::$strings["Link to Source"] = "Link zur Quelle"; +App::$strings["calendar"] = "Kalender"; +App::$strings["Edit Event"] = "Termin bearbeiten"; +App::$strings["Create Event"] = "Termin anlegen"; +App::$strings["Previous"] = "Voriges"; +App::$strings["Export"] = "Exportieren"; +App::$strings["Month"] = "Monat"; +App::$strings["Week"] = "Woche"; +App::$strings["Day"] = "Tag"; +App::$strings["Today"] = "Heute"; +App::$strings["Event removed"] = "Termin gelƶscht"; +App::$strings["Failed to remove event"] = "Termin konnte nicht gelƶscht werden"; +App::$strings["Unable to lookup recipient."] = "Konnte den EmpfƤnger nicht finden."; +App::$strings["Unable to communicate with requested channel."] = "Die Kommunikation mit dem ausgewƤhlten Kanal ist fehlgeschlagen."; +App::$strings["Cannot verify requested channel."] = "Verifizierung des angeforderten Kanals fehlgeschlagen."; +App::$strings["Selected channel has private message restrictions. Send failed."] = "Der ausgewƤhlte Kanal hat EinschrƤnkungen bzgl. privater Nachrichten. Senden fehlgeschlagen."; +App::$strings["Messages"] = "Nachrichten"; +App::$strings["Message recalled."] = "Nachricht widerrufen."; +App::$strings["Conversation removed."] = "Unterhaltung gelƶscht."; +App::$strings["Expires YYYY-MM-DD HH:MM"] = "VerfƤllt YYYY-MM-DD HH;MM"; +App::$strings["Requested channel is not in this network"] = "Angeforderter Kanal ist nicht in diesem Netzwerk."; +App::$strings["Send Private Message"] = "Private Nachricht senden"; +App::$strings["To:"] = "An:"; +App::$strings["Subject:"] = "Betreff:"; +App::$strings["Attach file"] = "Datei anhƤngen"; +App::$strings["Send"] = "Absenden"; +App::$strings["Set expiration date"] = "Verfallsdatum"; +App::$strings["Delete message"] = "Nachricht lƶschen"; +App::$strings["Delivery report"] = "Zustellungsbericht"; +App::$strings["Recall message"] = "Nachricht widerrufen"; +App::$strings["Message has been recalled."] = "Die Nachricht wurde widerrufen."; +App::$strings["Delete Conversation"] = "Unterhaltung lƶschen"; +App::$strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Keine sichere Kommunikation verfügbar. Eventuell kannst Du auf der Profilseite des Absenders antworten."; +App::$strings["Send Reply"] = "Antwort senden"; +App::$strings["Your message for %s (%s):"] = "Deine Nachricht für %s (%s):"; +App::$strings["No valid account found."] = "Kein gültiges Konto gefunden."; +App::$strings["Password reset request issued. Check your email."] = "Zurücksetzen des Passworts eingeleitet. Schau in Deine E-Mails."; +App::$strings["Site Member (%s)"] = "Nutzer (%s)"; +App::$strings["Password reset requested at %s"] = "Passwort-Rücksetzung auf %s angefordert"; +App::$strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Die Anfrage konnte nicht verifiziert werden. (Vielleicht hast Du schon einmal auf den Link in der E-Mail geklickt?) Passwort-Rücksetzung fehlgeschlagen."; +App::$strings["Password Reset"] = "Zurücksetzen des Kennworts"; +App::$strings["Your password has been reset as requested."] = "Dein Passwort wurde wie angefordert neu erstellt."; +App::$strings["Your new password is"] = "Dein neues Passwort lautet"; +App::$strings["Save or copy your new password - and then"] = "Speichere oder kopiere Dein neues Passwort – und dann"; +App::$strings["click here to login"] = "Klicke hier, um dich anzumelden"; +App::$strings["Your password may be changed from the Settings page after successful login."] = "Dein Passwort kann unter Einstellungen nach einer erfolgreichen Anmeldung geƤndert werden."; +App::$strings["Your password has changed at %s"] = "Auf %s wurde Dein Passwort geƤndert"; +App::$strings["Forgot your Password?"] = "Kennwort vergessen?"; +App::$strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Gib Deine E-Mail-Adresse ein, um Dein Passwort zurücksetzen zu lassen. Du erhƤltst dann weitere Anweisungen per E-Mail."; +App::$strings["Email Address"] = "E-Mail Adresse"; +App::$strings["Reset"] = "Zurücksetzen"; +App::$strings["__ctx:mood__ %1\$s is %2\$s"] = "%1\$s ist %2\$s"; +App::$strings["Mood"] = "Laune"; +App::$strings["Set your current mood and tell your friends"] = "WƤhle Deine aktuelle Stimmung und teile sie mit Deinen Freunden"; +App::$strings["You have created %1$.0f of %2$.0f allowed channels."] = "Du hast %1$.0f von maximal %2$.0f erlaubten KanƤlen eingerichtet."; +App::$strings["Create a new channel"] = "Neuen Kanal anlegen"; +App::$strings["Channel Manager"] = "Kanal-Manager"; +App::$strings["Current Channel"] = "Aktueller Kanal"; +App::$strings["Switch to one of your channels by selecting it."] = "Wechsle zu einem Deiner KanƤle, indem Du auf ihn klickst."; +App::$strings["Default Channel"] = "Standard Kanal"; +App::$strings["Make Default"] = "Zum Standard machen"; +App::$strings["%d new messages"] = "%d neue Nachrichten"; +App::$strings["%d new introductions"] = "%d neue Vorstellungen"; +App::$strings["Delegated Channel"] = "Delegierte KanƤle"; +App::$strings["No more system notifications."] = "Keine System-Benachrichtigungen mehr."; +App::$strings["System Notifications"] = "System-Benachrichtigungen"; +App::$strings["Profile Match"] = "Profil-Übereinstimmungen"; +App::$strings["No keywords to match. Please add keywords to your default profile."] = "Keine Schlüsselwƶrter für den Abgleich gefunden. Bitte füge Schlüsselwƶrter zu Deinem Standardprofil hinzu."; +App::$strings["is interested in:"] = "interessiert sich für:"; +App::$strings["No matches"] = "Keine Übereinstimmungen"; App::$strings["Page owner information could not be retrieved."] = "Informationen über den Besitzer der Seite konnten nicht gefunden werden."; App::$strings["Profile Photos"] = "Profilfotos"; App::$strings["Album not found."] = "Album nicht gefunden."; @@ -611,164 +785,168 @@ App::$strings["__ctx:noun__ Dislikes"] = "GefƤllt nicht"; App::$strings["Close"] = "Schließen"; App::$strings["View Album"] = "Album ansehen"; App::$strings["Recent Photos"] = "Neueste Fotos"; -App::$strings["Remote privacy information not available."] = "PrivatsphƤre-Einstellungen anderer Nutzer sind nicht verfügbar."; -App::$strings["Visible to:"] = "Sichtbar für:"; -App::$strings["Import completed"] = "Import abgeschlossen"; -App::$strings["Import Items"] = "BeitrƤge importieren"; -App::$strings["Use this form to import existing posts and content from an export file."] = "Mit diesem Formular kannst Du existierende BeitrƤge und Inhalte aus einer Sicherungsdatei importieren."; -App::$strings["Total invitation limit exceeded."] = "Einladungslimit überschritten."; -App::$strings["%s : Not a valid email address."] = "%s : Keine gültige Email Adresse."; -App::$strings["Please join us on \$Projectname"] = "Schließe Dich uns auf \$Projectname an!"; -App::$strings["Invitation limit exceeded. Please contact your site administrator."] = "Einladungslimit überschritten. Bitte kontaktiere den Administrator Deines \$Projectname-Servers."; -App::$strings["%s : Message delivery failed."] = "%s : Nachricht konnte nicht zugestellt werden."; -App::$strings["%d message sent."] = array( - 0 => "%d Nachricht gesendet.", - 1 => "%d Nachrichten gesendet.", -); -App::$strings["You have no more invitations available"] = "Du hast keine weiteren verfügbare Einladungen"; -App::$strings["Send invitations"] = "Einladungen senden"; -App::$strings["Enter email addresses, one per line:"] = "Email-Adressen eintragen, eine pro Zeile:"; -App::$strings["Your message:"] = "Deine Nachricht:"; -App::$strings["Please join my community on \$Projectname."] = "Schließe Dich uns auf \$Projectname an!"; -App::$strings["You will need to supply this invitation code:"] = "Bitte verwende bei der Registrierung den folgenden Einladungscode:"; -App::$strings["1. Register at any \$Projectname location (they are all inter-connected)"] = "1. Registriere Dich auf einem beliebigen \$Projectname-Hub (sie sind alle miteinander verbunden)"; -App::$strings["2. Enter my \$Projectname network address into the site searchbar."] = "2. Gib meine \$Projectname-Adresse im Suchfeld ein."; -App::$strings["or visit"] = "oder besuche"; -App::$strings["3. Click [Connect]"] = "3. Klicke auf [Verbinden]"; -App::$strings["Location not found."] = "Klon nicht gefunden."; -App::$strings["Location lookup failed."] = "Nachschlagen des Kanal-Ortes fehlgeschlagen"; -App::$strings["Please select another location to become primary before removing the primary location."] = "Bitte mache einen anderen Kanal-Ort zum primƤren Ort, bevor Du den primƤren Ort lƶschst."; -App::$strings["Syncing locations"] = "Synchronisiere Klone"; -App::$strings["No locations found."] = "Keine Klon-Adressen gefunden."; -App::$strings["Manage Channel Locations"] = "Klon-Adressen verwalten"; -App::$strings["Primary"] = "PrimƤr"; -App::$strings["Drop"] = "Lƶschen"; -App::$strings["Sync Now"] = "Jetzt synchronisieren"; -App::$strings["Please wait several minutes between consecutive operations."] = "Bitte warte mehrere Minuten zwischen dem Ausführen zweier Operationen!"; -App::$strings["When possible, drop a location by logging into that website/hub and removing your channel."] = "Wenn mƶglich, lƶsche einen Klon, indem Du Dich auf dem jeweiligen Hub einloggst und den Kanal dort lƶschst."; -App::$strings["Use this form to drop the location if the hub is no longer operating."] = "Benutze dieses Formular zum Lƶschen eines Klons, wenn es den Hub nicht mehr gibt."; -App::$strings["Hub not found."] = "Server nicht gefunden."; -App::$strings["Unable to lookup recipient."] = "Konnte den EmpfƤnger nicht finden."; -App::$strings["Unable to communicate with requested channel."] = "Die Kommunikation mit dem ausgewƤhlten Kanal ist fehlgeschlagen."; -App::$strings["Cannot verify requested channel."] = "Verifizierung des angeforderten Kanals fehlgeschlagen."; -App::$strings["Selected channel has private message restrictions. Send failed."] = "Der ausgewƤhlte Kanal hat EinschrƤnkungen bzgl. privater Nachrichten. Senden fehlgeschlagen."; -App::$strings["Messages"] = "Nachrichten"; -App::$strings["Message recalled."] = "Nachricht widerrufen."; -App::$strings["Conversation removed."] = "Unterhaltung gelƶscht."; -App::$strings["Expires YYYY-MM-DD HH:MM"] = "VerfƤllt YYYY-MM-DD HH;MM"; -App::$strings["Requested channel is not in this network"] = "Angeforderter Kanal ist nicht in diesem Netzwerk."; -App::$strings["Send Private Message"] = "Private Nachricht senden"; -App::$strings["To:"] = "An:"; -App::$strings["Subject:"] = "Betreff:"; -App::$strings["Attach file"] = "Datei anhƤngen"; -App::$strings["Send"] = "Absenden"; -App::$strings["Set expiration date"] = "Verfallsdatum"; -App::$strings["Delete message"] = "Nachricht lƶschen"; -App::$strings["Delivery report"] = "Zustellungsbericht"; -App::$strings["Recall message"] = "Nachricht widerrufen"; -App::$strings["Message has been recalled."] = "Die Nachricht wurde widerrufen."; -App::$strings["Delete Conversation"] = "Unterhaltung lƶschen"; -App::$strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Keine sichere Kommunikation verfügbar. Eventuell kannst Du auf der Profilseite des Absenders antworten."; -App::$strings["Send Reply"] = "Antwort senden"; -App::$strings["Your message for %s (%s):"] = "Deine Nachricht für %s (%s):"; -App::$strings["You have created %1$.0f of %2$.0f allowed channels."] = "Du hast %1$.0f von maximal %2$.0f erlaubten KanƤlen eingerichtet."; -App::$strings["Create a new channel"] = "Neuen Kanal anlegen"; -App::$strings["Channel Manager"] = "Kanal-Manager"; -App::$strings["Current Channel"] = "Aktueller Kanal"; -App::$strings["Switch to one of your channels by selecting it."] = "Wechsle zu einem Deiner KanƤle, indem Du auf ihn klickst."; -App::$strings["Default Channel"] = "Standard Kanal"; -App::$strings["Make Default"] = "Zum Standard machen"; -App::$strings["%d new messages"] = "%d neue Nachrichten"; -App::$strings["%d new introductions"] = "%d neue Vorstellungen"; -App::$strings["Delegated Channel"] = "Delegierte KanƤle"; -App::$strings["Unable to update menu."] = "Kann Menü nicht aktualisieren."; -App::$strings["Unable to create menu."] = "Kann Menü nicht erstellen."; -App::$strings["Menu Name"] = "Name des Menüs"; -App::$strings["Unique name (not visible on webpage) - required"] = "Eindeutiger Name (nicht sichtbar auf der Webseite) – erforderlich"; -App::$strings["Menu Title"] = "Menütitel"; -App::$strings["Visible on webpage - leave empty for no title"] = "Sichtbar auf der Webseite – für keinen Titel leer lassen"; -App::$strings["Allow Bookmarks"] = "Lesezeichen erlauben"; -App::$strings["Menu may be used to store saved bookmarks"] = "Im Menü kƶnnen gespeicherte Lesezeichen abgelegt werden"; -App::$strings["Submit and proceed"] = "Absenden und fortfahren"; -App::$strings["Menus"] = "Menüs"; -App::$strings["Bookmarks allowed"] = "Lesezeichen erlaubt"; -App::$strings["Delete this menu"] = "Lƶsche dieses Menü"; -App::$strings["Edit menu contents"] = "Bearbeite Menü Inhalte"; -App::$strings["Edit this menu"] = "Dieses Menü bearbeiten"; -App::$strings["Menu could not be deleted."] = "Menü konnte nicht gelƶscht werden."; -App::$strings["Menu not found."] = "Menü nicht gefunden"; -App::$strings["Edit Menu"] = "Menü bearbeiten"; -App::$strings["Add or remove entries to this menu"] = "EintrƤge zu diesem Menü hinzufügen oder entfernen"; -App::$strings["Menu name"] = "Menü Name"; -App::$strings["Must be unique, only seen by you"] = "Muss eindeutig sein, ist aber nur für Dich sichtbar"; -App::$strings["Menu title"] = "Menü Titel"; -App::$strings["Menu title as seen by others"] = "Menü Titel wie er von anderen gesehen wird"; -App::$strings["Allow bookmarks"] = "Erlaube Lesezeichen"; -App::$strings["Not found."] = "Nicht gefunden."; -App::$strings["No valid account found."] = "Kein gültiges Konto gefunden."; -App::$strings["Password reset request issued. Check your email."] = "Zurücksetzen des Passworts eingeleitet. Schau in Deine E-Mails."; -App::$strings["Site Member (%s)"] = "Nutzer (%s)"; -App::$strings["Password reset requested at %s"] = "Passwort-Rücksetzung auf %s angefordert"; -App::$strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Die Anfrage konnte nicht verifiziert werden. (Vielleicht hast Du schon einmal auf den Link in der E-Mail geklickt?) Passwort-Rücksetzung fehlgeschlagen."; -App::$strings["Password Reset"] = "Zurücksetzen des Kennworts"; -App::$strings["Your password has been reset as requested."] = "Dein Passwort wurde wie angefordert neu erstellt."; -App::$strings["Your new password is"] = "Dein neues Passwort lautet"; -App::$strings["Save or copy your new password - and then"] = "Speichere oder kopiere Dein neues Passwort – und dann"; -App::$strings["click here to login"] = "Klicke hier, um dich anzumelden"; -App::$strings["Your password may be changed from the Settings page after successful login."] = "Dein Passwort kann unter Einstellungen nach einer erfolgreichen Anmeldung geƤndert werden."; -App::$strings["Your password has changed at %s"] = "Auf %s wurde Dein Passwort geƤndert"; -App::$strings["Forgot your Password?"] = "Kennwort vergessen?"; -App::$strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Gib Deine E-Mail-Adresse ein, um Dein Passwort zurücksetzen zu lassen. Du erhƤltst dann weitere Anweisungen per E-Mail."; -App::$strings["Email Address"] = "E-Mail Adresse"; -App::$strings["Reset"] = "Zurücksetzen"; -App::$strings["__ctx:mood__ %1\$s is %2\$s"] = "%1\$s ist %2\$s"; -App::$strings["Mood"] = "Laune"; -App::$strings["Set your current mood and tell your friends"] = "WƤhle Deine aktuelle Stimmung und teile sie mit Deinen Freunden"; -App::$strings["No such group"] = "Gruppe nicht gefunden"; -App::$strings["No such channel"] = "Kanal nicht gefunden"; -App::$strings["forum"] = "Forum"; -App::$strings["Search Results For:"] = "Suchergebnisse für:"; -App::$strings["Privacy group is empty"] = "Gruppe ist leer"; -App::$strings["Privacy group: "] = "Gruppe:"; -App::$strings["Invalid connection."] = "Ungültige Verbindung."; -App::$strings["No more system notifications."] = "Keine System-Benachrichtigungen mehr."; -App::$strings["System Notifications"] = "System-Benachrichtigungen"; -App::$strings["Profile Match"] = "Profil-Übereinstimmungen"; -App::$strings["No keywords to match. Please add keywords to your default profile."] = "Keine Schlüsselwƶrter für den Abgleich gefunden. Bitte füge Schlüsselwƶrter zu Deinem Standardprofil hinzu."; -App::$strings["is interested in:"] = "interessiert sich für:"; -App::$strings["No matches"] = "Keine Übereinstimmungen"; -App::$strings["Posts and comments"] = "BeitrƤge und Kommentare"; -App::$strings["Only posts"] = "Nur BeitrƤge"; -App::$strings["Insufficient permissions. Request redirected to profile page."] = "Unzureichende Zugriffsrechte. Die Anfrage wurde zur Profil-Seite umgeleitet."; -App::$strings["Unable to create element."] = "Element konnte nicht erstellt werden."; -App::$strings["Unable to update menu element."] = "Kann Menü-Element nicht aktualisieren."; -App::$strings["Unable to add menu element."] = "Kann Menü-Bestandteil nicht hinzufügen."; -App::$strings["Menu Item Permissions"] = "Zugriffsrechte des Menü-Elements"; +App::$strings["Name is required"] = "Name ist erforderlich"; +App::$strings["Key and Secret are required"] = "Schlüssel und Geheimnis werden benƶtigt"; +App::$strings["Update"] = "Aktualisieren"; +App::$strings["This channel is limited to %d tokens"] = "Dieser Kanal ist auf %d Token begrenzt"; +App::$strings["Name and Password are required."] = "Name und Passwort sind erforderlich."; +App::$strings["Token saved."] = "Token gespeichert."; +App::$strings["Not valid email."] = "Keine gültige E-Mail Adresse."; +App::$strings["Protected email address. Cannot change to that email."] = "Geschützte E-Mail Adresse. Diese kann nicht verƤndert werden."; +App::$strings["System failure storing new email. Please try again."] = "Systemfehler wƤhrend des Speicherns der neuen Mail. Bitte versuche es noch einmal."; +App::$strings["Password verification failed."] = "Passwortüberprüfung fehlgeschlagen."; +App::$strings["Passwords do not match. Password unchanged."] = "Kennwƶrter stimmen nicht überein. Kennwort nicht verƤndert."; +App::$strings["Empty passwords are not allowed. Password unchanged."] = "Leere Kennwƶrter sind nicht erlaubt. Kennwort nicht verƤndert."; +App::$strings["Password changed."] = "Kennwort geƤndert."; +App::$strings["Password update failed. Please try again."] = "KennwortƤnderung fehlgeschlagen. Bitte versuche es noch einmal."; +App::$strings["Settings updated."] = "Einstellungen aktualisiert."; +App::$strings["Add application"] = "Anwendung hinzufügen"; +App::$strings["Name of application"] = "Name der Anwendung"; +App::$strings["Consumer Key"] = "Consumer Key"; +App::$strings["Automatically generated - change if desired. Max length 20"] = "Automatisch erzeugt – Ƥndern, falls erwünscht. Maximale LƤnge 20"; +App::$strings["Consumer Secret"] = "Consumer Secret"; +App::$strings["Redirect"] = "Umleitung"; +App::$strings["Redirect URI - leave blank unless your application specifically requires this"] = "Umleitungs-URl – lasse das leer, solange Deine Anwendung es nicht explizit erfordert"; +App::$strings["Icon url"] = "Symbol-URL"; +App::$strings["Optional"] = "Optional"; +App::$strings["Application not found."] = "Die Anwendung wurde nicht gefunden."; +App::$strings["Connected Apps"] = "Verbundene Apps"; +App::$strings["Client key starts with"] = "Client Key beginnt mit"; +App::$strings["No name"] = "Kein Name"; +App::$strings["Remove authorization"] = "Authorisierung aufheben"; +App::$strings["No feature settings configured"] = "Keine Funktions-Einstellungen konfiguriert"; +App::$strings["Feature/Addon Settings"] = "Funktions-/Addon-Einstellungen"; +App::$strings["Account Settings"] = "Konto-Einstellungen"; +App::$strings["Current Password"] = "Aktuelles Passwort"; +App::$strings["Enter New Password"] = "Gib ein neues Passwort ein"; +App::$strings["Confirm New Password"] = "BestƤtige das neue Passwort"; +App::$strings["Leave password fields blank unless changing"] = "Lasse die Passwort-Felder leer, außer Du mƶchtest das Passwort Ƥndern"; +App::$strings["Email Address:"] = "Email Adresse:"; +App::$strings["Remove Account"] = "Konto entfernen"; +App::$strings["Remove this account including all its channels"] = "Dieses Konto inklusive all seiner KanƤle lƶschen"; +App::$strings["Use this form to create temporary access identifiers to share things with non-members. These identities may be used in Access Control Lists and visitors may login using these credentials to access private content."] = "Mit diesem Formular kannst Du temporƤre Zugangs-IDs anlegen, um Inhalte mit Nicht-Mitgliedern zu teilen. Die IDs kƶnnen in Berechtigungslisten (ACLs) verwendet werden, und Besucher kƶnnen sich damit einloggen, um auf private Inhalte zuzugreifen."; +App::$strings["You may also provide dropbox style access links to friends and associates by adding the Login Password to any specific site URL as shown. Examples:"] = "Du kannst auch Dropbox-Ƥhnliche Zugriffslinks an Andere weitergeben, indem du das Login-Passwort an eine entsprechende URL anhƤngst wie nachfolgend gezeigt. Beispiele:"; +App::$strings["Guest Access Tokens"] = "Gastzugangstoken"; +App::$strings["Login Name"] = "Anmeldename"; +App::$strings["Login Password"] = "Anmeldepasswort"; +App::$strings["Expires (yyyy-mm-dd)"] = "LƤuft ab (jjjj-mm-tt)"; +App::$strings["Off"] = "Aus"; +App::$strings["On"] = "An"; +App::$strings["Additional Features"] = "ZusƤtzliche Funktionen"; +App::$strings["Connector Settings"] = "Connector-Einstellungen"; +App::$strings["No special theme for mobile devices"] = "Keine spezielle Theme für mobile GerƤte"; +App::$strings["%s - (Experimental)"] = "%s – (experimentell)"; +App::$strings["mobile"] = "mobil"; +App::$strings["Display Settings"] = "Anzeige-Einstellungen"; +App::$strings["Theme Settings"] = "Theme-Einstellungen"; +App::$strings["Custom Theme Settings"] = "Benutzerdefinierte Theme-Einstellungen"; +App::$strings["Content Settings"] = "Inhaltseinstellungen"; +App::$strings["Display Theme:"] = "Anzeige-Theme:"; +App::$strings["Mobile Theme:"] = "Mobile Theme:"; +App::$strings["Preload images before rendering the page"] = "Bilder im voraus laden, bevor die Seite angezeigt wird"; +App::$strings["The subjective page load time will be longer but the page will be ready when displayed"] = "Die empfundene Ladezeit wird sich erhƶhen, aber dafür ist das Layout stabil, sobald eine Seite angezeigt wird"; +App::$strings["Enable user zoom on mobile devices"] = "Zoom auf MobilgerƤten aktivieren"; +App::$strings["Update browser every xx seconds"] = "Browser alle xx Sekunden aktualisieren"; +App::$strings["Minimum of 10 seconds, no maximum"] = "Minimum 10 Sekunden, kein Maximum"; +App::$strings["Maximum number of conversations to load at any time:"] = "Maximale Anzahl von Unterhaltungen, die auf einmal geladen werden sollen:"; +App::$strings["Maximum of 100 items"] = "Maximum: 100 BeitrƤge"; +App::$strings["Show emoticons (smilies) as images"] = "Emoticons (Smilies) als Bilder anzeigen"; +App::$strings["Link post titles to source"] = "Beitragstitel zum Originalbeitrag verlinken"; +App::$strings["System Page Layout Editor - (advanced)"] = "System-Seitenlayout-Editor (für Experten)"; +App::$strings["Use blog/list mode on channel page"] = "Blog-/Listenmodus auf der Kanalseite verwenden"; +App::$strings["(comments displayed separately)"] = "(Kommentare werden separat angezeigt)"; +App::$strings["Use blog/list mode on grid page"] = "Blog-/Listenmodus auf der Netzwerkseite verwenden"; +App::$strings["Channel page max height of content (in pixels)"] = "Maximale Hƶhe von Beitragsblƶcken auf der Kanalseite (in Pixeln)"; +App::$strings["click to expand content exceeding this height"] = "Blƶcke, deren Inhalt diese Hƶhe überschreitet, kƶnnen per Klick vergrößert werden."; +App::$strings["Grid page max height of content (in pixels)"] = "Maximale Hƶhe (in Pixel) des Inhalts der Netzwerkseite"; +App::$strings["Nobody except yourself"] = "Niemand außer Dir selbst"; +App::$strings["Only those you specifically allow"] = "Nur die, denen Du es explizit erlaubst"; +App::$strings["Approved connections"] = "Angenommene Verbindungen"; +App::$strings["Any connections"] = "Beliebige Verbindungen"; +App::$strings["Anybody on this website"] = "Jeder auf dieser Website"; +App::$strings["Anybody in this network"] = "Alle \$Projectname-Mitglieder"; +App::$strings["Anybody authenticated"] = "Jeder authentifizierte"; +App::$strings["Anybody on the internet"] = "Jeder im Internet"; +App::$strings["Publish your default profile in the network directory"] = "Standard-Profil im Netzwerk-Verzeichnis verƶffentlichen"; +App::$strings["Allow us to suggest you as a potential friend to new members?"] = "Dürfen wir Dich neuen Mitgliedern als potentiellen Kontakt vorschlagen?"; +App::$strings["Your channel address is"] = "Deine Kanal-Adresse lautet"; +App::$strings["Channel Settings"] = "Kanal-Einstellungen"; +App::$strings["Basic Settings"] = "Grundeinstellungen"; +App::$strings["Full Name:"] = "Voller Name:"; +App::$strings["Your Timezone:"] = "Ihre Zeitzone:"; +App::$strings["Default Post Location:"] = "Standardstandort:"; +App::$strings["Geographical location to display on your posts"] = "Geografischer Ort, der bei Deinen BeitrƤgen angezeigt werden soll"; +App::$strings["Use Browser Location:"] = "Standort des Browsers verwenden:"; +App::$strings["Adult Content"] = "Nicht jugendfreie Inhalte"; +App::$strings["This channel frequently or regularly publishes adult content. (Please tag any adult material and/or nudity with #NSFW)"] = "Dieser Kanal verƶffentlicht regelmäßig Inhalte, die für MinderjƤhrige ungeeignet sind. (Bitte markiere solche Inhalte mit dem Schlagwort #NSFW)"; +App::$strings["Security and Privacy Settings"] = "Sicherheits- und Datenschutz-Einstellungen"; +App::$strings["Your permissions are already configured. Click to view/adjust"] = "Deine Zugriffsrechte sind schon konfiguriert. Klicke hier, um sie zu betrachten oder zu Ƥndern"; +App::$strings["Hide my online presence"] = "Meine Online-PrƤsenz verbergen"; +App::$strings["Prevents displaying in your profile that you are online"] = "Verhindert die Anzeige Deines Online-Status in deinem Profil"; +App::$strings["Simple Privacy Settings:"] = "Einfache PrivatsphƤre-Einstellungen"; +App::$strings["Very Public - extremely permissive (should be used with caution)"] = "Komplett offen – extrem ungeschützt (mit großer Vorsicht verwenden!)"; +App::$strings["Typical - default public, privacy when desired (similar to social network permissions but with improved privacy)"] = "Typisch – Standard ƶffentlich, PrivatsphƤre, wo sie erwünscht ist (Ƥhnlich den Einstellungen in sozialen Netzwerken, aber mit besser geschützter PrivatsphƤre)"; +App::$strings["Private - default private, never open or public"] = "Privat – Standard privat, nie offen oder ƶffentlich"; +App::$strings["Blocked - default blocked to/from everybody"] = "Blockiert – Alle standardmäßig blockiert"; +App::$strings["Allow others to tag your posts"] = "Erlaube anderen, Deine BeitrƤge zu verschlagworten"; +App::$strings["Often used by the community to retro-actively flag inappropriate content"] = "Wird oft von der Community genutzt um rückwirkend anstößigen Inhalt zu markieren"; +App::$strings["Advanced Privacy Settings"] = "Fortgeschrittene PrivatsphƤre-Einstellungen"; +App::$strings["Expire other channel content after this many days"] = "Den Inhalt anderer KanƤle nach dieser Anzahl Tage verfallen lassen"; +App::$strings["0 or blank to use the website limit."] = "0 oder leer lassen, um den voreingestellten Wert der Webseite zu verwenden."; +App::$strings["This website expires after %d days."] = "Diese Webseite lƤuft nach %d Tagen ab."; +App::$strings["This website does not expire imported content."] = "Diese Webseite lƤsst importierte Inhalte nicht verfallen."; +App::$strings["The website limit takes precedence if lower than your limit."] = "Das Verfallslimit der Webseite hat Vorrang, wenn es niedriger als Deines hier ist."; +App::$strings["Maximum Friend Requests/Day:"] = "Maximale Kontaktanfragen pro Tag:"; +App::$strings["May reduce spam activity"] = "Kann die Spam-AktivitƤt verringern"; +App::$strings["Default Post and Publish Permissions"] = "Standard-Berechtigungen für BeitrƤge und andere Inhalte"; App::$strings["(click to open/close)"] = "(zum ƶffnen/schließen anklicken)"; -App::$strings["Link Name"] = "Name des Links"; -App::$strings["Link or Submenu Target"] = "Ziel des Links oder Untermenüs"; -App::$strings["Enter URL of the link or select a menu name to create a submenu"] = "URL des Links eingeben oder Menünamen wƤhlen, um ein Untermenü anzulegen."; -App::$strings["Use magic-auth if available"] = "Magic-Auth verwenden, falls verfügbar"; -App::$strings["Open link in new window"] = "Ɩffne Link in neuem Fenster"; -App::$strings["Order in list"] = "Reihenfolge in der Liste"; -App::$strings["Higher numbers will sink to bottom of listing"] = "Größere Nummern werden weiter unten in der Auflistung einsortiert"; -App::$strings["Submit and finish"] = "Absenden und fertigstellen"; -App::$strings["Submit and continue"] = "Absenden und fortfahren"; -App::$strings["Menu:"] = "Menü:"; -App::$strings["Link Target"] = "Ziel des Links"; -App::$strings["Edit menu"] = "Menü bearbeiten"; -App::$strings["Edit element"] = "Bestandteil bearbeiten"; -App::$strings["Drop element"] = "Bestandteil lƶschen"; -App::$strings["New element"] = "Neues Bestandteil"; -App::$strings["Edit this menu container"] = "Diesen Menü-Container bearbeiten"; -App::$strings["Add menu element"] = "Menüelement hinzufügen"; -App::$strings["Delete this menu item"] = "Lƶsche dieses Menü-Bestandteil"; -App::$strings["Edit this menu item"] = "Bearbeite dieses Menü-Bestandteil"; -App::$strings["Menu item not found."] = "Menü-Bestandteil nicht gefunden."; -App::$strings["Menu item deleted."] = "Menü-Bestandteil gelƶscht."; -App::$strings["Menu item could not be deleted."] = "Menü-Bestandteil kann nicht gelƶscht werden."; -App::$strings["Edit Menu Element"] = "Bearbeite Menü-Bestandteil"; -App::$strings["Link text"] = "Link Text"; +App::$strings["Use my default audience setting for the type of object published"] = "Verwende Deine eingestellte Standard-Zielgruppe des jeweiligen Inhaltstyps"; +App::$strings["Channel permissions category:"] = "Zugriffsrechte-Kategorie des Kanals:"; +App::$strings["Maximum private messages per day from unknown people:"] = "Maximale Anzahl privater Nachrichten pro Tag von unbekannten Leuten:"; +App::$strings["Useful to reduce spamming"] = "Nützlich, um Spam zu verringern"; +App::$strings["Notification Settings"] = "Benachrichtigungs-Einstellungen"; +App::$strings["By default post a status message when:"] = "Sende standardmäßig Status-Nachrichten, wenn:"; +App::$strings["accepting a friend request"] = "Du eine Verbindungsanfrage annimmst"; +App::$strings["joining a forum/community"] = "Du einem Forum beitrittst"; +App::$strings["making an interesting profile change"] = "Du eine interessante Ƅnderung an Deinem Profil vornimmst"; +App::$strings["Send a notification email when:"] = "Eine E-Mail-Benachrichtigung senden, wenn:"; +App::$strings["You receive a connection request"] = "Du eine Verbindungsanfrage erhƤltst"; +App::$strings["Your connections are confirmed"] = "Eine Verbindung bestƤtigt wurde"; +App::$strings["Someone writes on your profile wall"] = "Jemand auf Deine Pinnwand schreibt"; +App::$strings["Someone writes a followup comment"] = "Jemand einen Beitrag kommentiert"; +App::$strings["You receive a private message"] = "Du eine private Nachricht erhƤltst"; +App::$strings["You receive a friend suggestion"] = "Du einen Kontaktvorschlag erhƤltst"; +App::$strings["You are tagged in a post"] = "Du in einem Beitrag erwƤhnt wurdest"; +App::$strings["You are poked/prodded/etc. in a post"] = "Du in einem Beitrag angestupst/geknufft/o.Ƥ. wurdest"; +App::$strings["Show visual notifications including:"] = "Visuelle Benachrichtigungen anzeigen für:"; +App::$strings["Unseen grid activity"] = "Ungesehene Netzwerk-AktivitƤt"; +App::$strings["Unseen channel activity"] = "Ungesehene Kanal-AktivitƤt"; +App::$strings["Unseen private messages"] = "Ungelesene persƶnliche Nachrichten"; +App::$strings["Recommended"] = "Empfohlen"; +App::$strings["Upcoming events"] = "Baldige Termine"; +App::$strings["Events today"] = "Heutige Termine"; +App::$strings["Upcoming birthdays"] = "Baldige Geburtstage"; +App::$strings["Not available in all themes"] = "Nicht in allen Themes verfügbar"; +App::$strings["System (personal) notifications"] = "System – (persƶnliche) Benachrichtigungen"; +App::$strings["System info messages"] = "System – Info-Nachrichten"; +App::$strings["System critical alerts"] = "System – kritische Warnungen"; +App::$strings["New connections"] = "Neue Verbindungen"; +App::$strings["System Registrations"] = "System – Registrierungen"; +App::$strings["Also show new wall posts, private messages and connections under Notices"] = "Neue Pinnwand-Nachrichten, private Nachrichten und Verbindungen unter Benachrichtigungen anzeigen"; +App::$strings["Notify me of events this many days in advance"] = "Benachrichtige mich zu Terminen so viele Tage im Voraus"; +App::$strings["Must be greater than 0"] = "Muss größer als 0 sein"; +App::$strings["Advanced Account/Page Type Settings"] = "Erweiterte Account- und Seitenart-Einstellungen"; +App::$strings["Change the behaviour of this account for special situations"] = "Ƅndere das Verhalten dieses Accounts unter speziellen UmstƤnden"; +App::$strings["Please enable expert mode (in Settings > Additional features) to adjust!"] = "Aktiviere den Expertenmodus (unter Settings > ZusƤtzliche Funktionen), um hier Einstellungen vorzunehmen!"; +App::$strings["Miscellaneous Settings"] = "Sonstige Einstellungen"; +App::$strings["Default photo upload folder"] = "Voreingestellter Ordner für hochgeladene Fotos"; +App::$strings["%Y - current year, %m - current month"] = "%Y - aktuelles Jahr, %m - aktueller Monat"; +App::$strings["Default file upload folder"] = "Voreingestellter Ordner für hochgeladene Dateien"; +App::$strings["Personal menu to display in your channel pages"] = "Eigenes Menü zur Anzeige auf den Seiten deines Kanals"; +App::$strings["Remove Channel"] = "Kanal lƶschen"; +App::$strings["Remove this channel."] = "Diesen Kanal lƶschen"; +App::$strings["Firefox Share \$Projectname provider"] = "\$Projectname-Provider für Firefox Share"; +App::$strings["Start calendar week on monday"] = "Montag als erster Tag der Kalenderwoche"; App::$strings["Theme settings updated."] = "Theme-Einstellungen aktualisiert."; App::$strings["# Accounts"] = "Anzahl der Konten"; App::$strings["# blocked accounts"] = "Anzahl der blockierten Konten"; @@ -790,7 +968,6 @@ App::$strings["Repository version (master)"] = "Repository-Version (master)"; App::$strings["Repository version (dev)"] = "Repository-Version (dev)"; App::$strings["Site settings updated."] = "Site-Einstellungen aktualisiert."; App::$strings["Default"] = "Standard"; -App::$strings["mobile"] = "mobil"; App::$strings["experimental"] = "experimentell"; App::$strings["unsupported"] = "nicht unterstützt"; App::$strings["Yes - with approval"] = "Ja - mit Zustimmung"; @@ -860,8 +1037,6 @@ App::$strings["Maximum Load Average"] = "Maximales Load Average"; App::$strings["Maximum system load before delivery and poll processes are deferred - default 50."] = "Maximale Systemlast, bevor Verteil- und Empfangsprozesse verschoben werden – Standard 50"; App::$strings["Expiration period in days for imported (grid/network) content"] = "Setze den Zeitraum (in Tagen), ab wann importierte (aus dem Netzwerk) Inhalte ablaufen sollen"; App::$strings["0 for no expiration of imported content"] = "0 = keine Lƶschung importierter Inhalte"; -App::$strings["Off"] = "Aus"; -App::$strings["On"] = "An"; App::$strings["Lock feature %s"] = "Blockiere die Funktion %s"; App::$strings["Manage Additional Features"] = "ZusƤtzliche Funktionen verwalten"; App::$strings["No server found"] = "Kein Server gefunden"; @@ -920,6 +1095,7 @@ App::$strings["Accounts"] = "Konten"; App::$strings["select all"] = "Alle auswƤhlen"; App::$strings["Registrations waiting for confirm"] = "Registrierungen warten auf BestƤtigung"; App::$strings["Request date"] = "Antragsdatum"; +App::$strings["Email"] = "E-Mail"; App::$strings["No registrations."] = "Keine Registrierungen."; App::$strings["Deny"] = "Verweigern"; App::$strings["All Channels"] = "Alle KanƤle"; @@ -980,7 +1156,6 @@ App::$strings["Install"] = "Installieren"; App::$strings["Manage Repos"] = "Repositorien verwalten"; App::$strings["Installed Plugin Repositories"] = "Installierte Plugin-Repositorien"; App::$strings["Install a New Plugin Repository"] = "Ein neues Plugin-Repository installieren"; -App::$strings["Update"] = "Aktualisieren"; App::$strings["Switch branch"] = "Zweig/Branch wechseln"; App::$strings["No themes found."] = "Keine Theme gefunden."; App::$strings["Screenshot"] = "Bildschirmfoto"; @@ -1038,8 +1213,6 @@ App::$strings["Choose what you wish to do to recipient"] = "WƤhle, was Du mit d App::$strings["Make this post private"] = "Diesen Beitrag privat machen"; App::$strings["Unable to find your hub."] = "Konnte Deinen Server nicht finden."; App::$strings["Post successful."] = "Verƶffentlichung erfolgreich."; -App::$strings["OpenID protocol error. No ID returned."] = "OpenID Protokollfehler. Keine ID zurückgegeben."; -App::$strings["Login failed."] = "Login fehlgeschlagen."; App::$strings["Invalid profile identifier."] = "Ungültiger Profil-Identifikator"; App::$strings["Profile Visibility Editor"] = "Profil-Sichtbarkeits-Editor"; App::$strings["Profile"] = "Profil"; @@ -1048,7 +1221,24 @@ App::$strings["Visible To"] = "Sichtbar für"; App::$strings["This setting requires special processing and editing has been blocked."] = "Diese Einstellung erfordert eine besondere Verarbeitung und ist blockiert."; App::$strings["Configuration Editor"] = "Konfigurationseditor"; App::$strings["Warning: Changing some settings could render your channel inoperable. Please leave this page unless you are comfortable with and knowledgeable about how to correctly use this feature."] = "Warnung: Einige Einstellungen kƶnnen Deinen Kanal funktionsunfƤhig machen. Bitte verlasse diese Seite, es sei denn Du bist vertraut damit, wie dieses Feature korrekt verwendet wird."; -App::$strings["Fetching URL returns error: %1\$s"] = "Abrufen der URL gab einen Fehler zurück: %1\$s"; +App::$strings["Not found"] = "Nicht gefunden"; +App::$strings["Wiki"] = "Wiki"; +App::$strings["Sandbox"] = "Sandbox"; +App::$strings["\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be saved*.\""] = "\"# Wiki Sandkasten\\n\\nInhalte, die Du hier **verƤnderst** und **als Vorschau anzeigst**, *werden nicht gespeichert*.\""; +App::$strings["Revision Comparison"] = "Revisionsvergleich"; +App::$strings["Revert"] = "RückgƤngig machen"; +App::$strings["Enter the name of your new wiki:"] = "Gib einen Namen für Dein neues Wiki ein:"; +App::$strings["Enter the name of the new page:"] = "Geben Sie den Namen der neuen Seite ein:"; +App::$strings["Enter the new name:"] = "Geben Sie den neuen Namen ein:"; +App::$strings["Embed image from photo albums"] = "Bild aus Fotoalben einbetten"; +App::$strings["Embed an image from your albums"] = "Betten Sie ein Bild aus Ihren Alben ein"; +App::$strings["OK"] = "Ok"; +App::$strings["Choose images to embed"] = "WƤhlen Sie Bilder zum Einbetten aus"; +App::$strings["Choose an album"] = "WƤhlen Sie ein Album aus"; +App::$strings["Choose a different album..."] = "WƤhlen Sie ein anderes Album aus..."; +App::$strings["Error getting album list"] = "Fehler beim Holen der Albenliste"; +App::$strings["Error getting photo link"] = "Fehler beim Holen des Fotolinks"; +App::$strings["Error getting album"] = "Fehler beim Holen des Albums"; App::$strings["Version %s"] = "Version %s"; App::$strings["Installed plugins/addons/apps:"] = "Installierte Plugins/Addons/Apps"; App::$strings["No installed plugins/addons/apps"] = "Keine installierten Plugins/Addons/Apps"; @@ -1062,12 +1252,12 @@ App::$strings["Bug reports and issues: please visit"] = "Probleme oder Fehler ge App::$strings["\$projectname issues"] = "\$projectname-Bugtracker"; App::$strings["Suggestions, praise, etc. - please email \"redmatrix\" at librelist - dot com"] = "VorschlƤge, Lob, usw.: E-Mail an 'redmatrix' at librelist - dot - com"; App::$strings["Site Administrators"] = "Administratoren"; -App::$strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Wir haben ein Problem mit der OpenID festgestellt, mit der Du Dich anmelden wolltest. Bitte überprüfe sie noch einmal."; -App::$strings["The error message was:"] = "Die Fehlermeldung war:"; -App::$strings["Authentication failed."] = "Authentifizierung fehlgeschlagen."; -App::$strings["Remote Authentication"] = "Entfernte Authentifizierung"; -App::$strings["Enter your channel address (e.g. channel@example.com)"] = "Deine Kanal-Adresse (z. B. channel@example.com)"; -App::$strings["Authenticate"] = "Authentifizieren"; +App::$strings["Blocks"] = "Blƶcke"; +App::$strings["Block Title"] = "Titel des Blocks"; +App::$strings["Layouts"] = "Layouts"; +App::$strings["Comanche page description language help"] = "Hilfe zur Comanche-Seitenbeschreibungssprache"; +App::$strings["Layout Description"] = "Layout-Beschreibung"; +App::$strings["Download PDL file"] = "PDL-Datei herunterladen"; App::$strings["Public Hubs"] = "Ɩffentliche Hubs"; App::$strings["The listed hubs allow public registration for the \$Projectname network. All hubs in the network are interlinked so membership on any of them conveys membership in the network as a whole. Some hubs may require subscription or provide tiered service plans. The hub itself may provide additional details."] = "Die hier aufgeführten Hubs sind ƶffentlich und erlauben die Registrierung im \$Projectname Netzwerk. Alle Hubs dieses Netzwerks sind miteinander verbunden, so dass die Mitgliedschaft auf einem Hub die Verbindung zu beliebigen Seiten und KanƤlen auf anderen Hubs ermƶglicht. Es kƶnnte sein, dass einige dieser Hubs kostenpflichtig sind oder abgestufte, je nach Umfang kostenpflichtige Mitgliedschaften anbieten. Auf den Seiten der einzelnen Hubs kƶnnten jeweils nƤhere Informationen dazu stehen."; App::$strings["Hub URL"] = "Hub-URL"; @@ -1079,27 +1269,11 @@ App::$strings["Ratings"] = "Bewertungen"; App::$strings["Rate"] = "Bewerten"; App::$strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Leere den Browser Cache oder nutze Umschalten-Neu Laden, falls das neue Foto nicht sofort angezeigt wird."; App::$strings["Upload Profile Photo"] = "Lade neues Profilfoto hoch"; -App::$strings["Block Name"] = "Block-Name"; -App::$strings["Blocks"] = "Blƶcke"; -App::$strings["Block Title"] = "Titel des Blocks"; -App::$strings["Website:"] = "Webseite:"; -App::$strings["Remote Channel [%s] (not yet known on this site)"] = "Kanal [%s] (auf diesem Server noch unbekannt)"; -App::$strings["Rating (this information is public)"] = "Bewertung (ƶffentlich sichtbar)"; -App::$strings["Optionally explain your rating (this information is public)"] = "Optional kannst du deine Bewertung erklƤren (ƶffentlich sichtbar)"; -App::$strings["No ratings"] = "Keine Bewertungen"; -App::$strings["Rating: "] = "Bewertung: "; -App::$strings["Website: "] = "Webseite: "; -App::$strings["Description: "] = "Beschreibung: "; -App::$strings["Apps"] = "Apps"; -App::$strings["Title (optional)"] = "Titel (optional)"; -App::$strings["Edit Block"] = "Block bearbeiten"; +App::$strings["Permissions denied."] = "Berechtigung verweigert."; +App::$strings["Import"] = "Import"; App::$strings["No channel."] = "Kein Kanal."; App::$strings["Common connections"] = "Gemeinsame Verbindungen"; App::$strings["No connections in common."] = "Keine gemeinsamen Verbindungen."; -App::$strings["Select a bookmark folder"] = "Lesezeichenordner wƤhlen"; -App::$strings["Save Bookmark"] = "Lesezeichen speichern"; -App::$strings["URL of bookmark"] = "URL des Lesezeichens"; -App::$strings["Or enter new bookmark folder name"] = "Oder gib einen neuen Namen für den Lesezeichenordner ein"; App::$strings["Maximum daily site registrations exceeded. Please try again tomorrow."] = "Maximale Anzahl tƤglicher Neuanmeldungen erreicht. Bitte versuche es morgen noch einmal."; App::$strings["Please indicate acceptance of the Terms of Service. Registration failed."] = "Bitte stimme den Nutzungsbedingungen zu. Registrierung fehlgeschlagen."; App::$strings["Passwords do not match."] = "Passwƶrter stimmen nicht überein."; @@ -1122,6 +1296,59 @@ App::$strings["yes"] = "ja"; App::$strings["Membership on this site is by invitation only."] = "Mitgliedschaft auf dieser Seite ist nur nach vorheriger Einladung mƶglich."; App::$strings["Register"] = "Registrieren"; App::$strings["This site may require email verification after submitting this form. If you are returned to a login page, please check your email for instructions."] = "Diese Seite verlangt mƶglicherweise eine EmailbestƤtigung nach dem Ansenden des Formulars. Wenn Du auf eine Login-Seite zurückgeleitet wirst, prüfe bitte auf neue Mail mit entsprechenden Hinweisen."; +App::$strings["No ratings"] = "Keine Bewertungen"; +App::$strings["Rating: "] = "Bewertung: "; +App::$strings["Website: "] = "Webseite: "; +App::$strings["Description: "] = "Beschreibung: "; +App::$strings["Apps"] = "Apps"; +App::$strings["Unable to create element."] = "Element konnte nicht erstellt werden."; +App::$strings["Unable to update menu element."] = "Kann Menü-Element nicht aktualisieren."; +App::$strings["Unable to add menu element."] = "Kann Menü-Bestandteil nicht hinzufügen."; +App::$strings["Menu Item Permissions"] = "Zugriffsrechte des Menü-Elements"; +App::$strings["Link Name"] = "Name des Links"; +App::$strings["Link or Submenu Target"] = "Ziel des Links oder Untermenüs"; +App::$strings["Enter URL of the link or select a menu name to create a submenu"] = "URL des Links eingeben oder Menünamen wƤhlen, um ein Untermenü anzulegen."; +App::$strings["Use magic-auth if available"] = "Magic-Auth verwenden, falls verfügbar"; +App::$strings["Open link in new window"] = "Ɩffne Link in neuem Fenster"; +App::$strings["Order in list"] = "Reihenfolge in der Liste"; +App::$strings["Higher numbers will sink to bottom of listing"] = "Größere Nummern werden weiter unten in der Auflistung einsortiert"; +App::$strings["Submit and finish"] = "Absenden und fertigstellen"; +App::$strings["Submit and continue"] = "Absenden und fortfahren"; +App::$strings["Menu:"] = "Menü:"; +App::$strings["Link Target"] = "Ziel des Links"; +App::$strings["Edit menu"] = "Menü bearbeiten"; +App::$strings["Edit element"] = "Bestandteil bearbeiten"; +App::$strings["Drop element"] = "Bestandteil lƶschen"; +App::$strings["New element"] = "Neues Bestandteil"; +App::$strings["Edit this menu container"] = "Diesen Menü-Container bearbeiten"; +App::$strings["Add menu element"] = "Menüelement hinzufügen"; +App::$strings["Delete this menu item"] = "Lƶsche dieses Menü-Bestandteil"; +App::$strings["Edit this menu item"] = "Bearbeite dieses Menü-Bestandteil"; +App::$strings["Menu item not found."] = "Menü-Bestandteil nicht gefunden."; +App::$strings["Menu item deleted."] = "Menü-Bestandteil gelƶscht."; +App::$strings["Menu item could not be deleted."] = "Menü-Bestandteil kann nicht gelƶscht werden."; +App::$strings["Edit Menu Element"] = "Bearbeite Menü-Bestandteil"; +App::$strings["Link text"] = "Link Text"; +App::$strings["Continue"] = "Fortfahren"; +App::$strings["Premium Channel Setup"] = "Premium-Kanal-Einrichtung"; +App::$strings["Enable premium channel connection restrictions"] = "EinschrƤnkungen für einen Premium-Kanal aktivieren"; +App::$strings["Please enter your restrictions or conditions, such as paypal receipt, usage guidelines, etc."] = "Bitte gib Deine Nutzungsbedingungen ein, z.B. Paypal-Quittung, Richtlinien etc."; +App::$strings["This channel may require additional steps or acknowledgement of the following conditions prior to connecting:"] = "Unter UmstƤnden sind weitere Schritte oder die BestƤtigung der folgenden Bedingungen vor dem Verbinden mit diesem Kanal nƶtig."; +App::$strings["Potential connections will then see the following text before proceeding:"] = "Potentielle Kontakte werden den folgenden Text sehen, bevor fortgefahren wird:"; +App::$strings["By continuing, I certify that I have complied with any instructions provided on this page."] = "Indem ich fortfahre, bestƤtige ich die Erfüllung aller Anweisungen auf dieser Seite."; +App::$strings["(No specific instructions have been provided by the channel owner.)"] = "(Der Kanal-Besitzer hat keine speziellen Anweisungen hinterlegt.)"; +App::$strings["Restricted or Premium Channel"] = "EingeschrƤnkter oder Premium-Kanal"; +App::$strings["Select a bookmark folder"] = "Lesezeichenordner wƤhlen"; +App::$strings["Save Bookmark"] = "Lesezeichen speichern"; +App::$strings["URL of bookmark"] = "URL des Lesezeichens"; +App::$strings["Or enter new bookmark folder name"] = "Oder gib einen neuen Namen für den Lesezeichenordner ein"; +App::$strings["No such group"] = "Gruppe nicht gefunden"; +App::$strings["No such channel"] = "Kanal nicht gefunden"; +App::$strings["forum"] = "Forum"; +App::$strings["Search Results For:"] = "Suchergebnisse für:"; +App::$strings["Privacy group is empty"] = "Gruppe ist leer"; +App::$strings["Privacy group: "] = "Gruppe:"; +App::$strings["Invalid connection."] = "Ungültige Verbindung."; App::$strings["Please login."] = "Bitte melde dich an."; App::$strings["Account removals are not allowed within 48 hours of changing the account password."] = "Das Lƶschen von Konten innerhalb 48 Stunden nachdem deren Passwort geƤndert wurde ist nicht erlaubt."; App::$strings["Remove This Account"] = "Dieses Konto lƶschen"; @@ -1131,13 +1358,11 @@ App::$strings["This action is permanent and can not be undone!"] = "Dieser Schri App::$strings["Please enter your password for verification:"] = "Bitte gib zur BestƤtigung Dein Passwort ein:"; App::$strings["Remove this account, all its channels and all its channel clones from the network"] = "Dieses Konto, all seine KanƤle sowie alle Kanal-Klone aus dem Netzwerk lƶschen"; App::$strings["By default only the instances of the channels located on this hub will be removed from the network"] = "Standardmäßig werden nur die Kanalklone auf diesem \$Projectname-Hub aus dem Netzwerk entfernt"; -App::$strings["Remove Account"] = "Konto entfernen"; App::$strings["Channel removals are not allowed within 48 hours of changing the account password."] = "Innerhalb von 48 Stunden nach einer Ƅnderung des Passworts kƶnnen keine KanƤle gelƶscht werden."; App::$strings["Remove This Channel"] = "Diesen Kanal lƶschen"; App::$strings["This channel will be completely removed from the network. "] = "Dieser Kanal wird vollstƤndig aus dem Netzwerk gelƶscht."; App::$strings["Remove this channel and all its clones from the network"] = "Lƶsche diesen Kanal und all seine Klone aus dem Netzwerk"; App::$strings["By default only the instance of the channel located on this hub will be removed from the network"] = "Standardmäßig wird der Kanal nur auf diesem Server gelƶscht, seine Klone verbleiben im Netzwerk"; -App::$strings["Remove Channel"] = "Kanal lƶschen"; App::$strings["Export Channel"] = "Kanal exportieren"; App::$strings["Export your basic channel information to a file. This acts as a backup of your connections, permissions, profile and basic data, which can be used to import your data to a new server hub, but does not contain your content."] = "Exportiert die grundlegenden Kanal-Informationen in eine kleine Datei. Diese stellt eine Sicherung Deiner Verbindungen, Berechtigungen, Profile und Basisdaten bereit, die für den Import auf einem anderen Hub verwendet werden kann, aber nicht die BeitrƤge Deines Kanals enthƤlt."; App::$strings["Export Content"] = "Kanal und Inhalte exportieren"; @@ -1147,255 +1372,6 @@ App::$strings["You may also export your posts and conversations for a particular App::$strings["To select all posts for a given year, such as this year, visit %2\$s"] = "Um alle BeitrƤge eines bestimmten Jahres, zum Beispiel dieses Jahres, auszuwƤhlen, klicke %2\$s."; App::$strings["To select all posts for a given month, such as January of this year, visit %2\$s"] = "Um alle BeitrƤge eines bestimmten Monats auszuwƤhlen, zum Beispiel vom Januar diesen Jahres, klicke %2\$s."; App::$strings["These content files may be imported or restored by visiting %2\$s on any site containing your channel. For best results please import or restore these in date order (oldest first)."] = "Diese Inhalts-Sicherungen kƶnnen wiederhergestellt werden, indem Du %2\$s auf jeglichem Hub besuchst, der diesen Kanal enthƤlt. Das funktioniert am besten, wenn Du dabei die zeitliche Reihenfolge einhƤltst, also die Sicherungen für den Ƥltesten Zeitraum zuerst importierst."; -App::$strings["Items tagged with: %s"] = "BeitrƤge mit Schlagwort: %s"; -App::$strings["Search results for: %s"] = "Suchergebnisse für: %s"; -App::$strings["No service class restrictions found."] = "Keine DienstklassenbeschrƤnkungen gefunden."; -App::$strings["Name is required"] = "Name ist erforderlich"; -App::$strings["Key and Secret are required"] = "Schlüssel und Geheimnis werden benƶtigt"; -App::$strings["This channel is limited to %d tokens"] = "Dieser Kanal ist auf %d Token begrenzt"; -App::$strings["Name and Password are required."] = "Name und Passwort sind erforderlich."; -App::$strings["Token saved."] = "Token gespeichert."; -App::$strings["Not valid email."] = "Keine gültige E-Mail Adresse."; -App::$strings["Protected email address. Cannot change to that email."] = "Geschützte E-Mail Adresse. Diese kann nicht verƤndert werden."; -App::$strings["System failure storing new email. Please try again."] = "Systemfehler wƤhrend des Speicherns der neuen Mail. Bitte versuche es noch einmal."; -App::$strings["Password verification failed."] = "Passwortüberprüfung fehlgeschlagen."; -App::$strings["Passwords do not match. Password unchanged."] = "Kennwƶrter stimmen nicht überein. Kennwort nicht verƤndert."; -App::$strings["Empty passwords are not allowed. Password unchanged."] = "Leere Kennwƶrter sind nicht erlaubt. Kennwort nicht verƤndert."; -App::$strings["Password changed."] = "Kennwort geƤndert."; -App::$strings["Password update failed. Please try again."] = "KennwortƤnderung fehlgeschlagen. Bitte versuche es noch einmal."; -App::$strings["Settings updated."] = "Einstellungen aktualisiert."; -App::$strings["Add application"] = "Anwendung hinzufügen"; -App::$strings["Name of application"] = "Name der Anwendung"; -App::$strings["Consumer Key"] = "Consumer Key"; -App::$strings["Automatically generated - change if desired. Max length 20"] = "Automatisch erzeugt – Ƥndern, falls erwünscht. Maximale LƤnge 20"; -App::$strings["Consumer Secret"] = "Consumer Secret"; -App::$strings["Redirect"] = "Umleitung"; -App::$strings["Redirect URI - leave blank unless your application specifically requires this"] = "Umleitungs-URl – lasse das leer, solange Deine Anwendung es nicht explizit erfordert"; -App::$strings["Icon url"] = "Symbol-URL"; -App::$strings["Optional"] = "Optional"; -App::$strings["Application not found."] = "Die Anwendung wurde nicht gefunden."; -App::$strings["Connected Apps"] = "Verbundene Apps"; -App::$strings["Client key starts with"] = "Client Key beginnt mit"; -App::$strings["No name"] = "Kein Name"; -App::$strings["Remove authorization"] = "Authorisierung aufheben"; -App::$strings["No feature settings configured"] = "Keine Funktions-Einstellungen konfiguriert"; -App::$strings["Feature/Addon Settings"] = "Funktions-/Addon-Einstellungen"; -App::$strings["Account Settings"] = "Konto-Einstellungen"; -App::$strings["Current Password"] = "Aktuelles Passwort"; -App::$strings["Enter New Password"] = "Gib ein neues Passwort ein"; -App::$strings["Confirm New Password"] = "BestƤtige das neue Passwort"; -App::$strings["Leave password fields blank unless changing"] = "Lasse die Passwort-Felder leer, außer Du mƶchtest das Passwort Ƥndern"; -App::$strings["Email Address:"] = "Email Adresse:"; -App::$strings["Remove this account including all its channels"] = "Dieses Konto inklusive all seiner KanƤle lƶschen"; -App::$strings["Use this form to create temporary access identifiers to share things with non-members. These identities may be used in Access Control Lists and visitors may login using these credentials to access the private content."] = "Mit diesem Formular kannst Du temporƤre Zugangs-IDs anlegen, um Inhalte mit Nicht-Mitgliedern zu teilen. Die IDs kƶnnen in Berechtigungslisten (ACLs) verwendet werden, und Besucher kƶnnen sich damit einloggen, um auf private Inhalte zuzugreifen."; -App::$strings["You may also provide dropbox style access links to friends and associates by adding the Login Password to any specific site URL as shown. Examples:"] = "Du kannst auch Dropbox-Ƥhnliche Zugriffslinks an Andere weitergeben, indem du das Login-Passwort an eine entsprechende URL anhƤngst wie nachfolgend gezeigt. Beispiele:"; -App::$strings["Guest Access Tokens"] = "Gastzugangstoken"; -App::$strings["Login Name"] = "Anmeldename"; -App::$strings["Login Password"] = "Anmeldepasswort"; -App::$strings["Expires (yyyy-mm-dd)"] = "LƤuft ab (jjjj-mm-tt)"; -App::$strings["Additional Features"] = "ZusƤtzliche Funktionen"; -App::$strings["Connector Settings"] = "Connector-Einstellungen"; -App::$strings["No special theme for mobile devices"] = "Keine spezielle Theme für mobile GerƤte"; -App::$strings["%s - (Experimental)"] = "%s – (experimentell)"; -App::$strings["Display Settings"] = "Anzeige-Einstellungen"; -App::$strings["Theme Settings"] = "Theme-Einstellungen"; -App::$strings["Custom Theme Settings"] = "Benutzerdefinierte Theme-Einstellungen"; -App::$strings["Content Settings"] = "Inhaltseinstellungen"; -App::$strings["Display Theme:"] = "Anzeige-Theme:"; -App::$strings["Mobile Theme:"] = "Mobile Theme:"; -App::$strings["Preload images before rendering the page"] = "Bilder im voraus laden, bevor die Seite angezeigt wird"; -App::$strings["The subjective page load time will be longer but the page will be ready when displayed"] = "Die empfundene Ladezeit wird sich erhƶhen, aber dafür ist das Layout stabil, sobald eine Seite angezeigt wird"; -App::$strings["Enable user zoom on mobile devices"] = "Zoom auf MobilgerƤten aktivieren"; -App::$strings["Update browser every xx seconds"] = "Browser alle xx Sekunden aktualisieren"; -App::$strings["Minimum of 10 seconds, no maximum"] = "Minimum 10 Sekunden, kein Maximum"; -App::$strings["Maximum number of conversations to load at any time:"] = "Maximale Anzahl von Unterhaltungen, die auf einmal geladen werden sollen:"; -App::$strings["Maximum of 100 items"] = "Maximum: 100 BeitrƤge"; -App::$strings["Show emoticons (smilies) as images"] = "Emoticons (Smilies) als Bilder anzeigen"; -App::$strings["Link post titles to source"] = "Beitragstitel zum Originalbeitrag verlinken"; -App::$strings["System Page Layout Editor - (advanced)"] = "System-Seitenlayout-Editor (für Experten)"; -App::$strings["Use blog/list mode on channel page"] = "Blog-/Listenmodus auf der Kanalseite verwenden"; -App::$strings["(comments displayed separately)"] = "(Kommentare werden separat angezeigt)"; -App::$strings["Use blog/list mode on grid page"] = "Blog-/Listenmodus auf der Netzwerkseite verwenden"; -App::$strings["Channel page max height of content (in pixels)"] = "Maximale Hƶhe von Beitragsblƶcken auf der Kanalseite (in Pixeln)"; -App::$strings["click to expand content exceeding this height"] = "Blƶcke, deren Inhalt diese Hƶhe überschreitet, kƶnnen per Klick vergrößert werden."; -App::$strings["Grid page max height of content (in pixels)"] = "Maximale Hƶhe (in Pixel) des Inhalts der Netzwerkseite"; -App::$strings["Nobody except yourself"] = "Niemand außer Dir selbst"; -App::$strings["Only those you specifically allow"] = "Nur die, denen Du es explizit erlaubst"; -App::$strings["Approved connections"] = "Angenommene Verbindungen"; -App::$strings["Any connections"] = "Beliebige Verbindungen"; -App::$strings["Anybody on this website"] = "Jeder auf dieser Website"; -App::$strings["Anybody in this network"] = "Alle \$Projectname-Mitglieder"; -App::$strings["Anybody authenticated"] = "Jeder authentifizierte"; -App::$strings["Anybody on the internet"] = "Jeder im Internet"; -App::$strings["Publish your default profile in the network directory"] = "Standard-Profil im Netzwerk-Verzeichnis verƶffentlichen"; -App::$strings["Allow us to suggest you as a potential friend to new members?"] = "Dürfen wir Dich neuen Mitgliedern als potentiellen Kontakt vorschlagen?"; -App::$strings["Your channel address is"] = "Deine Kanal-Adresse lautet"; -App::$strings["Channel Settings"] = "Kanal-Einstellungen"; -App::$strings["Basic Settings"] = "Grundeinstellungen"; -App::$strings["Full Name:"] = "Voller Name:"; -App::$strings["Your Timezone:"] = "Ihre Zeitzone:"; -App::$strings["Default Post Location:"] = "Standardstandort:"; -App::$strings["Geographical location to display on your posts"] = "Geografischer Ort, der bei Deinen BeitrƤgen angezeigt werden soll"; -App::$strings["Use Browser Location:"] = "Standort des Browsers verwenden:"; -App::$strings["Adult Content"] = "Nicht jugendfreie Inhalte"; -App::$strings["This channel frequently or regularly publishes adult content. (Please tag any adult material and/or nudity with #NSFW)"] = "Dieser Kanal verƶffentlicht regelmäßig Inhalte, die für MinderjƤhrige ungeeignet sind. (Bitte markiere solche Inhalte mit dem Schlagwort #NSFW)"; -App::$strings["Security and Privacy Settings"] = "Sicherheits- und Datenschutz-Einstellungen"; -App::$strings["Your permissions are already configured. Click to view/adjust"] = "Deine Zugriffsrechte sind schon konfiguriert. Klicke hier, um sie zu betrachten oder zu Ƥndern"; -App::$strings["Hide my online presence"] = "Meine Online-PrƤsenz verbergen"; -App::$strings["Prevents displaying in your profile that you are online"] = "Verhindert die Anzeige Deines Online-Status in deinem Profil"; -App::$strings["Simple Privacy Settings:"] = "Einfache PrivatsphƤre-Einstellungen"; -App::$strings["Very Public - extremely permissive (should be used with caution)"] = "Komplett offen – extrem ungeschützt (mit großer Vorsicht verwenden!)"; -App::$strings["Typical - default public, privacy when desired (similar to social network permissions but with improved privacy)"] = "Typisch – Standard ƶffentlich, PrivatsphƤre, wo sie erwünscht ist (Ƥhnlich den Einstellungen in sozialen Netzwerken, aber mit besser geschützter PrivatsphƤre)"; -App::$strings["Private - default private, never open or public"] = "Privat – Standard privat, nie offen oder ƶffentlich"; -App::$strings["Blocked - default blocked to/from everybody"] = "Blockiert – Alle standardmäßig blockiert"; -App::$strings["Allow others to tag your posts"] = "Erlaube anderen, Deine BeitrƤge zu verschlagworten"; -App::$strings["Often used by the community to retro-actively flag inappropriate content"] = "Wird oft von der Community genutzt um rückwirkend anstößigen Inhalt zu markieren"; -App::$strings["Advanced Privacy Settings"] = "Fortgeschrittene PrivatsphƤre-Einstellungen"; -App::$strings["Expire other channel content after this many days"] = "Den Inhalt anderer KanƤle nach dieser Anzahl Tage verfallen lassen"; -App::$strings["0 or blank to use the website limit."] = "0 oder leer lassen, um den voreingestellten Wert der Webseite zu verwenden."; -App::$strings["This website expires after %d days."] = "Diese Webseite lƤuft nach %d Tagen ab."; -App::$strings["This website does not expire imported content."] = "Diese Webseite lƤsst importierte Inhalte nicht verfallen."; -App::$strings["The website limit takes precedence if lower than your limit."] = "Das Verfallslimit der Webseite hat Vorrang, wenn es niedriger als Deines hier ist."; -App::$strings["Maximum Friend Requests/Day:"] = "Maximale Kontaktanfragen pro Tag:"; -App::$strings["May reduce spam activity"] = "Kann die Spam-AktivitƤt verringern"; -App::$strings["Default Post and Publish Permissions"] = "Standard-Berechtigungen für BeitrƤge und andere Inhalte"; -App::$strings["Use my default audience setting for the type of object published"] = "Verwende Deine eingestellte Standard-Zielgruppe des jeweiligen Inhaltstyps"; -App::$strings["Channel permissions category:"] = "Zugriffsrechte-Kategorie des Kanals:"; -App::$strings["Maximum private messages per day from unknown people:"] = "Maximale Anzahl privater Nachrichten pro Tag von unbekannten Leuten:"; -App::$strings["Useful to reduce spamming"] = "Nützlich, um Spam zu verringern"; -App::$strings["Notification Settings"] = "Benachrichtigungs-Einstellungen"; -App::$strings["By default post a status message when:"] = "Sende standardmäßig Status-Nachrichten, wenn:"; -App::$strings["accepting a friend request"] = "Du eine Verbindungsanfrage annimmst"; -App::$strings["joining a forum/community"] = "Du einem Forum beitrittst"; -App::$strings["making an interesting profile change"] = "Du eine interessante Ƅnderung an Deinem Profil vornimmst"; -App::$strings["Send a notification email when:"] = "Eine E-Mail-Benachrichtigung senden, wenn:"; -App::$strings["You receive a connection request"] = "Du eine Verbindungsanfrage erhƤltst"; -App::$strings["Your connections are confirmed"] = "Eine Verbindung bestƤtigt wurde"; -App::$strings["Someone writes on your profile wall"] = "Jemand auf Deine Pinnwand schreibt"; -App::$strings["Someone writes a followup comment"] = "Jemand einen Beitrag kommentiert"; -App::$strings["You receive a private message"] = "Du eine private Nachricht erhƤltst"; -App::$strings["You receive a friend suggestion"] = "Du einen Kontaktvorschlag erhƤltst"; -App::$strings["You are tagged in a post"] = "Du in einem Beitrag erwƤhnt wurdest"; -App::$strings["You are poked/prodded/etc. in a post"] = "Du in einem Beitrag angestupst/geknufft/o.Ƥ. wurdest"; -App::$strings["Show visual notifications including:"] = "Visuelle Benachrichtigungen anzeigen für:"; -App::$strings["Unseen grid activity"] = "Ungesehene Netzwerk-AktivitƤt"; -App::$strings["Unseen channel activity"] = "Ungesehene Kanal-AktivitƤt"; -App::$strings["Unseen private messages"] = "Ungelesene persƶnliche Nachrichten"; -App::$strings["Recommended"] = "Empfohlen"; -App::$strings["Upcoming events"] = "Baldige Termine"; -App::$strings["Events today"] = "Heutige Termine"; -App::$strings["Upcoming birthdays"] = "Baldige Geburtstage"; -App::$strings["Not available in all themes"] = "Nicht in allen Themes verfügbar"; -App::$strings["System (personal) notifications"] = "System – (persƶnliche) Benachrichtigungen"; -App::$strings["System info messages"] = "System – Info-Nachrichten"; -App::$strings["System critical alerts"] = "System – kritische Warnungen"; -App::$strings["New connections"] = "Neue Verbindungen"; -App::$strings["System Registrations"] = "System – Registrierungen"; -App::$strings["Also show new wall posts, private messages and connections under Notices"] = "Neue Pinnwand-Nachrichten, private Nachrichten und Verbindungen unter Benachrichtigungen anzeigen"; -App::$strings["Notify me of events this many days in advance"] = "Benachrichtige mich zu Terminen so viele Tage im Voraus"; -App::$strings["Must be greater than 0"] = "Muss größer als 0 sein"; -App::$strings["Advanced Account/Page Type Settings"] = "Erweiterte Account- und Seitenart-Einstellungen"; -App::$strings["Change the behaviour of this account for special situations"] = "Ƅndere das Verhalten dieses Accounts unter speziellen UmstƤnden"; -App::$strings["Please enable expert mode (in Settings > Additional features) to adjust!"] = "Aktiviere den Expertenmodus (unter Settings > ZusƤtzliche Funktionen), um hier Einstellungen vorzunehmen!"; -App::$strings["Miscellaneous Settings"] = "Sonstige Einstellungen"; -App::$strings["Default photo upload folder"] = "Voreingestellter Ordner für hochgeladene Fotos"; -App::$strings["%Y - current year, %m - current month"] = "%Y - aktuelles Jahr, %m - aktueller Monat"; -App::$strings["Default file upload folder"] = "Voreingestellter Ordner für hochgeladene Dateien"; -App::$strings["Personal menu to display in your channel pages"] = "Eigenes Menü zur Anzeige auf den Seiten deines Kanals"; -App::$strings["Remove this channel."] = "Diesen Kanal lƶschen"; -App::$strings["Firefox Share \$Projectname provider"] = "\$Projectname-Provider für Firefox Share"; -App::$strings["Start calendar week on monday"] = "Montag als erster Tag der Kalenderwoche"; -App::$strings["\$Projectname Server - Setup"] = "\$Projectname Server-Einrichtung"; -App::$strings["Could not connect to database."] = "Kann nicht mit der Datenbank verbinden."; -App::$strings["Could not connect to specified site URL. Possible SSL certificate or DNS issue."] = "Konnte die angegebene Webseiten-URL nicht erreichen. Mƶglicherweise ein Problem mit dem SSL-Zertifikat oder dem DNS."; -App::$strings["Could not create table."] = "Kann Tabelle nicht erstellen."; -App::$strings["Your site database has been installed."] = "Die Datenbank Deines Hubs wurde installiert."; -App::$strings["You may need to import the file \"install/schema_xxx.sql\" manually using a database client."] = "Mƶglicherweise musst Du die Datei install/schema_xxx.sql manuell mit Hilfe eines Datenkbank-Clients importieren."; -App::$strings["Please see the file \"install/INSTALL.txt\"."] = "Lies die Datei \"install/INSTALL.txt\"."; -App::$strings["System check"] = "Systemprüfung"; -App::$strings["Check again"] = "Bitte nochmal prüfen"; -App::$strings["Database connection"] = "Datenbank Verbindung"; -App::$strings["In order to install \$Projectname we need to know how to connect to your database."] = "Um \$Projectname zu installieren, müssen wir wissen, wie wir eine Verbindung zu Deiner Datenbank aufbauen kƶnnen."; -App::$strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Bitte kontaktiere Deinen Hosting-Provider oder Administrator, falls Du Fragen zu diesen Einstellungen hast."; -App::$strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Die Datenbank, die Du weiter unten angibst, sollte bereits existieren. Sollte das noch nicht der Fall sein, erzeuge sie bitte bevor Du fortfƤhrst."; -App::$strings["Database Server Name"] = "Datenbank-Servername"; -App::$strings["Default is 127.0.0.1"] = "Standard ist 127.0.0.1"; -App::$strings["Database Port"] = "Datenbank-Port"; -App::$strings["Communication port number - use 0 for default"] = "Port-Nummer für die Kommunikation – verwende 0 für die Standardeinstellung"; -App::$strings["Database Login Name"] = "Datenbank-Benutzername"; -App::$strings["Database Login Password"] = "Datenbank-Kennwort"; -App::$strings["Database Name"] = "Datenbank-Name"; -App::$strings["Database Type"] = "Datenbanktyp"; -App::$strings["Site administrator email address"] = "E-Mail Adresse des Seiten-Administrators"; -App::$strings["Your account email address must match this in order to use the web admin panel."] = "Die E-Mail-Adresse Deines Accounts muss dieser Adresse entsprechen, damit Du Zugriff zur Administrations-Seite erhƤltst."; -App::$strings["Website URL"] = "Server-URL"; -App::$strings["Please use SSL (https) URL if available."] = "Nutze wenn mƶglich eine SSL-URL (https)."; -App::$strings["Please select a default timezone for your website"] = "Standard-Zeitzone für Deinen Server"; -App::$strings["Site settings"] = "Seiteneinstellungen"; -App::$strings["Enable \$Projectname advanced features?"] = "Erweiterte Funktionen für \$Projectname aktivieren?"; -App::$strings["Some advanced features, while useful - may be best suited for technically proficient audiences"] = "Einige erweiterte Funktionen kƶnnen ungeachtet ihrer Nützlichkeit eher für eine technisch versierte Zielgruppe geeignet sein."; -App::$strings["PHP version 5.5 or greater is required."] = "PHP Version 5.5 oder hƶher wird benƶtigt."; -App::$strings["PHP version"] = "PHP-Version"; -App::$strings["Could not find a command line version of PHP in the web server PATH."] = "Konnte die Kommandozeilen-Version von PHP nicht im PATH des Web-Servers finden."; -App::$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."] = "Ohne Kommandozeilen-Version von PHP auf dem Server wirst Du nicht in der Lage sein, Hintergrundprozesse via cron auszuführen."; -App::$strings["PHP executable path"] = "PHP Pfad zu ausführbarer Datei"; -App::$strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Gib den vollen Pfad zum PHP-Interpreter an. Du kannst dieses Feld frei lassen und mit der Installation fortfahren."; -App::$strings["Command line PHP"] = "PHP Befehlszeile"; -App::$strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "Bei der Kommandozeilen-Version von PHP auf Deinem System ist \"register_argc_argv\" nicht aktiviert."; -App::$strings["This is required for message delivery to work."] = "Das wird benƶtigt, damit die Auslieferung von Nachrichten funktioniert."; -App::$strings["PHP register_argc_argv"] = "PHP register_argc_argv"; -App::$strings["Your max allowed total upload size is set to %s. Maximum size of one file to upload is set to %s. You are allowed to upload up to %d files at once."] = "Die Maximalgröße für Uploads insgesamt liegt bei %s. Die Maximalgröße für eine Datei liegt bei %s. Es kƶnnen maximal %d Dateien gleichzeitig hochgeladen werden."; -App::$strings["You can adjust these settings in the servers php.ini."] = "Du kannst diese Einstellungen in der php.ini des Servers Ƥndern."; -App::$strings["PHP upload limits"] = "PHP-HochladebeschrƤnkungen"; -App::$strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Fehler: Die ā€žopenssl_pkey_newā€œ-Funktion auf diesem System ist nicht in der Lage, Schlüssel für die Verschlüsselung zu erzeugen."; -App::$strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Wenn Du Windows verwendest, findest Du unter http://www.php.net/manual/en/openssl.installation.php eine Installationsanleitung."; -App::$strings["Generate encryption keys"] = "Verschlüsselungsschlüssel generieren"; -App::$strings["libCurl PHP module"] = "libCurl-PHP-Modul"; -App::$strings["GD graphics PHP module"] = "GD-Grafik-PHP-Modul"; -App::$strings["OpenSSL PHP module"] = "OpenSSL-PHP-Modul"; -App::$strings["mysqli or postgres PHP module"] = "mysqli oder postgres PHP-Modul"; -App::$strings["mb_string PHP module"] = "mb_string-PHP-Modul"; -App::$strings["xml PHP module"] = "xml-PHP-Modul"; -App::$strings["Apache mod_rewrite module"] = "Apache-mod_rewrite-Modul"; -App::$strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Fehler: Das Apache-Modul mod-rewrite wird benƶtigt, ist aber nicht installiert."; -App::$strings["proc_open"] = "proc_open"; -App::$strings["Error: proc_open is required but is either not installed or has been disabled in php.ini"] = "Fehler: proc_open wird benƶtigt, ist aber entweder nicht installiert oder wurde in der php.ini deaktiviert"; -App::$strings["Error: libCURL PHP module required but not installed."] = "Fehler: Das PHP-Modul libCURL wird benƶtigt, ist aber nicht installiert."; -App::$strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Fehler: Das PHP-Modul GD-Grafik mit JPEG-Unterstützung wird benƶtigt, ist aber nicht installiert."; -App::$strings["Error: openssl PHP module required but not installed."] = "Fehler: Das PHP-Modul openssl wird benƶtigt, ist aber nicht installiert."; -App::$strings["Error: mysqli or postgres PHP module required but neither are installed."] = "Fehler: Das mysqli oder postgres PHP-Modul ist erforderlich, aber keines von beiden ist installiert."; -App::$strings["Error: mb_string PHP module required but not installed."] = "Fehler: Das PHP-Modul mb_string wird benƶtigt, ist aber nicht installiert."; -App::$strings["Error: xml PHP module required for DAV but not installed."] = "Fehler: Das xml-PHP-Modul wird für DAV benƶtigt, ist aber nicht installiert."; -App::$strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "Der Installations-Assistent muss in der Lage sein, die Datei \".htconfig.php\" im Stammverzeichnis des Web-Servers anzulegen, ist er aber nicht."; -App::$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."] = "Meist liegt das daran, dass der Nutzer, unter dem der Web-Server lƤuft, keine Schreibrechte in dem Verzeichnis hat – selbst wenn Du selbst das darfst."; -App::$strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Red top folder."] = "Am Schluss dieses Vorgangs wird ein Text generiert, den Du unter dem Dateinamen .htconfig.php im Stammverzeichnis Deiner Hubzilla-Installation speichern musst."; -App::$strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"install/INSTALL.txt\" for instructions."] = "Alternativ kannst Du diesen Schritt überspringen und die Installation manuell vornehmen. Lies dazu die Datei install/INSTALL.txt."; -App::$strings[".htconfig.php is writable"] = ".htconfig.php ist beschreibbar"; -App::$strings["Red uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "\$Projectname verwendet Smarty3 um Vorlagen für die Webdarstellung zu übersetzen. Smarty3 übersetzt diese Vorlagen nach PHP, um die Darstellung zu beschleunigen."; -App::$strings["In order to store these compiled templates, the web server needs to have write access to the directory %s under the top level web folder."] = "Um diese kompilierten Vorlagen speichern zu kƶnnen, braucht der Web-Server Schreibzugriff auf das Verzeichnis %s unterhalb des Hubzilla-Stammverzeichnisses."; -App::$strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Bitte stelle sicher, dass der Nutzer, unter dem der Web-Server lƤuft (z.B. www-data), Schreibzugriff auf dieses Verzeichnis hat."; -App::$strings["Note: as a security measure, you should give the web server write access to %s only--not the template files (.tpl) that it contains."] = "Hinweis: Aus Sicherheitsgründen sollte der Web-Server nur auf %s Schreibrechte haben, nicht auf die Template-Dateien (.tpl), die das Verzeichnis enthƤlt."; -App::$strings["%s is writable"] = "%s ist beschreibbar"; -App::$strings["This software uses the store directory to save uploaded files. The web server needs to have write access to the store directory under the Red top level folder"] = "Diese Software benutzt das Verzeichnis store, um hochgeladene Dateien zu speichern. Der Web-Server benƶtigt Schreibrechte für dieses Verzeichnis direkt unterhalb des Hubzilla-Stammverzeichnisses"; -App::$strings["store is writable"] = "store ist schreibbar"; -App::$strings["SSL certificate cannot be validated. Fix certificate or disable https access to this site."] = "Das SSL-Zertifikat konnte nicht validiert werden. Korrigiere das Zertifikat oder deaktiviere den HTTPS-Zugriff auf diesen Server."; -App::$strings["If you have https access to your website or allow connections to TCP port 443 (the https: port), you MUST use a browser-valid certificate. You MUST NOT use self-signed certificates!"] = "Wenn Du via HTTPS auf Deinen Server zugreifen mƶchtest, also Verbindungen über den Port 443 mƶglich sein sollen, ist ein SSL-Zertifikat einer Zertifizierungsstelle (CA) notwendig, das von den Browsern ohne Sicherheitsabfrage akzeptiert wird. Die Verwendung eines selbst signierten Zertifikates ist nicht mƶglich."; -App::$strings["This restriction is incorporated because public posts from you may for example contain references to images on your own hub."] = "Diese EinschrƤnkung wurde eingebaut, weil Deine ƶffentlichen BeitrƤge zum Beispiel Verweise auf Bilder auf Deinem eigenen Hub enthalten kƶnnen."; -App::$strings["If your certificate is not recognized, members of other sites (who may themselves have valid certificates) will get a warning message on their own site complaining about security issues."] = "Wenn Dein Zertifikat nicht von jedem Browser akzeptiert wird, erhalten die Mitglieder anderer \$Projectname-Hubs (die mit korrekten Zertifikaten ausgestattet sind) Sicherheits-Warnmeldungen, obwohl sie gar nicht direkt auf Deinem Server unterwegs sind (zum Beispiel, wenn ein Bild aus einem Deiner BeitrƤge angezeigt wird)."; -App::$strings["This can cause usability issues elsewhere (not just on your own site) so we must insist on this requirement."] = "Dies kann Probleme für andere Nutzer (nicht nur auf Deinem eigenen Server) verursachen, so dass wir auf dieser Forderung bestehen müssen."; -App::$strings["Providers are available that issue free certificates which are browser-valid."] = "Es gibt einige Zertifizierungsstellen (CAs), bei denen solche Zertifikate kostenlos zu haben sind."; -App::$strings["If you are confident that the certificate is valid and signed by a trusted authority, check to see if you have failed to install an intermediate cert. These are not normally required by browsers, but are required for server-to-server communications."] = "Wenn Du sicher bist, dass das Zertifikat gültig und von einer vertrauenswürdigen Zertifizierungsstelle signiert ist, prüfe auf ggf. noch zu installierende Zwischenzertifikate (intermediate). Diese werden nicht unbedingt von Browsern benƶtigt, aber sehr wohl für die Kommunikation zwischen Servern."; -App::$strings["SSL certificate validation"] = "SSL Zertifikatverifizierung"; -App::$strings["Url rewrite in .htaccess is not working. Check your server configuration.Test: "] = "Das Umschreiben von URLs (rewrite) per .htaccess funktioniert nicht. Bitte prüfe die Server-Konfiguration. Test:"; -App::$strings["Url rewrite is working"] = "Url rewrite funktioniert"; -App::$strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "Die Datenbank-Konfigurationsdatei ā€ž.htconfig.phpā€œ konnte nicht geschrieben werden. Bitte verwende den unten angegebenen Text, um die Konfigurationsdatei im Stammverzeichnis des Webservers anzulegen."; -App::$strings["Errors encountered creating database tables."] = "Fehler beim Anlegen der Datenbank-Tabellen aufgetreten."; -App::$strings["

What next

"] = "

Was als NƤchstes

"; -App::$strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "WICHTIG: Du musst [manuell] einen Cronjob für den Poller einrichten."; -App::$strings["Files: shared with me"] = "Dateien, die mit mir geteilt wurden"; -App::$strings["NEW"] = "NEU"; -App::$strings["Remove all files"] = "Alle Dateien lƶschen"; -App::$strings["Remove this file"] = "Diese Datei lƶschen"; App::$strings["Thing updated"] = "Sache aktualisiert"; App::$strings["Object store: failed"] = "Speichern des Objekts fehlgeschlagen"; App::$strings["Thing added"] = "Sache hinzugefügt"; @@ -1410,6 +1386,22 @@ App::$strings["Name of thing e.g. something"] = "Name der Sache, z. B. irgendwas App::$strings["URL of thing (optional)"] = "URL der Sache (optional)"; App::$strings["URL for photo of thing (optional)"] = "URL eines Fotos der Sache (optional)"; App::$strings["Add Thing to your Profile"] = "Die Sache Deinem Profil hinzufügen"; +App::$strings["Items tagged with: %s"] = "BeitrƤge mit Schlagwort: %s"; +App::$strings["Search results for: %s"] = "Suchergebnisse für: %s"; +App::$strings["No service class restrictions found."] = "Keine DienstklassenbeschrƤnkungen gefunden."; +App::$strings["Website:"] = "Webseite:"; +App::$strings["Remote Channel [%s] (not yet known on this site)"] = "Kanal [%s] (auf diesem Server noch unbekannt)"; +App::$strings["Rating (this information is public)"] = "Bewertung (ƶffentlich sichtbar)"; +App::$strings["Optionally explain your rating (this information is public)"] = "Optional kannst du deine Bewertung erklƤren (ƶffentlich sichtbar)"; +App::$strings["Authentication failed."] = "Authentifizierung fehlgeschlagen."; +App::$strings["Remote Authentication"] = "Entfernte Authentifizierung"; +App::$strings["Enter your channel address (e.g. channel@example.com)"] = "Deine Kanal-Adresse (z. B. channel@example.com)"; +App::$strings["Authenticate"] = "Authentifizieren"; +App::$strings["Files: shared with me"] = "Dateien, die mit mir geteilt wurden"; +App::$strings["NEW"] = "NEU"; +App::$strings["Remove all files"] = "Alle Dateien lƶschen"; +App::$strings["Remove this file"] = "Diese Datei lƶschen"; +App::$strings["Channel added."] = "Kanal hinzugefügt."; App::$strings["Failed to create source. No channel selected."] = "Konnte die Quelle nicht anlegen. Kein Kanal ausgewƤhlt."; App::$strings["Source created."] = "Quelle erstellt."; App::$strings["Source updated."] = "Quelle aktualisiert."; @@ -1437,36 +1429,29 @@ App::$strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s hat %2\$ss %3\$s App::$strings["Tag removed"] = "Schlagwort entfernt"; App::$strings["Remove Item Tag"] = "Schlagwort entfernen"; App::$strings["Select a tag to remove: "] = "Schlagwort zum Entfernen auswƤhlen:"; -App::$strings["Webpages"] = "Webseiten"; -App::$strings["Actions"] = "Aktionen"; -App::$strings["Page Link"] = "Seiten-Link"; -App::$strings["Page Title"] = "Seitentitel"; -App::$strings["Not found"] = "Nicht gefunden"; -App::$strings["Wiki"] = "Wiki"; -App::$strings["Sandbox"] = "Sandbox"; -App::$strings["\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be saved*.\""] = "\"# Wiki Sandkasten\\n\\nInhalte, die Du hier **verƤnderst** und **als Vorschau anzeigst**, *werden nicht gespeichert*.\""; -App::$strings["Revision Comparison"] = "Revisionsvergleich"; -App::$strings["Revert"] = "RückgƤngig machen"; -App::$strings["Enter the name of your new wiki:"] = "Gib einen Namen für Dein neues Wiki ein:"; -App::$strings["Enter the name of the new page:"] = "Geben Sie den Namen der neuen Seite ein:"; -App::$strings["Enter the new name:"] = "Geben Sie den neuen Namen ein:"; -App::$strings["Embed image from photo albums"] = "Bild aus Fotoalben einbetten"; -App::$strings["Embed an image from your albums"] = "Betten Sie ein Bild aus Ihren Alben ein"; -App::$strings["OK"] = "Ok"; -App::$strings["Choose images to embed"] = "WƤhlen Sie Bilder zum Einbetten aus"; -App::$strings["Choose an album"] = "WƤhlen Sie ein Album aus"; -App::$strings["Choose a different album..."] = "WƤhlen Sie ein anderes Album aus..."; -App::$strings["Error getting album list"] = "Fehler beim Holen der Albenliste"; -App::$strings["Error getting photo link"] = "Fehler beim Holen des Fotolinks"; -App::$strings["Error getting album"] = "Fehler beim Holen des Albums"; +App::$strings["Authorize application connection"] = "Zugriff für die Anwendung autorisieren"; +App::$strings["Return to your app and insert this Security Code:"] = "Gehen Sie zu Ihrer App zurück und tragen Sie diesen Sicherheitscode ein:"; +App::$strings["Please login to continue."] = "Zum Weitermachen, bitte einloggen."; +App::$strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Mƶchtest Du dieser Anwendung erlauben, Deine Nachrichten und Kontakte abzurufen und/oder neue Nachrichten für Dich zu erstellen?"; +App::$strings["Your service plan only allows %d channels."] = "Dein Vertrag erlaubt nur %d KanƤle."; +App::$strings["Cloned channel not found. Import failed."] = "Geklonter Kanal nicht gefunden. Import fehlgeschlagen."; +App::$strings["No channel. Import failed."] = "Kein Kanal. Import fehlgeschlagen."; +App::$strings["Import completed."] = "Import abgeschlossen."; +App::$strings["You must be logged in to use this feature."] = "Du musst angemeldet sein um diese Funktion zu nutzen."; +App::$strings["Import Channel"] = "Kanal importieren"; +App::$strings["Use this form to import an existing channel from a different server/hub. You may retrieve the channel identity from the old server/hub via the network or provide an export file."] = "Verwende dieses Formular, um einen existierenden Kanal von einem anderen Hub zu importieren. Du kannst den Kanal direkt vom bisherigen Hub über das Netzwerk oder aus einer exportierten Sicherheitskopie importieren."; +App::$strings["Or provide the old server/hub details"] = "Oder gib die Details Deines bisherigen \$Projectname-Hubs ein"; +App::$strings["Your old identity address (xyz@example.com)"] = "Bisherige Kanal-Adresse (xyz@example.com)"; +App::$strings["Your old login email address"] = "Deine alte Login-E-Mail-Adresse"; +App::$strings["Your old login password"] = "Dein altes Passwort"; +App::$strings["For either option, please choose whether to make this hub your new primary address, or whether your old location should continue this role. You will be able to post from either location, but only one can be marked as the primary location for files, photos, and media."] = "Egal, welche Option Du wƤhlst – bitte lege fest, ob dieser Server die neue primƤre Adresse dieses Kanals sein soll, oder ob der bisherige \$Projectname-Hub diese Rolle weiterhin wahrnimmt. Du kannst von beiden Servern aus posten, aber nur einer kann der primƤre Ort Deiner Dateien, Fotos und Medien sein."; +App::$strings["Make this hub my primary location"] = "Dieser $Pojectname-Hub ist mein primƤrer Hub."; +App::$strings["Import existing posts if possible (experimental - limited by available memory"] = "Importiere bestehende BeitrƤge falls mƶglich (experimentell - begrenzt durch zur Verfügung stehenden Speicher"; +App::$strings["This process may take several minutes to complete. Please submit the form only once and leave this page open until finished."] = "Dieser Vorgang kann einige Minuten dauern. Bitte sende das Formular nur einmal ab und lasse diese Seite bis zur Fertigstellung offen."; App::$strings["No connections."] = "Keine Verbindungen."; App::$strings["Visit %s's profile [%s]"] = "%ss Profil [%s] besuchen"; App::$strings["View Connections"] = "Verbindungen anzeigen"; App::$strings["Source of Item"] = "Quelle des Elements"; -App::$strings["Authorize application connection"] = "Zugriff für die Anwendung autorisieren"; -App::$strings["Return to your app and insert this Securty Code:"] = "Trage folgenden Sicherheitscode in der Anwendung ein:"; -App::$strings["Please login to continue."] = "Zum Weitermachen, bitte einloggen."; -App::$strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Mƶchtest Du dieser Anwendung erlauben, Deine Nachrichten und Kontakte abzurufen und/oder neue Nachrichten für Dich zu erstellen?"; App::$strings["Xchan Lookup"] = "Xchan-Suche"; App::$strings["Lookup xchan beginning with (or webbie): "] = "Nach xchans oder Webbies (Kanal-Adressen) suchen, die wie folgt beginnen:"; App::$strings["Missing room name"] = "Der Chatraum hat keinen Namen"; @@ -1535,8 +1520,24 @@ App::$strings["Suggest"] = "Empfehlen"; App::$strings["Random Channel"] = "ZufƤlliger Kanal"; App::$strings["Invite"] = "Einladen"; App::$strings["Features"] = "Funktionen"; +App::$strings["Language"] = "Sprache"; App::$strings["Post"] = "Beitrag schreiben"; +App::$strings["Profile Photo"] = "Profilfoto"; App::$strings["Purchase"] = "Kaufen"; +App::$strings["Visible to your default audience"] = "Standard-Sichtbarkeit gemäß Kanaleinstellungen"; +App::$strings["Only me"] = "Nur ich"; +App::$strings["Public"] = "Ɩffentlich"; +App::$strings["Anybody in the \$Projectname network"] = "Jeder innerhalb des \$Projectname Netzwerks"; +App::$strings["Any account on %s"] = "Jedes Nutzerkonto auf %s"; +App::$strings["Any of my connections"] = "Alle meine Verbindungen"; +App::$strings["Only connections I specifically allow"] = "Nur Verbindungen, denen ich es explizit erlaube"; +App::$strings["Anybody authenticated (could include visitors from other networks)"] = "Jeder, der angemeldet ist (kann Besucher anderer Netzwerke beinhalten)"; +App::$strings["Any connections including those who haven't yet been approved"] = "Alle Verbindungen einschließlich der noch nicht bestƤtigten"; +App::$strings["This is your default setting for the audience of your normal stream, and posts."] = "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner normalen BeitrƤge (Stream)."; +App::$strings["This is your default setting for who can view your default channel profile"] = "Dies ist Deine Voreinstellung für die Sichtbarkeit Deines Standard-Kanalprofils."; +App::$strings["This is your default setting for who can view your connections"] = "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Verbindungen."; +App::$strings["This is your default setting for who can view your file storage and photos"] = "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Dateien und Fotos."; +App::$strings["This is your default setting for the audience of your webpages"] = "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Webseiten."; App::$strings["Private Message"] = "Private Nachricht"; App::$strings["Select"] = "AuswƤhlen"; App::$strings["Save to Folder"] = "In Ordner speichern"; @@ -1582,23 +1583,24 @@ App::$strings["Code"] = "Code"; App::$strings["Image"] = "Bild"; App::$strings["Insert Link"] = "Link einfügen"; App::$strings["Video"] = "Video"; -App::$strings["Visible to your default audience"] = "Standard-Sichtbarkeit gemäß Kanaleinstellungen"; -App::$strings["Only me"] = "Nur ich"; -App::$strings["Public"] = "Ɩffentlich"; -App::$strings["Anybody in the \$Projectname network"] = "Jeder innerhalb des \$Projectname Netzwerks"; -App::$strings["Any account on %s"] = "Jedes Nutzerkonto auf %s"; -App::$strings["Any of my connections"] = "Alle meine Verbindungen"; -App::$strings["Only connections I specifically allow"] = "Nur Verbindungen, denen ich es explizit erlaube"; -App::$strings["Anybody authenticated (could include visitors from other networks)"] = "Jeder, der angemeldet ist (kann Besucher anderer Netzwerke beinhalten)"; -App::$strings["Any connections including those who haven't yet been approved"] = "Alle Verbindungen einschließlich der noch nicht bestƤtigten"; -App::$strings["This is your default setting for the audience of your normal stream, and posts."] = "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner normalen BeitrƤge (Stream)."; -App::$strings["This is your default setting for who can view your default channel profile"] = "Dies ist Deine Voreinstellung für die Sichtbarkeit Deines Standard-Kanalprofils."; -App::$strings["This is your default setting for who can view your connections"] = "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Verbindungen."; -App::$strings["This is your default setting for who can view your file storage and photos"] = "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Dateien und Fotos."; -App::$strings["This is your default setting for the audience of your webpages"] = "Dies ist Deine Voreinstellung für die Sichtbarkeit Deiner Webseiten."; App::$strings["No username found in import file."] = "Kein Benutzername in der Importdatei gefunden."; App::$strings["Unable to create a unique channel address. Import failed."] = "Es war nicht mƶglich, eine eindeutige Kanal-Adresse zu erzeugen. Der Import ist fehlgeschlagen."; App::$strings["Cannot locate DNS info for database server '%s'"] = "Kann die DNS-Informationen für den Datenbank-Server '%s' nicht finden"; +App::$strings["(Unknown)"] = "(Unbekannt)"; +App::$strings["Visible to anybody on the internet."] = "Für jeden im Internet sichtbar."; +App::$strings["Visible to you only."] = "Nur für Dich sichtbar."; +App::$strings["Visible to anybody in this network."] = "Für jedes \$Projectname-Mitglied sichtbar."; +App::$strings["Visible to anybody authenticated."] = "Für jeden sichtbar, der angemeldet ist."; +App::$strings["Visible to anybody on %s."] = "Für jeden auf %s sichtbar."; +App::$strings["Visible to all connections."] = "Für alle Verbindungen sichtbar."; +App::$strings["Visible to approved connections."] = "Nur für akzeptierte Verbindungen sichtbar."; +App::$strings["Visible to specific connections."] = "Sichtbar für bestimmte Verbindungen."; +App::$strings["Privacy group is empty."] = "Gruppe ist leer."; +App::$strings["Privacy group: %s"] = "Gruppe: %s"; +App::$strings["Connection not found."] = "Die Verbindung wurde nicht gefunden."; +App::$strings["profile photo"] = "Profilfoto"; +App::$strings["Cannot create a duplicate channel identifier on this system. Import failed."] = "Kann keinen doppelten Kanal-Identifikator auf diesem System erzeugen (Spitzname oder Hash schon belegt). Import fehlgeschlagen."; +App::$strings["Channel clone failed. Import failed."] = "Klonen des Kanals fehlgeschlagen. Import fehlgeschlagen."; App::$strings["Image exceeds website size limit of %lu bytes"] = "Bild überschreitet das Webseitenlimit von %lu Bytes"; App::$strings["Image file is empty."] = "Bilddatei ist leer."; App::$strings["Photo storage failed."] = "Fotospeicherung fehlgeschlagen."; @@ -1606,6 +1608,269 @@ App::$strings["a new photo"] = "ein neues Foto"; App::$strings["__ctx:photo_upload__ %1\$s posted %2\$s to %3\$s"] = "%1\$s hat %2\$s auf %3\$s verƶffentlicht"; App::$strings["Photo Albums"] = "Fotoalben"; App::$strings["Upload New Photos"] = "Neue Fotos hochladen"; +App::$strings["General Features"] = "Allgemeine Funktionen"; +App::$strings["Content Expiration"] = "Verfall von Inhalten"; +App::$strings["Remove posts/comments and/or private messages at a future time"] = "Ermƶglicht das automatische Lƶschen von BeitrƤgen, Kommentaren und/oder privaten Nachrichten zu einem zukünftigen Datum."; +App::$strings["Multiple Profiles"] = "Mehrfachprofile"; +App::$strings["Ability to create multiple profiles"] = "Ermƶglicht das Anlegen mehrerer Profile pro Kanal"; +App::$strings["Advanced Profiles"] = "Erweiterte Profile"; +App::$strings["Additional profile sections and selections"] = "Stellt zusƤtzliche Bereiche und Felder im Profil zur Verfügung"; +App::$strings["Profile Import/Export"] = "Profil-Import/Export"; +App::$strings["Save and load profile details across sites/channels"] = "Ermƶglicht das Speichern von Profilen, um sie in einen anderen Kanal zu importieren"; +App::$strings["Web Pages"] = "Webseiten"; +App::$strings["Provide managed web pages on your channel"] = "Ermƶglicht das Erstellen von Webseiten in Deinem Kanal"; +App::$strings["Provide a wiki for your channel"] = "Stelle ein Wiki in Deinem Kanal zur Verfügung"; +App::$strings["Hide Rating"] = "Bewertung verbergen"; +App::$strings["Hide the rating buttons on your channel and profile pages. Note: People can still rate you somewhere else."] = "Verberge die Buttons zur Bewertung auf deiner Profil-Seite und deinem Kanal. Hinweis: Leute kƶnnen dich weiterhin andernorts bewerten."; +App::$strings["Private Notes"] = "Private Notizen"; +App::$strings["Enables a tool to store notes and reminders (note: not encrypted)"] = "Aktiviert ein Werkzeug mit dem Notizen und Erinnerungen gespeichert werden kƶnnen (Hinweis: nicht verschlüsselt)"; +App::$strings["Navigation Channel Select"] = "Kanal-Auswahl in der Navigationsleiste"; +App::$strings["Change channels directly from within the navigation dropdown menu"] = "Ermƶglicht den direkten Wechsel zu anderen KanƤlen über das Navigationsmenü"; +App::$strings["Photo Location"] = "Aufnahmeort"; +App::$strings["If location data is available on uploaded photos, link this to a map."] = "Verlinkt den Aufnahmeort von Fotos (falls verfügbar) auf einer Karte"; +App::$strings["Access Controlled Chatrooms"] = "Zugriffskontrollierte ChatrƤume"; +App::$strings["Provide chatrooms and chat services with access control."] = "Bieten Sie ChatrƤume und Chatdienste mit Zugriffskontrolle an."; +App::$strings["Smart Birthdays"] = "Smarte Geburtstage"; +App::$strings["Make birthday events timezone aware in case your friends are scattered across the planet."] = "Stellt für Geburtstage einen Zeitzonenbezug her, falls deine Freunde über den ganzen Planeten verstreut sind."; +App::$strings["Expert Mode"] = "Expertenmodus"; +App::$strings["Enable Expert Mode to provide advanced configuration options"] = "Aktiviert den Expertenmodus, der fortgeschrittene Konfigurationsoptionen zur Verfügung stellt"; +App::$strings["Premium Channel"] = "Premium-Kanal"; +App::$strings["Allows you to set restrictions and terms on those that connect with your channel"] = "Ermƶglicht es, EinschrƤnkungen und Bedingungen für Verbindungen dieses Kanals festzulegen"; +App::$strings["Post Composition Features"] = "Nachbearbeitungsfunktionen"; +App::$strings["Large Photos"] = "Große Fotos"; +App::$strings["Include large (1024px) photo thumbnails in posts. If not enabled, use small (640px) photo thumbnails"] = "Große Vorschaubilder (1024px) in BeitrƤgen anzeigen. Falls nicht aktiviert, werden kleine Vorschaubilder (640px) verwendet."; +App::$strings["Automatically import channel content from other channels or feeds"] = "Ermƶglicht den automatischen Import von Inhalten für diesen Kanal von anderen KanƤlen oder Feeds"; +App::$strings["Even More Encryption"] = "Noch mehr Verschlüsselung"; +App::$strings["Allow optional encryption of content end-to-end with a shared secret key"] = "Ermƶglicht optional die zusƤtzliche Verschlüsselung von Inhalten (Ende-zu-Ende mit geteiltem Schlüssel)"; +App::$strings["Enable Voting Tools"] = "Umfragewerkzeuge aktivieren"; +App::$strings["Provide a class of post which others can vote on"] = "Aktiviert die Umfragewerkzeuge, um anderen die Mƶglichkeit zu geben, einem Beitrag zuzustimmen, ihn abzulehnen oder sich zu enthalten. (Muss im Beitrag selbst noch aktiviert werden.)"; +App::$strings["Delayed Posting"] = "Verzƶgertes Senden"; +App::$strings["Allow posts to be published at a later date"] = "Ermƶglicht es, BeitrƤge zu einem spƤteren Zeitpunkt zu verƶffentlichen"; +App::$strings["Suppress Duplicate Posts/Comments"] = "Doppelte BeitrƤge unterdrücken"; +App::$strings["Prevent posts with identical content to be published with less than two minutes in between submissions."] = "Verhindert, dass innerhalb von zwei Minuten BeitrƤge mit identischem Inhalt verƶffentlicht werden."; +App::$strings["Network and Stream Filtering"] = "Netzwerk- und Stream-Filter"; +App::$strings["Search by Date"] = "Suche nach Datum"; +App::$strings["Ability to select posts by date ranges"] = "Mƶglichkeit, BeitrƤge nach ZeitrƤumen auszuwƤhlen"; +App::$strings["Privacy Groups"] = "Gruppen"; +App::$strings["Enable management and selection of privacy groups"] = "Auswahl und Verwaltung von Gruppen für KanƤle aktivieren"; +App::$strings["Saved Searches"] = "Gespeicherte Suchanfragen"; +App::$strings["Save search terms for re-use"] = "Ermƶglicht das Abspeichern von Suchbegriffen zur Wiederverwendung"; +App::$strings["Network Personal Tab"] = "Persƶnlicher Netzwerkreiter"; +App::$strings["Enable tab to display only Network posts that you've interacted on"] = "Aktiviert einen Reiter in der Grid-Ansicht, der nur Netzwerk-BeitrƤge anzeigt, mit denen Du interagiert hast"; +App::$strings["Network New Tab"] = "Netzwerkreiter Neu"; +App::$strings["Enable tab to display all new Network activity"] = "Aktiviert einen Reiter in der Grid-Ansicht, der alle neuen NetzwerkaktivitƤten anzeigt"; +App::$strings["Affinity Tool"] = "Beziehungs-Tool"; +App::$strings["Filter stream activity by depth of relationships"] = "Aktiviert ein Werkzeug in der Grid-Ansicht, das den Stream nach Grad der Beziehung filtern kann"; +App::$strings["Connection Filtering"] = "Filter für Verbindungen"; +App::$strings["Filter incoming posts from connections based on keywords/content"] = "Ermƶglicht die Filterung eingehender BeitrƤge anhand von Schlüsselwƶrtern (muss an der Verbindung konfiguriert werden)"; +App::$strings["Show channel suggestions"] = "KanalvorschlƤge anzeigen"; +App::$strings["Post/Comment Tools"] = "Beitrag-/Kommentar-Tools"; +App::$strings["Community Tagging"] = "Gemeinschaftliches Verschlagworten"; +App::$strings["Ability to tag existing posts"] = "Ermƶglicht das Verschlagworten existierender BeitrƤge"; +App::$strings["Post Categories"] = "Beitrags-Kategorien"; +App::$strings["Add categories to your posts"] = "Aktiviert Kategorien für BeitrƤge"; +App::$strings["Emoji Reactions"] = "Emoji Reaktionen"; +App::$strings["Add emoji reaction ability to posts"] = "Aktiviert Emoji-Reaktionen für BeitrƤge"; +App::$strings["Saved Folders"] = "Gespeicherte Ordner"; +App::$strings["Ability to file posts under folders"] = "Mƶglichkeit, BeitrƤge in Verzeichnissen zu sammeln"; +App::$strings["Dislike Posts"] = "GefƤllt-mir-nicht-BeitrƤge"; +App::$strings["Ability to dislike posts/comments"] = "Aktiviert die ā€žGefƤllt mir nichtā€œ-SchaltflƤche"; +App::$strings["Star Posts"] = "BeitrƤge mit Sternchen versehen"; +App::$strings["Ability to mark special posts with a star indicator"] = "Ermƶglicht die lokale Markierung spezieller BeitrƤge mit einem Sternchen-Symbol"; +App::$strings["Tag Cloud"] = "Schlagwort-Wolke"; +App::$strings["Provide a personal tag cloud on your channel page"] = "Aktiviert die Anzeige einer Schlagwort-Wolke (Tag Cloud) auf Deiner Kanal-Seite"; +App::$strings["Public Timeline"] = "Ɩffentliche Zeitleiste"; +App::$strings["Who can see this?"] = "Wer kann das sehen?"; +App::$strings["Custom selection"] = "Benutzerdefinierte Auswahl"; +App::$strings["Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit the scope of \"Show\"."] = "WƤhle \"Anzeigen\", um Betrachtung zuzulassen. \"Nicht anzeigen\" überstimmt und limitiert den Aktionsradius von \"Anzeigen\" für Ausnahmen."; +App::$strings["Show"] = "Anzeigen"; +App::$strings["Don't show"] = "Nicht anzeigen"; +App::$strings["Other networks and post services"] = "Andere Netzwerke und Platformen"; +App::$strings["Post permissions %s cannot be changed %s after a post is shared.
These permissions set who is allowed to view the post."] = "Beitragsberechtigungen %s kƶnnen nicht geƤndert werden %s, nachdem der Beitrag gesendet wurde.
Diese Berechtigungen bestimmen, wer den Beitrag sehen kann."; +App::$strings["Birthday"] = "Geburtstag"; +App::$strings["Age: "] = "Alter:"; +App::$strings["YYYY-MM-DD or MM-DD"] = "JJJJ-MM-TT oder MM-TT"; +App::$strings["never"] = "Nie"; +App::$strings["less than a second ago"] = "Vor weniger als einer Sekunde"; +App::$strings["__ctx:e.g. 22 hours ago, 1 minute ago__ %1\$d %2\$s ago"] = "vor %1\$d %2\$s"; +App::$strings["__ctx:relative_date__ year"] = array( + 0 => "Jahr", + 1 => "Jahre", +); +App::$strings["__ctx:relative_date__ month"] = array( + 0 => "Monat", + 1 => "Monate", +); +App::$strings["__ctx:relative_date__ week"] = array( + 0 => "Woche", + 1 => "Wochen", +); +App::$strings["__ctx:relative_date__ day"] = array( + 0 => "Tag", + 1 => "Tage", +); +App::$strings["__ctx:relative_date__ hour"] = array( + 0 => "Stunde", + 1 => "Stunden", +); +App::$strings["__ctx:relative_date__ minute"] = array( + 0 => "Minute", + 1 => "Minuten", +); +App::$strings["__ctx:relative_date__ second"] = array( + 0 => "Sekunde", + 1 => "Sekunden", +); +App::$strings["%1\$s's birthday"] = "%1\$ss Geburtstag"; +App::$strings["Happy Birthday %1\$s"] = "Alles Gute zum Geburtstag, %1\$s"; +App::$strings["Frequently"] = "HƤufig"; +App::$strings["Hourly"] = "Stündlich"; +App::$strings["Twice daily"] = "Zwei Mal am Tag"; +App::$strings["Daily"] = "TƤglich"; +App::$strings["Weekly"] = "Wƶchentlich"; +App::$strings["Monthly"] = "Monatlich"; +App::$strings["Male"] = "MƤnnlich"; +App::$strings["Female"] = "Weiblich"; +App::$strings["Currently Male"] = "Momentan mƤnnlich"; +App::$strings["Currently Female"] = "Momentan weiblich"; +App::$strings["Mostly Male"] = "Größtenteils mƤnnlich"; +App::$strings["Mostly Female"] = "Größtenteils weiblich"; +App::$strings["Transgender"] = "Transsexuell"; +App::$strings["Intersex"] = "Zwischengeschlechtlich"; +App::$strings["Transsexual"] = "Transsexuell"; +App::$strings["Hermaphrodite"] = "Zwitter"; +App::$strings["Neuter"] = "Geschlechtslos"; +App::$strings["Non-specific"] = "unklar"; +App::$strings["Undecided"] = "Unentschieden"; +App::$strings["Males"] = "MƤnner"; +App::$strings["Females"] = "Frauen"; +App::$strings["Gay"] = "Schwul"; +App::$strings["Lesbian"] = "Lesbisch"; +App::$strings["No Preference"] = "Keine Bevorzugung"; +App::$strings["Bisexual"] = "Bisexuell"; +App::$strings["Autosexual"] = "Autosexuell"; +App::$strings["Abstinent"] = "Enthaltsam"; +App::$strings["Virgin"] = "JungfrƤulich"; +App::$strings["Deviant"] = "Abweichend"; +App::$strings["Fetish"] = "Fetisch"; +App::$strings["Oodles"] = "Unmengen"; +App::$strings["Nonsexual"] = "Sexlos"; +App::$strings["Single"] = "Single"; +App::$strings["Lonely"] = "Einsam"; +App::$strings["Available"] = "Verfügbar"; +App::$strings["Unavailable"] = "Nicht verfügbar"; +App::$strings["Has crush"] = "Verguckt"; +App::$strings["Infatuated"] = "Verknallt"; +App::$strings["Dating"] = "Lerne gerade jemanden kennen"; +App::$strings["Unfaithful"] = "Treulos"; +App::$strings["Sex Addict"] = "SexabhƤngig"; +App::$strings["Friends/Benefits"] = "Freunde/Begünstigte"; +App::$strings["Casual"] = "Lose"; +App::$strings["Engaged"] = "Verlobt"; +App::$strings["Married"] = "Verheiratet"; +App::$strings["Imaginarily married"] = "Gewissermaßen verheiratet"; +App::$strings["Partners"] = "Partner"; +App::$strings["Cohabiting"] = "Lebensgemeinschaft"; +App::$strings["Common law"] = "Informelle Ehe"; +App::$strings["Happy"] = "Glücklich"; +App::$strings["Not looking"] = "Nicht Ausschau haltend"; +App::$strings["Swinger"] = "Swinger"; +App::$strings["Betrayed"] = "Betrogen"; +App::$strings["Separated"] = "Getrennt"; +App::$strings["Unstable"] = "Labil"; +App::$strings["Divorced"] = "Geschieden"; +App::$strings["Imaginarily divorced"] = "Gewissermaßen geschieden"; +App::$strings["Widowed"] = "Verwitwet"; +App::$strings["Uncertain"] = "Ungewiss"; +App::$strings["It's complicated"] = "Es ist kompliziert"; +App::$strings["Don't care"] = "Interessiert mich nicht"; +App::$strings["Ask me"] = "Frag mich mal"; +App::$strings["Channel is blocked on this site."] = "Der Kanal ist auf dieser Seite blockiert "; +App::$strings["Channel location missing."] = "Adresse des Kanals fehlt."; +App::$strings["Response from remote channel was incomplete."] = "Antwort des entfernten Kanals war unvollstƤndig."; +App::$strings["Channel was deleted and no longer exists."] = "Kanal wurde gelƶscht und existiert nicht mehr."; +App::$strings["Protocol disabled."] = "Protokoll deaktiviert."; +App::$strings["Channel discovery failed."] = "Kanalsuche fehlgeschlagen"; +App::$strings["Cannot connect to yourself."] = "Du kannst Dich nicht mit Dir selbst verbinden."; +App::$strings["prev"] = "vorherige"; +App::$strings["first"] = "erste"; +App::$strings["last"] = "letzte"; +App::$strings["next"] = "nƤchste"; +App::$strings["older"] = "Ƥlter"; +App::$strings["newer"] = "neuer"; +App::$strings["No connections"] = "Keine Verbindungen"; +App::$strings["View all %s connections"] = "Alle Verbindungen von %s anzeigen"; +App::$strings["poke"] = "anstupsen"; +App::$strings["poked"] = "stupste"; +App::$strings["ping"] = "anpingen"; +App::$strings["pinged"] = "pingte"; +App::$strings["prod"] = "knuffen"; +App::$strings["prodded"] = "knuffte"; +App::$strings["slap"] = "ohrfeigen"; +App::$strings["slapped"] = "ohrfeigte"; +App::$strings["finger"] = "befummeln"; +App::$strings["fingered"] = "befummelte"; +App::$strings["rebuff"] = "eine Abfuhr erteilen"; +App::$strings["rebuffed"] = "zurückgewiesen"; +App::$strings["happy"] = "glücklich"; +App::$strings["sad"] = "traurig"; +App::$strings["mellow"] = "sanft"; +App::$strings["tired"] = "müde"; +App::$strings["perky"] = "frech"; +App::$strings["angry"] = "sauer"; +App::$strings["stupefied"] = "verblüfft"; +App::$strings["puzzled"] = "verwirrt"; +App::$strings["interested"] = "interessiert"; +App::$strings["bitter"] = "verbittert"; +App::$strings["cheerful"] = "frƶhlich"; +App::$strings["alive"] = "lebendig"; +App::$strings["annoyed"] = "verƤrgert"; +App::$strings["anxious"] = "unruhig"; +App::$strings["cranky"] = "schrullig"; +App::$strings["disturbed"] = "verstƶrt"; +App::$strings["frustrated"] = "frustriert"; +App::$strings["depressed"] = "deprimiert"; +App::$strings["motivated"] = "motiviert"; +App::$strings["relaxed"] = "entspannt"; +App::$strings["surprised"] = "überrascht"; +App::$strings["Monday"] = "Montag"; +App::$strings["Tuesday"] = "Dienstag"; +App::$strings["Wednesday"] = "Mittwoch"; +App::$strings["Thursday"] = "Donnerstag"; +App::$strings["Friday"] = "Freitag"; +App::$strings["Saturday"] = "Samstag"; +App::$strings["Sunday"] = "Sonntag"; +App::$strings["January"] = "Januar"; +App::$strings["February"] = "Februar"; +App::$strings["March"] = "MƤrz"; +App::$strings["April"] = "April"; +App::$strings["May"] = "Mai"; +App::$strings["June"] = "Juni"; +App::$strings["July"] = "Juli"; +App::$strings["August"] = "August"; +App::$strings["September"] = "September"; +App::$strings["October"] = "Oktober"; +App::$strings["November"] = "November"; +App::$strings["December"] = "Dezember"; +App::$strings["Unknown Attachment"] = "Unbekannter Anhang"; +App::$strings["unknown"] = "unbekannt"; +App::$strings["remove category"] = "Kategorie entfernen"; +App::$strings["remove from file"] = "aus der Datei entfernen"; +App::$strings["default"] = "Standard"; +App::$strings["Page layout"] = "Seiten-Layout"; +App::$strings["You can create your own with the layouts tool"] = "Mit dem Gestaltungswerkzeug kannst Du Deine eigenen Layouts erstellen"; +App::$strings["Page content type"] = "Art des Seiteninhalts"; +App::$strings["Select an alternate language"] = "WƤhle eine alternative Sprache"; +App::$strings["activity"] = "AktivitƤt"; +App::$strings["Design Tools"] = "Gestaltungswerkzeuge"; +App::$strings["Pages"] = "Seiten"; +App::$strings["Import website..."] = "Webseite importieren..."; +App::$strings["Select folder to import"] = "Ordner zum Importieren auswƤhlen"; +App::$strings["Import from a zipped folder:"] = "Aus einem gezippten Ordner importieren:"; +App::$strings["Import from cloud files:"] = "Aus Cloud-Dateien importieren:"; +App::$strings["/cloud/channel/path/to/folder"] = "/Cloud/Kanal/Pfad/zum/Ordner"; +App::$strings["Enter path to website files"] = "Pfad zu Webseitendateien eingeben"; +App::$strings["Select folder"] = "Ordner auswƤhlen"; App::$strings["Logout"] = "Abmelden"; App::$strings["End this session"] = "Beende diese Sitzung"; App::$strings["Home"] = "Home"; @@ -1654,30 +1919,25 @@ App::$strings["Site Setup and Configuration"] = "Seiten-Einrichtung und -Konfigu App::$strings["Loading..."] = "LƤdt ..."; App::$strings["@name, #tag, ?doc, content"] = "@Name, #Schlagwort, ?Dokumentation, Inhalt"; App::$strings["Please wait..."] = "Bitte warten..."; -App::$strings["view full size"] = "In Vollbildansicht anschauen"; -App::$strings["Administrator"] = "Administrator"; -App::$strings["No Subject"] = "Kein Betreff"; -App::$strings["Friendica"] = "Friendica"; -App::$strings["OStatus"] = "OStatus"; -App::$strings["GNU-Social"] = "GNU-Social"; -App::$strings["RSS/Atom"] = "RSS/Atom"; -App::$strings["Diaspora"] = "Diaspora"; -App::$strings["Facebook"] = "Facebook"; -App::$strings["Zot"] = "Zot!"; -App::$strings["LinkedIn"] = "LinkedIn"; -App::$strings["XMPP/IM"] = "XMPP/IM"; -App::$strings["MySpace"] = "MySpace"; +App::$strings["%1\$s's bookmarks"] = "%1\$ss Lesezeichen"; +App::$strings["l F d, Y \\@ g:i A"] = "l, d. F Y, H:i"; +App::$strings["Starts:"] = "Beginnt:"; +App::$strings["Finishes:"] = "Endet:"; +App::$strings["This event has been added to your calendar."] = "Dieser Termin wurde zu Deinem Kalender hinzugefügt"; +App::$strings["Not specified"] = "Keine Angabe"; +App::$strings["Needs Action"] = "Aktion erforderlich"; +App::$strings["Completed"] = "Abgeschlossen"; +App::$strings["In Process"] = "In Bearbeitung"; +App::$strings["Cancelled"] = "gestrichen"; +App::$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."] = "Es hat früher schon einmal eine Gruppe mit diesem Namen existiert, die gelƶscht wurde. Es kƶnnten von damals noch Elemente (BeitrƤge, Dateien etc.) vorhanden sein, die allen jetzigen und zukünftigen Mitgliedern dieser Gruppe den Zugriff erlauben. Wenn das nicht Deine Absicht ist, erstelle bitte eine neue Gruppe mit einem anderen Namen."; +App::$strings["Add new connections to this privacy group"] = "Neue Verbindung zu dieser Gruppe hinzufügen"; +App::$strings["edit"] = "Bearbeiten"; +App::$strings["Edit group"] = "Gruppe Ƥndern"; +App::$strings["Add privacy group"] = "Gruppe hinzufügen"; +App::$strings["Channels not in any privacy group"] = "KanƤle, die in keiner Gruppe sind"; +App::$strings["add"] = "hinzufügen"; App::$strings["New Page"] = "Neue Seite"; App::$strings["Title"] = "Titel"; -App::$strings["Categories"] = "Kategorien"; -App::$strings["Tags"] = "Schlagwƶrter"; -App::$strings["Keywords"] = "Schlüsselwƶrter"; -App::$strings["have"] = "habe"; -App::$strings["has"] = "hat"; -App::$strings["want"] = "will"; -App::$strings["wants"] = "will"; -App::$strings["likes"] = "gefƤllt"; -App::$strings["dislikes"] = "missfƤllt"; App::$strings["Unable to obtain identity information from database"] = "Kann keine IdentitƤts-Informationen aus Datenbank beziehen"; App::$strings["Empty name"] = "Namensfeld leer"; App::$strings["Name too long"] = "Name ist zu lang"; @@ -1716,12 +1976,108 @@ App::$strings["Love/Romance:"] = "Liebe/Romantik:"; App::$strings["Work/employment:"] = "Arbeit/Anstellung:"; App::$strings["School/education:"] = "Schule/Ausbildung:"; App::$strings["Like this thing"] = "GefƤllt mir"; -App::$strings["New window"] = "Neues Fenster"; -App::$strings["Open the selected location in a different window or browser tab"] = "Ɩffne die markierte Adresse in einem neuen Browserfenster oder Tab"; -App::$strings["User '%s' deleted"] = "Benutzer '%s' gelƶscht"; +App::$strings["view full size"] = "In Vollbildansicht anschauen"; +App::$strings["Administrator"] = "Administrator"; +App::$strings["No Subject"] = "Kein Betreff"; +App::$strings["Friendica"] = "Friendica"; +App::$strings["OStatus"] = "OStatus"; +App::$strings["GNU-Social"] = "GNU-Social"; +App::$strings["RSS/Atom"] = "RSS/Atom"; +App::$strings["Diaspora"] = "Diaspora"; +App::$strings["Facebook"] = "Facebook"; +App::$strings["Zot"] = "Zot!"; +App::$strings["LinkedIn"] = "LinkedIn"; +App::$strings["XMPP/IM"] = "XMPP/IM"; +App::$strings["MySpace"] = "MySpace"; +App::$strings["Attachments:"] = "AnhƤnge:"; +App::$strings["\$Projectname event notification:"] = "\$Projectname-Terminbenachrichtigung:"; +App::$strings["Delete this item?"] = "Dieses Element lƶschen?"; +App::$strings["%s show less"] = "%s weniger anzeigen"; +App::$strings["%s expand"] = "%s aufklappen"; +App::$strings["%s collapse"] = "%s einklappen"; +App::$strings["Password too short"] = "Kennwort zu kurz"; +App::$strings["Passwords do not match"] = "Kennwƶrter stimmen nicht überein"; +App::$strings["everybody"] = "alle"; +App::$strings["Secret Passphrase"] = "geheime Passphrase"; +App::$strings["Passphrase hint"] = "Hinweis zur Passphrase"; +App::$strings["Notice: Permissions have changed but have not yet been submitted."] = "Achtung: Berechtigungen wurden verƤndert, aber noch nicht gespeichert."; +App::$strings["close all"] = "Alle schließen"; +App::$strings["Nothing new here"] = "Nichts Neues hier"; +App::$strings["Rate This Channel (this is public)"] = "Diesen Kanal bewerten (ƶffentlich sichtbar)"; +App::$strings["Describe (optional)"] = "Beschreibung (optional)"; +App::$strings["Please enter a link URL"] = "Gib eine URL ein:"; +App::$strings["Unsaved changes. Are you sure you wish to leave this page?"] = "Ungespeicherte Ƅnderungen. Bist Du sicher, dass Du diese Seite verlassen mƶchtest?"; +App::$strings["timeago.prefixAgo"] = "timeago.prefixAgo"; +App::$strings["timeago.prefixFromNow"] = " "; +App::$strings["ago"] = "her"; +App::$strings["from now"] = "von jetzt"; +App::$strings["less than a minute"] = "weniger als eine Minute"; +App::$strings["about a minute"] = "ungefƤhr eine Minute"; +App::$strings["%d minutes"] = "%d Minuten"; +App::$strings["about an hour"] = "ungefƤhr eine Stunde"; +App::$strings["about %d hours"] = "ungefƤhr %d Stunden"; +App::$strings["a day"] = "ein Tag"; +App::$strings["%d days"] = "%d Tage"; +App::$strings["about a month"] = "ungefƤhr ein Monat"; +App::$strings["%d months"] = "%d Monate"; +App::$strings["about a year"] = "ungefƤhr ein Jahr"; +App::$strings["%d years"] = "%d Jahre"; +App::$strings[" "] = " "; +App::$strings["timeago.numbers"] = "timeago.numbers"; +App::$strings["__ctx:long__ May"] = "Mai"; +App::$strings["Jan"] = "Jan"; +App::$strings["Feb"] = "Feb"; +App::$strings["Mar"] = "MƤr"; +App::$strings["Apr"] = "Apr"; +App::$strings["__ctx:short__ May"] = "Mai"; +App::$strings["Jun"] = "Jun"; +App::$strings["Jul"] = "Jul"; +App::$strings["Aug"] = "Aug"; +App::$strings["Sep"] = "Sep"; +App::$strings["Oct"] = "Okt"; +App::$strings["Nov"] = "Nov"; +App::$strings["Dec"] = "Dez"; +App::$strings["Sun"] = "So"; +App::$strings["Mon"] = "Mo"; +App::$strings["Tue"] = "Di"; +App::$strings["Wed"] = "Mi"; +App::$strings["Thu"] = "Do"; +App::$strings["Fri"] = "Fr"; +App::$strings["Sat"] = "Sa"; +App::$strings["__ctx:calendar__ today"] = "heute"; +App::$strings["__ctx:calendar__ month"] = "Monat"; +App::$strings["__ctx:calendar__ week"] = "Woche"; +App::$strings["__ctx:calendar__ day"] = "Tag"; +App::$strings["__ctx:calendar__ All day"] = "GanztƤgig"; +App::$strings["guest:"] = "Gast:"; +App::$strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = "Das Security-Token des Formulars war nicht korrekt. Das ist wahrscheinlich passiert, weil das Formular zu lange (>3 Stunden) offen war, bevor es abgeschickt wurde."; +App::$strings["Not a valid email address"] = "Ungültige E-Mail-Adresse"; +App::$strings["Your email domain is not among those allowed on this site"] = "Deine E-Mail-Adresse ist auf dieser Seite nicht erlaubt"; +App::$strings["Your email address is already registered at this site."] = "Deine E-Mail-Adresse ist auf dieser Seite bereits registriert."; +App::$strings["An invitation is required."] = "Eine Einladung wird benƶtigt."; +App::$strings["Invitation could not be verified."] = "Die Einladung konnte nicht bestƤtigt werden."; +App::$strings["Please enter the required information."] = "Bitte gib die benƶtigten Informationen ein."; +App::$strings["Failed to store account information."] = "Speichern der Nutzerkontodaten fehlgeschlagen."; +App::$strings["Registration confirmation for %s"] = "RegistrierungsbestƤtigung für %s"; +App::$strings["Registration request at %s"] = "Registrierungsanfrage auf %s"; +App::$strings["your registration password"] = "Dein Registrierungspasswort"; +App::$strings["Registration details for %s"] = "Registrierungsdetails für %s"; +App::$strings["Account approved."] = "Nutzerkonto bestƤtigt."; +App::$strings["Registration revoked for %s"] = "Registrierung für %s wurde widerrufen"; +App::$strings["Click here to upgrade."] = "Klicke hier, um das Upgrade durchzuführen."; +App::$strings["This action exceeds the limits set by your subscription plan."] = "Diese Aktion überschreitet die Grenzen Ihres Abonnements."; +App::$strings["This action is not available under your subscription plan."] = "Diese Aktion ist in Ihrem Abonnement nicht verfügbar."; +App::$strings["Image/photo"] = "Bild/Foto"; +App::$strings["Encrypted content"] = "Verschlüsselter Inhalt"; +App::$strings["Install %s element: "] = "Element %s installieren: "; +App::$strings["This post contains an installable %s element, however you lack permissions to install it on this site."] = "Dieser Beitrag beinhaltet ein installierbares %s Element, aber Du hast nicht die nƶtigen Rechte, um es auf diesem Hub zu installieren."; +App::$strings["%1\$s wrote the following %2\$s %3\$s"] = "%1\$s schrieb den folgenden %2\$s %3\$s"; +App::$strings["Click to open/close"] = "Klicke zum Ɩffnen/Schließen"; +App::$strings["spoiler"] = "Spoiler"; +App::$strings["Different viewers will see this text differently"] = "Verschiedene Betrachter werden diesen Text unterschiedlich sehen"; +App::$strings["$1 wrote:"] = "$1 schrieb:"; App::$strings["%1\$s is now connected with %2\$s"] = "%1\$s ist jetzt mit %2\$s verbunden"; App::$strings["%1\$s poked %2\$s"] = "%1\$s stupste %2\$s an"; -App::$strings["poked"] = "stupste"; App::$strings["View %s's profile @ %s"] = "%ss Profil auf %s ansehen"; App::$strings["Categories:"] = "Kategorien:"; App::$strings["Filed under:"] = "Gespeichert unter:"; @@ -1803,144 +2159,22 @@ App::$strings["__ctx:noun__ Abstain"] = array( 0 => "Enthaltung", 1 => "Enthaltungen", ); -App::$strings["Cannot create a duplicate channel identifier on this system. Import failed."] = "Kann keinen doppelten Kanal-Identifikator auf diesem System erzeugen (Spitzname oder Hash schon belegt). Import fehlgeschlagen."; -App::$strings["Channel clone failed. Import failed."] = "Klonen des Kanals fehlgeschlagen. Import fehlgeschlagen."; -App::$strings["Frequently"] = "HƤufig"; -App::$strings["Hourly"] = "Stündlich"; -App::$strings["Twice daily"] = "Zwei Mal am Tag"; -App::$strings["Daily"] = "TƤglich"; -App::$strings["Weekly"] = "Wƶchentlich"; -App::$strings["Monthly"] = "Monatlich"; -App::$strings["Currently Male"] = "Momentan mƤnnlich"; -App::$strings["Currently Female"] = "Momentan weiblich"; -App::$strings["Mostly Male"] = "Größtenteils mƤnnlich"; -App::$strings["Mostly Female"] = "Größtenteils weiblich"; -App::$strings["Transgender"] = "Transsexuell"; -App::$strings["Intersex"] = "Zwischengeschlechtlich"; -App::$strings["Transsexual"] = "Transsexuell"; -App::$strings["Hermaphrodite"] = "Zwitter"; -App::$strings["Neuter"] = "Geschlechtslos"; -App::$strings["Non-specific"] = "unklar"; -App::$strings["Undecided"] = "Unentschieden"; -App::$strings["Males"] = "MƤnner"; -App::$strings["Females"] = "Frauen"; -App::$strings["Gay"] = "Schwul"; -App::$strings["Lesbian"] = "Lesbisch"; -App::$strings["No Preference"] = "Keine Bevorzugung"; -App::$strings["Bisexual"] = "Bisexuell"; -App::$strings["Autosexual"] = "Autosexuell"; -App::$strings["Abstinent"] = "Enthaltsam"; -App::$strings["Virgin"] = "JungfrƤulich"; -App::$strings["Deviant"] = "Abweichend"; -App::$strings["Fetish"] = "Fetisch"; -App::$strings["Oodles"] = "Unmengen"; -App::$strings["Nonsexual"] = "Sexlos"; -App::$strings["Single"] = "Single"; -App::$strings["Lonely"] = "Einsam"; -App::$strings["Available"] = "Verfügbar"; -App::$strings["Unavailable"] = "Nicht verfügbar"; -App::$strings["Has crush"] = "Verguckt"; -App::$strings["Infatuated"] = "Verknallt"; -App::$strings["Dating"] = "Lerne gerade jemanden kennen"; -App::$strings["Unfaithful"] = "Treulos"; -App::$strings["Sex Addict"] = "SexabhƤngig"; -App::$strings["Friends/Benefits"] = "Freunde/Begünstigte"; -App::$strings["Casual"] = "Lose"; -App::$strings["Engaged"] = "Verlobt"; -App::$strings["Married"] = "Verheiratet"; -App::$strings["Imaginarily married"] = "Gewissermaßen verheiratet"; -App::$strings["Partners"] = "Partner"; -App::$strings["Cohabiting"] = "Lebensgemeinschaft"; -App::$strings["Common law"] = "Informelle Ehe"; -App::$strings["Happy"] = "Glücklich"; -App::$strings["Not looking"] = "Nicht Ausschau haltend"; -App::$strings["Swinger"] = "Swinger"; -App::$strings["Betrayed"] = "Betrogen"; -App::$strings["Separated"] = "Getrennt"; -App::$strings["Unstable"] = "Labil"; -App::$strings["Divorced"] = "Geschieden"; -App::$strings["Imaginarily divorced"] = "Gewissermaßen geschieden"; -App::$strings["Widowed"] = "Verwitwet"; -App::$strings["Uncertain"] = "Ungewiss"; -App::$strings["It's complicated"] = "Es ist kompliziert"; -App::$strings["Don't care"] = "Interessiert mich nicht"; -App::$strings["Ask me"] = "Frag mich mal"; -App::$strings["%1\$s's bookmarks"] = "%1\$ss Lesezeichen"; -App::$strings["guest:"] = "Gast:"; -App::$strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = "Das Security-Token des Formulars war nicht korrekt. Das ist wahrscheinlich passiert, weil das Formular zu lange (>3 Stunden) offen war, bevor es abgeschickt wurde."; -App::$strings["prev"] = "vorherige"; -App::$strings["first"] = "erste"; -App::$strings["last"] = "letzte"; -App::$strings["next"] = "nƤchste"; -App::$strings["older"] = "Ƥlter"; -App::$strings["newer"] = "neuer"; -App::$strings["No connections"] = "Keine Verbindungen"; -App::$strings["View all %s connections"] = "Alle Verbindungen von %s anzeigen"; -App::$strings["poke"] = "anstupsen"; -App::$strings["ping"] = "anpingen"; -App::$strings["pinged"] = "pingte"; -App::$strings["prod"] = "knuffen"; -App::$strings["prodded"] = "knuffte"; -App::$strings["slap"] = "ohrfeigen"; -App::$strings["slapped"] = "ohrfeigte"; -App::$strings["finger"] = "befummeln"; -App::$strings["fingered"] = "befummelte"; -App::$strings["rebuff"] = "eine Abfuhr erteilen"; -App::$strings["rebuffed"] = "zurückgewiesen"; -App::$strings["happy"] = "glücklich"; -App::$strings["sad"] = "traurig"; -App::$strings["mellow"] = "sanft"; -App::$strings["tired"] = "müde"; -App::$strings["perky"] = "frech"; -App::$strings["angry"] = "sauer"; -App::$strings["stupefied"] = "verblüfft"; -App::$strings["puzzled"] = "verwirrt"; -App::$strings["interested"] = "interessiert"; -App::$strings["bitter"] = "verbittert"; -App::$strings["cheerful"] = "frƶhlich"; -App::$strings["alive"] = "lebendig"; -App::$strings["annoyed"] = "verƤrgert"; -App::$strings["anxious"] = "unruhig"; -App::$strings["cranky"] = "schrullig"; -App::$strings["disturbed"] = "verstƶrt"; -App::$strings["frustrated"] = "frustriert"; -App::$strings["depressed"] = "deprimiert"; -App::$strings["motivated"] = "motiviert"; -App::$strings["relaxed"] = "entspannt"; -App::$strings["surprised"] = "überrascht"; -App::$strings["Monday"] = "Montag"; -App::$strings["Tuesday"] = "Dienstag"; -App::$strings["Wednesday"] = "Mittwoch"; -App::$strings["Thursday"] = "Donnerstag"; -App::$strings["Friday"] = "Freitag"; -App::$strings["Saturday"] = "Samstag"; -App::$strings["Sunday"] = "Sonntag"; -App::$strings["January"] = "Januar"; -App::$strings["February"] = "Februar"; -App::$strings["March"] = "MƤrz"; -App::$strings["April"] = "April"; -App::$strings["May"] = "Mai"; -App::$strings["June"] = "Juni"; -App::$strings["July"] = "Juli"; -App::$strings["August"] = "August"; -App::$strings["September"] = "September"; -App::$strings["October"] = "Oktober"; -App::$strings["November"] = "November"; -App::$strings["December"] = "Dezember"; -App::$strings["Unknown Attachment"] = "Unbekannter Anhang"; -App::$strings["unknown"] = "unbekannt"; -App::$strings["remove category"] = "Kategorie entfernen"; -App::$strings["remove from file"] = "aus der Datei entfernen"; -App::$strings["default"] = "Standard"; -App::$strings["Page layout"] = "Seiten-Layout"; -App::$strings["You can create your own with the layouts tool"] = "Mit dem Gestaltungswerkzeug kannst Du Deine eigenen Layouts erstellen"; -App::$strings["Page content type"] = "Art des Seiteninhalts"; -App::$strings["Select an alternate language"] = "WƤhle eine alternative Sprache"; -App::$strings["activity"] = "AktivitƤt"; -App::$strings["Design Tools"] = "Gestaltungswerkzeuge"; -App::$strings["Pages"] = "Seiten"; -App::$strings["Logged out."] = "Ausgeloggt."; -App::$strings["Failed authentication"] = "Authentifizierung fehlgeschlagen"; +App::$strings["Embedded content"] = "Eingebetteter Inhalt"; +App::$strings["Embedding disabled"] = "Einbetten ausgeschaltet"; +App::$strings[" and "] = "und"; +App::$strings["public profile"] = "ƶffentliches Profil"; +App::$strings["%1\$s changed %2\$s to “%3\$s”"] = "%1\$s hat %2\$s auf “%3\$s” geƤndert"; +App::$strings["Visit %1\$s's %2\$s"] = "Besuche %1\$s's %2\$s"; +App::$strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s hat ein aktualisiertes %2\$s, %3\$s wurde verƤndert."; +App::$strings["Categories"] = "Kategorien"; +App::$strings["Tags"] = "Schlagwƶrter"; +App::$strings["Keywords"] = "Schlüsselwƶrter"; +App::$strings["have"] = "habe"; +App::$strings["has"] = "hat"; +App::$strings["want"] = "will"; +App::$strings["wants"] = "will"; +App::$strings["likes"] = "gefƤllt"; +App::$strings["dislikes"] = "missfƤllt"; App::$strings["Can view my normal stream and posts"] = "Kann meine normalen BeitrƤge sehen"; App::$strings["Can view my webpages"] = "Kann meine Webseiten sehen"; App::$strings["Can post on my channel page (\"wall\")"] = "Kann auf meiner Kanal-Seite (\"wall\") BeitrƤge verƶffentlichen"; @@ -1954,155 +2188,6 @@ App::$strings["Can edit my webpages"] = "Kann meine Webseiten bearbeiten"; App::$strings["Somewhat advanced - very useful in open communities"] = "Etwas fortgeschritten – sehr nützlich in offenen Gemeinschaften"; App::$strings["Can administer my channel resources"] = "Kann meine KanƤle administrieren"; App::$strings["Extremely advanced. Leave this alone unless you know what you are doing"] = "Sehr fortgeschritten. Bearbeite das nur, wenn Du genau weißt, was Du tust"; -App::$strings["General Features"] = "Allgemeine Funktionen"; -App::$strings["Content Expiration"] = "Verfall von Inhalten"; -App::$strings["Remove posts/comments and/or private messages at a future time"] = "Ermƶglicht das automatische Lƶschen von BeitrƤgen, Kommentaren und/oder privaten Nachrichten zu einem zukünftigen Datum."; -App::$strings["Multiple Profiles"] = "Mehrfachprofile"; -App::$strings["Ability to create multiple profiles"] = "Ermƶglicht das Anlegen mehrerer Profile pro Kanal"; -App::$strings["Advanced Profiles"] = "Erweiterte Profile"; -App::$strings["Additional profile sections and selections"] = "Stellt zusƤtzliche Bereiche und Felder im Profil zur Verfügung"; -App::$strings["Profile Import/Export"] = "Profil-Import/Export"; -App::$strings["Save and load profile details across sites/channels"] = "Ermƶglicht das Speichern von Profilen, um sie in einen anderen Kanal zu importieren"; -App::$strings["Web Pages"] = "Webseiten"; -App::$strings["Provide managed web pages on your channel"] = "Ermƶglicht das Erstellen von Webseiten in Deinem Kanal"; -App::$strings["Provide a wiki for your channel"] = "Stelle ein Wiki in Deinem Kanal zur Verfügung"; -App::$strings["Hide Rating"] = "Bewertung verbergen"; -App::$strings["Hide the rating buttons on your channel and profile pages. Note: People can still rate you somewhere else."] = "Verberge die Buttons zur Bewertung auf deiner Profil-Seite und deinem Kanal. Hinweis: Leute kƶnnen dich weiterhin andernorts bewerten."; -App::$strings["Private Notes"] = "Private Notizen"; -App::$strings["Enables a tool to store notes and reminders (note: not encrypted)"] = "Aktiviert ein Werkzeug mit dem Notizen und Erinnerungen gespeichert werden kƶnnen (Hinweis: nicht verschlüsselt)"; -App::$strings["Navigation Channel Select"] = "Kanal-Auswahl in der Navigationsleiste"; -App::$strings["Change channels directly from within the navigation dropdown menu"] = "Ermƶglicht den direkten Wechsel zu anderen KanƤlen über das Navigationsmenü"; -App::$strings["Photo Location"] = "Aufnahmeort"; -App::$strings["If location data is available on uploaded photos, link this to a map."] = "Verlinkt den Aufnahmeort von Fotos (falls verfügbar) auf einer Karte"; -App::$strings["Access Controlled Chatrooms"] = "Zugriffskontrollierte ChatrƤume"; -App::$strings["Provide chatrooms and chat services with access control."] = "Bieten Sie ChatrƤume und Chatdienste mit Zugriffskontrolle an."; -App::$strings["Smart Birthdays"] = "Smarte Geburtstage"; -App::$strings["Make birthday events timezone aware in case your friends are scattered across the planet."] = "Stellt für Geburtstage einen Zeitzonenbezug her, falls deine Freunde über den ganzen Planeten verstreut sind."; -App::$strings["Expert Mode"] = "Expertenmodus"; -App::$strings["Enable Expert Mode to provide advanced configuration options"] = "Aktiviert den Expertenmodus, der fortgeschrittene Konfigurationsoptionen zur Verfügung stellt"; -App::$strings["Premium Channel"] = "Premium-Kanal"; -App::$strings["Allows you to set restrictions and terms on those that connect with your channel"] = "Ermƶglicht es, EinschrƤnkungen und Bedingungen für Verbindungen dieses Kanals festzulegen"; -App::$strings["Post Composition Features"] = "Nachbearbeitungsfunktionen"; -App::$strings["Large Photos"] = "Große Fotos"; -App::$strings["Include large (1024px) photo thumbnails in posts. If not enabled, use small (640px) photo thumbnails"] = "Große Vorschaubilder (1024px) in BeitrƤgen anzeigen. Falls nicht aktiviert, werden kleine Vorschaubilder (640px) verwendet."; -App::$strings["Automatically import channel content from other channels or feeds"] = "Ermƶglicht den automatischen Import von Inhalten für diesen Kanal von anderen KanƤlen oder Feeds"; -App::$strings["Even More Encryption"] = "Noch mehr Verschlüsselung"; -App::$strings["Allow optional encryption of content end-to-end with a shared secret key"] = "Ermƶglicht optional die zusƤtzliche Verschlüsselung von Inhalten (Ende-zu-Ende mit geteiltem Schlüssel)"; -App::$strings["Enable Voting Tools"] = "Umfragewerkzeuge aktivieren"; -App::$strings["Provide a class of post which others can vote on"] = "Aktiviert die Umfragewerkzeuge, um anderen die Mƶglichkeit zu geben, einem Beitrag zuzustimmen, ihn abzulehnen oder sich zu enthalten. (Muss im Beitrag selbst noch aktiviert werden.)"; -App::$strings["Delayed Posting"] = "Verzƶgertes Senden"; -App::$strings["Allow posts to be published at a later date"] = "Ermƶglicht es, BeitrƤge zu einem spƤteren Zeitpunkt zu verƶffentlichen"; -App::$strings["Suppress Duplicate Posts/Comments"] = "Doppelte BeitrƤge unterdrücken"; -App::$strings["Prevent posts with identical content to be published with less than two minutes in between submissions."] = "Verhindert, dass innerhalb von zwei Minuten BeitrƤge mit identischem Inhalt verƶffentlicht werden."; -App::$strings["Network and Stream Filtering"] = "Netzwerk- und Stream-Filter"; -App::$strings["Search by Date"] = "Suche nach Datum"; -App::$strings["Ability to select posts by date ranges"] = "Mƶglichkeit, BeitrƤge nach ZeitrƤumen auszuwƤhlen"; -App::$strings["Privacy Groups"] = "Gruppen"; -App::$strings["Enable management and selection of privacy groups"] = "Auswahl und Verwaltung von Gruppen für KanƤle aktivieren"; -App::$strings["Saved Searches"] = "Gespeicherte Suchanfragen"; -App::$strings["Save search terms for re-use"] = "Ermƶglicht das Abspeichern von Suchbegriffen zur Wiederverwendung"; -App::$strings["Network Personal Tab"] = "Persƶnlicher Netzwerkreiter"; -App::$strings["Enable tab to display only Network posts that you've interacted on"] = "Aktiviert einen Reiter in der Grid-Ansicht, der nur Netzwerk-BeitrƤge anzeigt, mit denen Du interagiert hast"; -App::$strings["Network New Tab"] = "Netzwerkreiter Neu"; -App::$strings["Enable tab to display all new Network activity"] = "Aktiviert einen Reiter in der Grid-Ansicht, der alle neuen NetzwerkaktivitƤten anzeigt"; -App::$strings["Affinity Tool"] = "Beziehungs-Tool"; -App::$strings["Filter stream activity by depth of relationships"] = "Aktiviert ein Werkzeug in der Grid-Ansicht, das den Stream nach Grad der Beziehung filtern kann"; -App::$strings["Connection Filtering"] = "Filter für Verbindungen"; -App::$strings["Filter incoming posts from connections based on keywords/content"] = "Ermƶglicht die Filterung eingehender BeitrƤge anhand von Schlüsselwƶrtern (muss an der Verbindung konfiguriert werden)"; -App::$strings["Show channel suggestions"] = "KanalvorschlƤge anzeigen"; -App::$strings["Post/Comment Tools"] = "Beitrag-/Kommentar-Tools"; -App::$strings["Community Tagging"] = "Gemeinschaftliches Verschlagworten"; -App::$strings["Ability to tag existing posts"] = "Ermƶglicht das Verschlagworten existierender BeitrƤge"; -App::$strings["Post Categories"] = "Beitrags-Kategorien"; -App::$strings["Add categories to your posts"] = "Aktiviert Kategorien für BeitrƤge"; -App::$strings["Emoji Reactions"] = "Emoji Reaktionen"; -App::$strings["Add emoji reaction ability to posts"] = "Aktiviert Emoji-Reaktionen für BeitrƤge"; -App::$strings["Saved Folders"] = "Gespeicherte Ordner"; -App::$strings["Ability to file posts under folders"] = "Mƶglichkeit, BeitrƤge in Verzeichnissen zu sammeln"; -App::$strings["Dislike Posts"] = "GefƤllt-mir-nicht-BeitrƤge"; -App::$strings["Ability to dislike posts/comments"] = "Aktiviert die ā€žGefƤllt mir nichtā€œ-SchaltflƤche"; -App::$strings["Star Posts"] = "BeitrƤge mit Sternchen versehen"; -App::$strings["Ability to mark special posts with a star indicator"] = "Ermƶglicht die lokale Markierung spezieller BeitrƤge mit einem Sternchen-Symbol"; -App::$strings["Tag Cloud"] = "Schlagwort-Wolke"; -App::$strings["Provide a personal tag cloud on your channel page"] = "Aktiviert die Anzeige einer Schlagwort-Wolke (Tag Cloud) auf Deiner Kanal-Seite"; -App::$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."] = "Es hat früher schon einmal eine Gruppe mit diesem Namen existiert, die gelƶscht wurde. Es kƶnnten von damals noch Elemente (BeitrƤge, Dateien etc.) vorhanden sein, die allen jetzigen und zukünftigen Mitgliedern dieser Gruppe den Zugriff erlauben. Wenn das nicht Deine Absicht ist, erstelle bitte eine neue Gruppe mit einem anderen Namen."; -App::$strings["Add new connections to this privacy group"] = "Neue Verbindung zu dieser Gruppe hinzufügen"; -App::$strings["edit"] = "Bearbeiten"; -App::$strings["Edit group"] = "Gruppe Ƥndern"; -App::$strings["Add privacy group"] = "Gruppe hinzufügen"; -App::$strings["Channels not in any privacy group"] = "KanƤle, die in keiner Gruppe sind"; -App::$strings["add"] = "hinzufügen"; -App::$strings["l F d, Y \\@ g:i A"] = "l, d. F Y, H:i"; -App::$strings["Starts:"] = "Beginnt:"; -App::$strings["Finishes:"] = "Endet:"; -App::$strings["This event has been added to your calendar."] = "Dieser Termin wurde zu Deinem Kalender hinzugefügt"; -App::$strings["Not specified"] = "Keine Angabe"; -App::$strings["Needs Action"] = "Aktion erforderlich"; -App::$strings["Completed"] = "Abgeschlossen"; -App::$strings["In Process"] = "In Bearbeitung"; -App::$strings["Cancelled"] = "gestrichen"; -App::$strings["Not a valid email address"] = "Ungültige E-Mail-Adresse"; -App::$strings["Your email domain is not among those allowed on this site"] = "Deine E-Mail-Adresse ist auf dieser Seite nicht erlaubt"; -App::$strings["Your email address is already registered at this site."] = "Deine E-Mail-Adresse ist auf dieser Seite bereits registriert."; -App::$strings["An invitation is required."] = "Eine Einladung wird benƶtigt."; -App::$strings["Invitation could not be verified."] = "Die Einladung konnte nicht bestƤtigt werden."; -App::$strings["Please enter the required information."] = "Bitte gib die benƶtigten Informationen ein."; -App::$strings["Failed to store account information."] = "Speichern der Nutzerkontodaten fehlgeschlagen."; -App::$strings["Registration confirmation for %s"] = "RegistrierungsbestƤtigung für %s"; -App::$strings["Registration request at %s"] = "Registrierungsanfrage auf %s"; -App::$strings["your registration password"] = "Dein Registrierungspasswort"; -App::$strings["Registration details for %s"] = "Registrierungsdetails für %s"; -App::$strings["Account approved."] = "Nutzerkonto bestƤtigt."; -App::$strings["Registration revoked for %s"] = "Registrierung für %s wurde widerrufen"; -App::$strings["Click here to upgrade."] = "Klicke hier, um das Upgrade durchzuführen."; -App::$strings["This action exceeds the limits set by your subscription plan."] = "Diese Aktion überschreitet die Grenzen Ihres Abonnements."; -App::$strings["This action is not available under your subscription plan."] = "Diese Aktion ist in Ihrem Abonnement nicht verfügbar."; -App::$strings["Channel is blocked on this site."] = "Der Kanal ist auf dieser Seite blockiert "; -App::$strings["Channel location missing."] = "Adresse des Kanals fehlt."; -App::$strings["Response from remote channel was incomplete."] = "Antwort des entfernten Kanals war unvollstƤndig."; -App::$strings["Channel was deleted and no longer exists."] = "Kanal wurde gelƶscht und existiert nicht mehr."; -App::$strings["Protocol disabled."] = "Protokoll deaktiviert."; -App::$strings["Channel discovery failed."] = "Kanalsuche fehlgeschlagen"; -App::$strings["Cannot connect to yourself."] = "Du kannst Dich nicht mit Dir selbst verbinden."; -App::$strings["Item was not found."] = "Beitrag wurde nicht gefunden."; -App::$strings["No source file."] = "Keine Quelldatei."; -App::$strings["Cannot locate file to replace"] = "Kann Datei zum Ersetzen nicht finden"; -App::$strings["Cannot locate file to revise/update"] = "Kann Datei zum Prüfen/Aktualisieren nicht finden"; -App::$strings["File exceeds size limit of %d"] = "Datei überschreitet das Größen-Limit von %d"; -App::$strings["You have reached your limit of %1$.0f Mbytes attachment storage."] = "Die Größe Deiner Datei-AnhƤnge hat das Maximum von %1$.0f MByte erreicht."; -App::$strings["File upload failed. Possible system limit or action terminated."] = "Datei-Upload fehlgeschlagen. Mƶgliche Systembegrenzung oder abgebrochener Prozess."; -App::$strings["Stored file could not be verified. Upload failed."] = "Gespeichert Datei konnte nicht verifiziert werden. Upload abgebrochen."; -App::$strings["Path not available."] = "Pfad nicht verfügbar."; -App::$strings["Empty pathname"] = "Leere Pfadangabe"; -App::$strings["duplicate filename or path"] = "doppelter Dateiname oder Pfad"; -App::$strings["Path not found."] = "Pfad nicht gefunden."; -App::$strings["mkdir failed."] = "mkdir fehlgeschlagen."; -App::$strings["database storage failed."] = "Speichern in der Datenbank fehlgeschlagen."; -App::$strings["Empty path"] = "Leere Pfadangabe"; -App::$strings["Image/photo"] = "Bild/Foto"; -App::$strings["Encrypted content"] = "Verschlüsselter Inhalt"; -App::$strings["Install %s element: "] = "Element %s installieren: "; -App::$strings["This post contains an installable %s element, however you lack permissions to install it on this site."] = "Dieser Beitrag beinhaltet ein installierbares %s Element, aber Du hast nicht die nƶtigen Rechte, um es auf diesem Hub zu installieren."; -App::$strings["%1\$s wrote the following %2\$s %3\$s"] = "%1\$s schrieb den folgenden %2\$s %3\$s"; -App::$strings["Click to open/close"] = "Klicke zum Ɩffnen/Schließen"; -App::$strings["spoiler"] = "Spoiler"; -App::$strings["Different viewers will see this text differently"] = "Verschiedene Betrachter werden diesen Text unterschiedlich sehen"; -App::$strings["$1 wrote:"] = "$1 schrieb:"; -App::$strings["(Unknown)"] = "(Unbekannt)"; -App::$strings["Visible to anybody on the internet."] = "Für jeden im Internet sichtbar."; -App::$strings["Visible to you only."] = "Nur für Dich sichtbar."; -App::$strings["Visible to anybody in this network."] = "Für jedes \$Projectname-Mitglied sichtbar."; -App::$strings["Visible to anybody authenticated."] = "Für jeden sichtbar, der angemeldet ist."; -App::$strings["Visible to anybody on %s."] = "Für jeden auf %s sichtbar."; -App::$strings["Visible to all connections."] = "Für alle Verbindungen sichtbar."; -App::$strings["Visible to approved connections."] = "Nur für akzeptierte Verbindungen sichtbar."; -App::$strings["Visible to specific connections."] = "Sichtbar für bestimmte Verbindungen."; -App::$strings["Privacy group is empty."] = "Gruppe ist leer."; -App::$strings["Privacy group: %s"] = "Gruppe: %s"; -App::$strings["Connection not found."] = "Die Verbindung wurde nicht gefunden."; -App::$strings["profile photo"] = "Profilfoto"; -App::$strings["Embedded content"] = "Eingebetteter Inhalt"; -App::$strings["Embedding disabled"] = "Einbetten ausgeschaltet"; App::$strings["System"] = "System"; App::$strings["New App"] = "Neue App"; App::$strings["Suggestions"] = "VorschlƤge"; @@ -2157,71 +2242,21 @@ App::$strings["Member registrations waiting for confirmation"] = "Nutzer-Anmeldu App::$strings["Inspect queue"] = "Warteschlange kontrollieren"; App::$strings["DB updates"] = "DB-Aktualisierungen"; App::$strings["Plugin Features"] = "Plug-In Funktionen"; -App::$strings[" and "] = "und"; -App::$strings["public profile"] = "ƶffentliches Profil"; -App::$strings["%1\$s changed %2\$s to “%3\$s”"] = "%1\$s hat %2\$s auf “%3\$s” geƤndert"; -App::$strings["Visit %1\$s's %2\$s"] = "Besuche %1\$s's %2\$s"; -App::$strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s hat ein aktualisiertes %2\$s, %3\$s wurde verƤndert."; -App::$strings["Attachments:"] = "AnhƤnge:"; -App::$strings["\$Projectname event notification:"] = "\$Projectname-Terminbenachrichtigung:"; -App::$strings["Delete this item?"] = "Dieses Element lƶschen?"; -App::$strings["%s show less"] = "%s weniger anzeigen"; -App::$strings["%s expand"] = "%s aufklappen"; -App::$strings["%s collapse"] = "%s einklappen"; -App::$strings["Password too short"] = "Kennwort zu kurz"; -App::$strings["Passwords do not match"] = "Kennwƶrter stimmen nicht überein"; -App::$strings["everybody"] = "alle"; -App::$strings["Secret Passphrase"] = "geheime Passphrase"; -App::$strings["Passphrase hint"] = "Hinweis zur Passphrase"; -App::$strings["Notice: Permissions have changed but have not yet been submitted."] = "Achtung: Berechtigungen wurden verƤndert, aber noch nicht gespeichert."; -App::$strings["close all"] = "Alle schließen"; -App::$strings["Nothing new here"] = "Nichts Neues hier"; -App::$strings["Rate This Channel (this is public)"] = "Diesen Kanal bewerten (ƶffentlich sichtbar)"; -App::$strings["Describe (optional)"] = "Beschreibung (optional)"; -App::$strings["Please enter a link URL"] = "Gib eine URL ein:"; -App::$strings["Unsaved changes. Are you sure you wish to leave this page?"] = "Ungespeicherte Ƅnderungen. Bist Du sicher, dass Du diese Seite verlassen mƶchtest?"; -App::$strings["timeago.prefixAgo"] = "timeago.prefixAgo"; -App::$strings["timeago.prefixFromNow"] = " "; -App::$strings["ago"] = "her"; -App::$strings["from now"] = "von jetzt"; -App::$strings["less than a minute"] = "weniger als eine Minute"; -App::$strings["about a minute"] = "ungefƤhr eine Minute"; -App::$strings["%d minutes"] = "%d Minuten"; -App::$strings["about an hour"] = "ungefƤhr eine Stunde"; -App::$strings["about %d hours"] = "ungefƤhr %d Stunden"; -App::$strings["a day"] = "ein Tag"; -App::$strings["%d days"] = "%d Tage"; -App::$strings["about a month"] = "ungefƤhr ein Monat"; -App::$strings["%d months"] = "%d Monate"; -App::$strings["about a year"] = "ungefƤhr ein Jahr"; -App::$strings["%d years"] = "%d Jahre"; -App::$strings[" "] = " "; -App::$strings["timeago.numbers"] = "timeago.numbers"; -App::$strings["__ctx:long__ May"] = "Mai"; -App::$strings["Jan"] = "Jan"; -App::$strings["Feb"] = "Feb"; -App::$strings["Mar"] = "MƤr"; -App::$strings["Apr"] = "Apr"; -App::$strings["__ctx:short__ May"] = "Mai"; -App::$strings["Jun"] = "Jun"; -App::$strings["Jul"] = "Jul"; -App::$strings["Aug"] = "Aug"; -App::$strings["Sep"] = "Sep"; -App::$strings["Oct"] = "Okt"; -App::$strings["Nov"] = "Nov"; -App::$strings["Dec"] = "Dez"; -App::$strings["Sun"] = "So"; -App::$strings["Mon"] = "Mo"; -App::$strings["Tue"] = "Di"; -App::$strings["Wed"] = "Mi"; -App::$strings["Thu"] = "Do"; -App::$strings["Fri"] = "Fr"; -App::$strings["Sat"] = "Sa"; -App::$strings["__ctx:calendar__ today"] = "heute"; -App::$strings["__ctx:calendar__ month"] = "Monat"; -App::$strings["__ctx:calendar__ week"] = "Woche"; -App::$strings["__ctx:calendar__ day"] = "Tag"; -App::$strings["__ctx:calendar__ All day"] = "GanztƤgig"; +App::$strings["Item was not found."] = "Beitrag wurde nicht gefunden."; +App::$strings["No source file."] = "Keine Quelldatei."; +App::$strings["Cannot locate file to replace"] = "Kann Datei zum Ersetzen nicht finden"; +App::$strings["Cannot locate file to revise/update"] = "Kann Datei zum Prüfen/Aktualisieren nicht finden"; +App::$strings["File exceeds size limit of %d"] = "Datei überschreitet das Größen-Limit von %d"; +App::$strings["You have reached your limit of %1$.0f Mbytes attachment storage."] = "Die Größe Deiner Datei-AnhƤnge hat das Maximum von %1$.0f MByte erreicht."; +App::$strings["File upload failed. Possible system limit or action terminated."] = "Datei-Upload fehlgeschlagen. Mƶgliche Systembegrenzung oder abgebrochener Prozess."; +App::$strings["Stored file could not be verified. Upload failed."] = "Gespeichert Datei konnte nicht verifiziert werden. Upload abgebrochen."; +App::$strings["Path not available."] = "Pfad nicht verfügbar."; +App::$strings["Empty pathname"] = "Leere Pfadangabe"; +App::$strings["duplicate filename or path"] = "doppelter Dateiname oder Pfad"; +App::$strings["Path not found."] = "Pfad nicht gefunden."; +App::$strings["mkdir failed."] = "mkdir fehlgeschlagen."; +App::$strings["database storage failed."] = "Speichern in der Datenbank fehlgeschlagen."; +App::$strings["Empty path"] = "Leere Pfadangabe"; App::$strings["%d invitation available"] = array( 0 => "%d Einladung verfügbar", 1 => "%d Einladungen verfügbar", @@ -2246,50 +2281,12 @@ App::$strings["No recipient provided."] = "Kein EmpfƤnger angegeben"; App::$strings["[no subject]"] = "[no subject]"; App::$strings["Unable to determine sender."] = "Kann Absender nicht bestimmen."; App::$strings["Stored post could not be verified."] = "Gespeicherter Beitrag konnten nicht überprüft werden."; -App::$strings["Who can see this?"] = "Wer kann das sehen?"; -App::$strings["Custom selection"] = "Benutzerdefinierte Auswahl"; -App::$strings["Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit the scope of \"Show\"."] = "WƤhle \"Anzeigen\", um Betrachtung zuzulassen. \"Nicht anzeigen\" überstimmt und limitiert den Aktionsradius von \"Anzeigen\" für Ausnahmen."; -App::$strings["Show"] = "Anzeigen"; -App::$strings["Don't show"] = "Nicht anzeigen"; -App::$strings["Other networks and post services"] = "Andere Netzwerke und Platformen"; -App::$strings["Post permissions %s cannot be changed %s after a post is shared.
These permissions set who is allowed to view the post."] = "Beitragsberechtigungen %s kƶnnen nicht geƤndert werden %s, nachdem der Beitrag gesendet wurde.
Diese Berechtigungen bestimmen, wer den Beitrag sehen kann."; -App::$strings["Birthday"] = "Geburtstag"; -App::$strings["Age: "] = "Alter:"; -App::$strings["YYYY-MM-DD or MM-DD"] = "JJJJ-MM-TT oder MM-TT"; -App::$strings["never"] = "Nie"; -App::$strings["less than a second ago"] = "Vor weniger als einer Sekunde"; -App::$strings["__ctx:e.g. 22 hours ago, 1 minute ago__ %1\$d %2\$s ago"] = "vor %1\$d %2\$s"; -App::$strings["__ctx:relative_date__ year"] = array( - 0 => "Jahr", - 1 => "Jahre", -); -App::$strings["__ctx:relative_date__ month"] = array( - 0 => "Monat", - 1 => "Monate", -); -App::$strings["__ctx:relative_date__ week"] = array( - 0 => "Woche", - 1 => "Wochen", -); -App::$strings["__ctx:relative_date__ day"] = array( - 0 => "Tag", - 1 => "Tage", -); -App::$strings["__ctx:relative_date__ hour"] = array( - 0 => "Stunde", - 1 => "Stunden", -); -App::$strings["__ctx:relative_date__ minute"] = array( - 0 => "Minute", - 1 => "Minuten", -); -App::$strings["__ctx:relative_date__ second"] = array( - 0 => "Sekunde", - 1 => "Sekunden", -); -App::$strings["%1\$s's birthday"] = "%1\$ss Geburtstag"; -App::$strings["Happy Birthday %1\$s"] = "Alles Gute zum Geburtstag, %1\$s"; -App::$strings["Public Timeline"] = "Ɩffentliche Zeitleiste"; +App::$strings["Logged out."] = "Ausgeloggt."; +App::$strings["Failed authentication"] = "Authentifizierung fehlgeschlagen"; +App::$strings["Login failed."] = "Login fehlgeschlagen."; +App::$strings["New window"] = "Neues Fenster"; +App::$strings["Open the selected location in a different window or browser tab"] = "Ɩffne die markierte Adresse in einem neuen Browserfenster oder Tab"; +App::$strings["User '%s' deleted"] = "Benutzer '%s' gelƶscht"; App::$strings["Invalid data packet"] = "Ungültiges Datenpaket"; App::$strings["Unable to verify channel signature"] = "Konnte die Signatur des Kanals nicht verifizieren"; App::$strings["Unable to verify site signature for %s"] = "Kann die Signatur der Seite von %s nicht verifizieren"; diff --git a/view/de/htconfig.tpl b/view/de/htconfig.tpl index 2b71610b6..9d4333fb0 100644 --- a/view/de/htconfig.tpl +++ b/view/de/htconfig.tpl @@ -10,8 +10,6 @@ $db_pass = '{{$dbpass}}'; $db_data = '{{$dbdata}}'; $db_type = '{{$dbtype}}'; // an integer. 0 or unset for mysql, 1 for postgres -define( 'UNO', {{$uno}} ); - /* * Notice: Many of the following settings will be available in the admin panel * after a successful site install. Once they are set in the admin panel, they @@ -36,6 +34,12 @@ App::$config['system']['baseurl'] = '{{$siteurl}}'; App::$config['system']['sitename'] = "Hubzilla"; App::$config['system']['location_hash'] = '{{$site_id}}'; +// Choices are 'basic', 'standard', and 'pro'. +// basic sets up the sevrer for basic social networking and removes "complicated" features +// standard provides most desired features except e-commerce +// pro gives you access to everything + +App::$config['system']['server_role'] = '{{$server_role}}'; // These lines set additional security headers to be sent with all responses // You may wish to set transport_security_header to 0 if your server already sends diff --git a/view/en-au/htconfig.tpl b/view/en-au/htconfig.tpl index 896b35bb2..090bbf06f 100644 --- a/view/en-au/htconfig.tpl +++ b/view/en-au/htconfig.tpl @@ -10,8 +10,6 @@ $db_pass = '{{$dbpass}}'; $db_data = '{{$dbdata}}'; $db_type = '{{$dbtype}}'; // an integer. 0 or unset for mysql, 1 for postgres -define( 'UNO', {{$uno}} ); - /* * Notice: Many of the following settings will be available in the admin panel * after a successful site install. Once they are set in the admin panel, they @@ -36,6 +34,12 @@ App::$config['system']['baseurl'] = '{{$siteurl}}'; App::$config['system']['sitename'] = "Hubzilla"; App::$config['system']['location_hash'] = '{{$site_id}}'; +// Choices are 'basic', 'standard', and 'pro'. +// basic sets up the sevrer for basic social networking and removes "complicated" features +// standard provides most desired features except e-commerce +// pro gives you access to everything + +App::$config['system']['server_role'] = '{{$server_role}}'; // These lines set additional security headers to be sent with all responses // You may wish to set transport_security_header to 0 if your server already sends diff --git a/view/en-gb/htconfig.tpl b/view/en-gb/htconfig.tpl index 04eb404fc..515957b36 100644 --- a/view/en-gb/htconfig.tpl +++ b/view/en-gb/htconfig.tpl @@ -10,8 +10,6 @@ $db_pass = '{{$dbpass}}'; $db_data = '{{$dbdata}}'; $db_type = '{{$dbtype}}'; // an integer. 0 or unset for mysql, 1 for postgres -define( 'UNO', {{$uno}} ); - /* * Notice: Many of the following settings will be available in the admin panel * after a successful site install. Once they are set in the admin panel, they @@ -36,6 +34,14 @@ App::$config['system']['baseurl'] = '{{$siteurl}}'; App::$config['system']['sitename'] = "Hubzilla"; App::$config['system']['location_hash'] = '{{$site_id}}'; + +// Choices are 'basic', 'standard', and 'pro'. +// basic sets up the sevrer for basic social networking and removes "complicated" features +// standard provides most desired features except e-commerce +// pro gives you access to everything + +App::$config['system']['server_role'] = '{{$server_role}}'; + // These lines set additional security headers to be sent with all responses // You may wish to set transport_security_header to 0 if your server already sends // this header. content_security_policy may need to be disabled if you wish to diff --git a/view/en/htconfig.tpl b/view/en/htconfig.tpl index 47daf3f99..a270951b2 100644 --- a/view/en/htconfig.tpl +++ b/view/en/htconfig.tpl @@ -10,8 +10,6 @@ $db_pass = '{{$dbpass}}'; $db_data = '{{$dbdata}}'; $db_type = '{{$dbtype}}'; // an integer. 0 or unset for mysql, 1 for postgres -define( 'UNO', {{$uno}} ); - /* * Notice: Many of the following settings will be available in the admin panel * after a successful site install. Once they are set in the admin panel, they @@ -36,6 +34,14 @@ App::$config['system']['baseurl'] = '{{$siteurl}}'; App::$config['system']['sitename'] = "Hubzilla"; App::$config['system']['location_hash'] = '{{$site_id}}'; +// Choices are 'basic', 'standard', and 'pro'. +// basic sets up the sevrer for basic social networking and removes "complicated" features +// standard provides most desired features except e-commerce +// pro gives you access to everything + +App::$config['system']['server_role'] = '{{$server_role}}'; + + // These lines set additional security headers to be sent with all responses // You may wish to set transport_security_header to 0 if your server already sends // this header. content_security_policy may need to be disabled if you wish to diff --git a/view/es-es/hmessages.po b/view/es-es/hmessages.po index 0c3c85159..10f9c531f 100644 --- a/view/es-es/hmessages.po +++ b/view/es-es/hmessages.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: Redmatrix\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-07-22 00:02-0700\n" -"PO-Revision-Date: 2016-07-29 07:05+0000\n" +"POT-Creation-Date: 2016-08-19 00:02-0700\n" +"PO-Revision-Date: 2016-08-22 10:00+0000\n" "Last-Translator: Manuel JimĆ©nez Friaza \n" "Language-Team: Spanish (Spain) (http://www.transifex.com/Friendica/red-matrix/language/es_ES/)\n" "MIME-Version: 1.0\n" @@ -24,83 +24,83 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #: ../../Zotlabs/Access/PermissionRoles.php:182 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social Networking" msgstr "Redes sociales" #: ../../Zotlabs/Access/PermissionRoles.php:183 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social - Mostly Public" msgstr "Social - PĆŗblico en su mayor parte" #: ../../Zotlabs/Access/PermissionRoles.php:184 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social - Restricted" msgstr "Social - Restringido" #: ../../Zotlabs/Access/PermissionRoles.php:185 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social - Private" msgstr "Social - Privado" #: ../../Zotlabs/Access/PermissionRoles.php:188 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Community Forum" msgstr "Foro de discusión" #: ../../Zotlabs/Access/PermissionRoles.php:189 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Forum - Mostly Public" msgstr "Foro - PĆŗblico en su mayor parte" #: ../../Zotlabs/Access/PermissionRoles.php:190 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Forum - Restricted" msgstr "Foro - Restringido" #: ../../Zotlabs/Access/PermissionRoles.php:191 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Forum - Private" msgstr "Foro - Privado" #: ../../Zotlabs/Access/PermissionRoles.php:194 -#: ../../include/permissions.php:906 +#: ../../include/permissions.php:941 msgid "Feed Republish" msgstr "Republicar un \"feed\"" #: ../../Zotlabs/Access/PermissionRoles.php:195 -#: ../../include/permissions.php:906 +#: ../../include/permissions.php:941 msgid "Feed - Mostly Public" msgstr "Feed - PĆŗblico en su mayor parte" #: ../../Zotlabs/Access/PermissionRoles.php:196 -#: ../../include/permissions.php:906 +#: ../../include/permissions.php:941 msgid "Feed - Restricted" msgstr "Feed - Restringido" #: ../../Zotlabs/Access/PermissionRoles.php:199 -#: ../../include/permissions.php:907 +#: ../../include/permissions.php:942 msgid "Special Purpose" msgstr "Propósito especial" #: ../../Zotlabs/Access/PermissionRoles.php:200 -#: ../../include/permissions.php:907 +#: ../../include/permissions.php:942 msgid "Special - Celebrity/Soapbox" msgstr "Especial - Celebridad / Tribuna improvisada" #: ../../Zotlabs/Access/PermissionRoles.php:201 -#: ../../include/permissions.php:907 +#: ../../include/permissions.php:942 msgid "Special - Group Repository" msgstr "Especial - Repositorio de grupo" #: ../../Zotlabs/Access/PermissionRoles.php:204 ../../include/selectors.php:49 #: ../../include/selectors.php:66 ../../include/selectors.php:104 -#: ../../include/selectors.php:140 ../../include/permissions.php:908 +#: ../../include/selectors.php:140 ../../include/permissions.php:943 msgid "Other" msgstr "Otro" #: ../../Zotlabs/Access/PermissionRoles.php:205 -#: ../../include/permissions.php:908 +#: ../../include/permissions.php:943 msgid "Custom/Expert Mode" msgstr "Modo personalizado/experto" @@ -108,19 +108,19 @@ msgstr "Modo personalizado/experto" msgid "Can view my channel stream and posts" msgstr "Pueden verse la actividad y publicaciones de mi canal" -#: ../../Zotlabs/Access/Permissions.php:31 ../../include/permissions.php:33 +#: ../../Zotlabs/Access/Permissions.php:31 ../../include/permissions.php:36 msgid "Can send me their channel stream and posts" msgstr "Se me pueden enviar entradas y contenido de un canal" -#: ../../Zotlabs/Access/Permissions.php:32 ../../include/permissions.php:27 +#: ../../Zotlabs/Access/Permissions.php:32 ../../include/permissions.php:30 msgid "Can view my default channel profile" msgstr "Puede verse mi perfil de canal predeterminado." -#: ../../Zotlabs/Access/Permissions.php:33 ../../include/permissions.php:28 +#: ../../Zotlabs/Access/Permissions.php:33 ../../include/permissions.php:31 msgid "Can view my connections" msgstr "Pueden verse mis conexiones" -#: ../../Zotlabs/Access/Permissions.php:34 ../../include/permissions.php:29 +#: ../../Zotlabs/Access/Permissions.php:34 ../../include/permissions.php:32 msgid "Can view my file storage and photos" msgstr "Pueden verse mi repositorio de ficheros y mis fotos" @@ -140,11 +140,11 @@ msgstr "Pueden crearse / modificarse pĆ”ginas personales en mi canal" msgid "Can post on my channel (wall) page" msgstr "Pueden crearse entradas en mi pĆ”gina de inicio del canal (ā€œmuroā€)" -#: ../../Zotlabs/Access/Permissions.php:39 ../../include/permissions.php:35 +#: ../../Zotlabs/Access/Permissions.php:39 ../../include/permissions.php:38 msgid "Can comment on or like my posts" msgstr "Pueden publicarse comentarios en mis publicaciones o marcar mis entradas con 'me gusta'." -#: ../../Zotlabs/Access/Permissions.php:40 ../../include/permissions.php:36 +#: ../../Zotlabs/Access/Permissions.php:40 ../../include/permissions.php:39 msgid "Can send me private mail messages" msgstr "Se me pueden enviar mensajes privados" @@ -160,7 +160,7 @@ msgstr "Pueden reenviarse publicaciones a todas las conexiones de mi canal a tra msgid "Can chat with me" msgstr "Se puede chatear conmigo" -#: ../../Zotlabs/Access/Permissions.php:44 ../../include/permissions.php:44 +#: ../../Zotlabs/Access/Permissions.php:44 ../../include/permissions.php:47 msgid "Can source my public posts in derived channels" msgstr "Pueden utilizarse mis publicaciones pĆŗblicas como origen de contenidos en canales derivados" @@ -172,7 +172,7 @@ msgstr "Se puede administrar mi canal" msgid "parent" msgstr "padre" -#: ../../Zotlabs/Storage/Browser.php:131 ../../include/text.php:2605 +#: ../../Zotlabs/Storage/Browser.php:131 ../../include/text.php:2657 msgid "Collection" msgstr "Colección" @@ -196,17 +196,17 @@ msgstr "Programar bandeja de entrada" msgid "Schedule Outbox" msgstr "Programar bandeja de salida" -#: ../../Zotlabs/Storage/Browser.php:164 ../../Zotlabs/Module/Photos.php:796 -#: ../../Zotlabs/Module/Photos.php:1241 +#: ../../Zotlabs/Storage/Browser.php:164 ../../Zotlabs/Module/Photos.php:800 +#: ../../Zotlabs/Module/Photos.php:1249 #: ../../Zotlabs/Module/Embedphotos.php:147 ../../Zotlabs/Lib/Apps.php:490 -#: ../../Zotlabs/Lib/Apps.php:565 ../../include/conversation.php:1035 -#: ../../include/widgets.php:1599 +#: ../../Zotlabs/Lib/Apps.php:565 ../../include/conversation.php:1036 +#: ../../include/widgets.php:1613 msgid "Unknown" msgstr "Desconocido" #: ../../Zotlabs/Storage/Browser.php:226 ../../Zotlabs/Module/Fbrowser.php:85 -#: ../../Zotlabs/Lib/Apps.php:217 ../../include/nav.php:93 -#: ../../include/conversation.php:1654 +#: ../../Zotlabs/Lib/Apps.php:217 ../../include/conversation.php:1669 +#: ../../include/nav.php:95 msgid "Files" msgstr "Ficheros" @@ -218,25 +218,25 @@ msgstr "Total" msgid "Shared" msgstr "Compartido" -#: ../../Zotlabs/Storage/Browser.php:230 ../../Zotlabs/Storage/Browser.php:306 -#: ../../Zotlabs/Module/Layouts.php:184 ../../Zotlabs/Module/Menu.php:118 -#: ../../Zotlabs/Module/New_channel.php:142 -#: ../../Zotlabs/Module/Blocks.php:159 ../../Zotlabs/Module/Webpages.php:193 +#: ../../Zotlabs/Storage/Browser.php:230 ../../Zotlabs/Storage/Browser.php:323 +#: ../../Zotlabs/Module/Menu.php:118 ../../Zotlabs/Module/New_channel.php:142 +#: ../../Zotlabs/Module/Blocks.php:159 ../../Zotlabs/Module/Layouts.php:184 +#: ../../Zotlabs/Module/Webpages.php:216 msgid "Create" msgstr "Crear" -#: ../../Zotlabs/Storage/Browser.php:231 ../../Zotlabs/Storage/Browser.php:308 +#: ../../Zotlabs/Storage/Browser.php:231 ../../Zotlabs/Storage/Browser.php:325 #: ../../Zotlabs/Module/Cover_photo.php:357 -#: ../../Zotlabs/Module/Photos.php:823 ../../Zotlabs/Module/Photos.php:1362 #: ../../Zotlabs/Module/Profile_photo.php:390 -#: ../../Zotlabs/Module/Embedphotos.php:159 ../../include/widgets.php:1612 +#: ../../Zotlabs/Module/Photos.php:827 ../../Zotlabs/Module/Photos.php:1370 +#: ../../Zotlabs/Module/Embedphotos.php:159 ../../include/widgets.php:1626 msgid "Upload" msgstr "Subir" -#: ../../Zotlabs/Storage/Browser.php:235 ../../Zotlabs/Module/Chat.php:247 -#: ../../Zotlabs/Module/Admin.php:1223 ../../Zotlabs/Module/Settings.php:646 -#: ../../Zotlabs/Module/Settings.php:672 +#: ../../Zotlabs/Storage/Browser.php:235 ../../Zotlabs/Module/Chat.php:250 +#: ../../Zotlabs/Module/Admin.php:1223 #: ../../Zotlabs/Module/Sharedwithme.php:99 +#: ../../Zotlabs/Module/Settings.php:684 ../../Zotlabs/Module/Settings.php:710 msgid "Name" msgstr "Nombre" @@ -245,7 +245,7 @@ msgid "Type" msgstr "Tipo" #: ../../Zotlabs/Storage/Browser.php:237 -#: ../../Zotlabs/Module/Sharedwithme.php:101 ../../include/text.php:1324 +#: ../../Zotlabs/Module/Sharedwithme.php:101 ../../include/text.php:1326 msgid "Size" msgstr "TamaƱo" @@ -254,124 +254,130 @@ msgstr "TamaƱo" msgid "Last Modified" msgstr "Última modificación" -#: ../../Zotlabs/Storage/Browser.php:240 ../../Zotlabs/Module/Editpost.php:84 +#: ../../Zotlabs/Storage/Browser.php:240 ../../Zotlabs/Module/Thing.php:260 #: ../../Zotlabs/Module/Connections.php:290 #: ../../Zotlabs/Module/Connections.php:310 -#: ../../Zotlabs/Module/Editlayout.php:114 -#: ../../Zotlabs/Module/Editwebpage.php:145 -#: ../../Zotlabs/Module/Layouts.php:192 ../../Zotlabs/Module/Menu.php:112 -#: ../../Zotlabs/Module/Admin.php:2113 ../../Zotlabs/Module/Blocks.php:160 #: ../../Zotlabs/Module/Editblock.php:109 -#: ../../Zotlabs/Module/Settings.php:706 ../../Zotlabs/Module/Thing.php:260 -#: ../../Zotlabs/Module/Webpages.php:194 ../../Zotlabs/Lib/Apps.php:341 -#: ../../Zotlabs/Lib/ThreadItem.php:106 ../../include/page_widgets.php:9 -#: ../../include/page_widgets.php:39 ../../include/channel.php:976 -#: ../../include/channel.php:980 ../../include/menu.php:108 +#: ../../Zotlabs/Module/Editlayout.php:114 +#: ../../Zotlabs/Module/Editwebpage.php:145 ../../Zotlabs/Module/Menu.php:112 +#: ../../Zotlabs/Module/Admin.php:2113 ../../Zotlabs/Module/Blocks.php:160 +#: ../../Zotlabs/Module/Layouts.php:192 ../../Zotlabs/Module/Webpages.php:217 +#: ../../Zotlabs/Module/Settings.php:744 ../../Zotlabs/Module/Editpost.php:84 +#: ../../Zotlabs/Lib/Apps.php:341 ../../Zotlabs/Lib/ThreadItem.php:106 +#: ../../include/page_widgets.php:9 ../../include/page_widgets.php:39 +#: ../../include/menu.php:113 ../../include/channel.php:959 +#: ../../include/channel.php:963 msgid "Edit" msgstr "Editar" -#: ../../Zotlabs/Storage/Browser.php:241 ../../Zotlabs/Module/Connedit.php:602 +#: ../../Zotlabs/Storage/Browser.php:241 ../../Zotlabs/Module/Thing.php:261 +#: ../../Zotlabs/Module/Connedit.php:607 #: ../../Zotlabs/Module/Connections.php:263 +#: ../../Zotlabs/Module/Editblock.php:134 #: ../../Zotlabs/Module/Editlayout.php:137 -#: ../../Zotlabs/Module/Editwebpage.php:169 ../../Zotlabs/Module/Group.php:177 -#: ../../Zotlabs/Module/Photos.php:1171 ../../Zotlabs/Module/Admin.php:1039 -#: ../../Zotlabs/Module/Admin.php:1213 ../../Zotlabs/Module/Admin.php:2114 -#: ../../Zotlabs/Module/Blocks.php:162 ../../Zotlabs/Module/Editblock.php:134 -#: ../../Zotlabs/Module/Settings.php:707 ../../Zotlabs/Module/Thing.php:261 -#: ../../Zotlabs/Module/Webpages.php:196 ../../Zotlabs/Lib/Apps.php:342 +#: ../../Zotlabs/Module/Editwebpage.php:170 ../../Zotlabs/Module/Group.php:177 +#: ../../Zotlabs/Module/Admin.php:1039 ../../Zotlabs/Module/Admin.php:1213 +#: ../../Zotlabs/Module/Admin.php:2114 ../../Zotlabs/Module/Blocks.php:162 +#: ../../Zotlabs/Module/Photos.php:1179 ../../Zotlabs/Module/Webpages.php:219 +#: ../../Zotlabs/Module/Settings.php:745 ../../Zotlabs/Lib/Apps.php:342 #: ../../Zotlabs/Lib/ThreadItem.php:126 ../../include/conversation.php:660 msgid "Delete" msgstr "Eliminar" -#: ../../Zotlabs/Storage/Browser.php:285 +#: ../../Zotlabs/Storage/Browser.php:301 #, php-format msgid "You are using %1$s of your available file storage." msgstr "EstĆ” usando %1$s de su espacio disponible para ficheros." -#: ../../Zotlabs/Storage/Browser.php:290 +#: ../../Zotlabs/Storage/Browser.php:306 #, php-format msgid "You are using %1$s of %2$s available file storage. (%3$s%)" msgstr "EstĆ” usando %1$s de %2$s que tiene a su disposición para ficheros. (%3$s%)" -#: ../../Zotlabs/Storage/Browser.php:302 +#: ../../Zotlabs/Storage/Browser.php:317 msgid "WARNING:" msgstr "ATENCIƓN:" -#: ../../Zotlabs/Storage/Browser.php:305 +#: ../../Zotlabs/Storage/Browser.php:322 msgid "Create new folder" msgstr "Crear nueva carpeta" -#: ../../Zotlabs/Storage/Browser.php:307 +#: ../../Zotlabs/Storage/Browser.php:324 msgid "Upload file" msgstr "Subir fichero" -#: ../../Zotlabs/Web/WebServer.php:127 ../../Zotlabs/Module/Dreport.php:10 -#: ../../Zotlabs/Module/Dreport.php:66 ../../Zotlabs/Module/Group.php:72 -#: ../../Zotlabs/Module/Like.php:283 ../../Zotlabs/Module/Import_items.php:114 +#: ../../Zotlabs/Storage/Browser.php:337 +msgid "Drop files here to immediately upload" +msgstr "Arrastre los ficheros aquĆ­ para subirlos de forma inmediata" + +#: ../../Zotlabs/Web/WebServer.php:127 ../../Zotlabs/Module/Like.php:283 +#: ../../Zotlabs/Module/Group.php:72 ../../Zotlabs/Module/Import_items.php:114 #: ../../Zotlabs/Module/Profperm.php:28 ../../Zotlabs/Module/Subthread.php:62 +#: ../../Zotlabs/Module/Dreport.php:10 ../../Zotlabs/Module/Dreport.php:66 #: ../../include/items.php:384 msgid "Permission denied" msgstr "Permiso denegado" #: ../../Zotlabs/Web/WebServer.php:128 ../../Zotlabs/Web/Router.php:65 -#: ../../Zotlabs/Module/Achievements.php:34 -#: ../../Zotlabs/Module/Connedit.php:390 ../../Zotlabs/Module/Id.php:76 -#: ../../Zotlabs/Module/Authtest.php:16 ../../Zotlabs/Module/Events.php:264 -#: ../../Zotlabs/Module/Bookmarks.php:61 ../../Zotlabs/Module/Editpost.php:17 -#: ../../Zotlabs/Module/Page.php:35 ../../Zotlabs/Module/Page.php:91 +#: ../../Zotlabs/Module/Achievements.php:34 ../../Zotlabs/Module/Thing.php:274 +#: ../../Zotlabs/Module/Thing.php:294 ../../Zotlabs/Module/Thing.php:335 +#: ../../Zotlabs/Module/Like.php:181 ../../Zotlabs/Module/Authtest.php:16 +#: ../../Zotlabs/Module/Rate.php:113 ../../Zotlabs/Module/Bookmarks.php:61 +#: ../../Zotlabs/Module/Item.php:214 ../../Zotlabs/Module/Item.php:222 +#: ../../Zotlabs/Module/Item.php:1073 ../../Zotlabs/Module/Page.php:35 +#: ../../Zotlabs/Module/Page.php:91 ../../Zotlabs/Module/Connedit.php:395 #: ../../Zotlabs/Module/Connections.php:33 #: ../../Zotlabs/Module/Cover_photo.php:277 -#: ../../Zotlabs/Module/Cover_photo.php:290 ../../Zotlabs/Module/Chat.php:100 -#: ../../Zotlabs/Module/Chat.php:105 ../../Zotlabs/Module/Editlayout.php:67 +#: ../../Zotlabs/Module/Cover_photo.php:290 ../../Zotlabs/Module/Mail.php:121 +#: ../../Zotlabs/Module/Editblock.php:67 +#: ../../Zotlabs/Module/Editlayout.php:67 #: ../../Zotlabs/Module/Editlayout.php:90 #: ../../Zotlabs/Module/Editwebpage.php:68 #: ../../Zotlabs/Module/Editwebpage.php:89 #: ../../Zotlabs/Module/Editwebpage.php:104 -#: ../../Zotlabs/Module/Editwebpage.php:126 ../../Zotlabs/Module/Group.php:13 -#: ../../Zotlabs/Module/Appman.php:75 ../../Zotlabs/Module/Pdledit.php:26 -#: ../../Zotlabs/Module/Filestorage.php:23 +#: ../../Zotlabs/Module/Editwebpage.php:126 ../../Zotlabs/Module/Chat.php:100 +#: ../../Zotlabs/Module/Chat.php:105 ../../Zotlabs/Module/Appman.php:75 +#: ../../Zotlabs/Module/Pdledit.php:26 ../../Zotlabs/Module/Filestorage.php:23 #: ../../Zotlabs/Module/Filestorage.php:78 #: ../../Zotlabs/Module/Filestorage.php:93 #: ../../Zotlabs/Module/Filestorage.php:120 -#: ../../Zotlabs/Module/Layouts.php:71 ../../Zotlabs/Module/Layouts.php:78 -#: ../../Zotlabs/Module/Layouts.php:89 ../../Zotlabs/Module/Like.php:181 #: ../../Zotlabs/Module/Profiles.php:203 ../../Zotlabs/Module/Profiles.php:601 -#: ../../Zotlabs/Module/Item.php:213 ../../Zotlabs/Module/Item.php:221 -#: ../../Zotlabs/Module/Item.php:1071 ../../Zotlabs/Module/Photos.php:73 -#: ../../Zotlabs/Module/Invite.php:17 ../../Zotlabs/Module/Invite.php:91 -#: ../../Zotlabs/Module/Locs.php:87 ../../Zotlabs/Module/Mail.php:121 -#: ../../Zotlabs/Module/Manage.php:10 ../../Zotlabs/Module/Menu.php:78 -#: ../../Zotlabs/Module/Message.php:18 ../../Zotlabs/Module/Mood.php:116 -#: ../../Zotlabs/Module/Network.php:15 ../../Zotlabs/Module/Channel.php:104 -#: ../../Zotlabs/Module/Channel.php:225 ../../Zotlabs/Module/Channel.php:266 -#: ../../Zotlabs/Module/Mitem.php:115 ../../Zotlabs/Module/New_channel.php:77 +#: ../../Zotlabs/Module/Channel.php:104 ../../Zotlabs/Module/Channel.php:226 +#: ../../Zotlabs/Module/Channel.php:267 ../../Zotlabs/Module/Group.php:13 +#: ../../Zotlabs/Module/Mitem.php:115 ../../Zotlabs/Module/Block.php:26 +#: ../../Zotlabs/Module/Block.php:76 ../../Zotlabs/Module/Invite.php:17 +#: ../../Zotlabs/Module/Invite.php:91 ../../Zotlabs/Module/Locs.php:87 +#: ../../Zotlabs/Module/Events.php:264 ../../Zotlabs/Module/Message.php:18 +#: ../../Zotlabs/Module/Manage.php:10 ../../Zotlabs/Module/Mood.php:116 +#: ../../Zotlabs/Module/Menu.php:78 ../../Zotlabs/Module/Setup.php:215 +#: ../../Zotlabs/Module/New_channel.php:77 #: ../../Zotlabs/Module/New_channel.php:104 #: ../../Zotlabs/Module/Notifications.php:70 ../../Zotlabs/Module/Poke.php:137 #: ../../Zotlabs/Module/Profile.php:68 ../../Zotlabs/Module/Profile.php:76 -#: ../../Zotlabs/Module/Block.php:26 ../../Zotlabs/Module/Block.php:76 +#: ../../Zotlabs/Module/Api.php:12 ../../Zotlabs/Module/Blocks.php:73 +#: ../../Zotlabs/Module/Blocks.php:80 ../../Zotlabs/Module/Layouts.php:71 +#: ../../Zotlabs/Module/Layouts.php:78 ../../Zotlabs/Module/Layouts.php:89 #: ../../Zotlabs/Module/Profile_photo.php:265 #: ../../Zotlabs/Module/Profile_photo.php:278 -#: ../../Zotlabs/Module/Blocks.php:73 ../../Zotlabs/Module/Blocks.php:80 -#: ../../Zotlabs/Module/Rate.php:113 ../../Zotlabs/Module/Editblock.php:67 -#: ../../Zotlabs/Module/Common.php:39 ../../Zotlabs/Module/Register.php:77 -#: ../../Zotlabs/Module/Regmod.php:21 +#: ../../Zotlabs/Module/Common.php:39 ../../Zotlabs/Module/Network.php:15 +#: ../../Zotlabs/Module/Photos.php:73 ../../Zotlabs/Module/Regmod.php:21 +#: ../../Zotlabs/Module/Webpages.php:95 #: ../../Zotlabs/Module/Service_limits.php:11 -#: ../../Zotlabs/Module/Settings.php:626 ../../Zotlabs/Module/Setup.php:215 -#: ../../Zotlabs/Module/Sharedwithme.php:11 ../../Zotlabs/Module/Thing.php:274 -#: ../../Zotlabs/Module/Thing.php:294 ../../Zotlabs/Module/Thing.php:331 +#: ../../Zotlabs/Module/Register.php:77 +#: ../../Zotlabs/Module/Sharedwithme.php:11 #: ../../Zotlabs/Module/Sources.php:74 ../../Zotlabs/Module/Suggest.php:30 -#: ../../Zotlabs/Module/Webpages.php:73 +#: ../../Zotlabs/Module/Settings.php:664 #: ../../Zotlabs/Module/Viewconnections.php:28 #: ../../Zotlabs/Module/Viewconnections.php:33 -#: ../../Zotlabs/Module/Viewsrc.php:18 ../../Zotlabs/Module/Api.php:13 -#: ../../Zotlabs/Module/Api.php:18 ../../Zotlabs/Lib/Chatroom.php:137 -#: ../../include/photos.php:27 ../../include/attach.php:141 -#: ../../include/attach.php:189 ../../include/attach.php:252 -#: ../../include/attach.php:266 ../../include/attach.php:273 -#: ../../include/attach.php:338 ../../include/attach.php:352 -#: ../../include/attach.php:359 ../../include/attach.php:439 -#: ../../include/attach.php:901 ../../include/attach.php:972 -#: ../../include/attach.php:1124 ../../include/items.php:3448 +#: ../../Zotlabs/Module/Viewsrc.php:18 ../../Zotlabs/Module/Editpost.php:17 +#: ../../Zotlabs/Lib/Chatroom.php:137 ../../include/photos.php:27 +#: ../../include/items.php:3450 ../../include/attach.php:142 +#: ../../include/attach.php:190 ../../include/attach.php:253 +#: ../../include/attach.php:267 ../../include/attach.php:274 +#: ../../include/attach.php:339 ../../include/attach.php:353 +#: ../../include/attach.php:360 ../../include/attach.php:440 +#: ../../include/attach.php:902 ../../include/attach.php:973 +#: ../../include/attach.php:1125 msgid "Permission denied." msgstr "Acceso denegado." @@ -379,9 +385,9 @@ msgstr "Acceso denegado." msgid "Not Found" msgstr "No encontrado" -#: ../../Zotlabs/Web/Router.php:149 ../../Zotlabs/Module/Display.php:118 -#: ../../Zotlabs/Module/Page.php:94 ../../Zotlabs/Module/Help.php:97 -#: ../../Zotlabs/Module/Block.php:79 +#: ../../Zotlabs/Web/Router.php:149 ../../Zotlabs/Module/Page.php:94 +#: ../../Zotlabs/Module/Help.php:97 ../../Zotlabs/Module/Block.php:79 +#: ../../Zotlabs/Module/Display.php:119 msgid "Page not found." msgstr "PĆ”gina no encontrada." @@ -391,19 +397,19 @@ msgid "" " logout and retry." msgstr "La autenticación desde su servidor estĆ” bloqueada. Ha iniciado sesión localmente. Por favor, salga de la sesión y vuelva a intentarlo." -#: ../../Zotlabs/Zot/Auth.php:246 ../../Zotlabs/Module/Openid.php:76 -#: ../../Zotlabs/Module/Openid.php:183 +#: ../../Zotlabs/Zot/Auth.php:246 #, php-format msgid "Welcome %s. Remote authentication successful." msgstr "Bienvenido %s. La identificación desde su servidor se ha llevado a cabo correctamente." #: ../../Zotlabs/Module/Achievements.php:15 -#: ../../Zotlabs/Module/Connect.php:17 ../../Zotlabs/Module/Editlayout.php:31 -#: ../../Zotlabs/Module/Editwebpage.php:32 ../../Zotlabs/Module/Hcard.php:12 -#: ../../Zotlabs/Module/Filestorage.php:59 ../../Zotlabs/Module/Layouts.php:31 +#: ../../Zotlabs/Module/Editblock.php:31 +#: ../../Zotlabs/Module/Editlayout.php:31 +#: ../../Zotlabs/Module/Editwebpage.php:32 +#: ../../Zotlabs/Module/Filestorage.php:59 ../../Zotlabs/Module/Hcard.php:12 #: ../../Zotlabs/Module/Profile.php:20 ../../Zotlabs/Module/Blocks.php:33 -#: ../../Zotlabs/Module/Editblock.php:31 ../../Zotlabs/Module/Webpages.php:33 -#: ../../include/channel.php:876 +#: ../../Zotlabs/Module/Layouts.php:31 ../../Zotlabs/Module/Connect.php:17 +#: ../../Zotlabs/Module/Webpages.php:33 ../../include/channel.php:859 msgid "Requested profile is not available." msgstr "El perfil solicitado no estĆ” disponible." @@ -419,488 +425,307 @@ msgstr "Ausente" msgid "Online" msgstr "Conectado/a" -#: ../../Zotlabs/Module/Connedit.php:80 -msgid "Could not access contact record." -msgstr "No se ha podido acceder al registro de contacto." +#: ../../Zotlabs/Module/Thing.php:89 ../../Zotlabs/Module/Filestorage.php:32 +#: ../../Zotlabs/Module/Display.php:40 ../../Zotlabs/Module/Admin.php:164 +#: ../../Zotlabs/Module/Admin.php:1255 ../../Zotlabs/Module/Admin.php:1561 +#: ../../Zotlabs/Module/Viewsrc.php:24 ../../include/items.php:3371 +msgid "Item not found." +msgstr "Elemento no encontrado." -#: ../../Zotlabs/Module/Connedit.php:104 -msgid "Could not locate selected profile." -msgstr "No se ha podido localizar el perfil seleccionado." +#: ../../Zotlabs/Module/Thing.php:114 +msgid "Thing updated" +msgstr "Elemento actualizado." -#: ../../Zotlabs/Module/Connedit.php:248 -msgid "Connection updated." -msgstr "Conexión actualizada." +#: ../../Zotlabs/Module/Thing.php:166 +msgid "Object store: failed" +msgstr "Guardar objeto: ha fallado" -#: ../../Zotlabs/Module/Connedit.php:250 -msgid "Failed to update connection record." -msgstr "Error al actualizar el registro de la conexión." +#: ../../Zotlabs/Module/Thing.php:170 +msgid "Thing added" +msgstr "Elemento aƱadido" -#: ../../Zotlabs/Module/Connedit.php:300 -msgid "is now connected to" -msgstr "ahora estĆ” conectado/a" - -#: ../../Zotlabs/Module/Connedit.php:403 ../../Zotlabs/Module/Connedit.php:685 -#: ../../Zotlabs/Module/Events.php:458 ../../Zotlabs/Module/Events.php:459 -#: ../../Zotlabs/Module/Events.php:468 -#: ../../Zotlabs/Module/Filestorage.php:156 -#: ../../Zotlabs/Module/Filestorage.php:164 -#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Photos.php:664 -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 -#: ../../Zotlabs/Module/Mitem.php:158 ../../Zotlabs/Module/Mitem.php:159 -#: ../../Zotlabs/Module/Mitem.php:232 ../../Zotlabs/Module/Mitem.php:233 -#: ../../Zotlabs/Module/Admin.php:459 ../../Zotlabs/Module/Removeme.php:63 -#: ../../Zotlabs/Module/Settings.php:635 ../../Zotlabs/Module/Api.php:89 -#: ../../include/dir_fns.php:143 ../../include/dir_fns.php:144 -#: ../../include/dir_fns.php:145 ../../view/theme/redbasic/php/config.php:105 -#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1708 -msgid "No" -msgstr "No" - -#: ../../Zotlabs/Module/Connedit.php:403 ../../Zotlabs/Module/Events.php:458 -#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:468 -#: ../../Zotlabs/Module/Filestorage.php:156 -#: ../../Zotlabs/Module/Filestorage.php:164 -#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Photos.php:664 -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 -#: ../../Zotlabs/Module/Mitem.php:158 ../../Zotlabs/Module/Mitem.php:159 -#: ../../Zotlabs/Module/Mitem.php:232 ../../Zotlabs/Module/Mitem.php:233 -#: ../../Zotlabs/Module/Admin.php:461 ../../Zotlabs/Module/Removeme.php:63 -#: ../../Zotlabs/Module/Settings.php:635 ../../Zotlabs/Module/Api.php:88 -#: ../../include/dir_fns.php:143 ../../include/dir_fns.php:144 -#: ../../include/dir_fns.php:145 ../../view/theme/redbasic/php/config.php:105 -#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1708 -msgid "Yes" -msgstr "SĆ­" - -#: ../../Zotlabs/Module/Connedit.php:435 -msgid "Could not access address book record." -msgstr "No se pudo acceder al registro en su libreta de direcciones." - -#: ../../Zotlabs/Module/Connedit.php:455 -msgid "Refresh failed - channel is currently unavailable." -msgstr "Recarga fallida - no se puede encontrar el canal en este momento." - -#: ../../Zotlabs/Module/Connedit.php:470 ../../Zotlabs/Module/Connedit.php:479 -#: ../../Zotlabs/Module/Connedit.php:488 ../../Zotlabs/Module/Connedit.php:497 -#: ../../Zotlabs/Module/Connedit.php:510 -msgid "Unable to set address book parameters." -msgstr "No ha sido posible establecer los parĆ”metros de la libreta de direcciones." - -#: ../../Zotlabs/Module/Connedit.php:533 -msgid "Connection has been removed." -msgstr "La conexión ha sido eliminada." - -#: ../../Zotlabs/Module/Connedit.php:549 ../../Zotlabs/Lib/Apps.php:221 -#: ../../include/nav.php:86 ../../include/conversation.php:957 -msgid "View Profile" -msgstr "Ver el perfil" - -#: ../../Zotlabs/Module/Connedit.php:552 +#: ../../Zotlabs/Module/Thing.php:196 #, php-format -msgid "View %s's profile" -msgstr "Ver el perfil de %s" +msgid "OBJ: %1$s %2$s %3$s" +msgstr "OBJ: %1$s %2$s %3$s" -#: ../../Zotlabs/Module/Connedit.php:556 -msgid "Refresh Permissions" -msgstr "Recargar los permisos" +#: ../../Zotlabs/Module/Thing.php:259 +msgid "Show Thing" +msgstr "Mostrar elemento" -#: ../../Zotlabs/Module/Connedit.php:559 -msgid "Fetch updated permissions" -msgstr "Obtener los permisos actualizados" +#: ../../Zotlabs/Module/Thing.php:266 +msgid "item not found." +msgstr "elemento no encontrado." -#: ../../Zotlabs/Module/Connedit.php:563 -msgid "Recent Activity" -msgstr "Actividad reciente" +#: ../../Zotlabs/Module/Thing.php:299 +msgid "Edit Thing" +msgstr "Editar elemento" -#: ../../Zotlabs/Module/Connedit.php:566 -msgid "View recent posts and comments" -msgstr "Ver publicaciones y comentarios recientes" +#: ../../Zotlabs/Module/Thing.php:301 ../../Zotlabs/Module/Thing.php:355 +msgid "Select a profile" +msgstr "Seleccionar un perfil" -#: ../../Zotlabs/Module/Connedit.php:570 ../../Zotlabs/Module/Admin.php:1041 -msgid "Unblock" -msgstr "Desbloquear" +#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:358 +msgid "Post an activity" +msgstr "Publicar una actividad" -#: ../../Zotlabs/Module/Connedit.php:570 ../../Zotlabs/Module/Admin.php:1040 -msgid "Block" -msgstr "Bloquear" +#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:358 +msgid "Only sends to viewers of the applicable profile" +msgstr "Sólo enviar a espectadores del perfil pertinente." -#: ../../Zotlabs/Module/Connedit.php:573 -msgid "Block (or Unblock) all communications with this connection" -msgstr "Bloquear (o desbloquear) todas las comunicaciones con esta conexión" +#: ../../Zotlabs/Module/Thing.php:307 ../../Zotlabs/Module/Thing.php:360 +msgid "Name of thing e.g. something" +msgstr "Nombre del elemento, p. ej.:. \"algo\"" -#: ../../Zotlabs/Module/Connedit.php:574 -msgid "This connection is blocked!" -msgstr "Ā”Esta conexión estĆ” bloqueada!" +#: ../../Zotlabs/Module/Thing.php:309 ../../Zotlabs/Module/Thing.php:361 +msgid "URL of thing (optional)" +msgstr "Dirección del elemento (opcional)" -#: ../../Zotlabs/Module/Connedit.php:578 -msgid "Unignore" -msgstr "Dejar de ignorar" +#: ../../Zotlabs/Module/Thing.php:311 ../../Zotlabs/Module/Thing.php:362 +msgid "URL for photo of thing (optional)" +msgstr "Dirección para la foto o elemento (opcional)" -#: ../../Zotlabs/Module/Connedit.php:578 -#: ../../Zotlabs/Module/Connections.php:277 -#: ../../Zotlabs/Module/Notifications.php:55 -msgid "Ignore" -msgstr "Ignorar" +#: ../../Zotlabs/Module/Thing.php:313 ../../Zotlabs/Module/Thing.php:363 +#: ../../Zotlabs/Module/Chat.php:234 ../../Zotlabs/Module/Filestorage.php:152 +#: ../../Zotlabs/Module/Photos.php:669 ../../Zotlabs/Module/Photos.php:1047 +#: ../../include/acl_selectors.php:186 +msgid "Permissions" +msgstr "Permisos" -#: ../../Zotlabs/Module/Connedit.php:581 -msgid "Ignore (or Unignore) all inbound communications from this connection" -msgstr "Ignorar (o dejar de ignorar) todas las comunicaciones entrantes de esta conexión" - -#: ../../Zotlabs/Module/Connedit.php:582 -msgid "This connection is ignored!" -msgstr "Ā”Esta conexión es ignorada!" - -#: ../../Zotlabs/Module/Connedit.php:586 -msgid "Unarchive" -msgstr "Desarchivar" - -#: ../../Zotlabs/Module/Connedit.php:586 -msgid "Archive" -msgstr "Archivar" - -#: ../../Zotlabs/Module/Connedit.php:589 -msgid "" -"Archive (or Unarchive) this connection - mark channel dead but keep content" -msgstr "Archiva (o desarchiva) esta conexión - marca el canal como muerto aunque mantiene sus contenidos" - -#: ../../Zotlabs/Module/Connedit.php:590 -msgid "This connection is archived!" -msgstr "Ā”Esta conexión esta archivada!" - -#: ../../Zotlabs/Module/Connedit.php:594 -msgid "Unhide" -msgstr "Mostrar" - -#: ../../Zotlabs/Module/Connedit.php:594 -msgid "Hide" -msgstr "Ocultar" - -#: ../../Zotlabs/Module/Connedit.php:597 -msgid "Hide or Unhide this connection from your other connections" -msgstr "Ocultar o mostrar esta conexión a sus otras conexiones" - -#: ../../Zotlabs/Module/Connedit.php:598 -msgid "This connection is hidden!" -msgstr "Ā”Esta conexión estĆ” oculta!" - -#: ../../Zotlabs/Module/Connedit.php:605 -msgid "Delete this connection" -msgstr "Eliminar esta conexión" - -#: ../../Zotlabs/Module/Connedit.php:620 ../../include/widgets.php:493 -msgid "Me" -msgstr "Yo" - -#: ../../Zotlabs/Module/Connedit.php:621 ../../include/widgets.php:494 -msgid "Family" -msgstr "Familia" - -#: ../../Zotlabs/Module/Connedit.php:622 ../../Zotlabs/Module/Settings.php:391 -#: ../../Zotlabs/Module/Settings.php:395 ../../Zotlabs/Module/Settings.php:396 -#: ../../Zotlabs/Module/Settings.php:399 ../../Zotlabs/Module/Settings.php:410 -#: ../../include/channel.php:402 ../../include/channel.php:403 -#: ../../include/channel.php:410 ../../include/selectors.php:123 -#: ../../include/widgets.php:495 -msgid "Friends" -msgstr "Amigos/as" - -#: ../../Zotlabs/Module/Connedit.php:623 ../../include/widgets.php:496 -msgid "Acquaintances" -msgstr "Conocidos/as" - -#: ../../Zotlabs/Module/Connedit.php:624 -#: ../../Zotlabs/Module/Connections.php:92 -#: ../../Zotlabs/Module/Connections.php:107 ../../include/widgets.php:497 -msgid "All" -msgstr "Todos/as" - -#: ../../Zotlabs/Module/Connedit.php:685 -msgid "Approve this connection" -msgstr "Aprobar esta conexión" - -#: ../../Zotlabs/Module/Connedit.php:685 -msgid "Accept connection to allow communication" -msgstr "Aceptar la conexión para permitir la comunicación" - -#: ../../Zotlabs/Module/Connedit.php:690 -msgid "Set Affinity" -msgstr "Ajustar la afinidad" - -#: ../../Zotlabs/Module/Connedit.php:693 -msgid "Set Profile" -msgstr "Ajustar el perfil" - -#: ../../Zotlabs/Module/Connedit.php:696 -msgid "Set Affinity & Profile" -msgstr "Ajustar la afinidad y el perfil" - -#: ../../Zotlabs/Module/Connedit.php:745 -msgid "none" -msgstr "-" - -#: ../../Zotlabs/Module/Connedit.php:749 ../../include/widgets.php:623 -msgid "Connection Default Permissions" -msgstr "Permisos predeterminados de conexión" - -#: ../../Zotlabs/Module/Connedit.php:749 ../../include/items.php:3935 -#, php-format -msgid "Connection: %s" -msgstr "Conexión: %s" - -#: ../../Zotlabs/Module/Connedit.php:750 -msgid "Apply these permissions automatically" -msgstr "Aplicar estos permisos automaticamente" - -#: ../../Zotlabs/Module/Connedit.php:750 -msgid "Connection requests will be approved without your interaction" -msgstr "Las solicitudes de conexión serĆ”n aprobadas sin su intervención" - -#: ../../Zotlabs/Module/Connedit.php:752 -msgid "This connection's primary address is" -msgstr "La dirección primaria de esta conexión es" - -#: ../../Zotlabs/Module/Connedit.php:753 -msgid "Available locations:" -msgstr "Ubicaciones disponibles:" - -#: ../../Zotlabs/Module/Connedit.php:757 -msgid "" -"The permissions indicated on this page will be applied to all new " -"connections." -msgstr "Los permisos indicados en esta pĆ”gina serĆ”n aplicados en todas las nuevas conexiones." - -#: ../../Zotlabs/Module/Connedit.php:758 -msgid "Connection Tools" -msgstr "Gestión de las conexiones" - -#: ../../Zotlabs/Module/Connedit.php:760 -msgid "Slide to adjust your degree of friendship" -msgstr "Deslizar para ajustar el grado de amistad" - -#: ../../Zotlabs/Module/Connedit.php:761 ../../Zotlabs/Module/Rate.php:159 -#: ../../include/js_strings.php:20 -msgid "Rating" -msgstr "Valoración" - -#: ../../Zotlabs/Module/Connedit.php:762 -msgid "Slide to adjust your rating" -msgstr "Deslizar para ajustar su valoración" - -#: ../../Zotlabs/Module/Connedit.php:763 ../../Zotlabs/Module/Connedit.php:768 -msgid "Optionally explain your rating" -msgstr "Opcionalmente, puede explicar su valoración" - -#: ../../Zotlabs/Module/Connedit.php:765 -msgid "Custom Filter" -msgstr "Filtro personalizado" - -#: ../../Zotlabs/Module/Connedit.php:766 -msgid "Only import posts with this text" -msgstr "Importar solo entradas que contengan este texto" - -#: ../../Zotlabs/Module/Connedit.php:766 ../../Zotlabs/Module/Connedit.php:767 -msgid "" -"words one per line or #tags or /patterns/ or lang=xx, leave blank to import " -"all posts" -msgstr "Una sola opción por lĆ­nea: palabras, #etiquetas, /patrones/ o lang=xx. Dejar en blanco para importarlo todo" - -#: ../../Zotlabs/Module/Connedit.php:767 -msgid "Do not import posts with this text" -msgstr "No importar entradas que contengan este texto" - -#: ../../Zotlabs/Module/Connedit.php:769 -msgid "This information is public!" -msgstr "Ā”Esta información es pĆŗblica!" - -#: ../../Zotlabs/Module/Connedit.php:774 -msgid "Connection Pending Approval" -msgstr "Conexión pendiente de aprobación" - -#: ../../Zotlabs/Module/Connedit.php:777 -msgid "inherited" -msgstr "heredado" - -#: ../../Zotlabs/Module/Connedit.php:778 ../../Zotlabs/Module/Connect.php:98 -#: ../../Zotlabs/Module/Events.php:474 ../../Zotlabs/Module/Cal.php:338 -#: ../../Zotlabs/Module/Chat.php:196 ../../Zotlabs/Module/Chat.php:238 -#: ../../Zotlabs/Module/Group.php:85 ../../Zotlabs/Module/Appman.php:126 -#: ../../Zotlabs/Module/Pdledit.php:66 -#: ../../Zotlabs/Module/Filestorage.php:161 -#: ../../Zotlabs/Module/Profiles.php:687 ../../Zotlabs/Module/Import.php:560 -#: ../../Zotlabs/Module/Photos.php:675 ../../Zotlabs/Module/Photos.php:1050 -#: ../../Zotlabs/Module/Photos.php:1090 ../../Zotlabs/Module/Photos.php:1208 +#: ../../Zotlabs/Module/Thing.php:320 ../../Zotlabs/Module/Thing.php:370 +#: ../../Zotlabs/Module/Rate.php:170 ../../Zotlabs/Module/Connedit.php:783 +#: ../../Zotlabs/Module/Import.php:560 ../../Zotlabs/Module/Mail.php:370 +#: ../../Zotlabs/Module/Chat.php:196 ../../Zotlabs/Module/Chat.php:241 +#: ../../Zotlabs/Module/Appman.php:126 ../../Zotlabs/Module/Pdledit.php:66 +#: ../../Zotlabs/Module/Filestorage.php:165 +#: ../../Zotlabs/Module/Profiles.php:687 ../../Zotlabs/Module/Group.php:85 +#: ../../Zotlabs/Module/Mitem.php:243 #: ../../Zotlabs/Module/Import_items.php:122 #: ../../Zotlabs/Module/Invite.php:146 ../../Zotlabs/Module/Locs.php:121 -#: ../../Zotlabs/Module/Mail.php:370 ../../Zotlabs/Module/Mood.php:139 -#: ../../Zotlabs/Module/Mitem.php:235 ../../Zotlabs/Module/Admin.php:492 -#: ../../Zotlabs/Module/Admin.php:688 ../../Zotlabs/Module/Admin.php:771 -#: ../../Zotlabs/Module/Admin.php:1032 ../../Zotlabs/Module/Admin.php:1211 -#: ../../Zotlabs/Module/Admin.php:1421 ../../Zotlabs/Module/Admin.php:1648 -#: ../../Zotlabs/Module/Admin.php:1733 ../../Zotlabs/Module/Admin.php:2116 -#: ../../Zotlabs/Module/Poke.php:186 ../../Zotlabs/Module/Pconfig.php:107 -#: ../../Zotlabs/Module/Rate.php:170 ../../Zotlabs/Module/Settings.php:644 -#: ../../Zotlabs/Module/Settings.php:757 ../../Zotlabs/Module/Settings.php:806 -#: ../../Zotlabs/Module/Settings.php:832 ../../Zotlabs/Module/Settings.php:855 -#: ../../Zotlabs/Module/Settings.php:943 -#: ../../Zotlabs/Module/Settings.php:1129 ../../Zotlabs/Module/Setup.php:312 -#: ../../Zotlabs/Module/Setup.php:353 ../../Zotlabs/Module/Thing.php:316 -#: ../../Zotlabs/Module/Thing.php:362 ../../Zotlabs/Module/Sources.php:114 -#: ../../Zotlabs/Module/Sources.php:149 ../../Zotlabs/Module/Xchan.php:15 -#: ../../Zotlabs/Lib/ThreadItem.php:710 ../../include/widgets.php:763 -#: ../../include/js_strings.php:22 ../../view/theme/redbasic/php/config.php:99 +#: ../../Zotlabs/Module/Events.php:484 ../../Zotlabs/Module/Mood.php:139 +#: ../../Zotlabs/Module/Setup.php:312 ../../Zotlabs/Module/Setup.php:353 +#: ../../Zotlabs/Module/Admin.php:492 ../../Zotlabs/Module/Admin.php:688 +#: ../../Zotlabs/Module/Admin.php:771 ../../Zotlabs/Module/Admin.php:1032 +#: ../../Zotlabs/Module/Admin.php:1211 ../../Zotlabs/Module/Admin.php:1421 +#: ../../Zotlabs/Module/Admin.php:1648 ../../Zotlabs/Module/Admin.php:1733 +#: ../../Zotlabs/Module/Admin.php:2116 ../../Zotlabs/Module/Poke.php:186 +#: ../../Zotlabs/Module/Pconfig.php:107 ../../Zotlabs/Module/Cal.php:338 +#: ../../Zotlabs/Module/Connect.php:98 ../../Zotlabs/Module/Photos.php:679 +#: ../../Zotlabs/Module/Photos.php:1058 ../../Zotlabs/Module/Photos.php:1098 +#: ../../Zotlabs/Module/Photos.php:1216 ../../Zotlabs/Module/Sources.php:114 +#: ../../Zotlabs/Module/Sources.php:149 ../../Zotlabs/Module/Settings.php:682 +#: ../../Zotlabs/Module/Settings.php:795 ../../Zotlabs/Module/Settings.php:886 +#: ../../Zotlabs/Module/Settings.php:912 ../../Zotlabs/Module/Settings.php:935 +#: ../../Zotlabs/Module/Settings.php:1040 +#: ../../Zotlabs/Module/Settings.php:1229 ../../Zotlabs/Module/Xchan.php:15 +#: ../../Zotlabs/Lib/ThreadItem.php:711 ../../include/widgets.php:763 +#: ../../include/js_strings.php:22 +#: ../../view/theme/redbasic/php/config.php:106 msgid "Submit" msgstr "Enviar" -#: ../../Zotlabs/Module/Connedit.php:779 +#: ../../Zotlabs/Module/Thing.php:353 +msgid "Add Thing to your Profile" +msgstr "AƱadir alguna cosa a su perfil" + +#: ../../Zotlabs/Module/Like.php:19 +msgid "Like/Dislike" +msgstr "Me gusta/No me gusta" + +#: ../../Zotlabs/Module/Like.php:24 +msgid "This action is restricted to members." +msgstr "Esta acción estĆ” restringida solo para miembros." + +#: ../../Zotlabs/Module/Like.php:25 +msgid "" +"Please login with your $Projectname ID or register as a new $Projectname member to continue." +msgstr "Por favor, identifĆ­quese con su $Projectname ID o rregĆ­strese como un nuevo $Projectname member para continuar." + +#: ../../Zotlabs/Module/Like.php:105 ../../Zotlabs/Module/Like.php:131 +#: ../../Zotlabs/Module/Like.php:169 +msgid "Invalid request." +msgstr "Solicitud incorrecta." + +#: ../../Zotlabs/Module/Like.php:117 ../../include/conversation.php:126 +msgid "channel" +msgstr "el canal" + +#: ../../Zotlabs/Module/Like.php:146 +msgid "thing" +msgstr "elemento" + +#: ../../Zotlabs/Module/Like.php:192 +msgid "Channel unavailable." +msgstr "Canal no disponible." + +#: ../../Zotlabs/Module/Like.php:240 +msgid "Previous action reversed." +msgstr "Acción anterior revocada." + +#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 +#: ../../Zotlabs/Module/Tagger.php:47 ../../include/conversation.php:120 +#: ../../include/text.php:1945 +msgid "photo" +msgstr "foto" + +#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 +#: ../../include/conversation.php:148 ../../include/text.php:1951 +msgid "status" +msgstr "el mensaje de estado" + +#: ../../Zotlabs/Module/Like.php:372 ../../Zotlabs/Module/Events.php:253 +#: ../../Zotlabs/Module/Tagger.php:51 ../../include/conversation.php:123 +#: ../../include/text.php:1948 ../../include/event.php:958 +msgid "event" +msgstr "evento" + +#: ../../Zotlabs/Module/Like.php:419 ../../include/conversation.php:164 #, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "A %1$s le gusta %3$s de %2$s" + +#: ../../Zotlabs/Module/Like.php:421 ../../include/conversation.php:167 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "A %1$s no le gusta %3$s de %2$s" + +#: ../../Zotlabs/Module/Like.php:423 +#, php-format +msgid "%1$s agrees with %2$s's %3$s" +msgstr "%3$s de %2$s: %1$s estĆ” de acuerdo" + +#: ../../Zotlabs/Module/Like.php:425 +#, php-format +msgid "%1$s doesn't agree with %2$s's %3$s" +msgstr "%3$s de %2$s: %1$s no estĆ” de acuerdo" + +#: ../../Zotlabs/Module/Like.php:427 +#, php-format +msgid "%1$s abstains from a decision on %2$s's %3$s" +msgstr "%3$s de %2$s: %1$s se abstiene" + +#: ../../Zotlabs/Module/Like.php:429 +#, php-format +msgid "%1$s is attending %2$s's %3$s" +msgstr "%3$s de %2$s: %1$s participa" + +#: ../../Zotlabs/Module/Like.php:431 +#, php-format +msgid "%1$s is not attending %2$s's %3$s" +msgstr "%3$s de %2$s: %1$s no participa" + +#: ../../Zotlabs/Module/Like.php:433 +#, php-format +msgid "%1$s may attend %2$s's %3$s" +msgstr "%3$s de %2$s: %1$s quizĆ” participe" + +#: ../../Zotlabs/Module/Like.php:538 +msgid "Action completed." +msgstr "Acción completada." + +#: ../../Zotlabs/Module/Like.php:539 +msgid "Thank you." +msgstr "Gracias." + +#: ../../Zotlabs/Module/Wiki.php:20 ../../Zotlabs/Module/Chat.php:25 +#: ../../Zotlabs/Module/Channel.php:28 +msgid "You must be logged in to see this page." +msgstr "Debe haber iniciado sesión para poder ver esta pĆ”gina." + +#: ../../Zotlabs/Module/Wiki.php:34 +msgid "Not found" +msgstr "No encontrado" + +#: ../../Zotlabs/Module/Wiki.php:97 ../../Zotlabs/Lib/Apps.php:219 +#: ../../include/conversation.php:1725 ../../include/conversation.php:1728 +#: ../../include/features.php:57 ../../include/nav.php:110 +msgid "Wiki" +msgstr "Wiki" + +#: ../../Zotlabs/Module/Wiki.php:98 +msgid "Sandbox" +msgstr "Entorno de edición" + +#: ../../Zotlabs/Module/Wiki.php:100 msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Por favor, escoja el perfil que quiere mostrar a %s cuando estĆ© viendo su perfil de forma segura." +"\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be" +" saved*.\"" +msgstr "\"# Entorno de edición del Wiki\\n\\nEl contenido que se **edite** y **previsualizce** aquĆ­ *no se guardarĆ”*.\"" -#: ../../Zotlabs/Module/Connedit.php:781 -msgid "Their Settings" -msgstr "Sus ajustes" +#: ../../Zotlabs/Module/Wiki.php:169 +msgid "Revision Comparison" +msgstr "Comparación de revisiones" -#: ../../Zotlabs/Module/Connedit.php:782 -msgid "My Settings" -msgstr "Mis ajustes" +#: ../../Zotlabs/Module/Wiki.php:170 +msgid "Revert" +msgstr "Revertir" -#: ../../Zotlabs/Module/Connedit.php:784 -msgid "Individual Permissions" -msgstr "Permisos individuales" +#: ../../Zotlabs/Module/Wiki.php:171 ../../Zotlabs/Module/Wiki.php:211 +#: ../../Zotlabs/Module/Fbrowser.php:66 ../../Zotlabs/Module/Fbrowser.php:88 +#: ../../Zotlabs/Module/Admin.php:1406 ../../Zotlabs/Module/Tagrm.php:15 +#: ../../Zotlabs/Module/Tagrm.php:138 ../../Zotlabs/Module/Settings.php:683 +#: ../../Zotlabs/Module/Settings.php:709 ../../include/conversation.php:1242 +#: ../../include/conversation.php:1289 +msgid "Cancel" +msgstr "Cancelar" -#: ../../Zotlabs/Module/Connedit.php:785 -msgid "" -"Some permissions may be inherited from your channel's privacy settings, which have higher " -"priority than individual settings. You can not change those" -" settings here." -msgstr "Algunos permisos pueden ser heredados de los ajustes de privacidad de sus canales, los cuales tienen una prioridad mĆ”s alta que los ajustes individuales. No puede cambiar estos ajustes aquĆ­." +#: ../../Zotlabs/Module/Wiki.php:201 +msgid "Enter the name of your new wiki:" +msgstr "Nombre de su nuevo wiki:" -#: ../../Zotlabs/Module/Connedit.php:786 -msgid "" -"Some permissions may be inherited from your channel's privacy settings, which have higher " -"priority than individual settings. You can change those settings here but " -"they wont have any impact unless the inherited setting changes." -msgstr "Algunos permisos pueden ser heredados de los ajustes de privacidad de sus canales, los cuales tienen una prioridad mĆ”s alta que los ajustes individuales. Puede cambiar estos ajustes aquĆ­, pero no tendrĆ”n ningĆŗn consecuencia hasta que cambie los ajustes heredados." +#: ../../Zotlabs/Module/Wiki.php:202 +msgid "Enter the name of the new page:" +msgstr "Nombre de la nueva pĆ”gina:" -#: ../../Zotlabs/Module/Connedit.php:787 -msgid "Last update:" -msgstr "Última actualización:" +#: ../../Zotlabs/Module/Wiki.php:203 +msgid "Enter the new name:" +msgstr "Nuevo nombre:" -#: ../../Zotlabs/Module/Display.php:17 ../../Zotlabs/Module/Directory.php:63 -#: ../../Zotlabs/Module/Photos.php:520 ../../Zotlabs/Module/Ratings.php:86 +#: ../../Zotlabs/Module/Wiki.php:209 ../../include/conversation.php:1155 +msgid "Embed image from photo albums" +msgstr "Incluir una imagen de los Ć”lbumes de fotos" + +#: ../../Zotlabs/Module/Wiki.php:210 ../../include/conversation.php:1241 +msgid "Embed an image from your albums" +msgstr "Incluir una imagen de sus Ć”lbumes" + +#: ../../Zotlabs/Module/Wiki.php:212 ../../include/conversation.php:1243 +#: ../../include/conversation.php:1288 +msgid "OK" +msgstr "OK" + +#: ../../Zotlabs/Module/Wiki.php:213 ../../include/conversation.php:1191 +msgid "Choose images to embed" +msgstr "Elegir imĆ”genes para incluir" + +#: ../../Zotlabs/Module/Wiki.php:214 ../../include/conversation.php:1192 +msgid "Choose an album" +msgstr "Elegir un Ć”lbum" + +#: ../../Zotlabs/Module/Wiki.php:215 ../../include/conversation.php:1193 +msgid "Choose a different album..." +msgstr "Elegir un Ć”lbum diferente..." + +#: ../../Zotlabs/Module/Wiki.php:216 ../../include/conversation.php:1194 +msgid "Error getting album list" +msgstr "Error al obtener la lista de Ć”lbumes" + +#: ../../Zotlabs/Module/Wiki.php:217 ../../include/conversation.php:1195 +msgid "Error getting photo link" +msgstr "Error al obtener el enlace de la foto" + +#: ../../Zotlabs/Module/Wiki.php:218 ../../include/conversation.php:1196 +msgid "Error getting album" +msgstr "Error al obtener el Ć”lbum" + +#: ../../Zotlabs/Module/Directory.php:63 ../../Zotlabs/Module/Display.php:17 +#: ../../Zotlabs/Module/Ratings.php:86 ../../Zotlabs/Module/Photos.php:520 #: ../../Zotlabs/Module/Search.php:17 #: ../../Zotlabs/Module/Viewconnections.php:23 msgid "Public access denied." msgstr "Acceso pĆŗblico denegado." -#: ../../Zotlabs/Module/Display.php:40 ../../Zotlabs/Module/Filestorage.php:32 -#: ../../Zotlabs/Module/Admin.php:164 ../../Zotlabs/Module/Admin.php:1255 -#: ../../Zotlabs/Module/Admin.php:1561 ../../Zotlabs/Module/Thing.php:89 -#: ../../Zotlabs/Module/Viewsrc.php:24 ../../include/items.php:3369 -msgid "Item not found." -msgstr "Elemento no encontrado." - -#: ../../Zotlabs/Module/Id.php:13 -msgid "First Name" -msgstr "Nombre" - -#: ../../Zotlabs/Module/Id.php:14 -msgid "Last Name" -msgstr "Apellido" - -#: ../../Zotlabs/Module/Id.php:15 -msgid "Nickname" -msgstr "Sobrenombre o Alias" - -#: ../../Zotlabs/Module/Id.php:16 -msgid "Full Name" -msgstr "Nombre completo" - -#: ../../Zotlabs/Module/Id.php:17 ../../Zotlabs/Module/Id.php:18 -#: ../../Zotlabs/Module/Admin.php:1035 ../../Zotlabs/Module/Admin.php:1047 -#: ../../include/network.php:2203 -msgid "Email" -msgstr "Correo electrónico" - -#: ../../Zotlabs/Module/Id.php:19 ../../Zotlabs/Module/Id.php:20 -#: ../../Zotlabs/Module/Id.php:21 ../../Zotlabs/Lib/Apps.php:238 -msgid "Profile Photo" -msgstr "Foto del perfil" - -#: ../../Zotlabs/Module/Id.php:22 -msgid "Profile Photo 16px" -msgstr "Foto del perfil 16px" - -#: ../../Zotlabs/Module/Id.php:23 -msgid "Profile Photo 32px" -msgstr "Foto del perfil 32px" - -#: ../../Zotlabs/Module/Id.php:24 -msgid "Profile Photo 48px" -msgstr "Foto del perfil 48px" - -#: ../../Zotlabs/Module/Id.php:25 -msgid "Profile Photo 64px" -msgstr "Foto del perfil 64px" - -#: ../../Zotlabs/Module/Id.php:26 -msgid "Profile Photo 80px" -msgstr "Foto del perfil 80px" - -#: ../../Zotlabs/Module/Id.php:27 -msgid "Profile Photo 128px" -msgstr "Foto del perfil 128px" - -#: ../../Zotlabs/Module/Id.php:28 -msgid "Timezone" -msgstr "Huso horario" - -#: ../../Zotlabs/Module/Id.php:29 ../../Zotlabs/Module/Profiles.php:731 -msgid "Homepage URL" -msgstr "Dirección de la pĆ”gina personal" - -#: ../../Zotlabs/Module/Id.php:30 ../../Zotlabs/Lib/Apps.php:236 -msgid "Language" -msgstr "Idioma" - -#: ../../Zotlabs/Module/Id.php:31 -msgid "Birth Year" -msgstr "AƱo de nacimiento" - -#: ../../Zotlabs/Module/Id.php:32 -msgid "Birth Month" -msgstr "Mes de nacimiento" - -#: ../../Zotlabs/Module/Id.php:33 -msgid "Birth Day" -msgstr "DĆ­a de nacimiento" - -#: ../../Zotlabs/Module/Id.php:34 -msgid "Birthdate" -msgstr "Fecha de nacimiento" - -#: ../../Zotlabs/Module/Id.php:35 ../../Zotlabs/Module/Profiles.php:454 -msgid "Gender" -msgstr "GĆ©nero" - -#: ../../Zotlabs/Module/Id.php:108 ../../include/selectors.php:49 -#: ../../include/selectors.php:66 -msgid "Male" -msgstr "Hombre" - -#: ../../Zotlabs/Module/Id.php:110 ../../include/selectors.php:49 -#: ../../include/selectors.php:66 -msgid "Female" -msgstr "Mujer" - -#: ../../Zotlabs/Module/Follow.php:34 -msgid "Channel added." -msgstr "Canal aƱadido." - #: ../../Zotlabs/Module/Directory.php:243 #, php-format msgid "%d rating" @@ -920,13 +745,13 @@ msgstr "Estado:" msgid "Homepage: " msgstr "PĆ”gina personal:" -#: ../../Zotlabs/Module/Directory.php:306 ../../include/channel.php:1223 +#: ../../Zotlabs/Module/Directory.php:306 ../../include/channel.php:1207 msgid "Age:" msgstr "Edad:" -#: ../../Zotlabs/Module/Directory.php:311 ../../include/channel.php:1066 -#: ../../include/event.php:52 ../../include/event.php:84 -#: ../../include/bb2diaspora.php:507 +#: ../../Zotlabs/Module/Directory.php:311 ../../include/bb2diaspora.php:507 +#: ../../include/channel.php:1049 ../../include/event.php:52 +#: ../../include/event.php:84 msgid "Location:" msgstr "Ubicación:" @@ -934,18 +759,18 @@ msgstr "Ubicación:" msgid "Description:" msgstr "Descripción:" -#: ../../Zotlabs/Module/Directory.php:322 ../../include/channel.php:1239 +#: ../../Zotlabs/Module/Directory.php:322 ../../include/channel.php:1223 msgid "Hometown:" msgstr "Lugar de nacimiento:" -#: ../../Zotlabs/Module/Directory.php:324 ../../include/channel.php:1247 +#: ../../Zotlabs/Module/Directory.php:324 ../../include/channel.php:1231 msgid "About:" msgstr "Sobre mĆ­:" #: ../../Zotlabs/Module/Directory.php:325 ../../Zotlabs/Module/Match.php:68 -#: ../../Zotlabs/Module/Suggest.php:56 ../../include/channel.php:1051 -#: ../../include/connections.php:78 ../../include/conversation.php:959 +#: ../../Zotlabs/Module/Suggest.php:56 ../../include/conversation.php:960 #: ../../include/widgets.php:147 ../../include/widgets.php:184 +#: ../../include/channel.php:1034 ../../include/connections.php:78 msgid "Connect" msgstr "Conectar" @@ -1021,248 +846,27 @@ msgstr "De mĆ”s antiguo a mĆ”s nuevo" msgid "No entries (some entries may be hidden)." msgstr "Sin entradas (algunas entradas pueden estar ocultas)." -#: ../../Zotlabs/Module/Connect.php:61 ../../Zotlabs/Module/Connect.php:109 -msgid "Continue" -msgstr "Continuar" +#: ../../Zotlabs/Module/Rate.php:159 ../../Zotlabs/Module/Connedit.php:766 +#: ../../include/js_strings.php:20 +msgid "Rating" +msgstr "Valoración" -#: ../../Zotlabs/Module/Connect.php:90 -msgid "Premium Channel Setup" -msgstr "Configuración del canal premium" +#: ../../Zotlabs/Module/Rate.php:160 +msgid "Website:" +msgstr "Sitio web:" -#: ../../Zotlabs/Module/Connect.php:92 -msgid "Enable premium channel connection restrictions" -msgstr "Habilitar restricciones de conexión del canal premium" +#: ../../Zotlabs/Module/Rate.php:163 +#, php-format +msgid "Remote Channel [%s] (not yet known on this site)" +msgstr "Canal remoto [%s] (aĆŗn no es conocido en este sitio)" -#: ../../Zotlabs/Module/Connect.php:93 -msgid "" -"Please enter your restrictions or conditions, such as paypal receipt, usage " -"guidelines, etc." -msgstr "Por favor introduzca sus restricciones o condiciones, como recibo de paypal, normas de uso, etc." +#: ../../Zotlabs/Module/Rate.php:164 +msgid "Rating (this information is public)" +msgstr "Valoración (esta información es pĆŗblica)" -#: ../../Zotlabs/Module/Connect.php:95 ../../Zotlabs/Module/Connect.php:115 -msgid "" -"This channel may require additional steps or acknowledgement of the " -"following conditions prior to connecting:" -msgstr "Este canal puede requerir antes de conectar unos pasos adicionales o el conocimiento de las siguientes condiciones:" - -#: ../../Zotlabs/Module/Connect.php:96 -msgid "" -"Potential connections will then see the following text before proceeding:" -msgstr "Las posibles conexiones verĆ”n, por tanto, el siguiente texto antes de proceder:" - -#: ../../Zotlabs/Module/Connect.php:97 ../../Zotlabs/Module/Connect.php:118 -msgid "" -"By continuing, I certify that I have complied with any instructions provided" -" on this page." -msgstr "Al continuar, certifico que he cumplido con todas las instrucciones proporcionadas en esta pĆ”gina." - -#: ../../Zotlabs/Module/Connect.php:106 -msgid "(No specific instructions have been provided by the channel owner.)" -msgstr "(No ha sido proporcionada ninguna instrucción especĆ­fica por el propietario del canal.)" - -#: ../../Zotlabs/Module/Connect.php:114 -msgid "Restricted or Premium Channel" -msgstr "Canal premium o restringido" - -#: ../../Zotlabs/Module/Events.php:25 -msgid "Calendar entries imported." -msgstr "Entradas de calendario importadas." - -#: ../../Zotlabs/Module/Events.php:27 -msgid "No calendar entries found." -msgstr "No se han encontrado entradas de calendario." - -#: ../../Zotlabs/Module/Events.php:104 -msgid "Event can not end before it has started." -msgstr "Un evento no puede terminar antes de que haya comenzado." - -#: ../../Zotlabs/Module/Events.php:106 ../../Zotlabs/Module/Events.php:115 -#: ../../Zotlabs/Module/Events.php:135 -msgid "Unable to generate preview." -msgstr "No se puede crear la vista previa." - -#: ../../Zotlabs/Module/Events.php:113 -msgid "Event title and start time are required." -msgstr "Se requieren el tĆ­tulo del evento y su hora de inicio." - -#: ../../Zotlabs/Module/Events.php:133 ../../Zotlabs/Module/Events.php:258 -msgid "Event not found." -msgstr "Evento no encontrado." - -#: ../../Zotlabs/Module/Events.php:253 ../../Zotlabs/Module/Like.php:372 -#: ../../Zotlabs/Module/Tagger.php:51 ../../include/conversation.php:123 -#: ../../include/text.php:1924 ../../include/event.php:951 -msgid "event" -msgstr "evento" - -#: ../../Zotlabs/Module/Events.php:448 -msgid "Edit event title" -msgstr "Editar el tĆ­tulo del evento" - -#: ../../Zotlabs/Module/Events.php:448 -msgid "Event title" -msgstr "TĆ­tulo del evento" - -#: ../../Zotlabs/Module/Events.php:448 ../../Zotlabs/Module/Events.php:453 -#: ../../Zotlabs/Module/Appman.php:115 ../../Zotlabs/Module/Appman.php:116 -#: ../../Zotlabs/Module/Profiles.php:709 ../../Zotlabs/Module/Profiles.php:713 -#: ../../include/datetime.php:245 -msgid "Required" -msgstr "Obligatorio" - -#: ../../Zotlabs/Module/Events.php:450 -msgid "Categories (comma-separated list)" -msgstr "CategorĆ­as (lista separada por comas)" - -#: ../../Zotlabs/Module/Events.php:451 -msgid "Edit Category" -msgstr "Editar la categorĆ­a" - -#: ../../Zotlabs/Module/Events.php:451 -msgid "Category" -msgstr "CategorĆ­a" - -#: ../../Zotlabs/Module/Events.php:454 -msgid "Edit start date and time" -msgstr "Modificar la fecha y hora de comienzo" - -#: ../../Zotlabs/Module/Events.php:454 -msgid "Start date and time" -msgstr "Fecha y hora de comienzo" - -#: ../../Zotlabs/Module/Events.php:455 ../../Zotlabs/Module/Events.php:458 -msgid "Finish date and time are not known or not relevant" -msgstr "La fecha y hora de terminación no se conocen o no son relevantes" - -#: ../../Zotlabs/Module/Events.php:457 -msgid "Edit finish date and time" -msgstr "Modificar la fecha y hora de terminación" - -#: ../../Zotlabs/Module/Events.php:457 -msgid "Finish date and time" -msgstr "Fecha y hora de terminación" - -#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:460 -msgid "Adjust for viewer timezone" -msgstr "Ajustar para obtener el visor de los husos horarios" - -#: ../../Zotlabs/Module/Events.php:459 -msgid "" -"Important for events that happen in a particular place. Not practical for " -"global holidays." -msgstr "Importante para los eventos que suceden en un lugar determinado. No es prĆ”ctico para los globales." - -#: ../../Zotlabs/Module/Events.php:461 -msgid "Edit Description" -msgstr "Editar la descripción" - -#: ../../Zotlabs/Module/Events.php:461 ../../Zotlabs/Module/Appman.php:117 -#: ../../Zotlabs/Module/Rbmark.php:101 -msgid "Description" -msgstr "Descripción" - -#: ../../Zotlabs/Module/Events.php:463 -msgid "Edit Location" -msgstr "Modificar la dirección" - -#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Profiles.php:477 -#: ../../Zotlabs/Module/Profiles.php:698 ../../Zotlabs/Module/Locs.php:117 -#: ../../Zotlabs/Module/Pubsites.php:41 ../../include/js_strings.php:25 -msgid "Location" -msgstr "Ubicación" - -#: ../../Zotlabs/Module/Events.php:466 ../../Zotlabs/Module/Events.php:468 -msgid "Share this event" -msgstr "Compartir este evento" - -#: ../../Zotlabs/Module/Events.php:469 ../../Zotlabs/Module/Photos.php:1091 -#: ../../Zotlabs/Module/Webpages.php:201 ../../Zotlabs/Lib/ThreadItem.php:719 -#: ../../include/page_widgets.php:43 ../../include/conversation.php:1198 -msgid "Preview" -msgstr "Previsualizar" - -#: ../../Zotlabs/Module/Events.php:470 ../../include/conversation.php:1247 -msgid "Permission settings" -msgstr "Configuración de permisos" - -#: ../../Zotlabs/Module/Events.php:475 -msgid "Advanced Options" -msgstr "Opciones avanzadas" - -#: ../../Zotlabs/Module/Events.php:587 ../../Zotlabs/Module/Cal.php:259 -msgid "l, F j" -msgstr "l j F" - -#: ../../Zotlabs/Module/Events.php:609 -msgid "Edit event" -msgstr "Editar evento" - -#: ../../Zotlabs/Module/Events.php:611 -msgid "Delete event" -msgstr "Borrar evento" - -#: ../../Zotlabs/Module/Events.php:636 ../../Zotlabs/Module/Cal.php:308 -#: ../../include/text.php:1712 -msgid "Link to Source" -msgstr "Enlazar con la entrada en su ubicación original" - -#: ../../Zotlabs/Module/Events.php:645 -msgid "calendar" -msgstr "calendario" - -#: ../../Zotlabs/Module/Events.php:664 ../../Zotlabs/Module/Cal.php:331 -msgid "Edit Event" -msgstr "Editar el evento" - -#: ../../Zotlabs/Module/Events.php:664 ../../Zotlabs/Module/Cal.php:331 -msgid "Create Event" -msgstr "Crear un evento" - -#: ../../Zotlabs/Module/Events.php:665 ../../Zotlabs/Module/Events.php:674 -#: ../../Zotlabs/Module/Cal.php:332 ../../Zotlabs/Module/Cal.php:339 -#: ../../Zotlabs/Module/Photos.php:947 -msgid "Previous" -msgstr "Anterior" - -#: ../../Zotlabs/Module/Events.php:666 ../../Zotlabs/Module/Events.php:675 -#: ../../Zotlabs/Module/Cal.php:333 ../../Zotlabs/Module/Cal.php:340 -#: ../../Zotlabs/Module/Photos.php:956 ../../Zotlabs/Module/Setup.php:267 -msgid "Next" -msgstr "Siguiente" - -#: ../../Zotlabs/Module/Events.php:667 ../../Zotlabs/Module/Cal.php:334 -msgid "Export" -msgstr "Exportar" - -#: ../../Zotlabs/Module/Events.php:670 ../../Zotlabs/Module/Layouts.php:197 -#: ../../Zotlabs/Module/Pubsites.php:47 ../../Zotlabs/Module/Blocks.php:166 -#: ../../Zotlabs/Module/Webpages.php:200 ../../include/page_widgets.php:42 -msgid "View" -msgstr "Ver" - -#: ../../Zotlabs/Module/Events.php:671 -msgid "Month" -msgstr "Mes" - -#: ../../Zotlabs/Module/Events.php:672 -msgid "Week" -msgstr "Semana" - -#: ../../Zotlabs/Module/Events.php:673 -msgid "Day" -msgstr "DĆ­a" - -#: ../../Zotlabs/Module/Events.php:676 ../../Zotlabs/Module/Cal.php:341 -msgid "Today" -msgstr "Hoy" - -#: ../../Zotlabs/Module/Events.php:707 -msgid "Event removed" -msgstr "Evento borrado" - -#: ../../Zotlabs/Module/Events.php:710 -msgid "Failed to remove event" -msgstr "Error al eliminar el evento" +#: ../../Zotlabs/Module/Rate.php:165 +msgid "Optionally explain your rating (this information is public)" +msgstr "Opcionalmente puede explicar su valoración (esta información es pĆŗblica)" #: ../../Zotlabs/Module/Bookmarks.php:53 msgid "Bookmark added" @@ -1276,40 +880,51 @@ msgstr "Mis marcadores" msgid "My Connections Bookmarks" msgstr "Marcadores de mis conexiones" -#: ../../Zotlabs/Module/Editpost.php:24 ../../Zotlabs/Module/Editlayout.php:79 -#: ../../Zotlabs/Module/Editwebpage.php:80 -#: ../../Zotlabs/Module/Editblock.php:79 ../../Zotlabs/Module/Editblock.php:95 -msgid "Item not found" -msgstr "Elemento no encontrado" +#: ../../Zotlabs/Module/Item.php:180 +msgid "Unable to locate original post." +msgstr "No ha sido posible encontrar la entrada original." -#: ../../Zotlabs/Module/Editpost.php:35 -msgid "Item is not editable" -msgstr "El elemento no es editable" +#: ../../Zotlabs/Module/Item.php:433 +msgid "Empty post discarded." +msgstr "La entrada vacĆ­a ha sido desechada." -#: ../../Zotlabs/Module/Editpost.php:106 ../../Zotlabs/Module/Rpost.php:134 -msgid "Edit post" -msgstr "Editar la entrada" +#: ../../Zotlabs/Module/Item.php:473 +msgid "Executable content type not permitted to this channel." +msgstr "Contenido de tipo ejecutable no permitido en este canal." + +#: ../../Zotlabs/Module/Item.php:858 +msgid "Duplicate post suppressed." +msgstr "Se ha suprimido la entrada duplicada." + +#: ../../Zotlabs/Module/Item.php:991 +msgid "System error. Post not saved." +msgstr "Error del sistema. La entrada no se ha podido salvar." + +#: ../../Zotlabs/Module/Item.php:1112 +msgid "Unable to obtain post information from database." +msgstr "No ha sido posible obtener información de la entrada en la base de datos." + +#: ../../Zotlabs/Module/Item.php:1119 +#, php-format +msgid "You have reached your limit of %1$.0f top level posts." +msgstr "Ha alcanzado su lĆ­mite de %1$.0f entradas en la pĆ”gina principal." + +#: ../../Zotlabs/Module/Item.php:1126 +#, php-format +msgid "You have reached your limit of %1$.0f webpages." +msgstr "Ha alcanzado su lĆ­mite de %1$.0f pĆ”ginas web." #: ../../Zotlabs/Module/Fbrowser.php:29 ../../Zotlabs/Lib/Apps.php:222 -#: ../../include/nav.php:92 ../../include/conversation.php:1647 +#: ../../include/conversation.php:1662 ../../include/nav.php:94 msgid "Photos" msgstr "Fotos" -#: ../../Zotlabs/Module/Fbrowser.php:66 ../../Zotlabs/Module/Fbrowser.php:88 -#: ../../Zotlabs/Module/Admin.php:1406 ../../Zotlabs/Module/Settings.php:645 -#: ../../Zotlabs/Module/Settings.php:671 ../../Zotlabs/Module/Tagrm.php:15 -#: ../../Zotlabs/Module/Tagrm.php:138 ../../Zotlabs/Module/Wiki.php:166 -#: ../../Zotlabs/Module/Wiki.php:202 ../../include/conversation.php:1235 -#: ../../include/conversation.php:1274 -msgid "Cancel" -msgstr "Cancelar" - #: ../../Zotlabs/Module/Page.php:40 ../../Zotlabs/Module/Block.php:31 msgid "Invalid item." msgstr "Elemento no vĆ”lido." -#: ../../Zotlabs/Module/Page.php:56 ../../Zotlabs/Module/Cal.php:62 -#: ../../Zotlabs/Module/Block.php:43 ../../Zotlabs/Module/Wall_upload.php:33 +#: ../../Zotlabs/Module/Page.php:56 ../../Zotlabs/Module/Block.php:43 +#: ../../Zotlabs/Module/Cal.php:62 ../../Zotlabs/Module/Wall_upload.php:33 msgid "Channel not found." msgstr "Canal no encontrado." @@ -1333,11 +948,347 @@ msgstr "- seleccionar -" #: ../../Zotlabs/Module/Filer.php:53 ../../Zotlabs/Module/Admin.php:2033 #: ../../Zotlabs/Module/Admin.php:2053 ../../Zotlabs/Module/Rbmark.php:32 -#: ../../Zotlabs/Module/Rbmark.php:104 ../../include/text.php:926 -#: ../../include/text.php:938 ../../include/widgets.php:201 +#: ../../Zotlabs/Module/Rbmark.php:104 ../../include/widgets.php:201 +#: ../../include/text.php:926 ../../include/text.php:938 msgid "Save" msgstr "Guardar" +#: ../../Zotlabs/Module/Connedit.php:80 +msgid "Could not access contact record." +msgstr "No se ha podido acceder al registro de contacto." + +#: ../../Zotlabs/Module/Connedit.php:104 +msgid "Could not locate selected profile." +msgstr "No se ha podido localizar el perfil seleccionado." + +#: ../../Zotlabs/Module/Connedit.php:256 +msgid "Connection updated." +msgstr "Conexión actualizada." + +#: ../../Zotlabs/Module/Connedit.php:258 +msgid "Failed to update connection record." +msgstr "Error al actualizar el registro de la conexión." + +#: ../../Zotlabs/Module/Connedit.php:308 +msgid "is now connected to" +msgstr "ahora estĆ” conectado/a" + +#: ../../Zotlabs/Module/Connedit.php:408 ../../Zotlabs/Module/Connedit.php:690 +#: ../../Zotlabs/Module/Filestorage.php:160 +#: ../../Zotlabs/Module/Filestorage.php:168 +#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Mitem.php:162 +#: ../../Zotlabs/Module/Mitem.php:163 ../../Zotlabs/Module/Mitem.php:240 +#: ../../Zotlabs/Module/Mitem.php:241 ../../Zotlabs/Module/Events.php:462 +#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Events.php:472 +#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 +#: ../../Zotlabs/Module/Admin.php:459 ../../Zotlabs/Module/Api.php:85 +#: ../../Zotlabs/Module/Photos.php:664 ../../Zotlabs/Module/Removeme.php:63 +#: ../../Zotlabs/Module/Settings.php:673 ../../include/dir_fns.php:143 +#: ../../include/dir_fns.php:144 ../../include/dir_fns.php:145 +#: ../../view/theme/redbasic/php/config.php:111 +#: ../../view/theme/redbasic/php/config.php:136 ../../boot.php:1717 +msgid "No" +msgstr "No" + +#: ../../Zotlabs/Module/Connedit.php:408 +#: ../../Zotlabs/Module/Filestorage.php:160 +#: ../../Zotlabs/Module/Filestorage.php:168 +#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Mitem.php:162 +#: ../../Zotlabs/Module/Mitem.php:163 ../../Zotlabs/Module/Mitem.php:240 +#: ../../Zotlabs/Module/Mitem.php:241 ../../Zotlabs/Module/Events.php:462 +#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Events.php:472 +#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 +#: ../../Zotlabs/Module/Admin.php:461 ../../Zotlabs/Module/Api.php:84 +#: ../../Zotlabs/Module/Photos.php:664 ../../Zotlabs/Module/Removeme.php:63 +#: ../../Zotlabs/Module/Settings.php:673 ../../include/dir_fns.php:143 +#: ../../include/dir_fns.php:144 ../../include/dir_fns.php:145 +#: ../../view/theme/redbasic/php/config.php:111 +#: ../../view/theme/redbasic/php/config.php:136 ../../boot.php:1717 +msgid "Yes" +msgstr "SĆ­" + +#: ../../Zotlabs/Module/Connedit.php:440 +msgid "Could not access address book record." +msgstr "No se pudo acceder al registro en su libreta de direcciones." + +#: ../../Zotlabs/Module/Connedit.php:460 +msgid "Refresh failed - channel is currently unavailable." +msgstr "Recarga fallida - no se puede encontrar el canal en este momento." + +#: ../../Zotlabs/Module/Connedit.php:475 ../../Zotlabs/Module/Connedit.php:484 +#: ../../Zotlabs/Module/Connedit.php:493 ../../Zotlabs/Module/Connedit.php:502 +#: ../../Zotlabs/Module/Connedit.php:515 +msgid "Unable to set address book parameters." +msgstr "No ha sido posible establecer los parĆ”metros de la libreta de direcciones." + +#: ../../Zotlabs/Module/Connedit.php:538 +msgid "Connection has been removed." +msgstr "La conexión ha sido eliminada." + +#: ../../Zotlabs/Module/Connedit.php:554 ../../Zotlabs/Lib/Apps.php:221 +#: ../../include/conversation.php:958 ../../include/nav.php:88 +msgid "View Profile" +msgstr "Ver el perfil" + +#: ../../Zotlabs/Module/Connedit.php:557 +#, php-format +msgid "View %s's profile" +msgstr "Ver el perfil de %s" + +#: ../../Zotlabs/Module/Connedit.php:561 +msgid "Refresh Permissions" +msgstr "Recargar los permisos" + +#: ../../Zotlabs/Module/Connedit.php:564 +msgid "Fetch updated permissions" +msgstr "Obtener los permisos actualizados" + +#: ../../Zotlabs/Module/Connedit.php:568 +msgid "Recent Activity" +msgstr "Actividad reciente" + +#: ../../Zotlabs/Module/Connedit.php:571 +msgid "View recent posts and comments" +msgstr "Ver publicaciones y comentarios recientes" + +#: ../../Zotlabs/Module/Connedit.php:575 ../../Zotlabs/Module/Admin.php:1041 +msgid "Unblock" +msgstr "Desbloquear" + +#: ../../Zotlabs/Module/Connedit.php:575 ../../Zotlabs/Module/Admin.php:1040 +msgid "Block" +msgstr "Bloquear" + +#: ../../Zotlabs/Module/Connedit.php:578 +msgid "Block (or Unblock) all communications with this connection" +msgstr "Bloquear (o desbloquear) todas las comunicaciones con esta conexión" + +#: ../../Zotlabs/Module/Connedit.php:579 +msgid "This connection is blocked!" +msgstr "Ā”Esta conexión estĆ” bloqueada!" + +#: ../../Zotlabs/Module/Connedit.php:583 +msgid "Unignore" +msgstr "Dejar de ignorar" + +#: ../../Zotlabs/Module/Connedit.php:583 +#: ../../Zotlabs/Module/Connections.php:277 +#: ../../Zotlabs/Module/Notifications.php:55 +msgid "Ignore" +msgstr "Ignorar" + +#: ../../Zotlabs/Module/Connedit.php:586 +msgid "Ignore (or Unignore) all inbound communications from this connection" +msgstr "Ignorar (o dejar de ignorar) todas las comunicaciones entrantes de esta conexión" + +#: ../../Zotlabs/Module/Connedit.php:587 +msgid "This connection is ignored!" +msgstr "Ā”Esta conexión es ignorada!" + +#: ../../Zotlabs/Module/Connedit.php:591 +msgid "Unarchive" +msgstr "Desarchivar" + +#: ../../Zotlabs/Module/Connedit.php:591 +msgid "Archive" +msgstr "Archivar" + +#: ../../Zotlabs/Module/Connedit.php:594 +msgid "" +"Archive (or Unarchive) this connection - mark channel dead but keep content" +msgstr "Archiva (o desarchiva) esta conexión - marca el canal como muerto aunque mantiene sus contenidos" + +#: ../../Zotlabs/Module/Connedit.php:595 +msgid "This connection is archived!" +msgstr "Ā”Esta conexión esta archivada!" + +#: ../../Zotlabs/Module/Connedit.php:599 +msgid "Unhide" +msgstr "Mostrar" + +#: ../../Zotlabs/Module/Connedit.php:599 +msgid "Hide" +msgstr "Ocultar" + +#: ../../Zotlabs/Module/Connedit.php:602 +msgid "Hide or Unhide this connection from your other connections" +msgstr "Ocultar o mostrar esta conexión a sus otras conexiones" + +#: ../../Zotlabs/Module/Connedit.php:603 +msgid "This connection is hidden!" +msgstr "Ā”Esta conexión estĆ” oculta!" + +#: ../../Zotlabs/Module/Connedit.php:610 +msgid "Delete this connection" +msgstr "Eliminar esta conexión" + +#: ../../Zotlabs/Module/Connedit.php:625 ../../include/widgets.php:493 +msgid "Me" +msgstr "Yo" + +#: ../../Zotlabs/Module/Connedit.php:626 ../../include/widgets.php:494 +msgid "Family" +msgstr "Familia" + +#: ../../Zotlabs/Module/Connedit.php:627 ../../Zotlabs/Module/Settings.php:429 +#: ../../Zotlabs/Module/Settings.php:433 ../../Zotlabs/Module/Settings.php:434 +#: ../../Zotlabs/Module/Settings.php:437 ../../Zotlabs/Module/Settings.php:448 +#: ../../include/selectors.php:123 ../../include/widgets.php:495 +#: ../../include/channel.php:402 ../../include/channel.php:403 +#: ../../include/channel.php:410 +msgid "Friends" +msgstr "Amigos/as" + +#: ../../Zotlabs/Module/Connedit.php:628 ../../include/widgets.php:496 +msgid "Acquaintances" +msgstr "Conocidos/as" + +#: ../../Zotlabs/Module/Connedit.php:629 +#: ../../Zotlabs/Module/Connections.php:92 +#: ../../Zotlabs/Module/Connections.php:107 ../../include/widgets.php:497 +msgid "All" +msgstr "Todos/as" + +#: ../../Zotlabs/Module/Connedit.php:690 +msgid "Approve this connection" +msgstr "Aprobar esta conexión" + +#: ../../Zotlabs/Module/Connedit.php:690 +msgid "Accept connection to allow communication" +msgstr "Aceptar la conexión para permitir la comunicación" + +#: ../../Zotlabs/Module/Connedit.php:695 +msgid "Set Affinity" +msgstr "Ajustar la afinidad" + +#: ../../Zotlabs/Module/Connedit.php:698 +msgid "Set Profile" +msgstr "Ajustar el perfil" + +#: ../../Zotlabs/Module/Connedit.php:701 +msgid "Set Affinity & Profile" +msgstr "Ajustar la afinidad y el perfil" + +#: ../../Zotlabs/Module/Connedit.php:750 +msgid "none" +msgstr "-" + +#: ../../Zotlabs/Module/Connedit.php:754 ../../include/widgets.php:623 +msgid "Connection Default Permissions" +msgstr "Permisos predeterminados de conexión" + +#: ../../Zotlabs/Module/Connedit.php:754 ../../include/items.php:3937 +#, php-format +msgid "Connection: %s" +msgstr "Conexión: %s" + +#: ../../Zotlabs/Module/Connedit.php:755 +msgid "Apply these permissions automatically" +msgstr "Aplicar estos permisos automaticamente" + +#: ../../Zotlabs/Module/Connedit.php:755 +msgid "Connection requests will be approved without your interaction" +msgstr "Las solicitudes de conexión serĆ”n aprobadas sin su intervención" + +#: ../../Zotlabs/Module/Connedit.php:757 +msgid "This connection's primary address is" +msgstr "La dirección primaria de esta conexión es" + +#: ../../Zotlabs/Module/Connedit.php:758 +msgid "Available locations:" +msgstr "Ubicaciones disponibles:" + +#: ../../Zotlabs/Module/Connedit.php:762 +msgid "" +"The permissions indicated on this page will be applied to all new " +"connections." +msgstr "Los permisos indicados en esta pĆ”gina serĆ”n aplicados en todas las nuevas conexiones." + +#: ../../Zotlabs/Module/Connedit.php:763 +msgid "Connection Tools" +msgstr "Gestión de las conexiones" + +#: ../../Zotlabs/Module/Connedit.php:765 +msgid "Slide to adjust your degree of friendship" +msgstr "Deslizar para ajustar el grado de amistad" + +#: ../../Zotlabs/Module/Connedit.php:767 +msgid "Slide to adjust your rating" +msgstr "Deslizar para ajustar su valoración" + +#: ../../Zotlabs/Module/Connedit.php:768 ../../Zotlabs/Module/Connedit.php:773 +msgid "Optionally explain your rating" +msgstr "Opcionalmente, puede explicar su valoración" + +#: ../../Zotlabs/Module/Connedit.php:770 +msgid "Custom Filter" +msgstr "Filtro personalizado" + +#: ../../Zotlabs/Module/Connedit.php:771 +msgid "Only import posts with this text" +msgstr "Importar solo entradas que contengan este texto" + +#: ../../Zotlabs/Module/Connedit.php:771 ../../Zotlabs/Module/Connedit.php:772 +msgid "" +"words one per line or #tags or /patterns/ or lang=xx, leave blank to import " +"all posts" +msgstr "Una sola opción por lĆ­nea: palabras, #etiquetas, /patrones/ o lang=xx. Dejar en blanco para importarlo todo" + +#: ../../Zotlabs/Module/Connedit.php:772 +msgid "Do not import posts with this text" +msgstr "No importar entradas que contengan este texto" + +#: ../../Zotlabs/Module/Connedit.php:774 +msgid "This information is public!" +msgstr "Ā”Esta información es pĆŗblica!" + +#: ../../Zotlabs/Module/Connedit.php:779 +msgid "Connection Pending Approval" +msgstr "Conexión pendiente de aprobación" + +#: ../../Zotlabs/Module/Connedit.php:782 ../../Zotlabs/Module/Settings.php:882 +msgid "inherited" +msgstr "heredado" + +#: ../../Zotlabs/Module/Connedit.php:784 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Por favor, escoja el perfil que quiere mostrar a %s cuando estĆ© viendo su perfil de forma segura." + +#: ../../Zotlabs/Module/Connedit.php:786 ../../Zotlabs/Module/Settings.php:879 +msgid "Their Settings" +msgstr "Sus ajustes" + +#: ../../Zotlabs/Module/Connedit.php:787 ../../Zotlabs/Module/Settings.php:880 +msgid "My Settings" +msgstr "Mis ajustes" + +#: ../../Zotlabs/Module/Connedit.php:789 ../../Zotlabs/Module/Settings.php:884 +msgid "Individual Permissions" +msgstr "Permisos individuales" + +#: ../../Zotlabs/Module/Connedit.php:790 ../../Zotlabs/Module/Settings.php:885 +msgid "" +"Some permissions may be inherited from your channel's privacy settings, which have higher " +"priority than individual settings. You can not change those" +" settings here." +msgstr "Algunos permisos pueden ser heredados de los ajustes de privacidad de sus canales, los cuales tienen una prioridad mĆ”s alta que los ajustes individuales. No puede cambiar estos ajustes aquĆ­." + +#: ../../Zotlabs/Module/Connedit.php:791 +msgid "" +"Some permissions may be inherited from your channel's privacy settings, which have higher " +"priority than individual settings. You can change those settings here but " +"they wont have any impact unless the inherited setting changes." +msgstr "Algunos permisos pueden ser heredados de los ajustes de privacidad de sus canales, los cuales tienen una prioridad mĆ”s alta que los ajustes individuales. Puede cambiar estos ajustes aquĆ­, pero no tendrĆ”n ningĆŗn consecuencia hasta que cambie los ajustes heredados." + +#: ../../Zotlabs/Module/Connedit.php:792 +msgid "Last update:" +msgstr "Última actualización:" + #: ../../Zotlabs/Module/Connections.php:56 #: ../../Zotlabs/Module/Connections.php:161 #: ../../Zotlabs/Module/Connections.php:242 @@ -1364,7 +1315,7 @@ msgstr "Archivadas" #: ../../Zotlabs/Module/Connections.php:76 #: ../../Zotlabs/Module/Connections.php:86 ../../Zotlabs/Module/Menu.php:116 -#: ../../include/conversation.php:1550 +#: ../../include/conversation.php:1565 msgid "New" msgstr "Nuevas" @@ -1452,14 +1403,14 @@ msgid "Recent activity" msgstr "Actividad reciente" #: ../../Zotlabs/Module/Connections.php:302 ../../Zotlabs/Lib/Apps.php:209 -#: ../../include/nav.php:188 ../../include/text.php:855 +#: ../../include/nav.php:190 ../../include/text.php:855 msgid "Connections" msgstr "Conexiones" #: ../../Zotlabs/Module/Connections.php:306 ../../Zotlabs/Module/Search.php:44 -#: ../../Zotlabs/Lib/Apps.php:230 ../../include/nav.php:167 +#: ../../Zotlabs/Lib/Apps.php:230 ../../include/nav.php:169 #: ../../include/text.php:925 ../../include/text.php:937 -#: ../../include/acl_selectors.php:274 +#: ../../include/acl_selectors.php:179 msgid "Search" msgstr "Buscar" @@ -1501,30 +1452,30 @@ msgstr "La carga de la imagen ha fallado." msgid "Unable to process image." msgstr "No ha sido posible procesar la imagen." -#: ../../Zotlabs/Module/Cover_photo.php:233 ../../include/items.php:4283 +#: ../../Zotlabs/Module/Cover_photo.php:233 ../../include/items.php:4285 msgid "female" msgstr "mujer" -#: ../../Zotlabs/Module/Cover_photo.php:234 ../../include/items.php:4284 +#: ../../Zotlabs/Module/Cover_photo.php:234 ../../include/items.php:4286 #, php-format msgid "%1$s updated her %2$s" msgstr "%1$s ha actualizado su %2$s" -#: ../../Zotlabs/Module/Cover_photo.php:235 ../../include/items.php:4285 +#: ../../Zotlabs/Module/Cover_photo.php:235 ../../include/items.php:4287 msgid "male" msgstr "hombre" -#: ../../Zotlabs/Module/Cover_photo.php:236 ../../include/items.php:4286 +#: ../../Zotlabs/Module/Cover_photo.php:236 ../../include/items.php:4288 #, php-format msgid "%1$s updated his %2$s" msgstr "%1$s ha actualizado su %2$s" -#: ../../Zotlabs/Module/Cover_photo.php:238 ../../include/items.php:4288 +#: ../../Zotlabs/Module/Cover_photo.php:238 ../../include/items.php:4290 #, php-format msgid "%1$s updated their %2$s" msgstr "%1$s ha actualizado su %2$s" -#: ../../Zotlabs/Module/Cover_photo.php:240 ../../include/channel.php:1726 +#: ../../Zotlabs/Module/Cover_photo.php:240 ../../include/channel.php:1710 msgid "cover photo" msgstr "Imagen de portada del perfil" @@ -1551,7 +1502,7 @@ msgstr "Subir imagen de portada del perfil" #: ../../Zotlabs/Module/Cover_photo.php:361 #: ../../Zotlabs/Module/Profile_photo.php:396 -#: ../../Zotlabs/Module/Settings.php:1080 +#: ../../Zotlabs/Module/Settings.php:1180 msgid "or" msgstr "o" @@ -1580,835 +1531,6 @@ msgstr "Por favor ajuste el recorte de la imagen para una visión óptima." msgid "Done Editing" msgstr "Edición completada" -#: ../../Zotlabs/Module/Impel.php:41 ../../include/bbcode.php:192 -msgid "webpage" -msgstr "pĆ”gina web" - -#: ../../Zotlabs/Module/Impel.php:46 ../../include/bbcode.php:198 -msgid "block" -msgstr "bloque" - -#: ../../Zotlabs/Module/Impel.php:51 ../../include/bbcode.php:195 -msgid "layout" -msgstr "plantilla" - -#: ../../Zotlabs/Module/Impel.php:58 ../../include/bbcode.php:201 -msgid "menu" -msgstr "menĆŗ" - -#: ../../Zotlabs/Module/Impel.php:187 -#, php-format -msgid "%s element installed" -msgstr "%s elemento instalado" - -#: ../../Zotlabs/Module/Impel.php:190 -#, php-format -msgid "%s element installation failed" -msgstr "Elemento con instalación fallida: %s" - -#: ../../Zotlabs/Module/Cal.php:69 -msgid "Permissions denied." -msgstr "Permisos denegados." - -#: ../../Zotlabs/Module/Cal.php:337 -msgid "Import" -msgstr "Importar" - -#: ../../Zotlabs/Module/Dirsearch.php:25 ../../Zotlabs/Module/Regdir.php:49 -msgid "This site is not a directory server" -msgstr "Este sitio no es un servidor de directorio" - -#: ../../Zotlabs/Module/Dirsearch.php:33 -msgid "This directory server requires an access token" -msgstr "El servidor de este directorio necesita un \"token\" de acceso" - -#: ../../Zotlabs/Module/Chat.php:25 ../../Zotlabs/Module/Channel.php:28 -#: ../../Zotlabs/Module/Wiki.php:20 -msgid "You must be logged in to see this page." -msgstr "Debe haber iniciado sesión para poder ver esta pĆ”gina." - -#: ../../Zotlabs/Module/Chat.php:181 -msgid "Room not found" -msgstr "Sala no encontrada" - -#: ../../Zotlabs/Module/Chat.php:197 -msgid "Leave Room" -msgstr "Abandonar la sala" - -#: ../../Zotlabs/Module/Chat.php:198 -msgid "Delete Room" -msgstr "Eliminar esta sala" - -#: ../../Zotlabs/Module/Chat.php:199 -msgid "I am away right now" -msgstr "Estoy ausente momentĆ”neamente" - -#: ../../Zotlabs/Module/Chat.php:200 -msgid "I am online" -msgstr "Estoy conectado/a" - -#: ../../Zotlabs/Module/Chat.php:202 -msgid "Bookmark this room" -msgstr "AƱadir esta sala a Marcadores" - -#: ../../Zotlabs/Module/Chat.php:205 ../../Zotlabs/Module/Mail.php:197 -#: ../../Zotlabs/Module/Mail.php:306 ../../include/conversation.php:1181 -msgid "Please enter a link URL:" -msgstr "Por favor, introduzca la dirección del enlace:" - -#: ../../Zotlabs/Module/Chat.php:206 ../../Zotlabs/Module/Mail.php:250 -#: ../../Zotlabs/Module/Mail.php:375 ../../Zotlabs/Lib/ThreadItem.php:722 -#: ../../include/conversation.php:1271 -msgid "Encrypt text" -msgstr "Cifrar texto" - -#: ../../Zotlabs/Module/Chat.php:207 ../../Zotlabs/Module/Editwebpage.php:146 -#: ../../Zotlabs/Module/Mail.php:244 ../../Zotlabs/Module/Mail.php:369 -#: ../../Zotlabs/Module/Editblock.php:111 ../../include/conversation.php:1146 -msgid "Insert web link" -msgstr "Insertar enlace web" - -#: ../../Zotlabs/Module/Chat.php:218 -msgid "Feature disabled." -msgstr "Funcionalidad deshabilitada." - -#: ../../Zotlabs/Module/Chat.php:232 -msgid "New Chatroom" -msgstr "Nueva sala de chat" - -#: ../../Zotlabs/Module/Chat.php:233 -msgid "Chatroom name" -msgstr "Nombre de la sala de chat" - -#: ../../Zotlabs/Module/Chat.php:234 -msgid "Expiration of chats (minutes)" -msgstr "Caducidad de los mensajes en los chats (en minutos)" - -#: ../../Zotlabs/Module/Chat.php:235 ../../Zotlabs/Module/Filestorage.php:152 -#: ../../Zotlabs/Module/Photos.php:669 ../../Zotlabs/Module/Photos.php:1043 -#: ../../Zotlabs/Module/Thing.php:313 ../../Zotlabs/Module/Thing.php:359 -#: ../../include/acl_selectors.php:281 -msgid "Permissions" -msgstr "Permisos" - -#: ../../Zotlabs/Module/Chat.php:246 -#, php-format -msgid "%1$s's Chatrooms" -msgstr "Salas de chat de %1$s" - -#: ../../Zotlabs/Module/Chat.php:251 -msgid "No chatrooms available" -msgstr "No hay salas de chat disponibles" - -#: ../../Zotlabs/Module/Chat.php:252 ../../Zotlabs/Module/Profiles.php:778 -#: ../../Zotlabs/Module/Manage.php:143 -msgid "Create New" -msgstr "Crear" - -#: ../../Zotlabs/Module/Chat.php:255 -msgid "Expiration" -msgstr "Caducidad" - -#: ../../Zotlabs/Module/Chat.php:256 -msgid "min" -msgstr "min" - -#: ../../Zotlabs/Module/Dreport.php:44 -msgid "Invalid message" -msgstr "Mensaje no vĆ”lido" - -#: ../../Zotlabs/Module/Dreport.php:76 -msgid "no results" -msgstr "sin resultados" - -#: ../../Zotlabs/Module/Dreport.php:91 -msgid "channel sync processed" -msgstr "se ha realizado la sincronización del canal" - -#: ../../Zotlabs/Module/Dreport.php:95 -msgid "queued" -msgstr "encolado" - -#: ../../Zotlabs/Module/Dreport.php:99 -msgid "posted" -msgstr "enviado" - -#: ../../Zotlabs/Module/Dreport.php:103 -msgid "accepted for delivery" -msgstr "aceptado para el envĆ­o" - -#: ../../Zotlabs/Module/Dreport.php:107 -msgid "updated" -msgstr "actualizado" - -#: ../../Zotlabs/Module/Dreport.php:110 -msgid "update ignored" -msgstr "actualización ignorada" - -#: ../../Zotlabs/Module/Dreport.php:113 -msgid "permission denied" -msgstr "permiso denegado" - -#: ../../Zotlabs/Module/Dreport.php:117 -msgid "recipient not found" -msgstr "destinatario no encontrado" - -#: ../../Zotlabs/Module/Dreport.php:120 -msgid "mail recalled" -msgstr "mensaje de correo revocado" - -#: ../../Zotlabs/Module/Dreport.php:123 -msgid "duplicate mail received" -msgstr "se ha recibido mensaje duplicado" - -#: ../../Zotlabs/Module/Dreport.php:126 -msgid "mail delivered" -msgstr "correo enviado" - -#: ../../Zotlabs/Module/Dreport.php:146 -#, php-format -msgid "Delivery report for %1$s" -msgstr "Informe de entrega para %1$s" - -#: ../../Zotlabs/Module/Dreport.php:149 -msgid "Options" -msgstr "Opciones" - -#: ../../Zotlabs/Module/Dreport.php:150 -msgid "Redeliver" -msgstr "Volver a enviar" - -#: ../../Zotlabs/Module/Editlayout.php:127 -#: ../../Zotlabs/Module/Layouts.php:128 ../../Zotlabs/Module/Layouts.php:188 -msgid "Layout Name" -msgstr "Nombre de la plantilla" - -#: ../../Zotlabs/Module/Editlayout.php:128 -#: ../../Zotlabs/Module/Layouts.php:131 -msgid "Layout Description (Optional)" -msgstr "Descripción de la plantilla (opcional)" - -#: ../../Zotlabs/Module/Editlayout.php:136 -msgid "Edit Layout" -msgstr "Modificar la plantilla" - -#: ../../Zotlabs/Module/Editwebpage.php:142 -msgid "Page link" -msgstr "Enlace de la pĆ”gina" - -#: ../../Zotlabs/Module/Editwebpage.php:168 -msgid "Edit Webpage" -msgstr "Editar la pĆ”gina web" - -#: ../../Zotlabs/Module/Group.php:24 -msgid "Privacy group created." -msgstr "El grupo de canales ha sido creado." - -#: ../../Zotlabs/Module/Group.php:30 -msgid "Could not create privacy group." -msgstr "No se puede crear el grupo de canales" - -#: ../../Zotlabs/Module/Group.php:42 ../../Zotlabs/Module/Group.php:141 -#: ../../include/items.php:3902 -msgid "Privacy group not found." -msgstr "Grupo de canales no encontrado." - -#: ../../Zotlabs/Module/Group.php:58 -msgid "Privacy group updated." -msgstr "Grupo de canales actualizado." - -#: ../../Zotlabs/Module/Group.php:90 -msgid "Create a group of channels." -msgstr "Crear un grupo de canales." - -#: ../../Zotlabs/Module/Group.php:91 ../../Zotlabs/Module/Group.php:184 -msgid "Privacy group name: " -msgstr "Nombre del grupo de canales:" - -#: ../../Zotlabs/Module/Group.php:93 ../../Zotlabs/Module/Group.php:187 -msgid "Members are visible to other channels" -msgstr "Los miembros son visibles para otros canales" - -#: ../../Zotlabs/Module/Group.php:111 -msgid "Privacy group removed." -msgstr "Grupo de canales eliminado." - -#: ../../Zotlabs/Module/Group.php:113 -msgid "Unable to remove privacy group." -msgstr "Imposible eliminar el grupo de canales." - -#: ../../Zotlabs/Module/Group.php:183 -msgid "Privacy group editor" -msgstr "Editor de grupos de canales" - -#: ../../Zotlabs/Module/Group.php:197 -msgid "Members" -msgstr "Miembros" - -#: ../../Zotlabs/Module/Group.php:199 -msgid "All Connected Channels" -msgstr "Todos los canales conectados" - -#: ../../Zotlabs/Module/Group.php:231 -msgid "Click on a channel to add or remove." -msgstr "Haga clic en un canal para agregarlo o quitarlo." - -#: ../../Zotlabs/Module/Appman.php:37 ../../Zotlabs/Module/Appman.php:53 -msgid "App installed." -msgstr "Aplicación instalada." - -#: ../../Zotlabs/Module/Appman.php:46 -msgid "Malformed app." -msgstr "Aplicación con errores" - -#: ../../Zotlabs/Module/Appman.php:104 -msgid "Embed code" -msgstr "Código incorporado" - -#: ../../Zotlabs/Module/Appman.php:110 ../../include/widgets.php:107 -msgid "Edit App" -msgstr "Modificar la aplicación" - -#: ../../Zotlabs/Module/Appman.php:110 -msgid "Create App" -msgstr "Crear una aplicación" - -#: ../../Zotlabs/Module/Appman.php:115 -msgid "Name of app" -msgstr "Nombre de la aplicación" - -#: ../../Zotlabs/Module/Appman.php:116 -msgid "Location (URL) of app" -msgstr "Dirección (URL) de la aplicación" - -#: ../../Zotlabs/Module/Appman.php:118 -msgid "Photo icon URL" -msgstr "Dirección del icono" - -#: ../../Zotlabs/Module/Appman.php:118 -msgid "80 x 80 pixels - optional" -msgstr "80 x 80 pixels - opcional" - -#: ../../Zotlabs/Module/Appman.php:119 -msgid "Categories (optional, comma separated list)" -msgstr "CategorĆ­as (opcional, lista separada por comas)" - -#: ../../Zotlabs/Module/Appman.php:120 -msgid "Version ID" -msgstr "Versión" - -#: ../../Zotlabs/Module/Appman.php:121 -msgid "Price of app" -msgstr "Precio de la aplicación" - -#: ../../Zotlabs/Module/Appman.php:122 -msgid "Location (URL) to purchase app" -msgstr "Dirección (URL) donde adquirir la aplicación" - -#: ../../Zotlabs/Module/Help.php:26 -msgid "Documentation Search" -msgstr "BĆŗsqueda de Documentación" - -#: ../../Zotlabs/Module/Help.php:67 ../../Zotlabs/Module/Help.php:73 -#: ../../Zotlabs/Module/Help.php:79 -msgid "Help:" -msgstr "Ayuda:" - -#: ../../Zotlabs/Module/Help.php:85 ../../Zotlabs/Module/Help.php:90 -#: ../../Zotlabs/Module/Layouts.php:185 ../../Zotlabs/Lib/Apps.php:225 -#: ../../include/nav.php:161 -msgid "Help" -msgstr "Ayuda" - -#: ../../Zotlabs/Module/Help.php:120 -msgid "$Projectname Documentation" -msgstr "Documentación de $Projectname" - -#: ../../Zotlabs/Module/Attach.php:13 -msgid "Item not available." -msgstr "Elemento no disponible" - -#: ../../Zotlabs/Module/Pdledit.php:18 -msgid "Layout updated." -msgstr "Plantilla actualizada." - -#: ../../Zotlabs/Module/Pdledit.php:34 ../../Zotlabs/Module/Pdledit.php:61 -msgid "Edit System Page Description" -msgstr "Editor del Sistema de Descripción de PĆ”ginas" - -#: ../../Zotlabs/Module/Pdledit.php:56 -msgid "Layout not found." -msgstr "Plantilla no encontrada" - -#: ../../Zotlabs/Module/Pdledit.php:62 -msgid "Module Name:" -msgstr "Nombre del módulo:" - -#: ../../Zotlabs/Module/Pdledit.php:63 -msgid "Layout Help" -msgstr "Ayuda para el diseƱo de plantillas de pĆ”gina" - -#: ../../Zotlabs/Module/Ffsapi.php:12 -msgid "Share content from Firefox to $Projectname" -msgstr "Compartir contenido desde Firefox a $Projectname" - -#: ../../Zotlabs/Module/Ffsapi.php:15 -msgid "Activate the Firefox $Projectname provider" -msgstr "Servicio de compartición de Firefox: activar el proveedor $Projectname " - -#: ../../Zotlabs/Module/Acl.php:312 -msgid "network" -msgstr "red" - -#: ../../Zotlabs/Module/Acl.php:322 -msgid "RSS" -msgstr "RSS" - -#: ../../Zotlabs/Module/Filestorage.php:87 -msgid "Permission Denied." -msgstr "Permiso denegado" - -#: ../../Zotlabs/Module/Filestorage.php:103 -msgid "File not found." -msgstr "Fichero no encontrado." - -#: ../../Zotlabs/Module/Filestorage.php:146 -msgid "Edit file permissions" -msgstr "Modificar los permisos del fichero" - -#: ../../Zotlabs/Module/Filestorage.php:155 -msgid "Set/edit permissions" -msgstr "Establecer/editar los permisos" - -#: ../../Zotlabs/Module/Filestorage.php:156 -msgid "Include all files and sub folders" -msgstr "Incluir todos los ficheros y subcarpetas" - -#: ../../Zotlabs/Module/Filestorage.php:157 -msgid "Return to file list" -msgstr "Volver a la lista de ficheros" - -#: ../../Zotlabs/Module/Filestorage.php:159 -msgid "Copy/paste this code to attach file to a post" -msgstr "Copiar/pegar este código para adjuntar el fichero al envĆ­o" - -#: ../../Zotlabs/Module/Filestorage.php:160 -msgid "Copy/paste this URL to link file from a web page" -msgstr "Copiar/pegar esta dirección para enlazar el fichero desde una pĆ”gina web" - -#: ../../Zotlabs/Module/Filestorage.php:162 -msgid "Share this file" -msgstr "Compartir este fichero" - -#: ../../Zotlabs/Module/Filestorage.php:163 -msgid "Show URL to this file" -msgstr "Mostrar la dirección de este fichero" - -#: ../../Zotlabs/Module/Filestorage.php:164 -msgid "Notify your contacts about this file" -msgstr "Avisar a sus contactos sobre este fichero" - -#: ../../Zotlabs/Module/Layouts.php:183 ../../include/text.php:2240 -msgid "Layouts" -msgstr "Plantillas" - -#: ../../Zotlabs/Module/Layouts.php:185 -msgid "Comanche page description language help" -msgstr "PĆ”gina de ayuda del lenguaje de descripción de pĆ”ginas (PDL) Comanche" - -#: ../../Zotlabs/Module/Layouts.php:189 -msgid "Layout Description" -msgstr "Descripción de la plantilla" - -#: ../../Zotlabs/Module/Layouts.php:190 ../../Zotlabs/Module/Menu.php:114 -#: ../../Zotlabs/Module/Blocks.php:157 ../../Zotlabs/Module/Webpages.php:205 -#: ../../include/page_widgets.php:47 -msgid "Created" -msgstr "Creado" - -#: ../../Zotlabs/Module/Layouts.php:191 ../../Zotlabs/Module/Menu.php:115 -#: ../../Zotlabs/Module/Blocks.php:158 ../../Zotlabs/Module/Webpages.php:206 -#: ../../include/page_widgets.php:48 -msgid "Edited" -msgstr "Editado" - -#: ../../Zotlabs/Module/Layouts.php:193 ../../Zotlabs/Module/Photos.php:1070 -#: ../../Zotlabs/Module/Blocks.php:161 ../../Zotlabs/Module/Webpages.php:195 -#: ../../include/conversation.php:1219 -msgid "Share" -msgstr "Compartir" - -#: ../../Zotlabs/Module/Layouts.php:194 -msgid "Download PDL file" -msgstr "Descargar el fichero PDL" - -#: ../../Zotlabs/Module/Like.php:19 -msgid "Like/Dislike" -msgstr "Me gusta/No me gusta" - -#: ../../Zotlabs/Module/Like.php:24 -msgid "This action is restricted to members." -msgstr "Esta acción estĆ” restringida solo para miembros." - -#: ../../Zotlabs/Module/Like.php:25 -msgid "" -"Please login with your $Projectname ID or register as a new $Projectname member to continue." -msgstr "Por favor, identifĆ­quese con su $Projectname ID o rregĆ­strese como un nuevo $Projectname member para continuar." - -#: ../../Zotlabs/Module/Like.php:105 ../../Zotlabs/Module/Like.php:131 -#: ../../Zotlabs/Module/Like.php:169 -msgid "Invalid request." -msgstr "Solicitud incorrecta." - -#: ../../Zotlabs/Module/Like.php:117 ../../include/conversation.php:126 -msgid "channel" -msgstr "el canal" - -#: ../../Zotlabs/Module/Like.php:146 -msgid "thing" -msgstr "elemento" - -#: ../../Zotlabs/Module/Like.php:192 -msgid "Channel unavailable." -msgstr "Canal no disponible." - -#: ../../Zotlabs/Module/Like.php:240 -msgid "Previous action reversed." -msgstr "Acción anterior revocada." - -#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 -#: ../../Zotlabs/Module/Tagger.php:47 ../../include/conversation.php:120 -#: ../../include/text.php:1921 -msgid "photo" -msgstr "foto" - -#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 -#: ../../include/conversation.php:148 ../../include/text.php:1927 -msgid "status" -msgstr "el mensaje de estado" - -#: ../../Zotlabs/Module/Like.php:419 ../../include/conversation.php:164 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "A %1$s le gusta %3$s de %2$s" - -#: ../../Zotlabs/Module/Like.php:421 ../../include/conversation.php:167 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "A %1$s no le gusta %3$s de %2$s" - -#: ../../Zotlabs/Module/Like.php:423 -#, php-format -msgid "%1$s agrees with %2$s's %3$s" -msgstr "%3$s de %2$s: %1$s estĆ” de acuerdo" - -#: ../../Zotlabs/Module/Like.php:425 -#, php-format -msgid "%1$s doesn't agree with %2$s's %3$s" -msgstr "%3$s de %2$s: %1$s no estĆ” de acuerdo" - -#: ../../Zotlabs/Module/Like.php:427 -#, php-format -msgid "%1$s abstains from a decision on %2$s's %3$s" -msgstr "%3$s de %2$s: %1$s se abstiene" - -#: ../../Zotlabs/Module/Like.php:429 -#, php-format -msgid "%1$s is attending %2$s's %3$s" -msgstr "%3$s de %2$s: %1$s participa" - -#: ../../Zotlabs/Module/Like.php:431 -#, php-format -msgid "%1$s is not attending %2$s's %3$s" -msgstr "%3$s de %2$s: %1$s no participa" - -#: ../../Zotlabs/Module/Like.php:433 -#, php-format -msgid "%1$s may attend %2$s's %3$s" -msgstr "%3$s de %2$s: %1$s quizĆ” participe" - -#: ../../Zotlabs/Module/Like.php:536 -msgid "Action completed." -msgstr "Acción completada." - -#: ../../Zotlabs/Module/Like.php:537 -msgid "Thank you." -msgstr "Gracias." - -#: ../../Zotlabs/Module/Profiles.php:24 ../../Zotlabs/Module/Profiles.php:189 -#: ../../Zotlabs/Module/Profiles.php:246 ../../Zotlabs/Module/Profiles.php:625 -msgid "Profile not found." -msgstr "Perfil no encontrado." - -#: ../../Zotlabs/Module/Profiles.php:44 -msgid "Profile deleted." -msgstr "Perfil eliminado." - -#: ../../Zotlabs/Module/Profiles.php:68 ../../Zotlabs/Module/Profiles.php:104 -msgid "Profile-" -msgstr "Perfil-" - -#: ../../Zotlabs/Module/Profiles.php:89 ../../Zotlabs/Module/Profiles.php:132 -msgid "New profile created." -msgstr "El nuevo perfil ha sido creado." - -#: ../../Zotlabs/Module/Profiles.php:110 -msgid "Profile unavailable to clone." -msgstr "Perfil no disponible para clonar." - -#: ../../Zotlabs/Module/Profiles.php:151 -msgid "Profile unavailable to export." -msgstr "Perfil no disponible para exportar." - -#: ../../Zotlabs/Module/Profiles.php:256 -msgid "Profile Name is required." -msgstr "Se necesita el nombre del perfil." - -#: ../../Zotlabs/Module/Profiles.php:427 -msgid "Marital Status" -msgstr "Estado civil" - -#: ../../Zotlabs/Module/Profiles.php:431 -msgid "Romantic Partner" -msgstr "Pareja sentimental" - -#: ../../Zotlabs/Module/Profiles.php:435 ../../Zotlabs/Module/Profiles.php:736 -msgid "Likes" -msgstr "Me gusta" - -#: ../../Zotlabs/Module/Profiles.php:439 ../../Zotlabs/Module/Profiles.php:737 -msgid "Dislikes" -msgstr "No me gusta" - -#: ../../Zotlabs/Module/Profiles.php:443 ../../Zotlabs/Module/Profiles.php:744 -msgid "Work/Employment" -msgstr "Trabajo:" - -#: ../../Zotlabs/Module/Profiles.php:446 -msgid "Religion" -msgstr "Religión" - -#: ../../Zotlabs/Module/Profiles.php:450 -msgid "Political Views" -msgstr "Ideas polĆ­ticas" - -#: ../../Zotlabs/Module/Profiles.php:458 -msgid "Sexual Preference" -msgstr "Preferencia sexual" - -#: ../../Zotlabs/Module/Profiles.php:462 -msgid "Homepage" -msgstr "PĆ”gina personal" - -#: ../../Zotlabs/Module/Profiles.php:466 -msgid "Interests" -msgstr "Intereses" - -#: ../../Zotlabs/Module/Profiles.php:470 ../../Zotlabs/Module/Locs.php:118 -#: ../../Zotlabs/Module/Admin.php:1224 -msgid "Address" -msgstr "Dirección" - -#: ../../Zotlabs/Module/Profiles.php:560 -msgid "Profile updated." -msgstr "Perfil actualizado." - -#: ../../Zotlabs/Module/Profiles.php:644 -msgid "Hide your connections list from viewers of this profile" -msgstr "Ocultar la lista de conexiones a los visitantes del perfil" - -#: ../../Zotlabs/Module/Profiles.php:686 -msgid "Edit Profile Details" -msgstr "Modificar los detalles de este perfil" - -#: ../../Zotlabs/Module/Profiles.php:688 -msgid "View this profile" -msgstr "Ver este perfil" - -#: ../../Zotlabs/Module/Profiles.php:689 ../../Zotlabs/Module/Profiles.php:771 -#: ../../include/channel.php:998 -msgid "Edit visibility" -msgstr "Editar visibilidad" - -#: ../../Zotlabs/Module/Profiles.php:690 -msgid "Profile Tools" -msgstr "Gestión del perfil" - -#: ../../Zotlabs/Module/Profiles.php:691 -msgid "Change cover photo" -msgstr "Cambiar la imagen de portada del perfil" - -#: ../../Zotlabs/Module/Profiles.php:692 ../../include/channel.php:969 -msgid "Change profile photo" -msgstr "Cambiar la foto del perfil" - -#: ../../Zotlabs/Module/Profiles.php:693 -msgid "Create a new profile using these settings" -msgstr "Crear un nuevo perfil usando estos ajustes" - -#: ../../Zotlabs/Module/Profiles.php:694 -msgid "Clone this profile" -msgstr "Clonar este perfil" - -#: ../../Zotlabs/Module/Profiles.php:695 -msgid "Delete this profile" -msgstr "Eliminar este perfil" - -#: ../../Zotlabs/Module/Profiles.php:696 -msgid "Add profile things" -msgstr "AƱadir cosas al perfil" - -#: ../../Zotlabs/Module/Profiles.php:697 ../../include/conversation.php:1541 -#: ../../include/widgets.php:105 -msgid "Personal" -msgstr "Personales" - -#: ../../Zotlabs/Module/Profiles.php:699 -msgid "Relation" -msgstr "Relación" - -#: ../../Zotlabs/Module/Profiles.php:700 ../../include/datetime.php:48 -msgid "Miscellaneous" -msgstr "Varios" - -#: ../../Zotlabs/Module/Profiles.php:702 -msgid "Import profile from file" -msgstr "Importar perfil desde un fichero" - -#: ../../Zotlabs/Module/Profiles.php:703 -msgid "Export profile to file" -msgstr "Exportar perfil a un fichero" - -#: ../../Zotlabs/Module/Profiles.php:704 -msgid "Your gender" -msgstr "GĆ©nero" - -#: ../../Zotlabs/Module/Profiles.php:705 -msgid "Marital status" -msgstr "Estado civil" - -#: ../../Zotlabs/Module/Profiles.php:706 -msgid "Sexual preference" -msgstr "Preferencia sexual" - -#: ../../Zotlabs/Module/Profiles.php:709 -msgid "Profile name" -msgstr "Nombre del perfil" - -#: ../../Zotlabs/Module/Profiles.php:711 -msgid "This is your default profile." -msgstr "Este es su perfil principal." - -#: ../../Zotlabs/Module/Profiles.php:713 -msgid "Your full name" -msgstr "Nombre completo" - -#: ../../Zotlabs/Module/Profiles.php:714 -msgid "Title/Description" -msgstr "TĆ­tulo o descripción" - -#: ../../Zotlabs/Module/Profiles.php:717 -msgid "Street address" -msgstr "Dirección" - -#: ../../Zotlabs/Module/Profiles.php:718 -msgid "Locality/City" -msgstr "Ciudad" - -#: ../../Zotlabs/Module/Profiles.php:719 -msgid "Region/State" -msgstr "Región o Estado" - -#: ../../Zotlabs/Module/Profiles.php:720 -msgid "Postal/Zip code" -msgstr "Código postal" - -#: ../../Zotlabs/Module/Profiles.php:721 -msgid "Country" -msgstr "PaĆ­s" - -#: ../../Zotlabs/Module/Profiles.php:726 -msgid "Who (if applicable)" -msgstr "QuiĆ©n (si es pertinente)" - -#: ../../Zotlabs/Module/Profiles.php:726 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "Por ejemplo: ana123, MarĆ­a GonzĆ”lez, sara@ejemplo.com" - -#: ../../Zotlabs/Module/Profiles.php:727 -msgid "Since (date)" -msgstr "Desde (fecha)" - -#: ../../Zotlabs/Module/Profiles.php:730 -msgid "Tell us about yourself" -msgstr "HĆ”blenos de usted" - -#: ../../Zotlabs/Module/Profiles.php:732 -msgid "Hometown" -msgstr "Lugar de nacimiento" - -#: ../../Zotlabs/Module/Profiles.php:733 -msgid "Political views" -msgstr "Ideas polĆ­ticas" - -#: ../../Zotlabs/Module/Profiles.php:734 -msgid "Religious views" -msgstr "Creencias religiosas" - -#: ../../Zotlabs/Module/Profiles.php:735 -msgid "Keywords used in directory listings" -msgstr "Palabras clave utilizadas en los listados de directorios" - -#: ../../Zotlabs/Module/Profiles.php:735 -msgid "Example: fishing photography software" -msgstr "Por ejemplo: software de fotografĆ­a submarina" - -#: ../../Zotlabs/Module/Profiles.php:738 -msgid "Musical interests" -msgstr "Preferencias musicales" - -#: ../../Zotlabs/Module/Profiles.php:739 -msgid "Books, literature" -msgstr "Libros, literatura" - -#: ../../Zotlabs/Module/Profiles.php:740 -msgid "Television" -msgstr "Televisión" - -#: ../../Zotlabs/Module/Profiles.php:741 -msgid "Film/Dance/Culture/Entertainment" -msgstr "Cine, danza, cultura, entretenimiento" - -#: ../../Zotlabs/Module/Profiles.php:742 -msgid "Hobbies/Interests" -msgstr "Aficiones o intereses" - -#: ../../Zotlabs/Module/Profiles.php:743 -msgid "Love/Romance" -msgstr "Vida sentimental o amorosa" - -#: ../../Zotlabs/Module/Profiles.php:745 -msgid "School/Education" -msgstr "Estudios" - -#: ../../Zotlabs/Module/Profiles.php:746 -msgid "Contact information and social networks" -msgstr "Información de contacto y redes sociales" - -#: ../../Zotlabs/Module/Profiles.php:747 -msgid "My other channels" -msgstr "Mis otros canales" - -#: ../../Zotlabs/Module/Profiles.php:767 ../../include/channel.php:994 -msgid "Profile Image" -msgstr "Imagen del perfil" - -#: ../../Zotlabs/Module/Profiles.php:777 ../../include/nav.php:88 -#: ../../include/channel.php:976 -msgid "Edit Profiles" -msgstr "Editar perfiles" - #: ../../Zotlabs/Module/Import.php:33 #, php-format msgid "Your service plan only allows %d channels." @@ -2506,6 +1628,352 @@ msgid "" "only once and leave this page open until finished." msgstr "Este proceso puede tardar varios minutos en completarse. Por favor envĆ­e el formulario una sola vez y mantenga esta pĆ”gina abierta hasta que termine." +#: ../../Zotlabs/Module/Mail.php:38 +msgid "Unable to lookup recipient." +msgstr "No se puede asociar a un destinatario." + +#: ../../Zotlabs/Module/Mail.php:45 +msgid "Unable to communicate with requested channel." +msgstr "No se puede establecer la comunicación con el canal solicitado." + +#: ../../Zotlabs/Module/Mail.php:52 +msgid "Cannot verify requested channel." +msgstr "No se puede verificar el canal solicitado." + +#: ../../Zotlabs/Module/Mail.php:70 +msgid "Selected channel has private message restrictions. Send failed." +msgstr "El canal seleccionado tiene restricciones sobre los mensajes privados. El envĆ­o falló." + +#: ../../Zotlabs/Module/Mail.php:135 +msgid "Messages" +msgstr "Mensajes" + +#: ../../Zotlabs/Module/Mail.php:170 +msgid "Message recalled." +msgstr "Mensaje revocado." + +#: ../../Zotlabs/Module/Mail.php:183 +msgid "Conversation removed." +msgstr "Conversación eliminada." + +#: ../../Zotlabs/Module/Mail.php:197 ../../Zotlabs/Module/Mail.php:306 +#: ../../Zotlabs/Module/Chat.php:205 ../../include/conversation.php:1186 +msgid "Please enter a link URL:" +msgstr "Por favor, introduzca la dirección del enlace:" + +#: ../../Zotlabs/Module/Mail.php:198 ../../Zotlabs/Module/Mail.php:307 +msgid "Expires YYYY-MM-DD HH:MM" +msgstr "Caduca YYYY-MM-DD HH:MM" + +#: ../../Zotlabs/Module/Mail.php:226 +msgid "Requested channel is not in this network" +msgstr "El canal solicitado no existe en esta red" + +#: ../../Zotlabs/Module/Mail.php:234 +msgid "Send Private Message" +msgstr "Enviar un mensaje privado" + +#: ../../Zotlabs/Module/Mail.php:235 ../../Zotlabs/Module/Mail.php:360 +msgid "To:" +msgstr "Para:" + +#: ../../Zotlabs/Module/Mail.php:238 ../../Zotlabs/Module/Mail.php:362 +msgid "Subject:" +msgstr "Asunto:" + +#: ../../Zotlabs/Module/Mail.php:241 ../../Zotlabs/Module/Invite.php:135 +msgid "Your message:" +msgstr "Su mensaje:" + +#: ../../Zotlabs/Module/Mail.php:243 ../../Zotlabs/Module/Mail.php:368 +#: ../../include/conversation.php:1238 +msgid "Attach file" +msgstr "Adjuntar fichero" + +#: ../../Zotlabs/Module/Mail.php:244 ../../Zotlabs/Module/Mail.php:369 +#: ../../Zotlabs/Module/Editblock.php:111 +#: ../../Zotlabs/Module/Editwebpage.php:146 ../../Zotlabs/Module/Chat.php:207 +#: ../../include/conversation.php:1151 +msgid "Insert web link" +msgstr "Insertar enlace web" + +#: ../../Zotlabs/Module/Mail.php:245 +msgid "Send" +msgstr "Enviar" + +#: ../../Zotlabs/Module/Mail.php:248 ../../Zotlabs/Module/Mail.php:373 +#: ../../include/conversation.php:1281 +msgid "Set expiration date" +msgstr "Configurar fecha de caducidad" + +#: ../../Zotlabs/Module/Mail.php:250 ../../Zotlabs/Module/Mail.php:375 +#: ../../Zotlabs/Module/Chat.php:206 ../../Zotlabs/Lib/ThreadItem.php:723 +#: ../../include/conversation.php:1286 +msgid "Encrypt text" +msgstr "Cifrar texto" + +#: ../../Zotlabs/Module/Mail.php:332 +msgid "Delete message" +msgstr "Borrar mensaje" + +#: ../../Zotlabs/Module/Mail.php:333 +msgid "Delivery report" +msgstr "Informe de transmisión" + +#: ../../Zotlabs/Module/Mail.php:334 +msgid "Recall message" +msgstr "Revocar el mensaje" + +#: ../../Zotlabs/Module/Mail.php:336 +msgid "Message has been recalled." +msgstr "El mensaje ha sido revocado." + +#: ../../Zotlabs/Module/Mail.php:353 +msgid "Delete Conversation" +msgstr "Eliminar conversación" + +#: ../../Zotlabs/Module/Mail.php:355 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "Comunicación segura no disponible. Pero puede responder desde la pĆ”gina del perfil del remitente." + +#: ../../Zotlabs/Module/Mail.php:359 +msgid "Send Reply" +msgstr "Responder" + +#: ../../Zotlabs/Module/Mail.php:364 +#, php-format +msgid "Your message for %s (%s):" +msgstr "Su mensaje para %s (%s):" + +#: ../../Zotlabs/Module/Dirsearch.php:25 ../../Zotlabs/Module/Regdir.php:49 +msgid "This site is not a directory server" +msgstr "Este sitio no es un servidor de directorio" + +#: ../../Zotlabs/Module/Dirsearch.php:33 +msgid "This directory server requires an access token" +msgstr "El servidor de este directorio necesita un \"token\" de acceso" + +#: ../../Zotlabs/Module/Editblock.php:79 ../../Zotlabs/Module/Editblock.php:95 +#: ../../Zotlabs/Module/Editlayout.php:79 +#: ../../Zotlabs/Module/Editwebpage.php:80 +#: ../../Zotlabs/Module/Editpost.php:24 +msgid "Item not found" +msgstr "Elemento no encontrado" + +#: ../../Zotlabs/Module/Editblock.php:108 ../../Zotlabs/Module/Blocks.php:97 +#: ../../Zotlabs/Module/Blocks.php:155 +msgid "Block Name" +msgstr "Nombre del bloque" + +#: ../../Zotlabs/Module/Editblock.php:124 ../../include/conversation.php:1254 +msgid "Title (optional)" +msgstr "TĆ­tulo (opcional)" + +#: ../../Zotlabs/Module/Editblock.php:133 +msgid "Edit Block" +msgstr "Modificar este bloque" + +#: ../../Zotlabs/Module/Editlayout.php:127 +#: ../../Zotlabs/Module/Layouts.php:128 ../../Zotlabs/Module/Layouts.php:188 +msgid "Layout Name" +msgstr "Nombre de la plantilla" + +#: ../../Zotlabs/Module/Editlayout.php:128 +#: ../../Zotlabs/Module/Layouts.php:131 +msgid "Layout Description (Optional)" +msgstr "Descripción de la plantilla (opcional)" + +#: ../../Zotlabs/Module/Editlayout.php:136 +msgid "Edit Layout" +msgstr "Modificar la plantilla" + +#: ../../Zotlabs/Module/Editwebpage.php:142 +msgid "Page link" +msgstr "Enlace de la pĆ”gina" + +#: ../../Zotlabs/Module/Editwebpage.php:169 +msgid "Edit Webpage" +msgstr "Editar la pĆ”gina web" + +#: ../../Zotlabs/Module/Chat.php:181 +msgid "Room not found" +msgstr "Sala no encontrada" + +#: ../../Zotlabs/Module/Chat.php:197 +msgid "Leave Room" +msgstr "Abandonar la sala" + +#: ../../Zotlabs/Module/Chat.php:198 +msgid "Delete Room" +msgstr "Eliminar esta sala" + +#: ../../Zotlabs/Module/Chat.php:199 +msgid "I am away right now" +msgstr "Estoy ausente momentĆ”neamente" + +#: ../../Zotlabs/Module/Chat.php:200 +msgid "I am online" +msgstr "Estoy conectado/a" + +#: ../../Zotlabs/Module/Chat.php:202 +msgid "Bookmark this room" +msgstr "AƱadir esta sala a Marcadores" + +#: ../../Zotlabs/Module/Chat.php:218 +msgid "Feature disabled." +msgstr "Funcionalidad deshabilitada." + +#: ../../Zotlabs/Module/Chat.php:231 +msgid "New Chatroom" +msgstr "Nueva sala de chat" + +#: ../../Zotlabs/Module/Chat.php:232 +msgid "Chatroom name" +msgstr "Nombre de la sala de chat" + +#: ../../Zotlabs/Module/Chat.php:233 +msgid "Expiration of chats (minutes)" +msgstr "Caducidad de los mensajes en los chats (en minutos)" + +#: ../../Zotlabs/Module/Chat.php:249 +#, php-format +msgid "%1$s's Chatrooms" +msgstr "Salas de chat de %1$s" + +#: ../../Zotlabs/Module/Chat.php:254 +msgid "No chatrooms available" +msgstr "No hay salas de chat disponibles" + +#: ../../Zotlabs/Module/Chat.php:255 ../../Zotlabs/Module/Profiles.php:778 +#: ../../Zotlabs/Module/Manage.php:143 +msgid "Create New" +msgstr "Crear" + +#: ../../Zotlabs/Module/Chat.php:258 +msgid "Expiration" +msgstr "Caducidad" + +#: ../../Zotlabs/Module/Chat.php:259 +msgid "min" +msgstr "min" + +#: ../../Zotlabs/Module/Appman.php:37 ../../Zotlabs/Module/Appman.php:53 +msgid "App installed." +msgstr "Aplicación instalada." + +#: ../../Zotlabs/Module/Appman.php:46 +msgid "Malformed app." +msgstr "Aplicación con errores" + +#: ../../Zotlabs/Module/Appman.php:104 +msgid "Embed code" +msgstr "Código incorporado" + +#: ../../Zotlabs/Module/Appman.php:110 ../../include/widgets.php:107 +msgid "Edit App" +msgstr "Modificar la aplicación" + +#: ../../Zotlabs/Module/Appman.php:110 +msgid "Create App" +msgstr "Crear una aplicación" + +#: ../../Zotlabs/Module/Appman.php:115 +msgid "Name of app" +msgstr "Nombre de la aplicación" + +#: ../../Zotlabs/Module/Appman.php:115 ../../Zotlabs/Module/Appman.php:116 +#: ../../Zotlabs/Module/Profiles.php:709 ../../Zotlabs/Module/Profiles.php:713 +#: ../../Zotlabs/Module/Events.php:452 ../../Zotlabs/Module/Events.php:457 +#: ../../include/datetime.php:245 +msgid "Required" +msgstr "Obligatorio" + +#: ../../Zotlabs/Module/Appman.php:116 +msgid "Location (URL) of app" +msgstr "Dirección (URL) de la aplicación" + +#: ../../Zotlabs/Module/Appman.php:117 ../../Zotlabs/Module/Events.php:465 +#: ../../Zotlabs/Module/Rbmark.php:101 +msgid "Description" +msgstr "Descripción" + +#: ../../Zotlabs/Module/Appman.php:118 +msgid "Photo icon URL" +msgstr "Dirección del icono" + +#: ../../Zotlabs/Module/Appman.php:118 +msgid "80 x 80 pixels - optional" +msgstr "80 x 80 pixels - opcional" + +#: ../../Zotlabs/Module/Appman.php:119 +msgid "Categories (optional, comma separated list)" +msgstr "Temas (opcional, lista separada por comas)" + +#: ../../Zotlabs/Module/Appman.php:120 +msgid "Version ID" +msgstr "Versión" + +#: ../../Zotlabs/Module/Appman.php:121 +msgid "Price of app" +msgstr "Precio de la aplicación" + +#: ../../Zotlabs/Module/Appman.php:122 +msgid "Location (URL) to purchase app" +msgstr "Dirección (URL) donde adquirir la aplicación" + +#: ../../Zotlabs/Module/Help.php:26 +msgid "Documentation Search" +msgstr "BĆŗsqueda de Documentación" + +#: ../../Zotlabs/Module/Help.php:67 ../../Zotlabs/Module/Help.php:73 +#: ../../Zotlabs/Module/Help.php:79 +msgid "Help:" +msgstr "Ayuda:" + +#: ../../Zotlabs/Module/Help.php:85 ../../Zotlabs/Module/Help.php:90 +#: ../../Zotlabs/Module/Layouts.php:185 ../../Zotlabs/Lib/Apps.php:225 +#: ../../include/nav.php:163 +msgid "Help" +msgstr "Ayuda" + +#: ../../Zotlabs/Module/Help.php:120 +msgid "$Projectname Documentation" +msgstr "Documentación de $Projectname" + +#: ../../Zotlabs/Module/Attach.php:13 +msgid "Item not available." +msgstr "Elemento no disponible" + +#: ../../Zotlabs/Module/Pdledit.php:18 +msgid "Layout updated." +msgstr "Plantilla actualizada." + +#: ../../Zotlabs/Module/Pdledit.php:34 ../../Zotlabs/Module/Pdledit.php:61 +msgid "Edit System Page Description" +msgstr "Editor del Sistema de Descripción de PĆ”ginas" + +#: ../../Zotlabs/Module/Pdledit.php:56 +msgid "Layout not found." +msgstr "Plantilla no encontrada" + +#: ../../Zotlabs/Module/Pdledit.php:62 +msgid "Module Name:" +msgstr "Nombre del módulo:" + +#: ../../Zotlabs/Module/Pdledit.php:63 +msgid "Layout Help" +msgstr "Ayuda para el diseƱo de plantillas de pĆ”gina" + +#: ../../Zotlabs/Module/Ffsapi.php:12 +msgid "Share content from Firefox to $Projectname" +msgstr "Compartir contenido desde Firefox a $Projectname" + +#: ../../Zotlabs/Module/Ffsapi.php:15 +msgid "Activate the Firefox $Projectname provider" +msgstr "Servicio de compartición de Firefox: activar el proveedor $Projectname " + #: ../../Zotlabs/Module/Home.php:74 ../../Zotlabs/Module/Home.php:82 #: ../../Zotlabs/Module/Siteinfo.php:48 msgid "$Projectname" @@ -2516,326 +1984,6 @@ msgstr "$Projectname" msgid "Welcome to %s" msgstr "Bienvenido a %s" -#: ../../Zotlabs/Module/Item.php:179 -msgid "Unable to locate original post." -msgstr "No ha sido posible encontrar la entrada original." - -#: ../../Zotlabs/Module/Item.php:432 -msgid "Empty post discarded." -msgstr "La entrada vacĆ­a ha sido desechada." - -#: ../../Zotlabs/Module/Item.php:472 -msgid "Executable content type not permitted to this channel." -msgstr "Contenido de tipo ejecutable no permitido en este canal." - -#: ../../Zotlabs/Module/Item.php:856 -msgid "Duplicate post suppressed." -msgstr "Se ha suprimido la entrada duplicada." - -#: ../../Zotlabs/Module/Item.php:989 -msgid "System error. Post not saved." -msgstr "Error del sistema. La entrada no se ha podido salvar." - -#: ../../Zotlabs/Module/Item.php:1242 -msgid "Unable to obtain post information from database." -msgstr "No ha sido posible obtener información de la entrada en la base de datos." - -#: ../../Zotlabs/Module/Item.php:1249 -#, php-format -msgid "You have reached your limit of %1$.0f top level posts." -msgstr "Ha alcanzado su lĆ­mite de %1$.0f entradas en la pĆ”gina principal." - -#: ../../Zotlabs/Module/Item.php:1256 -#, php-format -msgid "You have reached your limit of %1$.0f webpages." -msgstr "Ha alcanzado su lĆ­mite de %1$.0f pĆ”ginas web." - -#: ../../Zotlabs/Module/Photos.php:82 -msgid "Page owner information could not be retrieved." -msgstr "La información del propietario de la pĆ”gina no pudo ser recuperada." - -#: ../../Zotlabs/Module/Photos.php:97 ../../Zotlabs/Module/Photos.php:741 -#: ../../Zotlabs/Module/Profile_photo.php:115 -#: ../../Zotlabs/Module/Profile_photo.php:212 -#: ../../Zotlabs/Module/Profile_photo.php:311 -#: ../../include/photo/photo_driver.php:718 -msgid "Profile Photos" -msgstr "Fotos del perfil" - -#: ../../Zotlabs/Module/Photos.php:103 ../../Zotlabs/Module/Photos.php:147 -msgid "Album not found." -msgstr "Ɓlbum no encontrado." - -#: ../../Zotlabs/Module/Photos.php:130 -msgid "Delete Album" -msgstr "Borrar Ć”lbum" - -#: ../../Zotlabs/Module/Photos.php:151 -msgid "" -"Multiple storage folders exist with this album name, but within different " -"directories. Please remove the desired folder or folders using the Files " -"manager" -msgstr "Hay varias carpetas con este nombre de Ć”lbum, pero dentro de diferentes directorios. Por favor, elimine la carpeta o carpetas que desee utilizando el administrador de ficheros" - -#: ../../Zotlabs/Module/Photos.php:208 ../../Zotlabs/Module/Photos.php:1051 -msgid "Delete Photo" -msgstr "Borrar foto" - -#: ../../Zotlabs/Module/Photos.php:531 -msgid "No photos selected" -msgstr "No hay fotos seleccionadas" - -#: ../../Zotlabs/Module/Photos.php:580 -msgid "Access to this item is restricted." -msgstr "El acceso a este elemento estĆ” restringido." - -#: ../../Zotlabs/Module/Photos.php:619 -#, php-format -msgid "%1$.2f MB of %2$.2f MB photo storage used." -msgstr "%1$.2f MB de %2$.2f MB de almacenamiento de fotos utilizado." - -#: ../../Zotlabs/Module/Photos.php:622 -#, php-format -msgid "%1$.2f MB photo storage used." -msgstr "%1$.2f MB de almacenamiento de fotos utilizado." - -#: ../../Zotlabs/Module/Photos.php:658 -msgid "Upload Photos" -msgstr "Subir fotos" - -#: ../../Zotlabs/Module/Photos.php:662 -msgid "Enter an album name" -msgstr "Introducir un nombre de Ć”lbum" - -#: ../../Zotlabs/Module/Photos.php:663 -msgid "or select an existing album (doubleclick)" -msgstr "o seleccionar uno existente (doble click)" - -#: ../../Zotlabs/Module/Photos.php:664 -msgid "Create a status post for this upload" -msgstr "Crear un mensaje de estado para esta subida" - -#: ../../Zotlabs/Module/Photos.php:665 -msgid "Caption (optional):" -msgstr "TĆ­tulo (opcional):" - -#: ../../Zotlabs/Module/Photos.php:666 -msgid "Description (optional):" -msgstr "Descripción (opcional):" - -#: ../../Zotlabs/Module/Photos.php:693 -msgid "Album name could not be decoded" -msgstr "El nombre del Ć”lbum no ha podido ser descifrado" - -#: ../../Zotlabs/Module/Photos.php:741 -msgid "Contact Photos" -msgstr "Fotos de contacto" - -#: ../../Zotlabs/Module/Photos.php:764 -msgid "Show Newest First" -msgstr "Mostrar lo mĆ”s reciente primero" - -#: ../../Zotlabs/Module/Photos.php:766 -msgid "Show Oldest First" -msgstr "Mostrar lo mĆ”s antiguo primero" - -#: ../../Zotlabs/Module/Photos.php:790 ../../Zotlabs/Module/Photos.php:1329 -#: ../../Zotlabs/Module/Embedphotos.php:141 ../../include/widgets.php:1593 -msgid "View Photo" -msgstr "Ver foto" - -#: ../../Zotlabs/Module/Photos.php:821 -#: ../../Zotlabs/Module/Embedphotos.php:157 ../../include/widgets.php:1610 -msgid "Edit Album" -msgstr "Editar Ć”lbum" - -#: ../../Zotlabs/Module/Photos.php:868 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Permiso denegado. El acceso a este elemento puede estar restringido." - -#: ../../Zotlabs/Module/Photos.php:870 -msgid "Photo not available" -msgstr "Foto no disponible" - -#: ../../Zotlabs/Module/Photos.php:928 -msgid "Use as profile photo" -msgstr "Usar como foto del perfil" - -#: ../../Zotlabs/Module/Photos.php:929 -msgid "Use as cover photo" -msgstr "Usar como imagen de portada del perfil" - -#: ../../Zotlabs/Module/Photos.php:936 -msgid "Private Photo" -msgstr "Foto privada" - -#: ../../Zotlabs/Module/Photos.php:951 -msgid "View Full Size" -msgstr "Ver tamaƱo completo" - -#: ../../Zotlabs/Module/Photos.php:996 ../../Zotlabs/Module/Admin.php:1437 -#: ../../Zotlabs/Module/Tagrm.php:137 -msgid "Remove" -msgstr "Eliminar" - -#: ../../Zotlabs/Module/Photos.php:1030 -msgid "Edit photo" -msgstr "Editar foto" - -#: ../../Zotlabs/Module/Photos.php:1032 -msgid "Rotate CW (right)" -msgstr "Girar CW (a la derecha)" - -#: ../../Zotlabs/Module/Photos.php:1033 -msgid "Rotate CCW (left)" -msgstr "Girar CCW (a la izquierda)" - -#: ../../Zotlabs/Module/Photos.php:1036 -msgid "Enter a new album name" -msgstr "Introducir un nuevo nombre de Ć”lbum" - -#: ../../Zotlabs/Module/Photos.php:1037 -msgid "or select an existing one (doubleclick)" -msgstr "o seleccionar uno (doble click) existente" - -#: ../../Zotlabs/Module/Photos.php:1040 -msgid "Caption" -msgstr "TĆ­tulo" - -#: ../../Zotlabs/Module/Photos.php:1042 -msgid "Add a Tag" -msgstr "AƱadir una etiqueta" - -#: ../../Zotlabs/Module/Photos.php:1046 -msgid "Example: @bob, @Barbara_Jensen, @jim@example.com" -msgstr "Ejemplos: @eva, @Carmen_Osuna, @jaime@ejemplo.com" - -#: ../../Zotlabs/Module/Photos.php:1049 -msgid "Flag as adult in album view" -msgstr "Marcar como \"solo para adultos\" en el Ć”lbum" - -#: ../../Zotlabs/Module/Photos.php:1068 ../../Zotlabs/Lib/ThreadItem.php:261 -msgid "I like this (toggle)" -msgstr "Me gusta (cambiar)" - -#: ../../Zotlabs/Module/Photos.php:1069 ../../Zotlabs/Lib/ThreadItem.php:262 -msgid "I don't like this (toggle)" -msgstr "No me gusta esto (cambiar)" - -#: ../../Zotlabs/Module/Photos.php:1071 ../../Zotlabs/Lib/ThreadItem.php:397 -#: ../../include/conversation.php:743 -msgid "Please wait" -msgstr "Espere por favor" - -#: ../../Zotlabs/Module/Photos.php:1087 ../../Zotlabs/Module/Photos.php:1205 -#: ../../Zotlabs/Lib/ThreadItem.php:707 -msgid "This is you" -msgstr "Este es usted" - -#: ../../Zotlabs/Module/Photos.php:1089 ../../Zotlabs/Module/Photos.php:1207 -#: ../../Zotlabs/Lib/ThreadItem.php:709 ../../include/js_strings.php:6 -msgid "Comment" -msgstr "Comentar" - -#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 -msgctxt "title" -msgid "Likes" -msgstr "Me gusta" - -#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 -msgctxt "title" -msgid "Dislikes" -msgstr "No me gusta" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Agree" -msgstr "De acuerdo" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Disagree" -msgstr "En desacuerdo" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Abstain" -msgstr "Abstención" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Attending" -msgstr "ParticiparĆ©" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Not attending" -msgstr "No participarĆ©" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Might attend" -msgstr "QuizĆ” participe" - -#: ../../Zotlabs/Module/Photos.php:1124 ../../Zotlabs/Module/Photos.php:1136 -#: ../../Zotlabs/Lib/ThreadItem.php:181 ../../Zotlabs/Lib/ThreadItem.php:193 -#: ../../include/conversation.php:1738 -msgid "View all" -msgstr "Ver todo" - -#: ../../Zotlabs/Module/Photos.php:1128 ../../Zotlabs/Lib/ThreadItem.php:185 -#: ../../include/taxonomy.php:403 ../../include/channel.php:1198 -#: ../../include/conversation.php:1762 -msgctxt "noun" -msgid "Like" -msgid_plural "Likes" -msgstr[0] "Me gusta" -msgstr[1] "Me gusta" - -#: ../../Zotlabs/Module/Photos.php:1133 ../../Zotlabs/Lib/ThreadItem.php:190 -#: ../../include/conversation.php:1765 -msgctxt "noun" -msgid "Dislike" -msgid_plural "Dislikes" -msgstr[0] "No me gusta" -msgstr[1] "No me gusta" - -#: ../../Zotlabs/Module/Photos.php:1233 -msgid "Photo Tools" -msgstr "Gestión de las fotos" - -#: ../../Zotlabs/Module/Photos.php:1242 -msgid "In This Photo:" -msgstr "En esta foto:" - -#: ../../Zotlabs/Module/Photos.php:1247 -msgid "Map" -msgstr "Mapa" - -#: ../../Zotlabs/Module/Photos.php:1255 ../../Zotlabs/Lib/ThreadItem.php:386 -msgctxt "noun" -msgid "Likes" -msgstr "Me gusta" - -#: ../../Zotlabs/Module/Photos.php:1256 ../../Zotlabs/Lib/ThreadItem.php:387 -msgctxt "noun" -msgid "Dislikes" -msgstr "No me gusta" - -#: ../../Zotlabs/Module/Photos.php:1261 ../../Zotlabs/Lib/ThreadItem.php:392 -#: ../../include/acl_selectors.php:283 -msgid "Close" -msgstr "Cerrar" - -#: ../../Zotlabs/Module/Photos.php:1335 -msgid "View Album" -msgstr "Ver Ć”lbum" - -#: ../../Zotlabs/Module/Photos.php:1346 ../../Zotlabs/Module/Photos.php:1359 -#: ../../Zotlabs/Module/Photos.php:1360 -msgid "Recent Photos" -msgstr "Fotos recientes" - #: ../../Zotlabs/Module/Lockview.php:75 msgid "Remote privacy information not available." msgstr "La información privada remota no estĆ” disponible." @@ -2844,6 +1992,532 @@ msgstr "La información privada remota no estĆ” disponible." msgid "Visible to:" msgstr "Visible para:" +#: ../../Zotlabs/Module/Filestorage.php:87 +msgid "Permission Denied." +msgstr "Permiso denegado" + +#: ../../Zotlabs/Module/Filestorage.php:103 +msgid "File not found." +msgstr "Fichero no encontrado." + +#: ../../Zotlabs/Module/Filestorage.php:146 +msgid "Edit file permissions" +msgstr "Modificar los permisos del fichero" + +#: ../../Zotlabs/Module/Filestorage.php:159 +msgid "Set/edit permissions" +msgstr "Establecer/editar los permisos" + +#: ../../Zotlabs/Module/Filestorage.php:160 +msgid "Include all files and sub folders" +msgstr "Incluir todos los ficheros y subcarpetas" + +#: ../../Zotlabs/Module/Filestorage.php:161 +msgid "Return to file list" +msgstr "Volver a la lista de ficheros" + +#: ../../Zotlabs/Module/Filestorage.php:163 +msgid "Copy/paste this code to attach file to a post" +msgstr "Copiar/pegar este código para adjuntar el fichero al envĆ­o" + +#: ../../Zotlabs/Module/Filestorage.php:164 +msgid "Copy/paste this URL to link file from a web page" +msgstr "Copiar/pegar esta dirección para enlazar el fichero desde una pĆ”gina web" + +#: ../../Zotlabs/Module/Filestorage.php:166 +msgid "Share this file" +msgstr "Compartir este fichero" + +#: ../../Zotlabs/Module/Filestorage.php:167 +msgid "Show URL to this file" +msgstr "Mostrar la dirección de este fichero" + +#: ../../Zotlabs/Module/Filestorage.php:168 +msgid "Notify your contacts about this file" +msgstr "Avisar a sus contactos sobre este fichero" + +#: ../../Zotlabs/Module/Profiles.php:24 ../../Zotlabs/Module/Profiles.php:189 +#: ../../Zotlabs/Module/Profiles.php:246 ../../Zotlabs/Module/Profiles.php:625 +msgid "Profile not found." +msgstr "Perfil no encontrado." + +#: ../../Zotlabs/Module/Profiles.php:44 +msgid "Profile deleted." +msgstr "Perfil eliminado." + +#: ../../Zotlabs/Module/Profiles.php:68 ../../Zotlabs/Module/Profiles.php:104 +msgid "Profile-" +msgstr "Perfil-" + +#: ../../Zotlabs/Module/Profiles.php:89 ../../Zotlabs/Module/Profiles.php:132 +msgid "New profile created." +msgstr "El nuevo perfil ha sido creado." + +#: ../../Zotlabs/Module/Profiles.php:110 +msgid "Profile unavailable to clone." +msgstr "Perfil no disponible para clonar." + +#: ../../Zotlabs/Module/Profiles.php:151 +msgid "Profile unavailable to export." +msgstr "Perfil no disponible para exportar." + +#: ../../Zotlabs/Module/Profiles.php:256 +msgid "Profile Name is required." +msgstr "Se necesita el nombre del perfil." + +#: ../../Zotlabs/Module/Profiles.php:427 +msgid "Marital Status" +msgstr "Estado civil" + +#: ../../Zotlabs/Module/Profiles.php:431 +msgid "Romantic Partner" +msgstr "Pareja sentimental" + +#: ../../Zotlabs/Module/Profiles.php:435 ../../Zotlabs/Module/Profiles.php:736 +msgid "Likes" +msgstr "Me gusta" + +#: ../../Zotlabs/Module/Profiles.php:439 ../../Zotlabs/Module/Profiles.php:737 +msgid "Dislikes" +msgstr "No me gusta" + +#: ../../Zotlabs/Module/Profiles.php:443 ../../Zotlabs/Module/Profiles.php:744 +msgid "Work/Employment" +msgstr "Trabajo:" + +#: ../../Zotlabs/Module/Profiles.php:446 +msgid "Religion" +msgstr "Religión" + +#: ../../Zotlabs/Module/Profiles.php:450 +msgid "Political Views" +msgstr "Ideas polĆ­ticas" + +#: ../../Zotlabs/Module/Profiles.php:454 +msgid "Gender" +msgstr "GĆ©nero" + +#: ../../Zotlabs/Module/Profiles.php:458 +msgid "Sexual Preference" +msgstr "Preferencia sexual" + +#: ../../Zotlabs/Module/Profiles.php:462 +msgid "Homepage" +msgstr "PĆ”gina personal" + +#: ../../Zotlabs/Module/Profiles.php:466 +msgid "Interests" +msgstr "Intereses" + +#: ../../Zotlabs/Module/Profiles.php:470 ../../Zotlabs/Module/Locs.php:118 +#: ../../Zotlabs/Module/Admin.php:1224 +msgid "Address" +msgstr "Dirección" + +#: ../../Zotlabs/Module/Profiles.php:477 ../../Zotlabs/Module/Profiles.php:698 +#: ../../Zotlabs/Module/Locs.php:117 ../../Zotlabs/Module/Events.php:467 +#: ../../Zotlabs/Module/Pubsites.php:41 ../../include/js_strings.php:25 +msgid "Location" +msgstr "Ubicación" + +#: ../../Zotlabs/Module/Profiles.php:560 +msgid "Profile updated." +msgstr "Perfil actualizado." + +#: ../../Zotlabs/Module/Profiles.php:644 +msgid "Hide your connections list from viewers of this profile" +msgstr "Ocultar la lista de conexiones a los visitantes del perfil" + +#: ../../Zotlabs/Module/Profiles.php:686 +msgid "Edit Profile Details" +msgstr "Modificar los detalles de este perfil" + +#: ../../Zotlabs/Module/Profiles.php:688 +msgid "View this profile" +msgstr "Ver este perfil" + +#: ../../Zotlabs/Module/Profiles.php:689 ../../Zotlabs/Module/Profiles.php:771 +#: ../../include/channel.php:981 +msgid "Edit visibility" +msgstr "Editar visibilidad" + +#: ../../Zotlabs/Module/Profiles.php:690 +msgid "Profile Tools" +msgstr "Gestión del perfil" + +#: ../../Zotlabs/Module/Profiles.php:691 +msgid "Change cover photo" +msgstr "Cambiar la imagen de portada del perfil" + +#: ../../Zotlabs/Module/Profiles.php:692 ../../include/channel.php:952 +msgid "Change profile photo" +msgstr "Cambiar la foto del perfil" + +#: ../../Zotlabs/Module/Profiles.php:693 +msgid "Create a new profile using these settings" +msgstr "Crear un nuevo perfil usando estos ajustes" + +#: ../../Zotlabs/Module/Profiles.php:694 +msgid "Clone this profile" +msgstr "Clonar este perfil" + +#: ../../Zotlabs/Module/Profiles.php:695 +msgid "Delete this profile" +msgstr "Eliminar este perfil" + +#: ../../Zotlabs/Module/Profiles.php:696 +msgid "Add profile things" +msgstr "AƱadir cosas al perfil" + +#: ../../Zotlabs/Module/Profiles.php:697 ../../include/conversation.php:1556 +#: ../../include/widgets.php:105 +msgid "Personal" +msgstr "Personales" + +#: ../../Zotlabs/Module/Profiles.php:699 +msgid "Relation" +msgstr "Relación" + +#: ../../Zotlabs/Module/Profiles.php:700 ../../include/datetime.php:48 +msgid "Miscellaneous" +msgstr "Varios" + +#: ../../Zotlabs/Module/Profiles.php:702 +msgid "Import profile from file" +msgstr "Importar perfil desde un fichero" + +#: ../../Zotlabs/Module/Profiles.php:703 +msgid "Export profile to file" +msgstr "Exportar perfil a un fichero" + +#: ../../Zotlabs/Module/Profiles.php:704 +msgid "Your gender" +msgstr "GĆ©nero" + +#: ../../Zotlabs/Module/Profiles.php:705 +msgid "Marital status" +msgstr "Estado civil" + +#: ../../Zotlabs/Module/Profiles.php:706 +msgid "Sexual preference" +msgstr "Preferencia sexual" + +#: ../../Zotlabs/Module/Profiles.php:709 +msgid "Profile name" +msgstr "Nombre del perfil" + +#: ../../Zotlabs/Module/Profiles.php:711 +msgid "This is your default profile." +msgstr "Este es su perfil principal." + +#: ../../Zotlabs/Module/Profiles.php:713 +msgid "Your full name" +msgstr "Nombre completo" + +#: ../../Zotlabs/Module/Profiles.php:714 +msgid "Title/Description" +msgstr "TĆ­tulo o descripción" + +#: ../../Zotlabs/Module/Profiles.php:717 +msgid "Street address" +msgstr "Dirección" + +#: ../../Zotlabs/Module/Profiles.php:718 +msgid "Locality/City" +msgstr "Ciudad" + +#: ../../Zotlabs/Module/Profiles.php:719 +msgid "Region/State" +msgstr "Región o Estado" + +#: ../../Zotlabs/Module/Profiles.php:720 +msgid "Postal/Zip code" +msgstr "Código postal" + +#: ../../Zotlabs/Module/Profiles.php:721 +msgid "Country" +msgstr "PaĆ­s" + +#: ../../Zotlabs/Module/Profiles.php:726 +msgid "Who (if applicable)" +msgstr "QuiĆ©n (si es pertinente)" + +#: ../../Zotlabs/Module/Profiles.php:726 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "Por ejemplo: ana123, MarĆ­a GonzĆ”lez, sara@ejemplo.com" + +#: ../../Zotlabs/Module/Profiles.php:727 +msgid "Since (date)" +msgstr "Desde (fecha)" + +#: ../../Zotlabs/Module/Profiles.php:730 +msgid "Tell us about yourself" +msgstr "HĆ”blenos de usted" + +#: ../../Zotlabs/Module/Profiles.php:731 +msgid "Homepage URL" +msgstr "Dirección de la pĆ”gina personal" + +#: ../../Zotlabs/Module/Profiles.php:732 +msgid "Hometown" +msgstr "Lugar de nacimiento" + +#: ../../Zotlabs/Module/Profiles.php:733 +msgid "Political views" +msgstr "Ideas polĆ­ticas" + +#: ../../Zotlabs/Module/Profiles.php:734 +msgid "Religious views" +msgstr "Creencias religiosas" + +#: ../../Zotlabs/Module/Profiles.php:735 +msgid "Keywords used in directory listings" +msgstr "Palabras clave utilizadas en los listados de directorios" + +#: ../../Zotlabs/Module/Profiles.php:735 +msgid "Example: fishing photography software" +msgstr "Por ejemplo: software de fotografĆ­a submarina" + +#: ../../Zotlabs/Module/Profiles.php:738 +msgid "Musical interests" +msgstr "Preferencias musicales" + +#: ../../Zotlabs/Module/Profiles.php:739 +msgid "Books, literature" +msgstr "Libros, literatura" + +#: ../../Zotlabs/Module/Profiles.php:740 +msgid "Television" +msgstr "Televisión" + +#: ../../Zotlabs/Module/Profiles.php:741 +msgid "Film/Dance/Culture/Entertainment" +msgstr "Cine, danza, cultura, entretenimiento" + +#: ../../Zotlabs/Module/Profiles.php:742 +msgid "Hobbies/Interests" +msgstr "Aficiones o intereses" + +#: ../../Zotlabs/Module/Profiles.php:743 +msgid "Love/Romance" +msgstr "Vida sentimental o amorosa" + +#: ../../Zotlabs/Module/Profiles.php:745 +msgid "School/Education" +msgstr "Estudios" + +#: ../../Zotlabs/Module/Profiles.php:746 +msgid "Contact information and social networks" +msgstr "Información de contacto y redes sociales" + +#: ../../Zotlabs/Module/Profiles.php:747 +msgid "My other channels" +msgstr "Mis otros canales" + +#: ../../Zotlabs/Module/Profiles.php:767 ../../include/channel.php:977 +msgid "Profile Image" +msgstr "Imagen del perfil" + +#: ../../Zotlabs/Module/Profiles.php:777 ../../include/nav.php:90 +#: ../../include/channel.php:959 +msgid "Edit Profiles" +msgstr "Editar perfiles" + +#: ../../Zotlabs/Module/Channel.php:40 +msgid "Posts and comments" +msgstr "Publicaciones y comentarios" + +#: ../../Zotlabs/Module/Channel.php:41 +msgid "Only posts" +msgstr "Solo publicaciones" + +#: ../../Zotlabs/Module/Channel.php:101 +msgid "Insufficient permissions. Request redirected to profile page." +msgstr "Permisos insuficientes. Petición redirigida a la pĆ”gina del perfil." + +#: ../../Zotlabs/Module/Group.php:24 +msgid "Privacy group created." +msgstr "El grupo de canales ha sido creado." + +#: ../../Zotlabs/Module/Group.php:30 +msgid "Could not create privacy group." +msgstr "No se puede crear el grupo de canales" + +#: ../../Zotlabs/Module/Group.php:42 ../../Zotlabs/Module/Group.php:141 +#: ../../include/items.php:3904 +msgid "Privacy group not found." +msgstr "Grupo de canales no encontrado." + +#: ../../Zotlabs/Module/Group.php:58 +msgid "Privacy group updated." +msgstr "Grupo de canales actualizado." + +#: ../../Zotlabs/Module/Group.php:90 +msgid "Create a group of channels." +msgstr "Crear un grupo de canales." + +#: ../../Zotlabs/Module/Group.php:91 ../../Zotlabs/Module/Group.php:184 +msgid "Privacy group name: " +msgstr "Nombre del grupo de canales:" + +#: ../../Zotlabs/Module/Group.php:93 ../../Zotlabs/Module/Group.php:187 +msgid "Members are visible to other channels" +msgstr "Los miembros son visibles para otros canales" + +#: ../../Zotlabs/Module/Group.php:111 +msgid "Privacy group removed." +msgstr "Grupo de canales eliminado." + +#: ../../Zotlabs/Module/Group.php:113 +msgid "Unable to remove privacy group." +msgstr "No se puede eliminar el grupo de canales." + +#: ../../Zotlabs/Module/Group.php:183 +msgid "Privacy group editor" +msgstr "Editor de grupos de canales" + +#: ../../Zotlabs/Module/Group.php:197 +msgid "Members" +msgstr "Miembros" + +#: ../../Zotlabs/Module/Group.php:199 +msgid "All Connected Channels" +msgstr "Todos los canales conectados" + +#: ../../Zotlabs/Module/Group.php:231 +msgid "Click on a channel to add or remove." +msgstr "Haga clic en un canal para agregarlo o quitarlo." + +#: ../../Zotlabs/Module/Mitem.php:28 ../../Zotlabs/Module/Menu.php:144 +msgid "Menu not found." +msgstr "MenĆŗ no encontrado" + +#: ../../Zotlabs/Module/Mitem.php:52 +msgid "Unable to create element." +msgstr "No se puede crear el elemento." + +#: ../../Zotlabs/Module/Mitem.php:76 +msgid "Unable to update menu element." +msgstr "No es posible actualizar el elemento del menĆŗ." + +#: ../../Zotlabs/Module/Mitem.php:92 +msgid "Unable to add menu element." +msgstr "No es posible aƱadir el elemento al menĆŗ" + +#: ../../Zotlabs/Module/Mitem.php:120 ../../Zotlabs/Module/Menu.php:166 +#: ../../Zotlabs/Module/Xchan.php:41 +msgid "Not found." +msgstr "No encontrado." + +#: ../../Zotlabs/Module/Mitem.php:153 ../../Zotlabs/Module/Mitem.php:230 +msgid "Menu Item Permissions" +msgstr "Permisos del elemento del menĆŗ" + +#: ../../Zotlabs/Module/Mitem.php:154 ../../Zotlabs/Module/Mitem.php:231 +#: ../../Zotlabs/Module/Settings.php:1263 +msgid "(click to open/close)" +msgstr "(pulsar para abrir o cerrar)" + +#: ../../Zotlabs/Module/Mitem.php:160 ../../Zotlabs/Module/Mitem.php:176 +msgid "Link Name" +msgstr "Nombre del enlace" + +#: ../../Zotlabs/Module/Mitem.php:161 ../../Zotlabs/Module/Mitem.php:239 +msgid "Link or Submenu Target" +msgstr "Destino del enlace o submenĆŗ" + +#: ../../Zotlabs/Module/Mitem.php:161 +msgid "Enter URL of the link or select a menu name to create a submenu" +msgstr "Introducir la dirección del enlace o seleccionar el nombre de un submenĆŗ" + +#: ../../Zotlabs/Module/Mitem.php:162 ../../Zotlabs/Module/Mitem.php:240 +msgid "Use magic-auth if available" +msgstr "Usar la autenticación mĆ”gica si estĆ” disponible" + +#: ../../Zotlabs/Module/Mitem.php:163 ../../Zotlabs/Module/Mitem.php:241 +msgid "Open link in new window" +msgstr "Abrir el enlace en una nueva ventana" + +#: ../../Zotlabs/Module/Mitem.php:164 ../../Zotlabs/Module/Mitem.php:242 +msgid "Order in list" +msgstr "Orden en la lista" + +#: ../../Zotlabs/Module/Mitem.php:164 ../../Zotlabs/Module/Mitem.php:242 +msgid "Higher numbers will sink to bottom of listing" +msgstr "Los nĆŗmeros mĆ”s altos irĆ”n al final de la lista" + +#: ../../Zotlabs/Module/Mitem.php:165 +msgid "Submit and finish" +msgstr "Enviar y terminar" + +#: ../../Zotlabs/Module/Mitem.php:166 +msgid "Submit and continue" +msgstr "Enviar y continuar" + +#: ../../Zotlabs/Module/Mitem.php:174 +msgid "Menu:" +msgstr "MenĆŗ:" + +#: ../../Zotlabs/Module/Mitem.php:177 +msgid "Link Target" +msgstr "Destino del enlace" + +#: ../../Zotlabs/Module/Mitem.php:180 +msgid "Edit menu" +msgstr "Editar menĆŗ" + +#: ../../Zotlabs/Module/Mitem.php:183 +msgid "Edit element" +msgstr "Editar el elemento" + +#: ../../Zotlabs/Module/Mitem.php:184 +msgid "Drop element" +msgstr "Eliminar el elemento" + +#: ../../Zotlabs/Module/Mitem.php:185 +msgid "New element" +msgstr "Nuevo elemento" + +#: ../../Zotlabs/Module/Mitem.php:186 +msgid "Edit this menu container" +msgstr "Modificar el contenedor del menĆŗ" + +#: ../../Zotlabs/Module/Mitem.php:187 +msgid "Add menu element" +msgstr "AƱadir un elemento al menĆŗ" + +#: ../../Zotlabs/Module/Mitem.php:188 +msgid "Delete this menu item" +msgstr "Eliminar este elemento del menĆŗ" + +#: ../../Zotlabs/Module/Mitem.php:189 +msgid "Edit this menu item" +msgstr "Modificar este elemento del menĆŗ" + +#: ../../Zotlabs/Module/Mitem.php:206 +msgid "Menu item not found." +msgstr "Este elemento del menĆŗ no se ha encontrado" + +#: ../../Zotlabs/Module/Mitem.php:219 +msgid "Menu item deleted." +msgstr "Este elemento del menĆŗ ha sido borrado" + +#: ../../Zotlabs/Module/Mitem.php:221 +msgid "Menu item could not be deleted." +msgstr "Este elemento del menĆŗ no puede ser borrado." + +#: ../../Zotlabs/Module/Mitem.php:228 +msgid "Edit Menu Element" +msgstr "Editar elemento del menĆŗ" + +#: ../../Zotlabs/Module/Mitem.php:238 +msgid "Link text" +msgstr "Texto del enlace" + +#: ../../Zotlabs/Module/Follow.php:34 +msgid "Channel added." +msgstr "Canal aƱadido." + #: ../../Zotlabs/Module/Import_items.php:104 msgid "Import completed" msgstr "Importación completada" @@ -2898,10 +2572,6 @@ msgstr "Enviar invitaciones" msgid "Enter email addresses, one per line:" msgstr "Introduzca las direcciones de correo electrónico, una por lĆ­nea:" -#: ../../Zotlabs/Module/Invite.php:135 ../../Zotlabs/Module/Mail.php:241 -msgid "Your message:" -msgstr "Su mensaje:" - #: ../../Zotlabs/Module/Invite.php:136 msgid "Please join my community on $Projectname." msgstr "Por favor, Ćŗnase a mi comunidad en $Projectname." @@ -2943,7 +2613,7 @@ msgstr "Por favor, seleccione una copia de su canal (un clon) para convertirlo e #: ../../Zotlabs/Module/Locs.php:95 msgid "Syncing locations" -msgstr "Sincronización de ubicaciones" +msgstr "Sincronizando ubicaciones" #: ../../Zotlabs/Module/Locs.php:105 msgid "No locations found." @@ -2983,102 +2653,207 @@ msgstr "Utilice este formulario para eliminar la dirección si el \"hub\" no est msgid "Hub not found." msgstr "Servidor no encontrado" -#: ../../Zotlabs/Module/Mail.php:38 -msgid "Unable to lookup recipient." -msgstr "Imposible asociar a un destinatario." +#: ../../Zotlabs/Module/Impel.php:41 ../../include/bbcode.php:192 +msgid "webpage" +msgstr "pĆ”gina web" -#: ../../Zotlabs/Module/Mail.php:45 -msgid "Unable to communicate with requested channel." -msgstr "Imposible comunicar con el canal solicitado." +#: ../../Zotlabs/Module/Impel.php:46 ../../include/bbcode.php:198 +msgid "block" +msgstr "bloque" -#: ../../Zotlabs/Module/Mail.php:52 -msgid "Cannot verify requested channel." -msgstr "No se puede verificar el canal solicitado." +#: ../../Zotlabs/Module/Impel.php:51 ../../include/bbcode.php:195 +msgid "layout" +msgstr "plantilla" -#: ../../Zotlabs/Module/Mail.php:70 -msgid "Selected channel has private message restrictions. Send failed." -msgstr "El canal seleccionado tiene restricciones sobre los mensajes privados. El envĆ­o falló." +#: ../../Zotlabs/Module/Impel.php:58 ../../include/bbcode.php:201 +msgid "menu" +msgstr "menĆŗ" -#: ../../Zotlabs/Module/Mail.php:135 -msgid "Messages" -msgstr "Mensajes" - -#: ../../Zotlabs/Module/Mail.php:170 -msgid "Message recalled." -msgstr "Mensaje revocado." - -#: ../../Zotlabs/Module/Mail.php:183 -msgid "Conversation removed." -msgstr "Conversación eliminada." - -#: ../../Zotlabs/Module/Mail.php:198 ../../Zotlabs/Module/Mail.php:307 -msgid "Expires YYYY-MM-DD HH:MM" -msgstr "Caduca YYYY-MM-DD HH:MM" - -#: ../../Zotlabs/Module/Mail.php:226 -msgid "Requested channel is not in this network" -msgstr "El canal solicitado no existe en esta red" - -#: ../../Zotlabs/Module/Mail.php:234 -msgid "Send Private Message" -msgstr "Enviar un mensaje privado" - -#: ../../Zotlabs/Module/Mail.php:235 ../../Zotlabs/Module/Mail.php:360 -msgid "To:" -msgstr "Para:" - -#: ../../Zotlabs/Module/Mail.php:238 ../../Zotlabs/Module/Mail.php:362 -msgid "Subject:" -msgstr "Asunto:" - -#: ../../Zotlabs/Module/Mail.php:243 ../../Zotlabs/Module/Mail.php:368 -#: ../../include/conversation.php:1231 -msgid "Attach file" -msgstr "Adjuntar fichero" - -#: ../../Zotlabs/Module/Mail.php:245 -msgid "Send" -msgstr "Enviar" - -#: ../../Zotlabs/Module/Mail.php:248 ../../Zotlabs/Module/Mail.php:373 -#: ../../include/conversation.php:1266 -msgid "Set expiration date" -msgstr "Configurar fecha de caducidad" - -#: ../../Zotlabs/Module/Mail.php:332 -msgid "Delete message" -msgstr "Borrar mensaje" - -#: ../../Zotlabs/Module/Mail.php:333 -msgid "Delivery report" -msgstr "Informe de transmisión" - -#: ../../Zotlabs/Module/Mail.php:334 -msgid "Recall message" -msgstr "Revocar el mensaje" - -#: ../../Zotlabs/Module/Mail.php:336 -msgid "Message has been recalled." -msgstr "El mensaje ha sido revocado." - -#: ../../Zotlabs/Module/Mail.php:353 -msgid "Delete Conversation" -msgstr "Eliminar conversación" - -#: ../../Zotlabs/Module/Mail.php:355 -msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "Comunicación segura no disponible. Pero puede responder desde la pĆ”gina del perfil del remitente." - -#: ../../Zotlabs/Module/Mail.php:359 -msgid "Send Reply" -msgstr "Responder" - -#: ../../Zotlabs/Module/Mail.php:364 +#: ../../Zotlabs/Module/Impel.php:191 #, php-format -msgid "Your message for %s (%s):" -msgstr "Su mensaje para %s (%s):" +msgid "%s element installed" +msgstr "%s elemento instalado" + +#: ../../Zotlabs/Module/Impel.php:194 +#, php-format +msgid "%s element installation failed" +msgstr "Elemento con instalación fallida: %s" + +#: ../../Zotlabs/Module/Events.php:25 +msgid "Calendar entries imported." +msgstr "Entradas de calendario importadas." + +#: ../../Zotlabs/Module/Events.php:27 +msgid "No calendar entries found." +msgstr "No se han encontrado entradas de calendario." + +#: ../../Zotlabs/Module/Events.php:104 +msgid "Event can not end before it has started." +msgstr "Un evento no puede terminar antes de que haya comenzado." + +#: ../../Zotlabs/Module/Events.php:106 ../../Zotlabs/Module/Events.php:115 +#: ../../Zotlabs/Module/Events.php:135 +msgid "Unable to generate preview." +msgstr "No se puede crear la vista previa." + +#: ../../Zotlabs/Module/Events.php:113 +msgid "Event title and start time are required." +msgstr "Se requieren el tĆ­tulo del evento y su hora de inicio." + +#: ../../Zotlabs/Module/Events.php:133 ../../Zotlabs/Module/Events.php:258 +msgid "Event not found." +msgstr "Evento no encontrado." + +#: ../../Zotlabs/Module/Events.php:452 +msgid "Edit event title" +msgstr "Editar el tĆ­tulo del evento" + +#: ../../Zotlabs/Module/Events.php:452 +msgid "Event title" +msgstr "TĆ­tulo del evento" + +#: ../../Zotlabs/Module/Events.php:454 +msgid "Categories (comma-separated list)" +msgstr "Temas (lista separada por comas)" + +#: ../../Zotlabs/Module/Events.php:455 +msgid "Edit Category" +msgstr "Modificar el tema" + +#: ../../Zotlabs/Module/Events.php:455 +msgid "Category" +msgstr "Tema" + +#: ../../Zotlabs/Module/Events.php:458 +msgid "Edit start date and time" +msgstr "Modificar la fecha y hora de comienzo" + +#: ../../Zotlabs/Module/Events.php:458 +msgid "Start date and time" +msgstr "Fecha y hora de comienzo" + +#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:462 +msgid "Finish date and time are not known or not relevant" +msgstr "La fecha y hora de terminación no se conocen o no son relevantes" + +#: ../../Zotlabs/Module/Events.php:461 +msgid "Edit finish date and time" +msgstr "Modificar la fecha y hora de terminación" + +#: ../../Zotlabs/Module/Events.php:461 +msgid "Finish date and time" +msgstr "Fecha y hora de terminación" + +#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Events.php:464 +msgid "Adjust for viewer timezone" +msgstr "Ajustar para obtener el visor de los husos horarios" + +#: ../../Zotlabs/Module/Events.php:463 +msgid "" +"Important for events that happen in a particular place. Not practical for " +"global holidays." +msgstr "Importante para los eventos que suceden en un lugar determinado. No es prĆ”ctico para los globales." + +#: ../../Zotlabs/Module/Events.php:465 +msgid "Edit Description" +msgstr "Editar la descripción" + +#: ../../Zotlabs/Module/Events.php:467 +msgid "Edit Location" +msgstr "Modificar la dirección" + +#: ../../Zotlabs/Module/Events.php:470 ../../Zotlabs/Module/Events.php:472 +msgid "Share this event" +msgstr "Compartir este evento" + +#: ../../Zotlabs/Module/Events.php:473 ../../Zotlabs/Module/Photos.php:1099 +#: ../../Zotlabs/Module/Webpages.php:224 ../../Zotlabs/Lib/ThreadItem.php:720 +#: ../../include/conversation.php:1205 ../../include/page_widgets.php:43 +msgid "Preview" +msgstr "Previsualizar" + +#: ../../Zotlabs/Module/Events.php:474 ../../include/conversation.php:1258 +msgid "Permission settings" +msgstr "Configuración de permisos" + +#: ../../Zotlabs/Module/Events.php:485 +msgid "Advanced Options" +msgstr "Opciones avanzadas" + +#: ../../Zotlabs/Module/Events.php:597 ../../Zotlabs/Module/Cal.php:259 +msgid "l, F j" +msgstr "l j F" + +#: ../../Zotlabs/Module/Events.php:619 +msgid "Edit event" +msgstr "Editar evento" + +#: ../../Zotlabs/Module/Events.php:621 +msgid "Delete event" +msgstr "Borrar evento" + +#: ../../Zotlabs/Module/Events.php:646 ../../Zotlabs/Module/Cal.php:308 +#: ../../include/text.php:1716 +msgid "Link to Source" +msgstr "Enlazar con la entrada en su ubicación original" + +#: ../../Zotlabs/Module/Events.php:655 +msgid "calendar" +msgstr "calendario" + +#: ../../Zotlabs/Module/Events.php:674 ../../Zotlabs/Module/Cal.php:331 +msgid "Edit Event" +msgstr "Editar el evento" + +#: ../../Zotlabs/Module/Events.php:674 ../../Zotlabs/Module/Cal.php:331 +msgid "Create Event" +msgstr "Crear un evento" + +#: ../../Zotlabs/Module/Events.php:675 ../../Zotlabs/Module/Events.php:684 +#: ../../Zotlabs/Module/Cal.php:332 ../../Zotlabs/Module/Cal.php:339 +#: ../../Zotlabs/Module/Photos.php:951 +msgid "Previous" +msgstr "Anterior" + +#: ../../Zotlabs/Module/Events.php:676 ../../Zotlabs/Module/Events.php:685 +#: ../../Zotlabs/Module/Setup.php:267 ../../Zotlabs/Module/Cal.php:333 +#: ../../Zotlabs/Module/Cal.php:340 ../../Zotlabs/Module/Photos.php:960 +msgid "Next" +msgstr "Siguiente" + +#: ../../Zotlabs/Module/Events.php:677 ../../Zotlabs/Module/Cal.php:334 +msgid "Export" +msgstr "Exportar" + +#: ../../Zotlabs/Module/Events.php:680 ../../Zotlabs/Module/Blocks.php:166 +#: ../../Zotlabs/Module/Layouts.php:197 ../../Zotlabs/Module/Pubsites.php:47 +#: ../../Zotlabs/Module/Webpages.php:223 ../../include/page_widgets.php:42 +msgid "View" +msgstr "Ver" + +#: ../../Zotlabs/Module/Events.php:681 +msgid "Month" +msgstr "Mes" + +#: ../../Zotlabs/Module/Events.php:682 +msgid "Week" +msgstr "Semana" + +#: ../../Zotlabs/Module/Events.php:683 +msgid "Day" +msgstr "DĆ­a" + +#: ../../Zotlabs/Module/Events.php:686 ../../Zotlabs/Module/Cal.php:341 +msgid "Today" +msgstr "Hoy" + +#: ../../Zotlabs/Module/Events.php:717 +msgid "Event removed" +msgstr "Evento borrado" + +#: ../../Zotlabs/Module/Events.php:720 +msgid "Failed to remove event" +msgstr "Error al eliminar el evento" #: ../../Zotlabs/Module/Manage.php:136 #: ../../Zotlabs/Module/New_channel.php:121 @@ -3091,7 +2866,7 @@ msgid "Create a new channel" msgstr "Crear un nuevo canal" #: ../../Zotlabs/Module/Manage.php:164 ../../Zotlabs/Lib/Apps.php:214 -#: ../../include/nav.php:208 +#: ../../include/nav.php:210 msgid "Channel Manager" msgstr "Administración de canales" @@ -3125,103 +2900,6 @@ msgstr "%d nuevas isolicitudes de conexión" msgid "Delegated Channel" msgstr "Canal delegado" -#: ../../Zotlabs/Module/Menu.php:49 -msgid "Unable to update menu." -msgstr "No se puede actualizar el menĆŗ." - -#: ../../Zotlabs/Module/Menu.php:60 -msgid "Unable to create menu." -msgstr "No se puede crear el menĆŗ." - -#: ../../Zotlabs/Module/Menu.php:98 ../../Zotlabs/Module/Menu.php:110 -msgid "Menu Name" -msgstr "Nombre del menĆŗ" - -#: ../../Zotlabs/Module/Menu.php:98 -msgid "Unique name (not visible on webpage) - required" -msgstr "Nombre Ćŗnico (no serĆ” visible en la pĆ”gina web) - requerido" - -#: ../../Zotlabs/Module/Menu.php:99 ../../Zotlabs/Module/Menu.php:111 -msgid "Menu Title" -msgstr "TĆ­tulo del menĆŗ" - -#: ../../Zotlabs/Module/Menu.php:99 -msgid "Visible on webpage - leave empty for no title" -msgstr "Visible en la pĆ”gina web - no ponga nada si no desea un tĆ­tulo" - -#: ../../Zotlabs/Module/Menu.php:100 -msgid "Allow Bookmarks" -msgstr "Permitir marcadores" - -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 -msgid "Menu may be used to store saved bookmarks" -msgstr "El menĆŗ se puede usar para guardar marcadores" - -#: ../../Zotlabs/Module/Menu.php:101 ../../Zotlabs/Module/Menu.php:159 -msgid "Submit and proceed" -msgstr "Enviar y proceder" - -#: ../../Zotlabs/Module/Menu.php:107 ../../include/text.php:2239 -msgid "Menus" -msgstr "MenĆŗs" - -#: ../../Zotlabs/Module/Menu.php:117 -msgid "Bookmarks allowed" -msgstr "Marcadores permitidos" - -#: ../../Zotlabs/Module/Menu.php:119 -msgid "Delete this menu" -msgstr "Borrar este menĆŗ" - -#: ../../Zotlabs/Module/Menu.php:120 ../../Zotlabs/Module/Menu.php:154 -msgid "Edit menu contents" -msgstr "Editar los contenidos del menĆŗ" - -#: ../../Zotlabs/Module/Menu.php:121 -msgid "Edit this menu" -msgstr "Modificar este menĆŗ" - -#: ../../Zotlabs/Module/Menu.php:136 -msgid "Menu could not be deleted." -msgstr "El menĆŗ no puede ser eliminado." - -#: ../../Zotlabs/Module/Menu.php:144 ../../Zotlabs/Module/Mitem.php:28 -msgid "Menu not found." -msgstr "MenĆŗ no encontrado" - -#: ../../Zotlabs/Module/Menu.php:149 -msgid "Edit Menu" -msgstr "Modificar el menĆŗ" - -#: ../../Zotlabs/Module/Menu.php:153 -msgid "Add or remove entries to this menu" -msgstr "AƱadir o quitar entradas en este menĆŗ" - -#: ../../Zotlabs/Module/Menu.php:155 -msgid "Menu name" -msgstr "Nombre del menĆŗ" - -#: ../../Zotlabs/Module/Menu.php:155 -msgid "Must be unique, only seen by you" -msgstr "Debe ser Ćŗnico, solo serĆ” visible para usted" - -#: ../../Zotlabs/Module/Menu.php:156 -msgid "Menu title" -msgstr "TĆ­tulo del menĆŗ" - -#: ../../Zotlabs/Module/Menu.php:156 -msgid "Menu title as seen by others" -msgstr "El tĆ­tulo del menĆŗ tal como serĆ” visto por los demĆ”s" - -#: ../../Zotlabs/Module/Menu.php:157 -msgid "Allow bookmarks" -msgstr "Permitir marcadores" - -#: ../../Zotlabs/Module/Menu.php:166 ../../Zotlabs/Module/Mitem.php:120 -#: ../../Zotlabs/Module/Xchan.php:41 -msgid "Not found." -msgstr "No encontrado." - #: ../../Zotlabs/Module/Lostpass.php:19 msgid "No valid account found." msgstr "No se ha encontrado una cuenta vĆ”lida." @@ -3246,7 +2924,7 @@ msgid "" "Password reset failed." msgstr "La solicitud no ha podido ser verificada. (Puede que la haya enviado con anterioridad) El restablecimiento de la contraseƱa ha fallado." -#: ../../Zotlabs/Module/Lostpass.php:90 ../../boot.php:1712 +#: ../../Zotlabs/Module/Lostpass.php:90 ../../boot.php:1721 msgid "Password Reset" msgstr "Restablecer la contraseƱa" @@ -3309,33 +2987,105 @@ msgstr "Estado de Ć”nimo" msgid "Set your current mood and tell your friends" msgstr "Describir su estado de Ć”nimo para comunicĆ”rselo a sus amigos" -#: ../../Zotlabs/Module/Network.php:94 -msgid "No such group" -msgstr "No se encuentra el grupo" +#: ../../Zotlabs/Module/Menu.php:49 +msgid "Unable to update menu." +msgstr "No se puede actualizar el menĆŗ." -#: ../../Zotlabs/Module/Network.php:134 -msgid "No such channel" -msgstr "No se encuentra el canal" +#: ../../Zotlabs/Module/Menu.php:60 +msgid "Unable to create menu." +msgstr "No se puede crear el menĆŗ." -#: ../../Zotlabs/Module/Network.php:139 -msgid "forum" -msgstr "foro" +#: ../../Zotlabs/Module/Menu.php:98 ../../Zotlabs/Module/Menu.php:110 +msgid "Menu Name" +msgstr "Nombre del menĆŗ" -#: ../../Zotlabs/Module/Network.php:151 -msgid "Search Results For:" -msgstr "Buscar resultados para:" +#: ../../Zotlabs/Module/Menu.php:98 +msgid "Unique name (not visible on webpage) - required" +msgstr "Nombre Ćŗnico (no serĆ” visible en la pĆ”gina web) - requerido" -#: ../../Zotlabs/Module/Network.php:215 -msgid "Privacy group is empty" -msgstr "El grupo de canales estĆ” vacĆ­o" +#: ../../Zotlabs/Module/Menu.php:99 ../../Zotlabs/Module/Menu.php:111 +msgid "Menu Title" +msgstr "TĆ­tulo del menĆŗ" -#: ../../Zotlabs/Module/Network.php:224 -msgid "Privacy group: " -msgstr "Grupo de canales: " +#: ../../Zotlabs/Module/Menu.php:99 +msgid "Visible on webpage - leave empty for no title" +msgstr "Visible en la pĆ”gina web - no ponga nada si no desea un tĆ­tulo" -#: ../../Zotlabs/Module/Network.php:250 -msgid "Invalid connection." -msgstr "Conexión no vĆ”lida." +#: ../../Zotlabs/Module/Menu.php:100 +msgid "Allow Bookmarks" +msgstr "Permitir marcadores" + +#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 +msgid "Menu may be used to store saved bookmarks" +msgstr "El menĆŗ se puede usar para guardar marcadores" + +#: ../../Zotlabs/Module/Menu.php:101 ../../Zotlabs/Module/Menu.php:159 +msgid "Submit and proceed" +msgstr "Enviar y proceder" + +#: ../../Zotlabs/Module/Menu.php:107 ../../include/text.php:2263 +msgid "Menus" +msgstr "MenĆŗs" + +#: ../../Zotlabs/Module/Menu.php:114 ../../Zotlabs/Module/Blocks.php:157 +#: ../../Zotlabs/Module/Layouts.php:190 ../../Zotlabs/Module/Webpages.php:228 +#: ../../include/page_widgets.php:47 +msgid "Created" +msgstr "Creado" + +#: ../../Zotlabs/Module/Menu.php:115 ../../Zotlabs/Module/Blocks.php:158 +#: ../../Zotlabs/Module/Layouts.php:191 ../../Zotlabs/Module/Webpages.php:229 +#: ../../include/page_widgets.php:48 +msgid "Edited" +msgstr "Editado" + +#: ../../Zotlabs/Module/Menu.php:117 +msgid "Bookmarks allowed" +msgstr "Marcadores permitidos" + +#: ../../Zotlabs/Module/Menu.php:119 +msgid "Delete this menu" +msgstr "Borrar este menĆŗ" + +#: ../../Zotlabs/Module/Menu.php:120 ../../Zotlabs/Module/Menu.php:154 +msgid "Edit menu contents" +msgstr "Editar los contenidos del menĆŗ" + +#: ../../Zotlabs/Module/Menu.php:121 +msgid "Edit this menu" +msgstr "Modificar este menĆŗ" + +#: ../../Zotlabs/Module/Menu.php:136 +msgid "Menu could not be deleted." +msgstr "El menĆŗ no puede ser eliminado." + +#: ../../Zotlabs/Module/Menu.php:149 +msgid "Edit Menu" +msgstr "Modificar el menĆŗ" + +#: ../../Zotlabs/Module/Menu.php:153 +msgid "Add or remove entries to this menu" +msgstr "AƱadir o quitar entradas en este menĆŗ" + +#: ../../Zotlabs/Module/Menu.php:155 +msgid "Menu name" +msgstr "Nombre del menĆŗ" + +#: ../../Zotlabs/Module/Menu.php:155 +msgid "Must be unique, only seen by you" +msgstr "Debe ser Ćŗnico, solo serĆ” visible para usted" + +#: ../../Zotlabs/Module/Menu.php:156 +msgid "Menu title" +msgstr "TĆ­tulo del menĆŗ" + +#: ../../Zotlabs/Module/Menu.php:156 +msgid "Menu title as seen by others" +msgstr "El tĆ­tulo del menĆŗ tal como serĆ” visto por los demĆ”s" + +#: ../../Zotlabs/Module/Menu.php:157 +msgid "Allow bookmarks" +msgstr "Permitir marcadores" #: ../../Zotlabs/Module/Notify.php:57 #: ../../Zotlabs/Module/Notifications.php:98 @@ -3363,2444 +3113,11 @@ msgstr "estĆ” interesado en:" msgid "No matches" msgstr "No se han encontrado perfiles compatibles" -#: ../../Zotlabs/Module/Channel.php:40 -msgid "Posts and comments" -msgstr "Publicaciones y comentarios" - -#: ../../Zotlabs/Module/Channel.php:41 -msgid "Only posts" -msgstr "Solo publicaciones" - -#: ../../Zotlabs/Module/Channel.php:101 -msgid "Insufficient permissions. Request redirected to profile page." -msgstr "Permisos insuficientes. Petición redirigida a la pĆ”gina del perfil." - -#: ../../Zotlabs/Module/Mitem.php:52 -msgid "Unable to create element." -msgstr "Imposible crear el elemento." - -#: ../../Zotlabs/Module/Mitem.php:76 -msgid "Unable to update menu element." -msgstr "No es posible actualizar el elemento del menĆŗ." - -#: ../../Zotlabs/Module/Mitem.php:92 -msgid "Unable to add menu element." -msgstr "No es posible aƱadir el elemento al menĆŗ" - -#: ../../Zotlabs/Module/Mitem.php:153 ../../Zotlabs/Module/Mitem.php:226 -msgid "Menu Item Permissions" -msgstr "Permisos del elemento del menĆŗ" - -#: ../../Zotlabs/Module/Mitem.php:154 ../../Zotlabs/Module/Mitem.php:227 -#: ../../Zotlabs/Module/Settings.php:1163 -msgid "(click to open/close)" -msgstr "(pulsar para abrir o cerrar)" - -#: ../../Zotlabs/Module/Mitem.php:156 ../../Zotlabs/Module/Mitem.php:172 -msgid "Link Name" -msgstr "Nombre del enlace" - -#: ../../Zotlabs/Module/Mitem.php:157 ../../Zotlabs/Module/Mitem.php:231 -msgid "Link or Submenu Target" -msgstr "Destino del enlace o submenĆŗ" - -#: ../../Zotlabs/Module/Mitem.php:157 -msgid "Enter URL of the link or select a menu name to create a submenu" -msgstr "Introducir la dirección del enlace o seleccionar el nombre de un submenĆŗ" - -#: ../../Zotlabs/Module/Mitem.php:158 ../../Zotlabs/Module/Mitem.php:232 -msgid "Use magic-auth if available" -msgstr "Usar la autenticación mĆ”gica si estĆ” disponible" - -#: ../../Zotlabs/Module/Mitem.php:159 ../../Zotlabs/Module/Mitem.php:233 -msgid "Open link in new window" -msgstr "Abrir el enlace en una nueva ventana" - -#: ../../Zotlabs/Module/Mitem.php:160 ../../Zotlabs/Module/Mitem.php:234 -msgid "Order in list" -msgstr "Orden en la lista" - -#: ../../Zotlabs/Module/Mitem.php:160 ../../Zotlabs/Module/Mitem.php:234 -msgid "Higher numbers will sink to bottom of listing" -msgstr "Los nĆŗmeros mĆ”s altos irĆ”n al final de la lista" - -#: ../../Zotlabs/Module/Mitem.php:161 -msgid "Submit and finish" -msgstr "Enviar y terminar" - -#: ../../Zotlabs/Module/Mitem.php:162 -msgid "Submit and continue" -msgstr "Enviar y continuar" - -#: ../../Zotlabs/Module/Mitem.php:170 -msgid "Menu:" -msgstr "MenĆŗ:" - -#: ../../Zotlabs/Module/Mitem.php:173 -msgid "Link Target" -msgstr "Destino del enlace" - -#: ../../Zotlabs/Module/Mitem.php:176 -msgid "Edit menu" -msgstr "Editar menĆŗ" - -#: ../../Zotlabs/Module/Mitem.php:179 -msgid "Edit element" -msgstr "Editar el elemento" - -#: ../../Zotlabs/Module/Mitem.php:180 -msgid "Drop element" -msgstr "Eliminar el elemento" - -#: ../../Zotlabs/Module/Mitem.php:181 -msgid "New element" -msgstr "Nuevo elemento" - -#: ../../Zotlabs/Module/Mitem.php:182 -msgid "Edit this menu container" -msgstr "Modificar el contenedor del menĆŗ" - -#: ../../Zotlabs/Module/Mitem.php:183 -msgid "Add menu element" -msgstr "AƱadir un elemento al menĆŗ" - -#: ../../Zotlabs/Module/Mitem.php:184 -msgid "Delete this menu item" -msgstr "Eliminar este elemento del menĆŗ" - -#: ../../Zotlabs/Module/Mitem.php:185 -msgid "Edit this menu item" -msgstr "Modificar este elemento del menĆŗ" - -#: ../../Zotlabs/Module/Mitem.php:202 -msgid "Menu item not found." -msgstr "Este elemento del menĆŗ no se ha encontrado" - -#: ../../Zotlabs/Module/Mitem.php:215 -msgid "Menu item deleted." -msgstr "Este elemento del menĆŗ ha sido borrado" - -#: ../../Zotlabs/Module/Mitem.php:217 -msgid "Menu item could not be deleted." -msgstr "Este elemento del menĆŗ no puede ser borrado." - -#: ../../Zotlabs/Module/Mitem.php:224 -msgid "Edit Menu Element" -msgstr "Editar elemento del menĆŗ" - -#: ../../Zotlabs/Module/Mitem.php:230 -msgid "Link text" -msgstr "Texto del enlace" - -#: ../../Zotlabs/Module/Admin.php:77 -msgid "Theme settings updated." -msgstr "Ajustes del tema actualizados." - -#: ../../Zotlabs/Module/Admin.php:197 -msgid "# Accounts" -msgstr "# Cuentas" - -#: ../../Zotlabs/Module/Admin.php:198 -msgid "# blocked accounts" -msgstr "# cuentas bloqueadas" - -#: ../../Zotlabs/Module/Admin.php:199 -msgid "# expired accounts" -msgstr "# cuentas caducadas" - -#: ../../Zotlabs/Module/Admin.php:200 -msgid "# expiring accounts" -msgstr "# cuentas que caducan" - -#: ../../Zotlabs/Module/Admin.php:211 -msgid "# Channels" -msgstr "# Canales" - -#: ../../Zotlabs/Module/Admin.php:212 -msgid "# primary" -msgstr "# primario" - -#: ../../Zotlabs/Module/Admin.php:213 -msgid "# clones" -msgstr "# clones" - -#: ../../Zotlabs/Module/Admin.php:219 -msgid "Message queues" -msgstr "Mensajes en cola" - -#: ../../Zotlabs/Module/Admin.php:236 -msgid "Your software should be updated" -msgstr "Debe actualizar su software" - -#: ../../Zotlabs/Module/Admin.php:241 ../../Zotlabs/Module/Admin.php:490 -#: ../../Zotlabs/Module/Admin.php:711 ../../Zotlabs/Module/Admin.php:755 -#: ../../Zotlabs/Module/Admin.php:1030 ../../Zotlabs/Module/Admin.php:1209 -#: ../../Zotlabs/Module/Admin.php:1329 ../../Zotlabs/Module/Admin.php:1419 -#: ../../Zotlabs/Module/Admin.php:1612 ../../Zotlabs/Module/Admin.php:1646 -#: ../../Zotlabs/Module/Admin.php:1731 -msgid "Administration" -msgstr "Administración" - -#: ../../Zotlabs/Module/Admin.php:242 -msgid "Summary" -msgstr "Sumario" - -#: ../../Zotlabs/Module/Admin.php:245 -msgid "Registered accounts" -msgstr "Cuentas registradas" - -#: ../../Zotlabs/Module/Admin.php:246 ../../Zotlabs/Module/Admin.php:715 -msgid "Pending registrations" -msgstr "Registros pendientes" - -#: ../../Zotlabs/Module/Admin.php:247 -msgid "Registered channels" -msgstr "Canales registrados" - -#: ../../Zotlabs/Module/Admin.php:248 ../../Zotlabs/Module/Admin.php:716 -msgid "Active plugins" -msgstr "Extensiones (plugins) activas" - -#: ../../Zotlabs/Module/Admin.php:249 -msgid "Version" -msgstr "Versión" - -#: ../../Zotlabs/Module/Admin.php:250 -msgid "Repository version (master)" -msgstr "Versión del repositorio (master)" - -#: ../../Zotlabs/Module/Admin.php:251 -msgid "Repository version (dev)" -msgstr "Versión del repositorio (dev)" - -#: ../../Zotlabs/Module/Admin.php:373 -msgid "Site settings updated." -msgstr "Ajustes del sitio actualizados." - -#: ../../Zotlabs/Module/Admin.php:400 ../../include/text.php:2829 -msgid "Default" -msgstr "Predeterminado" - -#: ../../Zotlabs/Module/Admin.php:410 ../../Zotlabs/Module/Settings.php:899 -msgid "mobile" -msgstr "móvil" - -#: ../../Zotlabs/Module/Admin.php:412 -msgid "experimental" -msgstr "experimental" - -#: ../../Zotlabs/Module/Admin.php:414 -msgid "unsupported" -msgstr "no soportado" - -#: ../../Zotlabs/Module/Admin.php:460 -msgid "Yes - with approval" -msgstr "SĆ­ - con aprobación" - -#: ../../Zotlabs/Module/Admin.php:466 -msgid "My site is not a public server" -msgstr "Mi sitio no es un servidor pĆŗblico" - -#: ../../Zotlabs/Module/Admin.php:467 -msgid "My site has paid access only" -msgstr "Mi sitio es un servicio de pago" - -#: ../../Zotlabs/Module/Admin.php:468 -msgid "My site has free access only" -msgstr "Mi sitio es un servicio gratuito" - -#: ../../Zotlabs/Module/Admin.php:469 -msgid "My site offers free accounts with optional paid upgrades" -msgstr "Mi sitio ofrece cuentas gratuitas con opciones extra de pago" - -#: ../../Zotlabs/Module/Admin.php:491 ../../include/widgets.php:1476 -msgid "Site" -msgstr "Sitio" - -#: ../../Zotlabs/Module/Admin.php:493 ../../Zotlabs/Module/Register.php:245 -msgid "Registration" -msgstr "Registro" - -#: ../../Zotlabs/Module/Admin.php:494 -msgid "File upload" -msgstr "Subir fichero" - -#: ../../Zotlabs/Module/Admin.php:495 -msgid "Policies" -msgstr "PolĆ­ticas" - -#: ../../Zotlabs/Module/Admin.php:496 ../../include/contact_widgets.php:16 -msgid "Advanced" -msgstr "Avanzado" - -#: ../../Zotlabs/Module/Admin.php:500 -msgid "Site name" -msgstr "Nombre del sitio" - -#: ../../Zotlabs/Module/Admin.php:501 -msgid "Banner/Logo" -msgstr "Banner/Logo" - -#: ../../Zotlabs/Module/Admin.php:502 -msgid "Administrator Information" -msgstr "Información del Administrador" - -#: ../../Zotlabs/Module/Admin.php:502 -msgid "" -"Contact information for site administrators. Displayed on siteinfo page. " -"BBCode can be used here" -msgstr "Información de contacto de los administradores del sitio. Visible en la pĆ”gina \"siteinfo\". Se puede usar BBCode" - -#: ../../Zotlabs/Module/Admin.php:503 -msgid "System language" -msgstr "Idioma del sistema" - -#: ../../Zotlabs/Module/Admin.php:504 -msgid "System theme" -msgstr "Tema grĆ”fico del sistema" - -#: ../../Zotlabs/Module/Admin.php:504 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "Tema del sistema por defecto - se puede cambiar por cada perfil de usuario - modificar los ajustes del tema" - -#: ../../Zotlabs/Module/Admin.php:505 -msgid "Mobile system theme" -msgstr "Tema del sistema para móviles" - -#: ../../Zotlabs/Module/Admin.php:505 -msgid "Theme for mobile devices" -msgstr "Tema para dispositivos móviles" - -#: ../../Zotlabs/Module/Admin.php:507 -msgid "Allow Feeds as Connections" -msgstr "Permitir contenidos RSS como conexiones" - -#: ../../Zotlabs/Module/Admin.php:507 -msgid "(Heavy system resource usage)" -msgstr "(Uso intenso de los recursos del sistema)" - -#: ../../Zotlabs/Module/Admin.php:508 -msgid "Maximum image size" -msgstr "TamaƱo mĆ”ximo de la imagen" - -#: ../../Zotlabs/Module/Admin.php:508 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "TamaƱo mĆ”ximo en bytes de la imagen subida. Por defecto, es 0, lo que significa que no hay lĆ­mites." - -#: ../../Zotlabs/Module/Admin.php:509 -msgid "Does this site allow new member registration?" -msgstr "ĀæDebe este sitio permitir el registro de nuevos miembros?" - -#: ../../Zotlabs/Module/Admin.php:510 -msgid "Invitation only" -msgstr "Solo con una invitación" - -#: ../../Zotlabs/Module/Admin.php:510 -msgid "" -"Only allow new member registrations with an invitation code. Above register " -"policy must be set to Yes." -msgstr "Solo se permiten inscripciones de nuevos miembros con un código de invitación. AdemĆ”s, deben aceptarse los tĆ©rminos del registro marcando \"SĆ­\"." - -#: ../../Zotlabs/Module/Admin.php:511 -msgid "Which best describes the types of account offered by this hub?" -msgstr "ĀæCómo describirĆ­a el tipo de servicio ofrecido por este servidor?" - -#: ../../Zotlabs/Module/Admin.php:512 -msgid "Register text" -msgstr "Texto del registro" - -#: ../../Zotlabs/Module/Admin.php:512 -msgid "Will be displayed prominently on the registration page." -msgstr "Se mostrarĆ” de forma destacada en la pĆ”gina de registro." - -#: ../../Zotlabs/Module/Admin.php:513 -msgid "Site homepage to show visitors (default: login box)" -msgstr "PĆ”gina personal que se mostrarĆ” a los visitantes (por defecto: la pĆ”gina de identificación)" - -#: ../../Zotlabs/Module/Admin.php:513 -msgid "" -"example: 'public' to show public stream, 'page/sys/home' to show a system " -"webpage called 'home' or 'include:home.html' to include a file." -msgstr "ejemplo: 'public' para mostrar contenido pĆŗblico, 'page/sys/home' para mostrar la pĆ”gina web definida como \"home\" o 'include:home.html' para mostrar el contenido de un fichero." - -#: ../../Zotlabs/Module/Admin.php:514 -msgid "Preserve site homepage URL" -msgstr "Preservar la dirección de la pĆ”gina personal" - -#: ../../Zotlabs/Module/Admin.php:514 -msgid "" -"Present the site homepage in a frame at the original location instead of " -"redirecting" -msgstr "Presenta la pĆ”gina personal del sitio en un marco en la ubicación original, en vez de redirigirla." - -#: ../../Zotlabs/Module/Admin.php:515 -msgid "Accounts abandoned after x days" -msgstr "Cuentas abandonadas despuĆ©s de x dĆ­as" - -#: ../../Zotlabs/Module/Admin.php:515 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "Para evitar consumir recursos del sistema intentando poner al dĆ­a las cuentas abandonadas. Introduzca 0 para no tener lĆ­mite de tiempo." - -#: ../../Zotlabs/Module/Admin.php:516 -msgid "Allowed friend domains" -msgstr "Dominios amigos permitidos" - -#: ../../Zotlabs/Module/Admin.php:516 -msgid "" -"Comma separated list of domains which are allowed to establish friendships " -"with this site. Wildcards are accepted. Empty to allow any domains" -msgstr "Lista separada por comas de dominios a los que estĆ” permitido establecer relaciones de amistad con este sitio. Se permiten comodines. Dejar en claro para aceptar cualquier dominio." - -#: ../../Zotlabs/Module/Admin.php:517 -msgid "Allowed email domains" -msgstr "Se aceptan dominios de correo electrónico" - -#: ../../Zotlabs/Module/Admin.php:517 -msgid "" -"Comma separated list of domains which are allowed in email addresses for " -"registrations to this site. Wildcards are accepted. Empty to allow any " -"domains" -msgstr "Lista separada por comas de los dominios de los que se acepta una dirección de correo electrónico para registros en este sitio. Se permiten comodines. Dejar en claro para aceptar cualquier dominio. " - -#: ../../Zotlabs/Module/Admin.php:518 -msgid "Not allowed email domains" -msgstr "No se permiten dominios de correo electrónico" - -#: ../../Zotlabs/Module/Admin.php:518 -msgid "" -"Comma separated list of domains which are not allowed in email addresses for" -" registrations to this site. Wildcards are accepted. Empty to allow any " -"domains, unless allowed domains have been defined." -msgstr "Lista separada por comas de los dominios de los que no se acepta una dirección de correo electrónico para registros en este sitio. Se permiten comodines. Dejar en claro para no aceptar cualquier dominio, excepto los que se hayan autorizado." - -#: ../../Zotlabs/Module/Admin.php:519 -msgid "Verify Email Addresses" -msgstr "Verificar las direcciones de correo electrónico" - -#: ../../Zotlabs/Module/Admin.php:519 -msgid "" -"Check to verify email addresses used in account registration (recommended)." -msgstr "Activar para la verificación de la dirección de correo electrónico en el registro de una cuenta (recomendado)." - -#: ../../Zotlabs/Module/Admin.php:520 -msgid "Force publish" -msgstr "Forzar la publicación" - -#: ../../Zotlabs/Module/Admin.php:520 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "Intentar forzar todos los perfiles para que sean listados en el directorio de este sitio." - -#: ../../Zotlabs/Module/Admin.php:521 -msgid "Import Public Streams" -msgstr "Importar contenido pĆŗblico" - -#: ../../Zotlabs/Module/Admin.php:521 -msgid "" -"Import and allow access to public content pulled from other sites. Warning: " -"this content is unmoderated." -msgstr "Importar y permitir acceso al contenido pĆŗblico sacado de otros sitios. Advertencia: este contenido no estĆ” moderado, por lo que podrĆ­a encontrar cosas inapropiadas u ofensivas." - -#: ../../Zotlabs/Module/Admin.php:522 -msgid "Login on Homepage" -msgstr "Iniciar sesión en la pĆ”gina personal" - -#: ../../Zotlabs/Module/Admin.php:522 -msgid "" -"Present a login box to visitors on the home page if no other content has " -"been configured." -msgstr "Presentar a los visitantes una casilla de identificación en la pĆ”gina de inicio, si no se ha configurado otro tipo de contenido." - -#: ../../Zotlabs/Module/Admin.php:523 -msgid "Enable context help" -msgstr "Habilitar la ayuda contextual" - -#: ../../Zotlabs/Module/Admin.php:523 -msgid "" -"Display contextual help for the current page when the help button is " -"pressed." -msgstr "Ver la ayuda contextual para la pĆ”gina actual cuando se pulse el botón de Ayuda." - -#: ../../Zotlabs/Module/Admin.php:525 -msgid "Directory Server URL" -msgstr "URL del servidor de directorio" - -#: ../../Zotlabs/Module/Admin.php:525 -msgid "Default directory server" -msgstr "Servidor de directorio predeterminado" - -#: ../../Zotlabs/Module/Admin.php:527 -msgid "Proxy user" -msgstr "Usuario del proxy" - -#: ../../Zotlabs/Module/Admin.php:528 -msgid "Proxy URL" -msgstr "Dirección del proxy" - -#: ../../Zotlabs/Module/Admin.php:529 -msgid "Network timeout" -msgstr "Tiempo de espera de la red" - -#: ../../Zotlabs/Module/Admin.php:529 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "Valor en segundos. Poner a 0 para que no haya tiempo lĆ­mite (no recomendado)" - -#: ../../Zotlabs/Module/Admin.php:530 -msgid "Delivery interval" -msgstr "Intervalo de entrega" - -#: ../../Zotlabs/Module/Admin.php:530 -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 "Retrasar los procesos de transmisión en segundo plano por esta cantidad de segundos para reducir la carga del sistema. Recomendado: 4-5 para sitios compartidos, 2-3 para servidores virtuales privados, 0-1 para grandes servidores dedicados." - -#: ../../Zotlabs/Module/Admin.php:531 -msgid "Deliveries per process" -msgstr "Intentos de envĆ­o por proceso" - -#: ../../Zotlabs/Module/Admin.php:531 -msgid "" -"Number of deliveries to attempt in a single operating system process. Adjust" -" if necessary to tune system performance. Recommend: 1-5." -msgstr "Numero de envĆ­os a intentar en un Ćŗnico proceso del sistema operativo. Ajustar si es necesario mejorar el rendimiento. Se recomienda: 1-5." - -#: ../../Zotlabs/Module/Admin.php:532 -msgid "Poll interval" -msgstr "Intervalo mĆ”ximo de tiempo entre dos mensajes sucesivos" - -#: ../../Zotlabs/Module/Admin.php:532 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "Retrasar el intervalo de envĆ­o en segundo plano, en esta cantidad de segundos, para reducir la carga del sistema. Si es 0, usar el intervalo de entrega." - -#: ../../Zotlabs/Module/Admin.php:533 -msgid "Maximum Load Average" -msgstr "Carga media mĆ”xima" - -#: ../../Zotlabs/Module/Admin.php:533 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "Carga mĆ”xima del sistema antes de que los procesos de entrega y envĆ­o se hayan retardado - por defecto, 50." - -#: ../../Zotlabs/Module/Admin.php:534 -msgid "Expiration period in days for imported (grid/network) content" -msgstr "Caducidad del contenido importado de otros sitios (en dĆ­as)" - -#: ../../Zotlabs/Module/Admin.php:534 -msgid "0 for no expiration of imported content" -msgstr "0 para que no caduque el contenido importado" - -#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 -#: ../../Zotlabs/Module/Settings.php:823 -msgid "Off" -msgstr "Desactivado" - -#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 -#: ../../Zotlabs/Module/Settings.php:823 -msgid "On" -msgstr "Activado" - -#: ../../Zotlabs/Module/Admin.php:678 -#, php-format -msgid "Lock feature %s" -msgstr "Bloquear la funcionalidad %s" - -#: ../../Zotlabs/Module/Admin.php:686 -msgid "Manage Additional Features" -msgstr "Gestionar las funcionalidades" - -#: ../../Zotlabs/Module/Admin.php:703 -msgid "No server found" -msgstr "Servidor no encontrado" - -#: ../../Zotlabs/Module/Admin.php:710 ../../Zotlabs/Module/Admin.php:1046 -msgid "ID" -msgstr "ID" - -#: ../../Zotlabs/Module/Admin.php:710 -msgid "for channel" -msgstr "por canal" - -#: ../../Zotlabs/Module/Admin.php:710 -msgid "on server" -msgstr "en el servidor" - -#: ../../Zotlabs/Module/Admin.php:712 -msgid "Server" -msgstr "Servidor" - -#: ../../Zotlabs/Module/Admin.php:746 -msgid "" -"By default, unfiltered HTML is allowed in embedded media. This is inherently" -" insecure." -msgstr "De forma predeterminada, el HTML sin filtrar estĆ” permitido en el contenido multimedia incorporado en una publicación. Esto es siempre inseguro." - -#: ../../Zotlabs/Module/Admin.php:749 -msgid "" -"The recommended setting is to only allow unfiltered HTML from the following " -"sites:" -msgstr "La configuración recomendada es que sólo se permita HTML sin filtrar desde los siguientes sitios: " - -#: ../../Zotlabs/Module/Admin.php:750 -msgid "" -"https://youtube.com/
https://www.youtube.com/
https://youtu.be/https://vimeo.com/
https://soundcloud.com/
" -msgstr "https://youtube.com/
https://www.youtube.com/
https://youtu.be/
https://vimeo.com/
https://soundcloud.com/
" - -#: ../../Zotlabs/Module/Admin.php:751 -msgid "" -"All other embedded content will be filtered, unless " -"embedded content from that site is explicitly blocked." -msgstr "El resto del contenido incrustado se filtrarĆ”, excepto si el contenido incorporado desde ese sitio estĆ” bloqueado de forma explĆ­cita." - -#: ../../Zotlabs/Module/Admin.php:756 ../../include/widgets.php:1479 -msgid "Security" -msgstr "Seguridad" - -#: ../../Zotlabs/Module/Admin.php:758 -msgid "Block public" -msgstr "Bloquear pĆ”ginas pĆŗblicas" - -#: ../../Zotlabs/Module/Admin.php:758 -msgid "" -"Check to block public access to all otherwise public personal pages on this " -"site unless you are currently authenticated." -msgstr "Habilitar para impedir ver las pĆ”ginas personales de este sitio a quien no estĆ© actualmente autenticado." - -#: ../../Zotlabs/Module/Admin.php:759 -msgid "Set \"Transport Security\" HTTP header" -msgstr "Habilitar \"Seguridad de transporte\" (\"Transport Security\") en la cabecera HTTP" - -#: ../../Zotlabs/Module/Admin.php:760 -msgid "Set \"Content Security Policy\" HTTP header" -msgstr "Habilitar la \"PolĆ­tica de seguridad del contenido\" (\"Content Security Policy\") en la cabecera HTTP" - -#: ../../Zotlabs/Module/Admin.php:761 -msgid "Allow communications only from these sites" -msgstr "Permitir la comunicación solo desde estos sitios" - -#: ../../Zotlabs/Module/Admin.php:761 -msgid "" -"One site per line. Leave empty to allow communication from anywhere by " -"default" -msgstr "Un sitio por lĆ­nea. Dejar en blanco para permitir por defecto la comunicación desde cualquiera" - -#: ../../Zotlabs/Module/Admin.php:762 -msgid "Block communications from these sites" -msgstr "Bloquear la comunicación desde estos sitios" - -#: ../../Zotlabs/Module/Admin.php:763 -msgid "Allow communications only from these channels" -msgstr "Permitir la comunicación solo desde estos canales" - -#: ../../Zotlabs/Module/Admin.php:763 -msgid "" -"One channel (hash) per line. Leave empty to allow from any channel by " -"default" -msgstr "Un canal (hash) por lĆ­nea. Dejar en blanco para permitir por defecto la comunicación desde cualquiera" - -#: ../../Zotlabs/Module/Admin.php:764 -msgid "Block communications from these channels" -msgstr "Bloquear la comunicación desde estos canales" - -#: ../../Zotlabs/Module/Admin.php:765 -msgid "Only allow embeds from secure (SSL) websites and links." -msgstr "Sólo se permite contenido multimedia incorporado desde sitios y enlaces seguros (SSL)." - -#: ../../Zotlabs/Module/Admin.php:766 -msgid "Allow unfiltered embedded HTML content only from these domains" -msgstr "Permitir contenido HTML sin filtrar sólo desde estos dominios " - -#: ../../Zotlabs/Module/Admin.php:766 -msgid "One site per line. By default embedded content is filtered." -msgstr "Un sitio por lĆ­nea. El contenido incorporado se filtra de forma predeterminada." - -#: ../../Zotlabs/Module/Admin.php:767 -msgid "Block embedded HTML from these domains" -msgstr "Bloquear contenido con HTML incorporado desde estos dominios" - -#: ../../Zotlabs/Module/Admin.php:785 -msgid "Update has been marked successful" -msgstr "La actualización ha sido marcada como exitosa" - -#: ../../Zotlabs/Module/Admin.php:795 -#, php-format -msgid "Executing %s failed. Check system logs." -msgstr "La ejecución de %s ha fallado. Mirar en los informes del sistema." - -#: ../../Zotlabs/Module/Admin.php:798 -#, php-format -msgid "Update %s was successfully applied." -msgstr "La actualización de %s se ha realizado exitosamente." - -#: ../../Zotlabs/Module/Admin.php:802 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "La actualización de %s no ha devuelto ningĆŗn estado. No se sabe si ha tenido Ć©xito." - -#: ../../Zotlabs/Module/Admin.php:805 -#, php-format -msgid "Update function %s could not be found." -msgstr "No se encuentra la función de actualización de %s." - -#: ../../Zotlabs/Module/Admin.php:821 -msgid "No failed updates." -msgstr "No ha fallado ninguna actualización." - -#: ../../Zotlabs/Module/Admin.php:825 -msgid "Failed Updates" -msgstr "Han fallado las actualizaciones" - -#: ../../Zotlabs/Module/Admin.php:827 -msgid "Mark success (if update was manually applied)" -msgstr "Marcar como exitosa (si la actualización se ha hecho manualmente)" - -#: ../../Zotlabs/Module/Admin.php:828 -msgid "Attempt to execute this update step automatically" -msgstr "Intentar ejecutar este paso de actualización automĆ”ticamente" - -#: ../../Zotlabs/Module/Admin.php:859 -msgid "Queue Statistics" -msgstr "EstadĆ­sticas de la cola" - -#: ../../Zotlabs/Module/Admin.php:860 -msgid "Total Entries" -msgstr "Total de entradas" - -#: ../../Zotlabs/Module/Admin.php:861 -msgid "Priority" -msgstr "Prioridad" - -#: ../../Zotlabs/Module/Admin.php:862 -msgid "Destination URL" -msgstr "Dirección de destino" - -#: ../../Zotlabs/Module/Admin.php:863 -msgid "Mark hub permanently offline" -msgstr "Marcar el servidor como permanentemente fuera de lĆ­nea" - -#: ../../Zotlabs/Module/Admin.php:864 -msgid "Empty queue for this hub" -msgstr "Vaciar la cola para este servidor" - -#: ../../Zotlabs/Module/Admin.php:865 -msgid "Last known contact" -msgstr "Último contacto conocido" - -#: ../../Zotlabs/Module/Admin.php:901 -#, php-format -msgid "%s account blocked/unblocked" -msgid_plural "%s account blocked/unblocked" -msgstr[0] "%s cuenta bloqueada/desbloqueada" -msgstr[1] "%s cuenta bloqueada/desbloqueada" - -#: ../../Zotlabs/Module/Admin.php:908 -#, php-format -msgid "%s account deleted" -msgid_plural "%s accounts deleted" -msgstr[0] "%s cuentas eliminadas" -msgstr[1] "%s cuentas eliminadas" - -#: ../../Zotlabs/Module/Admin.php:944 -msgid "Account not found" -msgstr "Cuenta no encontrada" - -#: ../../Zotlabs/Module/Admin.php:955 -#, php-format -msgid "Account '%s' deleted" -msgstr "La cuenta '%s' ha sido eliminada" - -#: ../../Zotlabs/Module/Admin.php:963 -#, php-format -msgid "Account '%s' blocked" -msgstr "La cuenta '%s' ha sido bloqueada" - -#: ../../Zotlabs/Module/Admin.php:971 -#, php-format -msgid "Account '%s' unblocked" -msgstr "La cuenta '%s' ha sido desbloqueada" - -#: ../../Zotlabs/Module/Admin.php:1031 ../../Zotlabs/Module/Admin.php:1044 -#: ../../include/widgets.php:1477 -msgid "Accounts" -msgstr "Cuentas" - -#: ../../Zotlabs/Module/Admin.php:1033 ../../Zotlabs/Module/Admin.php:1212 -msgid "select all" -msgstr "seleccionar todo" - -#: ../../Zotlabs/Module/Admin.php:1034 -msgid "Registrations waiting for confirm" -msgstr "Inscripciones en espera de confirmación" - -#: ../../Zotlabs/Module/Admin.php:1035 -msgid "Request date" -msgstr "Fecha de solicitud" - -#: ../../Zotlabs/Module/Admin.php:1036 -msgid "No registrations." -msgstr "Sin registros." - -#: ../../Zotlabs/Module/Admin.php:1038 -msgid "Deny" -msgstr "Rechazar" - -#: ../../Zotlabs/Module/Admin.php:1048 ../../include/group.php:267 -msgid "All Channels" -msgstr "Todos los canales" - -#: ../../Zotlabs/Module/Admin.php:1049 -msgid "Register date" -msgstr "Fecha de registro" - -#: ../../Zotlabs/Module/Admin.php:1050 -msgid "Last login" -msgstr "Último acceso" - -#: ../../Zotlabs/Module/Admin.php:1051 -msgid "Expires" -msgstr "Caduca" - -#: ../../Zotlabs/Module/Admin.php:1052 -msgid "Service Class" -msgstr "Clase de servicio" - -#: ../../Zotlabs/Module/Admin.php:1054 -msgid "" -"Selected accounts will be deleted!\\n\\nEverything these accounts had posted" -" on this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Ā”Las cuentas seleccionadas van a ser eliminadas!\\n\\nĀ”Todo lo que estas cuentas han publicado en este sitio serĆ” borrado de forma permanente!\\n\\nĀæEstĆ” seguro de querer hacerlo?" - -#: ../../Zotlabs/Module/Admin.php:1055 -msgid "" -"The account {0} will be deleted!\\n\\nEverything this account has posted on " -"this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Ā”La cuenta {0} va a ser eliminada!\\n\\nĀ”Todo lo que esta cuenta ha publicado en este sitio serĆ” borrado de forma permanente!\\n\\nĀæEstĆ” seguro de querer hacerlo?" - -#: ../../Zotlabs/Module/Admin.php:1091 -#, php-format -msgid "%s channel censored/uncensored" -msgid_plural "%s channels censored/uncensored" -msgstr[0] "%s canales censurados/no censurados" -msgstr[1] "%s canales censurados/no censurados" - -#: ../../Zotlabs/Module/Admin.php:1100 -#, php-format -msgid "%s channel code allowed/disallowed" -msgid_plural "%s channels code allowed/disallowed" -msgstr[0] "%s código permitido/no permitido al canal" -msgstr[1] "%s código permitido/no permitido al canal" - -#: ../../Zotlabs/Module/Admin.php:1106 -#, php-format -msgid "%s channel deleted" -msgid_plural "%s channels deleted" -msgstr[0] "%s canales eliminados" -msgstr[1] "%s canales eliminados" - -#: ../../Zotlabs/Module/Admin.php:1126 -msgid "Channel not found" -msgstr "Canal no encontrado" - -#: ../../Zotlabs/Module/Admin.php:1136 -#, php-format -msgid "Channel '%s' deleted" -msgstr "Canal '%s' eliminado" - -#: ../../Zotlabs/Module/Admin.php:1148 -#, php-format -msgid "Channel '%s' censored" -msgstr "Canal '%s' censurado" - -#: ../../Zotlabs/Module/Admin.php:1148 -#, php-format -msgid "Channel '%s' uncensored" -msgstr "Canal '%s' no censurado" - -#: ../../Zotlabs/Module/Admin.php:1159 -#, php-format -msgid "Channel '%s' code allowed" -msgstr "Código permitido al canal '%s'" - -#: ../../Zotlabs/Module/Admin.php:1159 -#, php-format -msgid "Channel '%s' code disallowed" -msgstr "Código no permitido al canal '%s'" - -#: ../../Zotlabs/Module/Admin.php:1210 ../../include/widgets.php:1478 -msgid "Channels" -msgstr "Canales" - -#: ../../Zotlabs/Module/Admin.php:1214 -msgid "Censor" -msgstr "Censurar" - -#: ../../Zotlabs/Module/Admin.php:1215 -msgid "Uncensor" -msgstr "No censurar" - -#: ../../Zotlabs/Module/Admin.php:1216 -msgid "Allow Code" -msgstr "Permitir código" - -#: ../../Zotlabs/Module/Admin.php:1217 -msgid "Disallow Code" -msgstr "No permitir código" - -#: ../../Zotlabs/Module/Admin.php:1218 ../../include/conversation.php:1626 -msgid "Channel" -msgstr "Canal" - -#: ../../Zotlabs/Module/Admin.php:1222 -msgid "UID" -msgstr "UID" - -#: ../../Zotlabs/Module/Admin.php:1226 -msgid "" -"Selected channels will be deleted!\\n\\nEverything that was posted in these " -"channels on this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Los canales seleccionados se eliminarĆ”n!\\n\\nTodo lo publicado por estos canales en este sitio se borrarĆ”n definitivamente!\\n\\nĀæEstĆ” seguro de querer hacerlo?" - -#: ../../Zotlabs/Module/Admin.php:1227 -msgid "" -"The channel {0} will be deleted!\\n\\nEverything that was posted in this " -"channel on this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "El canal {0} va a ser eliminado!\\n\\nTodo lo publicado por el canal en este sitio se borrarĆ” definitivamente!\\n\\nĀæEstĆ” seguro de querer hacerlo?" - -#: ../../Zotlabs/Module/Admin.php:1284 -#, php-format -msgid "Plugin %s disabled." -msgstr "Extensión %s desactivada." - -#: ../../Zotlabs/Module/Admin.php:1288 -#, php-format -msgid "Plugin %s enabled." -msgstr "Extensión %s activada." - -#: ../../Zotlabs/Module/Admin.php:1298 ../../Zotlabs/Module/Admin.php:1585 -msgid "Disable" -msgstr "Desactivar" - -#: ../../Zotlabs/Module/Admin.php:1301 ../../Zotlabs/Module/Admin.php:1587 -msgid "Enable" -msgstr "Activar" - -#: ../../Zotlabs/Module/Admin.php:1330 ../../Zotlabs/Module/Admin.php:1420 -#: ../../include/widgets.php:1481 -msgid "Plugins" -msgstr "Extensiones (plugins)" - -#: ../../Zotlabs/Module/Admin.php:1331 ../../Zotlabs/Module/Admin.php:1614 -msgid "Toggle" -msgstr "Cambiar" - -#: ../../Zotlabs/Module/Admin.php:1332 ../../Zotlabs/Module/Admin.php:1615 -#: ../../Zotlabs/Lib/Apps.php:216 ../../include/nav.php:210 -#: ../../include/widgets.php:647 -msgid "Settings" -msgstr "Ajustes" - -#: ../../Zotlabs/Module/Admin.php:1339 ../../Zotlabs/Module/Admin.php:1624 -msgid "Author: " -msgstr "Autor:" - -#: ../../Zotlabs/Module/Admin.php:1340 ../../Zotlabs/Module/Admin.php:1625 -msgid "Maintainer: " -msgstr "Mantenedor:" - -#: ../../Zotlabs/Module/Admin.php:1341 -msgid "Minimum project version: " -msgstr "Versión mĆ­nima del proyecto:" - -#: ../../Zotlabs/Module/Admin.php:1342 -msgid "Maximum project version: " -msgstr "Versión mĆ”xima del proyecto:" - -#: ../../Zotlabs/Module/Admin.php:1343 -msgid "Minimum PHP version: " -msgstr "Versión mĆ­nima de PHP:" - -#: ../../Zotlabs/Module/Admin.php:1344 -msgid "Requires: " -msgstr "Se requiere:" - -#: ../../Zotlabs/Module/Admin.php:1345 ../../Zotlabs/Module/Admin.php:1425 -msgid "Disabled - version incompatibility" -msgstr "Deshabilitado - versiones incompatibles" - -#: ../../Zotlabs/Module/Admin.php:1394 -msgid "Enter the public git repository URL of the plugin repo." -msgstr "Escriba la URL pĆŗblica del repositorio git del plugin." - -#: ../../Zotlabs/Module/Admin.php:1395 -msgid "Plugin repo git URL" -msgstr "URL del repositorio git del plugin" - -#: ../../Zotlabs/Module/Admin.php:1396 -msgid "Custom repo name" -msgstr "Nombre personalizado del repositorio" - -#: ../../Zotlabs/Module/Admin.php:1396 -msgid "(optional)" -msgstr "(opcional)" - -#: ../../Zotlabs/Module/Admin.php:1397 -msgid "Download Plugin Repo" -msgstr "Descargar el repositorio" - -#: ../../Zotlabs/Module/Admin.php:1404 -msgid "Install new repo" -msgstr "Instalar un nuevo repositorio" - -#: ../../Zotlabs/Module/Admin.php:1405 ../../Zotlabs/Lib/Apps.php:334 -msgid "Install" -msgstr "Instalar" - -#: ../../Zotlabs/Module/Admin.php:1427 -msgid "Manage Repos" -msgstr "Gestionar los repositorios" - -#: ../../Zotlabs/Module/Admin.php:1428 -msgid "Installed Plugin Repositories" -msgstr "Repositorios de los plugins instalados" - -#: ../../Zotlabs/Module/Admin.php:1429 -msgid "Install a New Plugin Repository" -msgstr "Instalar un nuevo repositorio de plugins" - -#: ../../Zotlabs/Module/Admin.php:1435 ../../Zotlabs/Module/Settings.php:72 -#: ../../Zotlabs/Module/Settings.php:670 ../../Zotlabs/Lib/Apps.php:334 -msgid "Update" -msgstr "Actualizar" - -#: ../../Zotlabs/Module/Admin.php:1436 -msgid "Switch branch" -msgstr "Cambiar la rama" - -#: ../../Zotlabs/Module/Admin.php:1550 -msgid "No themes found." -msgstr "No se han encontrado temas." - -#: ../../Zotlabs/Module/Admin.php:1606 -msgid "Screenshot" -msgstr "InstantĆ”nea de pantalla" - -#: ../../Zotlabs/Module/Admin.php:1613 ../../Zotlabs/Module/Admin.php:1647 -#: ../../include/widgets.php:1482 -msgid "Themes" -msgstr "Temas" - -#: ../../Zotlabs/Module/Admin.php:1652 -msgid "[Experimental]" -msgstr "[Experimental]" - -#: ../../Zotlabs/Module/Admin.php:1653 -msgid "[Unsupported]" -msgstr "[No soportado]" - -#: ../../Zotlabs/Module/Admin.php:1677 -msgid "Log settings updated." -msgstr "Actualizado el informe de configuraciones." - -#: ../../Zotlabs/Module/Admin.php:1732 ../../include/widgets.php:1503 -#: ../../include/widgets.php:1513 -msgid "Logs" -msgstr "Informes" - -#: ../../Zotlabs/Module/Admin.php:1734 -msgid "Clear" -msgstr "Vaciar" - -#: ../../Zotlabs/Module/Admin.php:1740 -msgid "Debugging" -msgstr "Depuración" - -#: ../../Zotlabs/Module/Admin.php:1741 -msgid "Log file" -msgstr "Fichero de informe" - -#: ../../Zotlabs/Module/Admin.php:1741 -msgid "" -"Must be writable by web server. Relative to your top-level webserver " -"directory." -msgstr "Debe tener permisos de escritura por el servidor web. La ruta es relativa al directorio web principal." - -#: ../../Zotlabs/Module/Admin.php:1742 -msgid "Log level" -msgstr "Nivel de depuración" - -#: ../../Zotlabs/Module/Admin.php:2028 -msgid "New Profile Field" -msgstr "Nuevo campo en el perfil" - -#: ../../Zotlabs/Module/Admin.php:2029 ../../Zotlabs/Module/Admin.php:2049 -msgid "Field nickname" -msgstr "Alias del campo" - -#: ../../Zotlabs/Module/Admin.php:2029 ../../Zotlabs/Module/Admin.php:2049 -msgid "System name of field" -msgstr "Nombre del campo en el sistema" - -#: ../../Zotlabs/Module/Admin.php:2030 ../../Zotlabs/Module/Admin.php:2050 -msgid "Input type" -msgstr "Tipo de entrada" - -#: ../../Zotlabs/Module/Admin.php:2031 ../../Zotlabs/Module/Admin.php:2051 -msgid "Field Name" -msgstr "Nombre del campo" - -#: ../../Zotlabs/Module/Admin.php:2031 ../../Zotlabs/Module/Admin.php:2051 -msgid "Label on profile pages" -msgstr "Etiqueta a mostrar en la pĆ”gina del perfil" - -#: ../../Zotlabs/Module/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 -msgid "Help text" -msgstr "Texto de ayuda" - -#: ../../Zotlabs/Module/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 -msgid "Additional info (optional)" -msgstr "Información adicional (opcional)" - -#: ../../Zotlabs/Module/Admin.php:2042 -msgid "Field definition not found" -msgstr "Definición del campo no encontrada" - -#: ../../Zotlabs/Module/Admin.php:2048 -msgid "Edit Profile Field" -msgstr "Modificar el campo del perfil" - -#: ../../Zotlabs/Module/Admin.php:2106 ../../include/widgets.php:1484 -msgid "Profile Fields" -msgstr "Campos del perfil" - -#: ../../Zotlabs/Module/Admin.php:2107 -msgid "Basic Profile Fields" -msgstr "Campos bĆ”sicos del perfil" - -#: ../../Zotlabs/Module/Admin.php:2108 -msgid "Advanced Profile Fields" -msgstr "Campos avanzados del perfil" - -#: ../../Zotlabs/Module/Admin.php:2108 -msgid "(In addition to basic fields)" -msgstr "(AdemĆ”s de los campos bĆ”sicos)" - -#: ../../Zotlabs/Module/Admin.php:2110 -msgid "All available fields" -msgstr "Todos los campos disponibles" - -#: ../../Zotlabs/Module/Admin.php:2111 -msgid "Custom Fields" -msgstr "Campos personalizados" - -#: ../../Zotlabs/Module/Admin.php:2115 -msgid "Create Custom Field" -msgstr "Crear un campo personalizado" - -#: ../../Zotlabs/Module/New_channel.php:128 -#: ../../Zotlabs/Module/Register.php:231 -msgid "Name or caption" -msgstr "Nombre o descripción" - -#: ../../Zotlabs/Module/New_channel.php:128 -#: ../../Zotlabs/Module/Register.php:231 -msgid "Examples: \"Bob Jameson\", \"Lisa and her Horses\", \"Soccer\", \"Aviation Group\"" -msgstr "Ejemplos: \"Juan GarcĆ­a\", \"Luisa y sus caballos\", \"FĆŗtbol\", \"Grupo de aviación\"" - -#: ../../Zotlabs/Module/New_channel.php:130 -#: ../../Zotlabs/Module/Register.php:233 -msgid "Choose a short nickname" -msgstr "Elija un alias corto" - -#: ../../Zotlabs/Module/New_channel.php:130 -#: ../../Zotlabs/Module/Register.php:233 -#, php-format -msgid "" -"Your nickname will be used to create an easy to remember channel address " -"e.g. nickname%s" -msgstr "Su alias se usarĆ” para crear una dirección de canal fĆ”cil de recordar, p. ej.: alias%s" - -#: ../../Zotlabs/Module/New_channel.php:132 -#: ../../Zotlabs/Module/Register.php:235 -msgid "Channel role and privacy" -msgstr "Clase de canal y privacidad" - -#: ../../Zotlabs/Module/New_channel.php:132 -#: ../../Zotlabs/Module/Register.php:235 -msgid "Select a channel role with your privacy requirements." -msgstr "Seleccione un tipo de canal con sus requisitos de privacidad" - -#: ../../Zotlabs/Module/New_channel.php:132 -#: ../../Zotlabs/Module/Register.php:235 -msgid "Read more about roles" -msgstr "Leer mĆ”s sobre los roles" - -#: ../../Zotlabs/Module/New_channel.php:135 -msgid "Create Channel" -msgstr "Crear un canal" - -#: ../../Zotlabs/Module/New_channel.php:136 -msgid "" -"A channel is your identity on this network. It can represent a person, a " -"blog, or a forum to name a few. Channels can make connections with other " -"channels to share information with highly detailed permissions." -msgstr "Un canal es su identidad en esta red. Puede representar a una persona, un blog o un foro, por nombrar unos pocos ejemplos. Los canales se pueden conectar con otros canales para compartir información con una gama de permisos extremadamente detallada." - -#: ../../Zotlabs/Module/New_channel.php:137 -msgid "" -"or import an existing channel from another location." -msgstr "O importar un canal existente desde otro lugar." - -#: ../../Zotlabs/Module/Ping.php:265 -msgid "sent you a private message" -msgstr "le ha enviado un mensaje privado" - -#: ../../Zotlabs/Module/Ping.php:313 -msgid "added your channel" -msgstr "aƱadió este canal a sus conexiones" - -#: ../../Zotlabs/Module/Ping.php:323 -msgid "g A l F d" -msgstr "g A l d F" - -#: ../../Zotlabs/Module/Ping.php:346 -msgid "[today]" -msgstr "[hoy]" - -#: ../../Zotlabs/Module/Ping.php:355 -msgid "posted an event" -msgstr "publicó un evento" - -#: ../../Zotlabs/Module/Notifications.php:30 -msgid "Invalid request identifier." -msgstr "Petición invĆ”lida del identificador." - -#: ../../Zotlabs/Module/Notifications.php:39 -msgid "Discard" -msgstr "Descartar" - -#: ../../Zotlabs/Module/Notifications.php:103 ../../include/nav.php:193 -msgid "Mark all system notifications seen" -msgstr "Marcar todas las notificaciones de sistema como leĆ­das" - -#: ../../Zotlabs/Module/Poke.php:168 ../../Zotlabs/Lib/Apps.php:228 -#: ../../include/conversation.php:963 -msgid "Poke" -msgstr "Toques y otras cosas" - -#: ../../Zotlabs/Module/Poke.php:169 -msgid "Poke somebody" -msgstr "Dar un toque a alguien" - -#: ../../Zotlabs/Module/Poke.php:172 -msgid "Poke/Prod" -msgstr "Toque/Incitación" - -#: ../../Zotlabs/Module/Poke.php:173 -msgid "Poke, prod or do other things to somebody" -msgstr "Dar un toque, incitar o hacer otras cosas a alguien" - -#: ../../Zotlabs/Module/Poke.php:180 -msgid "Recipient" -msgstr "Destinatario" - -#: ../../Zotlabs/Module/Poke.php:181 -msgid "Choose what you wish to do to recipient" -msgstr "Elegir quĆ© desea enviar al destinatario" - -#: ../../Zotlabs/Module/Poke.php:184 ../../Zotlabs/Module/Poke.php:185 -msgid "Make this post private" -msgstr "Convertir en privado este envĆ­o" - -#: ../../Zotlabs/Module/Oexchange.php:27 -msgid "Unable to find your hub." -msgstr "No se puede encontrar su servidor." - -#: ../../Zotlabs/Module/Oexchange.php:41 -msgid "Post successful." -msgstr "Enviado con Ć©xito." - -#: ../../Zotlabs/Module/Openid.php:30 -msgid "OpenID protocol error. No ID returned." -msgstr "Error del protocolo OpenID. NingĆŗn ID recibido como respuesta." - -#: ../../Zotlabs/Module/Openid.php:193 ../../include/auth.php:285 -msgid "Login failed." -msgstr "El acceso ha fallado." - -#: ../../Zotlabs/Module/Profperm.php:34 ../../Zotlabs/Module/Profperm.php:63 -msgid "Invalid profile identifier." -msgstr "Identificador del perfil no vĆ”lido" - -#: ../../Zotlabs/Module/Profperm.php:115 -msgid "Profile Visibility Editor" -msgstr "Editor de visibilidad del perfil" - -#: ../../Zotlabs/Module/Profperm.php:117 ../../include/channel.php:1290 -msgid "Profile" -msgstr "Perfil" - -#: ../../Zotlabs/Module/Profperm.php:119 -msgid "Click on a contact to add or remove." -msgstr "Pulsar en un contacto para aƱadirlo o eliminarlo." - -#: ../../Zotlabs/Module/Profperm.php:128 -msgid "Visible To" -msgstr "Visible para" - -#: ../../Zotlabs/Module/Pconfig.php:26 ../../Zotlabs/Module/Pconfig.php:59 -msgid "This setting requires special processing and editing has been blocked." -msgstr "Este ajuste necesita de un proceso especial y la edición ha sido bloqueada." - -#: ../../Zotlabs/Module/Pconfig.php:48 -msgid "Configuration Editor" -msgstr "Editor de configuración" - -#: ../../Zotlabs/Module/Pconfig.php:49 -msgid "" -"Warning: Changing some settings could render your channel inoperable. Please" -" leave this page unless you are comfortable with and knowledgeable about how" -" to correctly use this feature." -msgstr "Atención: El cambio de algunos ajustes puede volver inutilizable su canal. Por favor, abandone la pĆ”gina excepto que estĆ© seguro y sepa cómo usar correctamente esta caracterĆ­stica." - #: ../../Zotlabs/Module/Probe.php:28 ../../Zotlabs/Module/Probe.php:32 #, php-format msgid "Fetching URL returns error: %1$s" msgstr "Al intentar obtener la dirección, retorna el error: %1$s" -#: ../../Zotlabs/Module/Siteinfo.php:19 -#, php-format -msgid "Version %s" -msgstr "Versión %s" - -#: ../../Zotlabs/Module/Siteinfo.php:34 -msgid "Installed plugins/addons/apps:" -msgstr "Extensiones (plugins), complementos o aplicaciones (apps) instaladas:" - -#: ../../Zotlabs/Module/Siteinfo.php:36 -msgid "No installed plugins/addons/apps" -msgstr "No hay instalada ninguna extensión (plugin), complemento o aplicación (app)" - -#: ../../Zotlabs/Module/Siteinfo.php:49 -msgid "" -"This is a hub of $Projectname - a global cooperative network of " -"decentralized privacy enhanced websites." -msgstr "Este es un sitio integrado en $Projectname - una red cooperativa mundial de sitios web descentralizados de privacidad mejorada." - -#: ../../Zotlabs/Module/Siteinfo.php:51 -msgid "Tag: " -msgstr "Etiqueta:" - -#: ../../Zotlabs/Module/Siteinfo.php:53 -msgid "Last background fetch: " -msgstr "Última actualización en segundo plano:" - -#: ../../Zotlabs/Module/Siteinfo.php:55 -msgid "Current load average: " -msgstr "Carga media actual:" - -#: ../../Zotlabs/Module/Siteinfo.php:58 -msgid "Running at web location" -msgstr "Corriendo en el sitio web" - -#: ../../Zotlabs/Module/Siteinfo.php:59 -msgid "" -"Please visit hubzilla.org to learn more " -"about $Projectname." -msgstr "Por favor, visite hubzilla.org para mĆ”s información sobre $Projectname." - -#: ../../Zotlabs/Module/Siteinfo.php:60 -msgid "Bug reports and issues: please visit" -msgstr "Informes de errores e incidencias: por favor visite" - -#: ../../Zotlabs/Module/Siteinfo.php:62 -msgid "$projectname issues" -msgstr "Problemas en $projectname" - -#: ../../Zotlabs/Module/Siteinfo.php:63 -msgid "" -"Suggestions, praise, etc. - please email \"redmatrix\" at librelist - dot " -"com" -msgstr "Sugerencias, elogios, etc - por favor, un correo electrónico a \"redmatrix\" en librelist - punto com" - -#: ../../Zotlabs/Module/Siteinfo.php:65 -msgid "Site Administrators" -msgstr "Administradores del sitio" - -#: ../../Zotlabs/Module/Rmagic.php:44 -msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "Encontramos un problema durante el inicio de sesión con la OpenID que proporcionó. Por favor, compruebe que la ID estĆ” correctamente escrita." - -#: ../../Zotlabs/Module/Rmagic.php:44 -msgid "The error message was:" -msgstr "El mensaje de error fue:" - -#: ../../Zotlabs/Module/Rmagic.php:48 -msgid "Authentication failed." -msgstr "Falló la autenticación." - -#: ../../Zotlabs/Module/Rmagic.php:88 -msgid "Remote Authentication" -msgstr "Acceso desde su servidor" - -#: ../../Zotlabs/Module/Rmagic.php:89 -msgid "Enter your channel address (e.g. channel@example.com)" -msgstr "Introduzca la dirección del canal (p.ej. canal@ejemplo.com)" - -#: ../../Zotlabs/Module/Rmagic.php:90 -msgid "Authenticate" -msgstr "Acceder" - -#: ../../Zotlabs/Module/Pubsites.php:22 ../../include/widgets.php:1337 -msgid "Public Hubs" -msgstr "Servidores pĆŗblicos" - -#: ../../Zotlabs/Module/Pubsites.php:25 -msgid "" -"The listed hubs allow public registration for the $Projectname network. All " -"hubs in the network are interlinked so membership on any of them conveys " -"membership in the network as a whole. Some hubs may require subscription or " -"provide tiered service plans. The hub itself may provide " -"additional details." -msgstr "Los sitios listados permiten el registro pĆŗblico en la red $Projectname. Todos los sitios de la red estĆ”n vinculados entre sĆ­, por lo que sus miembros, en ninguno de ellos, indican la pertenencia a la red en su conjunto. Algunos sitios pueden requerir suscripción o proporcionar planes de servicio por niveles. Los mismos hubs pueden proporcionar detalles adicionales." - -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Hub URL" -msgstr "Dirección del hub" - -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Access Type" -msgstr "Tipo de acceso" - -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Registration Policy" -msgstr "Normas de registro" - -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Stats" -msgstr "EstadĆ­sticas" - -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Software" -msgstr "Software" - -#: ../../Zotlabs/Module/Pubsites.php:31 ../../Zotlabs/Module/Ratings.php:103 -#: ../../include/conversation.php:962 -msgid "Ratings" -msgstr "Valoraciones" - -#: ../../Zotlabs/Module/Pubsites.php:38 -msgid "Rate" -msgstr "Valorar" - -#: ../../Zotlabs/Module/Profile_photo.php:186 -msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Recargue la pĆ”gina o limpie el cachĆ© del navegador si la nueva foto no se muestra inmediatamente." - -#: ../../Zotlabs/Module/Profile_photo.php:389 -msgid "Upload Profile Photo" -msgstr "Subir foto de perfil" - -#: ../../Zotlabs/Module/Blocks.php:97 ../../Zotlabs/Module/Blocks.php:155 -#: ../../Zotlabs/Module/Editblock.php:108 -msgid "Block Name" -msgstr "Nombre del bloque" - -#: ../../Zotlabs/Module/Blocks.php:154 ../../include/text.php:2238 -msgid "Blocks" -msgstr "Bloques" - -#: ../../Zotlabs/Module/Blocks.php:156 -msgid "Block Title" -msgstr "TĆ­tulo del bloque" - -#: ../../Zotlabs/Module/Rate.php:160 -msgid "Website:" -msgstr "Sitio web:" - -#: ../../Zotlabs/Module/Rate.php:163 -#, php-format -msgid "Remote Channel [%s] (not yet known on this site)" -msgstr "Canal remoto [%s] (aĆŗn no es conocido en este sitio)" - -#: ../../Zotlabs/Module/Rate.php:164 -msgid "Rating (this information is public)" -msgstr "Valoración (esta información es pĆŗblica)" - -#: ../../Zotlabs/Module/Rate.php:165 -msgid "Optionally explain your rating (this information is public)" -msgstr "Opcionalmente puede explicar su valoración (esta información es pĆŗblica)" - -#: ../../Zotlabs/Module/Ratings.php:73 -msgid "No ratings" -msgstr "Ninguna valoración" - -#: ../../Zotlabs/Module/Ratings.php:104 -msgid "Rating: " -msgstr "Valoración:" - -#: ../../Zotlabs/Module/Ratings.php:105 -msgid "Website: " -msgstr "Sitio web:" - -#: ../../Zotlabs/Module/Ratings.php:107 -msgid "Description: " -msgstr "Descripción:" - -#: ../../Zotlabs/Module/Apps.php:47 ../../include/nav.php:165 -#: ../../include/widgets.php:102 -msgid "Apps" -msgstr "Aplicaciones (apps)" - -#: ../../Zotlabs/Module/Editblock.php:124 ../../include/conversation.php:1243 -msgid "Title (optional)" -msgstr "TĆ­tulo (opcional)" - -#: ../../Zotlabs/Module/Editblock.php:133 -msgid "Edit Block" -msgstr "Modificar este bloque" - -#: ../../Zotlabs/Module/Common.php:14 -msgid "No channel." -msgstr "NingĆŗn canal." - -#: ../../Zotlabs/Module/Common.php:43 -msgid "Common connections" -msgstr "Conexiones comunes" - -#: ../../Zotlabs/Module/Common.php:48 -msgid "No connections in common." -msgstr "Ninguna conexión en comĆŗn." - -#: ../../Zotlabs/Module/Rbmark.php:94 -msgid "Select a bookmark folder" -msgstr "Seleccionar una carpeta de marcadores" - -#: ../../Zotlabs/Module/Rbmark.php:99 -msgid "Save Bookmark" -msgstr "Guardar marcador" - -#: ../../Zotlabs/Module/Rbmark.php:100 -msgid "URL of bookmark" -msgstr "Dirección del marcador" - -#: ../../Zotlabs/Module/Rbmark.php:105 -msgid "Or enter new bookmark folder name" -msgstr "O introduzca un nuevo nombre para la carpeta de marcadores" - -#: ../../Zotlabs/Module/Register.php:49 -msgid "Maximum daily site registrations exceeded. Please try again tomorrow." -msgstr "Se ha superado el lĆ­mite mĆ”ximo de inscripciones diarias de este sitio. Por favor, pruebe de nuevo maƱana." - -#: ../../Zotlabs/Module/Register.php:55 -msgid "" -"Please indicate acceptance of the Terms of Service. Registration failed." -msgstr "Por favor, confirme que acepta los TĆ©rminos del servicio. El registro ha fallado." - -#: ../../Zotlabs/Module/Register.php:89 -msgid "Passwords do not match." -msgstr "Las contraseƱas no coinciden." - -#: ../../Zotlabs/Module/Register.php:131 -msgid "" -"Registration successful. Please check your email for validation " -"instructions." -msgstr "Registro realizado con Ć©xito. Por favor, compruebe su correo electrónico para ver las instrucciones para validarlo." - -#: ../../Zotlabs/Module/Register.php:137 -msgid "Your registration is pending approval by the site owner." -msgstr "Su registro estĆ” pendiente de aprobación por el propietario del sitio." - -#: ../../Zotlabs/Module/Register.php:140 -msgid "Your registration can not be processed." -msgstr "Su registro no puede ser procesado." - -#: ../../Zotlabs/Module/Register.php:184 -msgid "Registration on this hub is disabled." -msgstr "El registro estĆ” deshabilitado en este sitio." - -#: ../../Zotlabs/Module/Register.php:193 -msgid "Registration on this hub is by approval only." -msgstr "El registro en este hub estĆ” sometido a aprobación previa." - -#: ../../Zotlabs/Module/Register.php:194 -msgid "Register at another affiliated hub." -msgstr "Registrarse en otro hub afiliado." - -#: ../../Zotlabs/Module/Register.php:204 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "Este sitio ha excedido el lĆ­mite de inscripción diaria de cuentas. Por favor, intĆ©ntelo de nuevo maƱana." - -#: ../../Zotlabs/Module/Register.php:215 -msgid "Terms of Service" -msgstr "TĆ©rminos del servicio" - -#: ../../Zotlabs/Module/Register.php:221 -#, php-format -msgid "I accept the %s for this website" -msgstr "Acepto los %s de este sitio" - -#: ../../Zotlabs/Module/Register.php:223 -#, php-format -msgid "I am over 13 years of age and accept the %s for this website" -msgstr "Tengo mĆ”s de 13 aƱos de edad y acepto los %s de este sitio" - -#: ../../Zotlabs/Module/Register.php:227 -msgid "Your email address" -msgstr "Su dirección de correo electrónico" - -#: ../../Zotlabs/Module/Register.php:228 -msgid "Choose a password" -msgstr "Elija una contraseƱa" - -#: ../../Zotlabs/Module/Register.php:229 -msgid "Please re-enter your password" -msgstr "Por favor, vuelva a escribir su contraseƱa" - -#: ../../Zotlabs/Module/Register.php:230 -msgid "Please enter your invitation code" -msgstr "Por favor, introduzca el código de su invitación" - -#: ../../Zotlabs/Module/Register.php:236 -msgid "no" -msgstr "no" - -#: ../../Zotlabs/Module/Register.php:236 -msgid "yes" -msgstr "sĆ­" - -#: ../../Zotlabs/Module/Register.php:250 -msgid "Membership on this site is by invitation only." -msgstr "Para registrarse en este sitio es necesaria una invitación." - -#: ../../Zotlabs/Module/Register.php:262 ../../include/nav.php:149 -#: ../../boot.php:1686 -msgid "Register" -msgstr "Registrarse" - -#: ../../Zotlabs/Module/Register.php:263 -msgid "" -"This site may require email verification after submitting this form. If you " -"are returned to a login page, please check your email for instructions." -msgstr "Este sitio puede requerir una verificación de correo electrónico despuĆ©s de enviar este formulario. Si es devuelto a una pĆ”gina de inicio de sesión, compruebe su email para recibir y leer las instrucciones." - -#: ../../Zotlabs/Module/Regmod.php:15 -msgid "Please login." -msgstr "Por favor, inicie sesión." - -#: ../../Zotlabs/Module/Removeaccount.php:35 -msgid "" -"Account removals are not allowed within 48 hours of changing the account " -"password." -msgstr "La eliminación de cuentas no estĆ” permitida hasta despuĆ©s de que hayan transcurrido 48 horas desde el Ćŗltimo cambio de contraseƱa." - -#: ../../Zotlabs/Module/Removeaccount.php:57 -msgid "Remove This Account" -msgstr "Eliminar esta cuenta" - -#: ../../Zotlabs/Module/Removeaccount.php:58 -#: ../../Zotlabs/Module/Removeme.php:61 -msgid "WARNING: " -msgstr "ATENCIƓN:" - -#: ../../Zotlabs/Module/Removeaccount.php:58 -msgid "" -"This account and all its channels will be completely removed from the " -"network. " -msgstr "Esta cuenta y todos sus canales van a ser eliminados de la red." - -#: ../../Zotlabs/Module/Removeaccount.php:58 -#: ../../Zotlabs/Module/Removeme.php:61 -msgid "This action is permanent and can not be undone!" -msgstr "Ā”Esta acción tiene carĆ”cter definitivo y no se puede deshacer!" - -#: ../../Zotlabs/Module/Removeaccount.php:59 -#: ../../Zotlabs/Module/Removeme.php:62 -msgid "Please enter your password for verification:" -msgstr "Por favor, introduzca su contraseƱa para su verificación:" - -#: ../../Zotlabs/Module/Removeaccount.php:60 -msgid "" -"Remove this account, all its channels and all its channel clones from the " -"network" -msgstr "Remover esta cuenta, todos sus canales y clones de la red" - -#: ../../Zotlabs/Module/Removeaccount.php:60 -msgid "" -"By default only the instances of the channels located on this hub will be " -"removed from the network" -msgstr "Por defecto, solo las instancias de los canales ubicados en este servidor serĆ”n eliminados de la red" - -#: ../../Zotlabs/Module/Removeaccount.php:61 -#: ../../Zotlabs/Module/Settings.php:759 -msgid "Remove Account" -msgstr "Eliminar cuenta" - -#: ../../Zotlabs/Module/Removeme.php:35 -msgid "" -"Channel removals are not allowed within 48 hours of changing the account " -"password." -msgstr "La eliminación de canales no estĆ” permitida hasta pasadas 48 horas desde el Ćŗltimo cambio de contraseƱa." - -#: ../../Zotlabs/Module/Removeme.php:60 -msgid "Remove This Channel" -msgstr "Eliminar este canal" - -#: ../../Zotlabs/Module/Removeme.php:61 -msgid "This channel will be completely removed from the network. " -msgstr "Este canal va a ser completamente eliminado de la red." - -#: ../../Zotlabs/Module/Removeme.php:63 -msgid "Remove this channel and all its clones from the network" -msgstr "Eliminar este canal y todos sus clones de la red" - -#: ../../Zotlabs/Module/Removeme.php:63 -msgid "" -"By default only the instance of the channel located on this hub will be " -"removed from the network" -msgstr "Por defecto, solo la instancia del canal alojado en este servidor serĆ” eliminado de la red" - -#: ../../Zotlabs/Module/Removeme.php:64 ../../Zotlabs/Module/Settings.php:1219 -msgid "Remove Channel" -msgstr "Eliminar el canal" - -#: ../../Zotlabs/Module/Uexport.php:55 ../../Zotlabs/Module/Uexport.php:56 -msgid "Export Channel" -msgstr "Exportar el canal" - -#: ../../Zotlabs/Module/Uexport.php:57 -msgid "" -"Export your basic channel information to a file. This acts as a backup of " -"your connections, permissions, profile and basic data, which can be used to " -"import your data to a new server hub, but does not contain your content." -msgstr "Exportar la información bĆ”sica del canal a un fichero. Este equivale a una copia de seguridad de sus conexiones, el perfil y datos fundamentales, que puede usarse para importar sus datos a un nuevo servidor, pero no incluye su contenido." - -#: ../../Zotlabs/Module/Uexport.php:58 -msgid "Export Content" -msgstr "Exportar contenidos" - -#: ../../Zotlabs/Module/Uexport.php:59 -msgid "" -"Export your channel information and recent content to a JSON backup that can" -" be restored or imported to another server hub. This backs up all of your " -"connections, permissions, profile data and several months of posts. This " -"file may be VERY large. Please be patient - it may take several minutes for" -" this download to begin." -msgstr "Exportar la información sobre su canal y el contenido reciente a un fichero de respaldo JSON, que puede ser restaurado o importado a otro servidor. Este fichero incluye todas sus conexiones, permisos, datos del perfil y publicaciones de varios meses. Puede llegar a ser MUY grande. Por favor, sea paciente, la descarga puede tardar varios minutos en comenzar." - -#: ../../Zotlabs/Module/Uexport.php:60 -msgid "Export your posts from a given year." -msgstr "Exporta sus publicaciones de un aƱo dado." - -#: ../../Zotlabs/Module/Uexport.php:62 -msgid "" -"You may also export your posts and conversations for a particular year or " -"month. Adjust the date in your browser location bar to select other dates. " -"If the export fails (possibly due to memory exhaustion on your server hub), " -"please try again selecting a more limited date range." -msgstr "TambiĆ©n puede exportar sus mensajes y conversaciones durante un aƱo o mes en particular. Ajuste la fecha en la barra de direcciones del navegador para seleccionar otras fechas. Si la exportación falla (posiblemente debido al agotamiento de la memoria del servidor hub), por favor, intente de nuevo la selección de un rango de fechas mĆ”s pequeƱo." - -#: ../../Zotlabs/Module/Uexport.php:63 -#, php-format -msgid "" -"To select all posts for a given year, such as this year, visit %2$s" -msgstr "Para seleccionar todos los mensajes de un aƱo determinado, como este aƱo, visite %2$s" - -#: ../../Zotlabs/Module/Uexport.php:64 -#, php-format -msgid "" -"To select all posts for a given month, such as January of this year, visit " -"%2$s" -msgstr "Para seleccionar todos los mensajes de un mes determinado, como el de enero de este aƱo, visite %2$s" - -#: ../../Zotlabs/Module/Uexport.php:65 -#, php-format -msgid "" -"These content files may be imported or restored by visiting %2$s on any site containing your channel. For best results" -" please import or restore these in date order (oldest first)." -msgstr "Estos ficheros pueden ser importados o restaurados visitando %2$s o cualquier sitio que contenga su canal. Para obtener los mejores resultados, por favor, importar o restaurar estos ficheros en orden de fecha (la mĆ”s antigua primero)." - -#: ../../Zotlabs/Module/Search.php:216 -#, php-format -msgid "Items tagged with: %s" -msgstr "elementos etiquetados con: %s" - -#: ../../Zotlabs/Module/Search.php:218 -#, php-format -msgid "Search results for: %s" -msgstr "Resultados de la bĆŗsqueda para: %s" - -#: ../../Zotlabs/Module/Service_limits.php:23 -msgid "No service class restrictions found." -msgstr "No se han encontrado restricciones sobre esta clase de servicio." - -#: ../../Zotlabs/Module/Settings.php:64 -msgid "Name is required" -msgstr "El nombre es obligatorio" - -#: ../../Zotlabs/Module/Settings.php:68 -msgid "Key and Secret are required" -msgstr "\"Key\" y \"Secret\" son obligatorios" - -#: ../../Zotlabs/Module/Settings.php:138 -#, php-format -msgid "This channel is limited to %d tokens" -msgstr "Este canal tiene un lĆ­mite de %d tokens" - -#: ../../Zotlabs/Module/Settings.php:144 -msgid "Name and Password are required." -msgstr "Se requiere el nombre y la contraseƱa." - -#: ../../Zotlabs/Module/Settings.php:168 -msgid "Token saved." -msgstr "Token salvado." - -#: ../../Zotlabs/Module/Settings.php:274 -msgid "Not valid email." -msgstr "Correo electrónico no vĆ”lido." - -#: ../../Zotlabs/Module/Settings.php:277 -msgid "Protected email address. Cannot change to that email." -msgstr "Dirección de correo electrónico protegida. No se puede cambiar a ella." - -#: ../../Zotlabs/Module/Settings.php:286 -msgid "System failure storing new email. Please try again." -msgstr "Fallo de sistema al guardar el nuevo correo electrónico. Por favor, intĆ©ntelo de nuevo." - -#: ../../Zotlabs/Module/Settings.php:303 -msgid "Password verification failed." -msgstr "La comprobación de la contraseƱa ha fallado." - -#: ../../Zotlabs/Module/Settings.php:310 -msgid "Passwords do not match. Password unchanged." -msgstr "Las contraseƱas no coinciden. La contraseƱa no se ha cambiado." - -#: ../../Zotlabs/Module/Settings.php:314 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "No se permiten contraseƱas vacĆ­as. La contraseƱa no se ha cambiado." - -#: ../../Zotlabs/Module/Settings.php:328 -msgid "Password changed." -msgstr "ContraseƱa cambiada." - -#: ../../Zotlabs/Module/Settings.php:330 -msgid "Password update failed. Please try again." -msgstr "La actualización de la contraseƱa ha fallado. Por favor, intĆ©ntalo de nuevo." - -#: ../../Zotlabs/Module/Settings.php:579 -msgid "Settings updated." -msgstr "Ajustes actualizados." - -#: ../../Zotlabs/Module/Settings.php:643 ../../Zotlabs/Module/Settings.php:669 -#: ../../Zotlabs/Module/Settings.php:705 -msgid "Add application" -msgstr "AƱadir aplicación" - -#: ../../Zotlabs/Module/Settings.php:646 -msgid "Name of application" -msgstr "Nombre de la aplicación" - -#: ../../Zotlabs/Module/Settings.php:647 ../../Zotlabs/Module/Settings.php:673 -msgid "Consumer Key" -msgstr "Consumer Key" - -#: ../../Zotlabs/Module/Settings.php:647 ../../Zotlabs/Module/Settings.php:648 -msgid "Automatically generated - change if desired. Max length 20" -msgstr "Generado automĆ”ticamente - si lo desea, cĆ”mbielo. Longitud mĆ”xima: 20" - -#: ../../Zotlabs/Module/Settings.php:648 ../../Zotlabs/Module/Settings.php:674 -msgid "Consumer Secret" -msgstr "Consumer Secret" - -#: ../../Zotlabs/Module/Settings.php:649 ../../Zotlabs/Module/Settings.php:675 -msgid "Redirect" -msgstr "Redirigir" - -#: ../../Zotlabs/Module/Settings.php:649 -msgid "" -"Redirect URI - leave blank unless your application specifically requires " -"this" -msgstr "URI de redirección - dejar en blanco a menos que su aplicación especĆ­ficamente lo requiera" - -#: ../../Zotlabs/Module/Settings.php:650 ../../Zotlabs/Module/Settings.php:676 -msgid "Icon url" -msgstr "Dirección del icono" - -#: ../../Zotlabs/Module/Settings.php:650 ../../Zotlabs/Module/Sources.php:112 -#: ../../Zotlabs/Module/Sources.php:147 -msgid "Optional" -msgstr "Opcional" - -#: ../../Zotlabs/Module/Settings.php:661 -msgid "Application not found." -msgstr "Aplicación no encontrada." - -#: ../../Zotlabs/Module/Settings.php:704 -msgid "Connected Apps" -msgstr "Aplicaciones (apps) conectadas" - -#: ../../Zotlabs/Module/Settings.php:708 -msgid "Client key starts with" -msgstr "La \"client key\" empieza por" - -#: ../../Zotlabs/Module/Settings.php:709 -msgid "No name" -msgstr "Sin nombre" - -#: ../../Zotlabs/Module/Settings.php:710 -msgid "Remove authorization" -msgstr "Eliminar autorización" - -#: ../../Zotlabs/Module/Settings.php:723 -msgid "No feature settings configured" -msgstr "No se ha establecido la configuración de los complementos" - -#: ../../Zotlabs/Module/Settings.php:730 -msgid "Feature/Addon Settings" -msgstr "Ajustes de los complementos" - -#: ../../Zotlabs/Module/Settings.php:753 -msgid "Account Settings" -msgstr "Configuración de la cuenta" - -#: ../../Zotlabs/Module/Settings.php:754 -msgid "Current Password" -msgstr "ContraseƱa actual" - -#: ../../Zotlabs/Module/Settings.php:755 -msgid "Enter New Password" -msgstr "Escribir una nueva contraseƱa" - -#: ../../Zotlabs/Module/Settings.php:756 -msgid "Confirm New Password" -msgstr "Confirmar la nueva contraseƱa" - -#: ../../Zotlabs/Module/Settings.php:756 -msgid "Leave password fields blank unless changing" -msgstr "Dejar en blanco la contraseƱa a menos que desee cambiarla." - -#: ../../Zotlabs/Module/Settings.php:758 -#: ../../Zotlabs/Module/Settings.php:1136 -msgid "Email Address:" -msgstr "Dirección de correo electrónico:" - -#: ../../Zotlabs/Module/Settings.php:760 -msgid "Remove this account including all its channels" -msgstr "Eliminar esta cuenta incluyendo todos sus canales" - -#: ../../Zotlabs/Module/Settings.php:789 -msgid "" -"Use this form to create temporary access identifiers to share things with " -"non-members. These identities may be used in Access Control Lists and " -"visitors may login using these credentials to access the private content." -msgstr "Utilice este formulario para crear identificadores de acceso temporal para compartir cosas con los no miembros. Estas identidades se pueden usar en las Listas de control de acceso y asĆ­ los visitantes pueden iniciar sesión, utilizando estas credenciales, para acceder a su contenido privado." - -#: ../../Zotlabs/Module/Settings.php:791 -msgid "" -"You may also provide dropbox style access links to friends and " -"associates by adding the Login Password to any specific site URL as shown. " -"Examples:" -msgstr "TambiĆ©n puede proporcionar, con el estilo dropbox, enlaces de acceso a sus amigos y asociados aƱadiendo la contraseƱa de inicio de sesión a cualquier dirección URL, como se muestra. Ejemplos: " - -#: ../../Zotlabs/Module/Settings.php:796 ../../include/widgets.php:614 -msgid "Guest Access Tokens" -msgstr "Tokens de acceso para invitados" - -#: ../../Zotlabs/Module/Settings.php:803 -msgid "Login Name" -msgstr "Nombre de inicio de sesión" - -#: ../../Zotlabs/Module/Settings.php:804 -msgid "Login Password" -msgstr "ContraseƱa de inicio de sesión" - -#: ../../Zotlabs/Module/Settings.php:805 -msgid "Expires (yyyy-mm-dd)" -msgstr "Expira (aaaa-mm-dd)" - -#: ../../Zotlabs/Module/Settings.php:830 -msgid "Additional Features" -msgstr "Funcionalidades" - -#: ../../Zotlabs/Module/Settings.php:854 -msgid "Connector Settings" -msgstr "Configuración del conector" - -#: ../../Zotlabs/Module/Settings.php:893 -msgid "No special theme for mobile devices" -msgstr "Sin tema especial para dispositivos móviles" - -#: ../../Zotlabs/Module/Settings.php:896 -#, php-format -msgid "%s - (Experimental)" -msgstr "%s - (Experimental)" - -#: ../../Zotlabs/Module/Settings.php:938 -msgid "Display Settings" -msgstr "Ajustes de visualización" - -#: ../../Zotlabs/Module/Settings.php:939 -msgid "Theme Settings" -msgstr "Ajustes del tema" - -#: ../../Zotlabs/Module/Settings.php:940 -msgid "Custom Theme Settings" -msgstr "Ajustes personalizados del tema" - -#: ../../Zotlabs/Module/Settings.php:941 -msgid "Content Settings" -msgstr "Ajustes del contenido" - -#: ../../Zotlabs/Module/Settings.php:947 -msgid "Display Theme:" -msgstr "Tema grĆ”fico del perfil:" - -#: ../../Zotlabs/Module/Settings.php:948 -msgid "Mobile Theme:" -msgstr "Tema para el móvil:" - -#: ../../Zotlabs/Module/Settings.php:949 -msgid "Preload images before rendering the page" -msgstr "Carga previa de las imĆ”genes antes de generar la pĆ”gina" - -#: ../../Zotlabs/Module/Settings.php:949 -msgid "" -"The subjective page load time will be longer but the page will be ready when" -" displayed" -msgstr "El tiempo subjetivo de carga de la pĆ”gina serĆ” mĆ”s largo, pero la pĆ”gina estarĆ” lista cuando se muestre." - -#: ../../Zotlabs/Module/Settings.php:950 -msgid "Enable user zoom on mobile devices" -msgstr "Habilitar zoom de usuario en dispositivos móviles" - -#: ../../Zotlabs/Module/Settings.php:951 -msgid "Update browser every xx seconds" -msgstr "Actualizar navegador cada xx segundos" - -#: ../../Zotlabs/Module/Settings.php:951 -msgid "Minimum of 10 seconds, no maximum" -msgstr "MĆ­nimo de 10 segundos, sin mĆ”ximo" - -#: ../../Zotlabs/Module/Settings.php:952 -msgid "Maximum number of conversations to load at any time:" -msgstr "MĆ”ximo nĆŗmero de conversaciones a cargar en cualquier momento:" - -#: ../../Zotlabs/Module/Settings.php:952 -msgid "Maximum of 100 items" -msgstr "MĆ”ximo de 100 elementos" - -#: ../../Zotlabs/Module/Settings.php:953 -msgid "Show emoticons (smilies) as images" -msgstr "Mostrar emoticonos (smilies) como imĆ”genes" - -#: ../../Zotlabs/Module/Settings.php:954 -msgid "Link post titles to source" -msgstr "Enlazar tĆ­tulo de la publicación a la fuente original" - -#: ../../Zotlabs/Module/Settings.php:955 -msgid "System Page Layout Editor - (advanced)" -msgstr "Editor de plantilla de pĆ”gina del sistema - (avanzado)" - -#: ../../Zotlabs/Module/Settings.php:958 -msgid "Use blog/list mode on channel page" -msgstr "Usar modo blog/lista en la pĆ”gina de inicio del canal" - -#: ../../Zotlabs/Module/Settings.php:958 ../../Zotlabs/Module/Settings.php:959 -msgid "(comments displayed separately)" -msgstr "(comentarios mostrados de forma separada)" - -#: ../../Zotlabs/Module/Settings.php:959 -msgid "Use blog/list mode on grid page" -msgstr "Mostrar mi red en modo blog" - -#: ../../Zotlabs/Module/Settings.php:960 -msgid "Channel page max height of content (in pixels)" -msgstr "Altura mĆ”xima del contenido de la pĆ”gina del canal (en pĆ­xeles)" - -#: ../../Zotlabs/Module/Settings.php:960 ../../Zotlabs/Module/Settings.php:961 -msgid "click to expand content exceeding this height" -msgstr "Pulsar para expandir el contenido que exceda de esta altura" - -#: ../../Zotlabs/Module/Settings.php:961 -msgid "Grid page max height of content (in pixels)" -msgstr "Altura mĆ”xima del contenido de mi red (en pĆ­xeles)" - -#: ../../Zotlabs/Module/Settings.php:990 -msgid "Nobody except yourself" -msgstr "Nadie excepto usted" - -#: ../../Zotlabs/Module/Settings.php:991 -msgid "Only those you specifically allow" -msgstr "Solo aquellos a los que usted permita explĆ­citamente" - -#: ../../Zotlabs/Module/Settings.php:992 -msgid "Approved connections" -msgstr "Conexiones aprobadas" - -#: ../../Zotlabs/Module/Settings.php:993 -msgid "Any connections" -msgstr "Cualquier conexión" - -#: ../../Zotlabs/Module/Settings.php:994 -msgid "Anybody on this website" -msgstr "Cualquiera en este sitio web" - -#: ../../Zotlabs/Module/Settings.php:995 -msgid "Anybody in this network" -msgstr "Cualquiera en esta red" - -#: ../../Zotlabs/Module/Settings.php:996 -msgid "Anybody authenticated" -msgstr "Cualquiera que estĆ© autenticado" - -#: ../../Zotlabs/Module/Settings.php:997 -msgid "Anybody on the internet" -msgstr "Cualquiera en internet" - -#: ../../Zotlabs/Module/Settings.php:1071 -msgid "Publish your default profile in the network directory" -msgstr "Publicar su perfil principal en el directorio de la red" - -#: ../../Zotlabs/Module/Settings.php:1076 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "ĀæNos permite sugerirle como amigo potencial a los nuevos miembros?" - -#: ../../Zotlabs/Module/Settings.php:1085 -msgid "Your channel address is" -msgstr "Su dirección de canal es" - -#: ../../Zotlabs/Module/Settings.php:1127 -msgid "Channel Settings" -msgstr "Ajustes del canal" - -#: ../../Zotlabs/Module/Settings.php:1134 -msgid "Basic Settings" -msgstr "Configuración bĆ”sica" - -#: ../../Zotlabs/Module/Settings.php:1135 ../../include/channel.php:1180 -msgid "Full Name:" -msgstr "Nombre completo:" - -#: ../../Zotlabs/Module/Settings.php:1137 -msgid "Your Timezone:" -msgstr "Su huso horario:" - -#: ../../Zotlabs/Module/Settings.php:1138 -msgid "Default Post Location:" -msgstr "Localización geogrĆ”fica predeterminada para sus publicaciones:" - -#: ../../Zotlabs/Module/Settings.php:1138 -msgid "Geographical location to display on your posts" -msgstr "Localización geogrĆ”fica que debe mostrarse en sus publicaciones" - -#: ../../Zotlabs/Module/Settings.php:1139 -msgid "Use Browser Location:" -msgstr "Usar la localización geogrĆ”fica del navegador:" - -#: ../../Zotlabs/Module/Settings.php:1141 -msgid "Adult Content" -msgstr "Contenido solo para adultos" - -#: ../../Zotlabs/Module/Settings.php:1141 -msgid "" -"This channel frequently or regularly publishes adult content. (Please tag " -"any adult material and/or nudity with #NSFW)" -msgstr "Este canal publica contenido solo para adultos con frecuencia o regularmente. (Por favor etiquete cualquier material para adultos con la etiqueta #NSFW)" - -#: ../../Zotlabs/Module/Settings.php:1143 -msgid "Security and Privacy Settings" -msgstr "Configuración de seguridad y privacidad" - -#: ../../Zotlabs/Module/Settings.php:1146 -msgid "Your permissions are already configured. Click to view/adjust" -msgstr "Sus permisos ya estĆ”n configurados. Pulse para ver/ajustar" - -#: ../../Zotlabs/Module/Settings.php:1148 -msgid "Hide my online presence" -msgstr "Ocultar mi presencia en lĆ­nea" - -#: ../../Zotlabs/Module/Settings.php:1148 -msgid "Prevents displaying in your profile that you are online" -msgstr "Evitar mostrar en su perfil que estĆ” en lĆ­nea" - -#: ../../Zotlabs/Module/Settings.php:1150 -msgid "Simple Privacy Settings:" -msgstr "Configuración de privacidad sencilla:" - -#: ../../Zotlabs/Module/Settings.php:1151 -msgid "" -"Very Public - extremely permissive (should be used with caution)" -msgstr "Muy PĆŗblico - extremadamente permisivo (deberĆ­a ser usado con precaución)" - -#: ../../Zotlabs/Module/Settings.php:1152 -msgid "" -"Typical - default public, privacy when desired (similar to social " -"network permissions but with improved privacy)" -msgstr "TĆ­pico - por defecto pĆŗblico, privado cuando se desee (similar a los permisos de una red social pero con privacidad mejorada)" - -#: ../../Zotlabs/Module/Settings.php:1153 -msgid "Private - default private, never open or public" -msgstr "Privado - por defecto, privado, nunca abierto o pĆŗblico" - -#: ../../Zotlabs/Module/Settings.php:1154 -msgid "Blocked - default blocked to/from everybody" -msgstr "Bloqueado - por defecto, bloqueado/a para cualquiera" - -#: ../../Zotlabs/Module/Settings.php:1156 -msgid "Allow others to tag your posts" -msgstr "Permitir a otros etiquetar sus publicaciones" - -#: ../../Zotlabs/Module/Settings.php:1156 -msgid "" -"Often used by the community to retro-actively flag inappropriate content" -msgstr "A menudo usado por la comunidad para marcar contenido inapropiado de forma retroactiva." - -#: ../../Zotlabs/Module/Settings.php:1158 -msgid "Advanced Privacy Settings" -msgstr "Configuración de privacidad avanzada" - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "Expire other channel content after this many days" -msgstr "Caducar contenido de otros canales despuĆ©s de este nĆŗmero de dĆ­as" - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "0 or blank to use the website limit." -msgstr "0 o en blanco para usar el lĆ­mite del sitio web." - -#: ../../Zotlabs/Module/Settings.php:1160 -#, php-format -msgid "This website expires after %d days." -msgstr "Este sitio web caduca despuĆ©s de %d dĆ­as." - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "This website does not expire imported content." -msgstr "Este sitio web no caduca el contenido importado." - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "The website limit takes precedence if lower than your limit." -msgstr "El lĆ­mite del sitio web tiene prioridad si es inferior a su propio lĆ­mite." - -#: ../../Zotlabs/Module/Settings.php:1161 -msgid "Maximum Friend Requests/Day:" -msgstr "MĆ”ximo de solicitudes de amistad por dĆ­a:" - -#: ../../Zotlabs/Module/Settings.php:1161 -msgid "May reduce spam activity" -msgstr "PodrĆ­a reducir la actividad de spam" - -#: ../../Zotlabs/Module/Settings.php:1162 -msgid "Default Post and Publish Permissions" -msgstr "Permisos predeterminados de entradas y publicaciones" - -#: ../../Zotlabs/Module/Settings.php:1164 -msgid "Use my default audience setting for the type of object published" -msgstr "Usar los ajustes de mi audiencia predeterminada para el tipo de publicación" - -#: ../../Zotlabs/Module/Settings.php:1167 -msgid "Channel permissions category:" -msgstr "CategorĆ­a de permisos del canal:" - -#: ../../Zotlabs/Module/Settings.php:1173 -msgid "Maximum private messages per day from unknown people:" -msgstr "MĆ”ximo de mensajes privados por dĆ­a de gente desconocida:" - -#: ../../Zotlabs/Module/Settings.php:1173 -msgid "Useful to reduce spamming" -msgstr "Útil para reducir el envĆ­o de correo no deseado" - -#: ../../Zotlabs/Module/Settings.php:1176 -msgid "Notification Settings" -msgstr "Configuración de las notificaciones" - -#: ../../Zotlabs/Module/Settings.php:1177 -msgid "By default post a status message when:" -msgstr "Por defecto, enviar un mensaje de estado cuando:" - -#: ../../Zotlabs/Module/Settings.php:1178 -msgid "accepting a friend request" -msgstr "Acepte una solicitud de amistad" - -#: ../../Zotlabs/Module/Settings.php:1179 -msgid "joining a forum/community" -msgstr "al unirse a un foro o comunidad" - -#: ../../Zotlabs/Module/Settings.php:1180 -msgid "making an interesting profile change" -msgstr "Realice un cambio interesante en su perfil" - -#: ../../Zotlabs/Module/Settings.php:1181 -msgid "Send a notification email when:" -msgstr "Enviar una notificación por correo electrónico cuando:" - -#: ../../Zotlabs/Module/Settings.php:1182 -msgid "You receive a connection request" -msgstr "Reciba una solicitud de conexión" - -#: ../../Zotlabs/Module/Settings.php:1183 -msgid "Your connections are confirmed" -msgstr "Sus conexiones hayan sido confirmadas" - -#: ../../Zotlabs/Module/Settings.php:1184 -msgid "Someone writes on your profile wall" -msgstr "Alguien escriba en la pĆ”gina de su perfil (\"muro\")" - -#: ../../Zotlabs/Module/Settings.php:1185 -msgid "Someone writes a followup comment" -msgstr "Alguien escriba un comentario sobre sus publicaciones" - -#: ../../Zotlabs/Module/Settings.php:1186 -msgid "You receive a private message" -msgstr "Reciba un mensaje privado" - -#: ../../Zotlabs/Module/Settings.php:1187 -msgid "You receive a friend suggestion" -msgstr "Reciba una sugerencia de amistad" - -#: ../../Zotlabs/Module/Settings.php:1188 -msgid "You are tagged in a post" -msgstr "Usted sea etiquetado en una publicación" - -#: ../../Zotlabs/Module/Settings.php:1189 -msgid "You are poked/prodded/etc. in a post" -msgstr "Reciba un toque o incitación en una publicación" - -#: ../../Zotlabs/Module/Settings.php:1192 -msgid "Show visual notifications including:" -msgstr "Mostrar notificaciones visuales que incluyan:" - -#: ../../Zotlabs/Module/Settings.php:1194 -msgid "Unseen grid activity" -msgstr "Nueva actividad en la red" - -#: ../../Zotlabs/Module/Settings.php:1195 -msgid "Unseen channel activity" -msgstr "Actividad no vista en el canal" - -#: ../../Zotlabs/Module/Settings.php:1196 -msgid "Unseen private messages" -msgstr "Mensajes privados no leĆ­dos" - -#: ../../Zotlabs/Module/Settings.php:1196 -#: ../../Zotlabs/Module/Settings.php:1201 -#: ../../Zotlabs/Module/Settings.php:1202 -#: ../../Zotlabs/Module/Settings.php:1203 -msgid "Recommended" -msgstr "Recomendado" - -#: ../../Zotlabs/Module/Settings.php:1197 -msgid "Upcoming events" -msgstr "Próximos eventos" - -#: ../../Zotlabs/Module/Settings.php:1198 -msgid "Events today" -msgstr "Eventos de hoy" - -#: ../../Zotlabs/Module/Settings.php:1199 -msgid "Upcoming birthdays" -msgstr "Próximos cumpleaƱos" - -#: ../../Zotlabs/Module/Settings.php:1199 -msgid "Not available in all themes" -msgstr "No disponible en todos los temas" - -#: ../../Zotlabs/Module/Settings.php:1200 -msgid "System (personal) notifications" -msgstr "Notificaciones del sistema (personales)" - -#: ../../Zotlabs/Module/Settings.php:1201 -msgid "System info messages" -msgstr "Mensajes de información del sistema" - -#: ../../Zotlabs/Module/Settings.php:1202 -msgid "System critical alerts" -msgstr "Alertas crĆ­ticas del sistema" - -#: ../../Zotlabs/Module/Settings.php:1203 -msgid "New connections" -msgstr "Nuevas conexiones" - -#: ../../Zotlabs/Module/Settings.php:1204 -msgid "System Registrations" -msgstr "Registros del sistema" - -#: ../../Zotlabs/Module/Settings.php:1205 -msgid "" -"Also show new wall posts, private messages and connections under Notices" -msgstr "Mostrar tambiĆ©n en Avisos las nuevas publicaciones, los mensajes privados y las conexiones" - -#: ../../Zotlabs/Module/Settings.php:1207 -msgid "Notify me of events this many days in advance" -msgstr "Avisarme de los eventos con algunos dĆ­as de antelación" - -#: ../../Zotlabs/Module/Settings.php:1207 -msgid "Must be greater than 0" -msgstr "Debe ser mayor que 0" - -#: ../../Zotlabs/Module/Settings.php:1209 -msgid "Advanced Account/Page Type Settings" -msgstr "Ajustes avanzados de la cuenta y de los tipos de pĆ”gina" - -#: ../../Zotlabs/Module/Settings.php:1210 -msgid "Change the behaviour of this account for special situations" -msgstr "Cambiar el comportamiento de esta cuenta en situaciones especiales" - -#: ../../Zotlabs/Module/Settings.php:1213 -msgid "" -"Please enable expert mode (in Settings > " -"Additional features) to adjust!" -msgstr "Ā”Activar el modo de experto (en Ajustes > Funcionalidades) para realizar cambios!." - -#: ../../Zotlabs/Module/Settings.php:1214 -msgid "Miscellaneous Settings" -msgstr "Ajustes diversos" - -#: ../../Zotlabs/Module/Settings.php:1215 -msgid "Default photo upload folder" -msgstr "Carpeta por defecto de las fotos subidas" - -#: ../../Zotlabs/Module/Settings.php:1215 -#: ../../Zotlabs/Module/Settings.php:1216 -msgid "%Y - current year, %m - current month" -msgstr "%Y - aƱo en curso, %m - mes actual" - -#: ../../Zotlabs/Module/Settings.php:1216 -msgid "Default file upload folder" -msgstr "Carpeta por defecto de los archivos subidos" - -#: ../../Zotlabs/Module/Settings.php:1218 -msgid "Personal menu to display in your channel pages" -msgstr "MenĆŗ personal que debe mostrarse en las pĆ”ginas de su canal" - -#: ../../Zotlabs/Module/Settings.php:1220 -msgid "Remove this channel." -msgstr "Eliminar este canal." - -#: ../../Zotlabs/Module/Settings.php:1221 -msgid "Firefox Share $Projectname provider" -msgstr "Servicio de compartición de Firefox: proveedor $Projectname" - -#: ../../Zotlabs/Module/Settings.php:1222 -msgid "Start calendar week on monday" -msgstr "Comenzar el calendario semanal por el lunes" - #: ../../Zotlabs/Module/Setup.php:179 msgid "$Projectname Server - Setup" msgstr "Servidor $Projectname - Instalación" @@ -6229,6 +3546,2072 @@ msgid "" "poller." msgstr "IMPORTANTE: Debe crear [manualmente] una tarea programada para el \"poller\"." +#: ../../Zotlabs/Module/Admin.php:77 +msgid "Theme settings updated." +msgstr "Ajustes del tema actualizados." + +#: ../../Zotlabs/Module/Admin.php:197 +msgid "# Accounts" +msgstr "# Cuentas" + +#: ../../Zotlabs/Module/Admin.php:198 +msgid "# blocked accounts" +msgstr "# cuentas bloqueadas" + +#: ../../Zotlabs/Module/Admin.php:199 +msgid "# expired accounts" +msgstr "# cuentas caducadas" + +#: ../../Zotlabs/Module/Admin.php:200 +msgid "# expiring accounts" +msgstr "# cuentas que caducan" + +#: ../../Zotlabs/Module/Admin.php:211 +msgid "# Channels" +msgstr "# Canales" + +#: ../../Zotlabs/Module/Admin.php:212 +msgid "# primary" +msgstr "# primario" + +#: ../../Zotlabs/Module/Admin.php:213 +msgid "# clones" +msgstr "# clones" + +#: ../../Zotlabs/Module/Admin.php:219 +msgid "Message queues" +msgstr "Mensajes en cola" + +#: ../../Zotlabs/Module/Admin.php:236 +msgid "Your software should be updated" +msgstr "Debe actualizar su software" + +#: ../../Zotlabs/Module/Admin.php:241 ../../Zotlabs/Module/Admin.php:490 +#: ../../Zotlabs/Module/Admin.php:711 ../../Zotlabs/Module/Admin.php:755 +#: ../../Zotlabs/Module/Admin.php:1030 ../../Zotlabs/Module/Admin.php:1209 +#: ../../Zotlabs/Module/Admin.php:1329 ../../Zotlabs/Module/Admin.php:1419 +#: ../../Zotlabs/Module/Admin.php:1612 ../../Zotlabs/Module/Admin.php:1646 +#: ../../Zotlabs/Module/Admin.php:1731 +msgid "Administration" +msgstr "Administración" + +#: ../../Zotlabs/Module/Admin.php:242 +msgid "Summary" +msgstr "Sumario" + +#: ../../Zotlabs/Module/Admin.php:245 +msgid "Registered accounts" +msgstr "Cuentas registradas" + +#: ../../Zotlabs/Module/Admin.php:246 ../../Zotlabs/Module/Admin.php:715 +msgid "Pending registrations" +msgstr "Registros pendientes" + +#: ../../Zotlabs/Module/Admin.php:247 +msgid "Registered channels" +msgstr "Canales registrados" + +#: ../../Zotlabs/Module/Admin.php:248 ../../Zotlabs/Module/Admin.php:716 +msgid "Active plugins" +msgstr "Extensiones (plugins) activas" + +#: ../../Zotlabs/Module/Admin.php:249 +msgid "Version" +msgstr "Versión" + +#: ../../Zotlabs/Module/Admin.php:250 +msgid "Repository version (master)" +msgstr "Versión del repositorio (master)" + +#: ../../Zotlabs/Module/Admin.php:251 +msgid "Repository version (dev)" +msgstr "Versión del repositorio (dev)" + +#: ../../Zotlabs/Module/Admin.php:373 +msgid "Site settings updated." +msgstr "Ajustes del sitio actualizados." + +#: ../../Zotlabs/Module/Admin.php:400 ../../include/text.php:2888 +msgid "Default" +msgstr "Predeterminado" + +#: ../../Zotlabs/Module/Admin.php:410 ../../Zotlabs/Module/Settings.php:987 +msgid "mobile" +msgstr "móvil" + +#: ../../Zotlabs/Module/Admin.php:412 +msgid "experimental" +msgstr "experimental" + +#: ../../Zotlabs/Module/Admin.php:414 +msgid "unsupported" +msgstr "no soportado" + +#: ../../Zotlabs/Module/Admin.php:460 +msgid "Yes - with approval" +msgstr "SĆ­ - con aprobación" + +#: ../../Zotlabs/Module/Admin.php:466 +msgid "My site is not a public server" +msgstr "Mi sitio no es un servidor pĆŗblico" + +#: ../../Zotlabs/Module/Admin.php:467 +msgid "My site has paid access only" +msgstr "Mi sitio es un servicio de pago" + +#: ../../Zotlabs/Module/Admin.php:468 +msgid "My site has free access only" +msgstr "Mi sitio es un servicio gratuito" + +#: ../../Zotlabs/Module/Admin.php:469 +msgid "My site offers free accounts with optional paid upgrades" +msgstr "Mi sitio ofrece cuentas gratuitas con opciones extra de pago" + +#: ../../Zotlabs/Module/Admin.php:491 ../../include/widgets.php:1490 +msgid "Site" +msgstr "Sitio" + +#: ../../Zotlabs/Module/Admin.php:493 ../../Zotlabs/Module/Register.php:248 +msgid "Registration" +msgstr "Registro" + +#: ../../Zotlabs/Module/Admin.php:494 +msgid "File upload" +msgstr "Subir fichero" + +#: ../../Zotlabs/Module/Admin.php:495 +msgid "Policies" +msgstr "PolĆ­ticas" + +#: ../../Zotlabs/Module/Admin.php:496 ../../include/contact_widgets.php:16 +msgid "Advanced" +msgstr "Avanzado" + +#: ../../Zotlabs/Module/Admin.php:500 +msgid "Site name" +msgstr "Nombre del sitio" + +#: ../../Zotlabs/Module/Admin.php:501 +msgid "Banner/Logo" +msgstr "Banner/Logo" + +#: ../../Zotlabs/Module/Admin.php:502 +msgid "Administrator Information" +msgstr "Información del Administrador" + +#: ../../Zotlabs/Module/Admin.php:502 +msgid "" +"Contact information for site administrators. Displayed on siteinfo page. " +"BBCode can be used here" +msgstr "Información de contacto de los administradores del sitio. Visible en la pĆ”gina \"siteinfo\". Se puede usar BBCode" + +#: ../../Zotlabs/Module/Admin.php:503 +msgid "System language" +msgstr "Idioma del sistema" + +#: ../../Zotlabs/Module/Admin.php:504 +msgid "System theme" +msgstr "Tema grĆ”fico del sistema" + +#: ../../Zotlabs/Module/Admin.php:504 +msgid "" +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "Tema del sistema por defecto - se puede cambiar por cada perfil de usuario - modificar los ajustes del tema" + +#: ../../Zotlabs/Module/Admin.php:505 +msgid "Mobile system theme" +msgstr "Tema del sistema para móviles" + +#: ../../Zotlabs/Module/Admin.php:505 +msgid "Theme for mobile devices" +msgstr "Tema para dispositivos móviles" + +#: ../../Zotlabs/Module/Admin.php:507 +msgid "Allow Feeds as Connections" +msgstr "Permitir contenidos RSS como conexiones" + +#: ../../Zotlabs/Module/Admin.php:507 +msgid "(Heavy system resource usage)" +msgstr "(Uso intenso de los recursos del sistema)" + +#: ../../Zotlabs/Module/Admin.php:508 +msgid "Maximum image size" +msgstr "TamaƱo mĆ”ximo de la imagen" + +#: ../../Zotlabs/Module/Admin.php:508 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "TamaƱo mĆ”ximo en bytes de la imagen subida. Por defecto, es 0, lo que significa que no hay lĆ­mites." + +#: ../../Zotlabs/Module/Admin.php:509 +msgid "Does this site allow new member registration?" +msgstr "ĀæDebe este sitio permitir el registro de nuevos miembros?" + +#: ../../Zotlabs/Module/Admin.php:510 +msgid "Invitation only" +msgstr "Solo con una invitación" + +#: ../../Zotlabs/Module/Admin.php:510 +msgid "" +"Only allow new member registrations with an invitation code. Above register " +"policy must be set to Yes." +msgstr "Solo se permiten inscripciones de nuevos miembros con un código de invitación. AdemĆ”s, deben aceptarse los tĆ©rminos del registro marcando \"SĆ­\"." + +#: ../../Zotlabs/Module/Admin.php:511 +msgid "Which best describes the types of account offered by this hub?" +msgstr "ĀæCómo describirĆ­a el tipo de servicio ofrecido por este servidor?" + +#: ../../Zotlabs/Module/Admin.php:512 +msgid "Register text" +msgstr "Texto del registro" + +#: ../../Zotlabs/Module/Admin.php:512 +msgid "Will be displayed prominently on the registration page." +msgstr "Se mostrarĆ” de forma destacada en la pĆ”gina de registro." + +#: ../../Zotlabs/Module/Admin.php:513 +msgid "Site homepage to show visitors (default: login box)" +msgstr "PĆ”gina personal que se mostrarĆ” a los visitantes (por defecto: la pĆ”gina de identificación)" + +#: ../../Zotlabs/Module/Admin.php:513 +msgid "" +"example: 'public' to show public stream, 'page/sys/home' to show a system " +"webpage called 'home' or 'include:home.html' to include a file." +msgstr "ejemplo: 'public' para mostrar contenido pĆŗblico, 'page/sys/home' para mostrar la pĆ”gina web definida como \"home\" o 'include:home.html' para mostrar el contenido de un fichero." + +#: ../../Zotlabs/Module/Admin.php:514 +msgid "Preserve site homepage URL" +msgstr "Preservar la dirección de la pĆ”gina personal" + +#: ../../Zotlabs/Module/Admin.php:514 +msgid "" +"Present the site homepage in a frame at the original location instead of " +"redirecting" +msgstr "Presenta la pĆ”gina personal del sitio en un marco en la ubicación original, en vez de redirigirla." + +#: ../../Zotlabs/Module/Admin.php:515 +msgid "Accounts abandoned after x days" +msgstr "Cuentas abandonadas despuĆ©s de x dĆ­as" + +#: ../../Zotlabs/Module/Admin.php:515 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "Para evitar consumir recursos del sistema intentando poner al dĆ­a las cuentas abandonadas. Introduzca 0 para no tener lĆ­mite de tiempo." + +#: ../../Zotlabs/Module/Admin.php:516 +msgid "Allowed friend domains" +msgstr "Dominios amigos permitidos" + +#: ../../Zotlabs/Module/Admin.php:516 +msgid "" +"Comma separated list of domains which are allowed to establish friendships " +"with this site. Wildcards are accepted. Empty to allow any domains" +msgstr "Lista separada por comas de dominios a los que estĆ” permitido establecer relaciones de amistad con este sitio. Se permiten comodines. Dejar en claro para aceptar cualquier dominio." + +#: ../../Zotlabs/Module/Admin.php:517 +msgid "Allowed email domains" +msgstr "Se aceptan dominios de correo electrónico" + +#: ../../Zotlabs/Module/Admin.php:517 +msgid "" +"Comma separated list of domains which are allowed in email addresses for " +"registrations to this site. Wildcards are accepted. Empty to allow any " +"domains" +msgstr "Lista separada por comas de los dominios de los que se acepta una dirección de correo electrónico para registros en este sitio. Se permiten comodines. Dejar en claro para aceptar cualquier dominio. " + +#: ../../Zotlabs/Module/Admin.php:518 +msgid "Not allowed email domains" +msgstr "No se permiten dominios de correo electrónico" + +#: ../../Zotlabs/Module/Admin.php:518 +msgid "" +"Comma separated list of domains which are not allowed in email addresses for" +" registrations to this site. Wildcards are accepted. Empty to allow any " +"domains, unless allowed domains have been defined." +msgstr "Lista separada por comas de los dominios de los que no se acepta una dirección de correo electrónico para registros en este sitio. Se permiten comodines. Dejar en claro para no aceptar cualquier dominio, excepto los que se hayan autorizado." + +#: ../../Zotlabs/Module/Admin.php:519 +msgid "Verify Email Addresses" +msgstr "Verificar las direcciones de correo electrónico" + +#: ../../Zotlabs/Module/Admin.php:519 +msgid "" +"Check to verify email addresses used in account registration (recommended)." +msgstr "Activar para la verificación de la dirección de correo electrónico en el registro de una cuenta (recomendado)." + +#: ../../Zotlabs/Module/Admin.php:520 +msgid "Force publish" +msgstr "Forzar la publicación" + +#: ../../Zotlabs/Module/Admin.php:520 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "Intentar forzar todos los perfiles para que sean listados en el directorio de este sitio." + +#: ../../Zotlabs/Module/Admin.php:521 +msgid "Import Public Streams" +msgstr "Importar contenido pĆŗblico" + +#: ../../Zotlabs/Module/Admin.php:521 +msgid "" +"Import and allow access to public content pulled from other sites. Warning: " +"this content is unmoderated." +msgstr "Importar y permitir acceso al contenido pĆŗblico sacado de otros sitios. Advertencia: este contenido no estĆ” moderado, por lo que podrĆ­a encontrar cosas inapropiadas u ofensivas." + +#: ../../Zotlabs/Module/Admin.php:522 +msgid "Login on Homepage" +msgstr "Iniciar sesión en la pĆ”gina personal" + +#: ../../Zotlabs/Module/Admin.php:522 +msgid "" +"Present a login box to visitors on the home page if no other content has " +"been configured." +msgstr "Presentar a los visitantes una casilla de identificación en la pĆ”gina de inicio, si no se ha configurado otro tipo de contenido." + +#: ../../Zotlabs/Module/Admin.php:523 +msgid "Enable context help" +msgstr "Habilitar la ayuda contextual" + +#: ../../Zotlabs/Module/Admin.php:523 +msgid "" +"Display contextual help for the current page when the help button is " +"pressed." +msgstr "Ver la ayuda contextual para la pĆ”gina actual cuando se pulse el botón de Ayuda." + +#: ../../Zotlabs/Module/Admin.php:525 +msgid "Directory Server URL" +msgstr "URL del servidor de directorio" + +#: ../../Zotlabs/Module/Admin.php:525 +msgid "Default directory server" +msgstr "Servidor de directorio predeterminado" + +#: ../../Zotlabs/Module/Admin.php:527 +msgid "Proxy user" +msgstr "Usuario del proxy" + +#: ../../Zotlabs/Module/Admin.php:528 +msgid "Proxy URL" +msgstr "Dirección del proxy" + +#: ../../Zotlabs/Module/Admin.php:529 +msgid "Network timeout" +msgstr "Tiempo de espera de la red" + +#: ../../Zotlabs/Module/Admin.php:529 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "Valor en segundos. Poner a 0 para que no haya tiempo lĆ­mite (no recomendado)" + +#: ../../Zotlabs/Module/Admin.php:530 +msgid "Delivery interval" +msgstr "Intervalo de entrega" + +#: ../../Zotlabs/Module/Admin.php:530 +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 "Retrasar los procesos de transmisión en segundo plano por esta cantidad de segundos para reducir la carga del sistema. Recomendado: 4-5 para sitios compartidos, 2-3 para servidores virtuales privados, 0-1 para grandes servidores dedicados." + +#: ../../Zotlabs/Module/Admin.php:531 +msgid "Deliveries per process" +msgstr "Intentos de envĆ­o por proceso" + +#: ../../Zotlabs/Module/Admin.php:531 +msgid "" +"Number of deliveries to attempt in a single operating system process. Adjust" +" if necessary to tune system performance. Recommend: 1-5." +msgstr "Numero de envĆ­os a intentar en un Ćŗnico proceso del sistema operativo. Ajustar si es necesario mejorar el rendimiento. Se recomienda: 1-5." + +#: ../../Zotlabs/Module/Admin.php:532 +msgid "Poll interval" +msgstr "Intervalo mĆ”ximo de tiempo entre dos mensajes sucesivos" + +#: ../../Zotlabs/Module/Admin.php:532 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "Retrasar el intervalo de envĆ­o en segundo plano, en esta cantidad de segundos, para reducir la carga del sistema. Si es 0, usar el intervalo de entrega." + +#: ../../Zotlabs/Module/Admin.php:533 +msgid "Maximum Load Average" +msgstr "Carga media mĆ”xima" + +#: ../../Zotlabs/Module/Admin.php:533 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "Carga mĆ”xima del sistema antes de que los procesos de entrega y envĆ­o se hayan retardado - por defecto, 50." + +#: ../../Zotlabs/Module/Admin.php:534 +msgid "Expiration period in days for imported (grid/network) content" +msgstr "Caducidad del contenido importado de otros sitios (en dĆ­as)" + +#: ../../Zotlabs/Module/Admin.php:534 +msgid "0 for no expiration of imported content" +msgstr "0 para que no caduque el contenido importado" + +#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 +#: ../../Zotlabs/Module/Settings.php:903 +msgid "Off" +msgstr "Desactivado" + +#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 +#: ../../Zotlabs/Module/Settings.php:903 +msgid "On" +msgstr "Activado" + +#: ../../Zotlabs/Module/Admin.php:678 +#, php-format +msgid "Lock feature %s" +msgstr "Bloquear la funcionalidad %s" + +#: ../../Zotlabs/Module/Admin.php:686 +msgid "Manage Additional Features" +msgstr "Gestionar las funcionalidades" + +#: ../../Zotlabs/Module/Admin.php:703 +msgid "No server found" +msgstr "Servidor no encontrado" + +#: ../../Zotlabs/Module/Admin.php:710 ../../Zotlabs/Module/Admin.php:1046 +msgid "ID" +msgstr "ID" + +#: ../../Zotlabs/Module/Admin.php:710 +msgid "for channel" +msgstr "por canal" + +#: ../../Zotlabs/Module/Admin.php:710 +msgid "on server" +msgstr "en el servidor" + +#: ../../Zotlabs/Module/Admin.php:712 +msgid "Server" +msgstr "Servidor" + +#: ../../Zotlabs/Module/Admin.php:746 +msgid "" +"By default, unfiltered HTML is allowed in embedded media. This is inherently" +" insecure." +msgstr "De forma predeterminada, el HTML sin filtrar estĆ” permitido en el contenido multimedia incorporado en una publicación. Esto es siempre inseguro." + +#: ../../Zotlabs/Module/Admin.php:749 +msgid "" +"The recommended setting is to only allow unfiltered HTML from the following " +"sites:" +msgstr "La configuración recomendada es que sólo se permita HTML sin filtrar desde los siguientes sitios: " + +#: ../../Zotlabs/Module/Admin.php:750 +msgid "" +"https://youtube.com/
https://www.youtube.com/
https://youtu.be/https://vimeo.com/
https://soundcloud.com/
" +msgstr "https://youtube.com/
https://www.youtube.com/
https://youtu.be/
https://vimeo.com/
https://soundcloud.com/
" + +#: ../../Zotlabs/Module/Admin.php:751 +msgid "" +"All other embedded content will be filtered, unless " +"embedded content from that site is explicitly blocked." +msgstr "El resto del contenido incrustado se filtrarĆ”, excepto si el contenido incorporado desde ese sitio estĆ” bloqueado de forma explĆ­cita." + +#: ../../Zotlabs/Module/Admin.php:756 ../../include/widgets.php:1493 +msgid "Security" +msgstr "Seguridad" + +#: ../../Zotlabs/Module/Admin.php:758 +msgid "Block public" +msgstr "Bloquear pĆ”ginas pĆŗblicas" + +#: ../../Zotlabs/Module/Admin.php:758 +msgid "" +"Check to block public access to all otherwise public personal pages on this " +"site unless you are currently authenticated." +msgstr "Habilitar para impedir ver las pĆ”ginas personales de este sitio a quien no estĆ© actualmente autenticado." + +#: ../../Zotlabs/Module/Admin.php:759 +msgid "Set \"Transport Security\" HTTP header" +msgstr "Habilitar \"Seguridad de transporte\" (\"Transport Security\") en la cabecera HTTP" + +#: ../../Zotlabs/Module/Admin.php:760 +msgid "Set \"Content Security Policy\" HTTP header" +msgstr "Habilitar la \"PolĆ­tica de seguridad del contenido\" (\"Content Security Policy\") en la cabecera HTTP" + +#: ../../Zotlabs/Module/Admin.php:761 +msgid "Allow communications only from these sites" +msgstr "Permitir la comunicación solo desde estos sitios" + +#: ../../Zotlabs/Module/Admin.php:761 +msgid "" +"One site per line. Leave empty to allow communication from anywhere by " +"default" +msgstr "Un sitio por lĆ­nea. Dejar en blanco para permitir por defecto la comunicación desde cualquiera" + +#: ../../Zotlabs/Module/Admin.php:762 +msgid "Block communications from these sites" +msgstr "Bloquear la comunicación desde estos sitios" + +#: ../../Zotlabs/Module/Admin.php:763 +msgid "Allow communications only from these channels" +msgstr "Permitir la comunicación solo desde estos canales" + +#: ../../Zotlabs/Module/Admin.php:763 +msgid "" +"One channel (hash) per line. Leave empty to allow from any channel by " +"default" +msgstr "Un canal (hash) por lĆ­nea. Dejar en blanco para permitir por defecto la comunicación desde cualquiera" + +#: ../../Zotlabs/Module/Admin.php:764 +msgid "Block communications from these channels" +msgstr "Bloquear la comunicación desde estos canales" + +#: ../../Zotlabs/Module/Admin.php:765 +msgid "Only allow embeds from secure (SSL) websites and links." +msgstr "Sólo se permite contenido multimedia incorporado desde sitios y enlaces seguros (SSL)." + +#: ../../Zotlabs/Module/Admin.php:766 +msgid "Allow unfiltered embedded HTML content only from these domains" +msgstr "Permitir contenido HTML sin filtrar sólo desde estos dominios " + +#: ../../Zotlabs/Module/Admin.php:766 +msgid "One site per line. By default embedded content is filtered." +msgstr "Un sitio por lĆ­nea. El contenido incorporado se filtra de forma predeterminada." + +#: ../../Zotlabs/Module/Admin.php:767 +msgid "Block embedded HTML from these domains" +msgstr "Bloquear contenido con HTML incorporado desde estos dominios" + +#: ../../Zotlabs/Module/Admin.php:785 +msgid "Update has been marked successful" +msgstr "La actualización ha sido marcada como exitosa" + +#: ../../Zotlabs/Module/Admin.php:795 +#, php-format +msgid "Executing %s failed. Check system logs." +msgstr "La ejecución de %s ha fallado. Mirar en los informes del sistema." + +#: ../../Zotlabs/Module/Admin.php:798 +#, php-format +msgid "Update %s was successfully applied." +msgstr "La actualización de %s se ha realizado exitosamente." + +#: ../../Zotlabs/Module/Admin.php:802 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "La actualización de %s no ha devuelto ningĆŗn estado. No se sabe si ha tenido Ć©xito." + +#: ../../Zotlabs/Module/Admin.php:805 +#, php-format +msgid "Update function %s could not be found." +msgstr "No se encuentra la función de actualización de %s." + +#: ../../Zotlabs/Module/Admin.php:821 +msgid "No failed updates." +msgstr "No ha fallado ninguna actualización." + +#: ../../Zotlabs/Module/Admin.php:825 +msgid "Failed Updates" +msgstr "Han fallado las actualizaciones" + +#: ../../Zotlabs/Module/Admin.php:827 +msgid "Mark success (if update was manually applied)" +msgstr "Marcar como exitosa (si la actualización se ha hecho manualmente)" + +#: ../../Zotlabs/Module/Admin.php:828 +msgid "Attempt to execute this update step automatically" +msgstr "Intentar ejecutar este paso de actualización automĆ”ticamente" + +#: ../../Zotlabs/Module/Admin.php:859 +msgid "Queue Statistics" +msgstr "EstadĆ­sticas de la cola" + +#: ../../Zotlabs/Module/Admin.php:860 +msgid "Total Entries" +msgstr "Total de entradas" + +#: ../../Zotlabs/Module/Admin.php:861 +msgid "Priority" +msgstr "Prioridad" + +#: ../../Zotlabs/Module/Admin.php:862 +msgid "Destination URL" +msgstr "Dirección de destino" + +#: ../../Zotlabs/Module/Admin.php:863 +msgid "Mark hub permanently offline" +msgstr "Marcar el servidor como permanentemente fuera de lĆ­nea" + +#: ../../Zotlabs/Module/Admin.php:864 +msgid "Empty queue for this hub" +msgstr "Vaciar la cola para este servidor" + +#: ../../Zotlabs/Module/Admin.php:865 +msgid "Last known contact" +msgstr "Último contacto conocido" + +#: ../../Zotlabs/Module/Admin.php:901 +#, php-format +msgid "%s account blocked/unblocked" +msgid_plural "%s account blocked/unblocked" +msgstr[0] "%s cuenta bloqueada/desbloqueada" +msgstr[1] "%s cuenta bloqueada/desbloqueada" + +#: ../../Zotlabs/Module/Admin.php:908 +#, php-format +msgid "%s account deleted" +msgid_plural "%s accounts deleted" +msgstr[0] "%s cuentas eliminadas" +msgstr[1] "%s cuentas eliminadas" + +#: ../../Zotlabs/Module/Admin.php:944 +msgid "Account not found" +msgstr "Cuenta no encontrada" + +#: ../../Zotlabs/Module/Admin.php:955 +#, php-format +msgid "Account '%s' deleted" +msgstr "La cuenta '%s' ha sido eliminada" + +#: ../../Zotlabs/Module/Admin.php:963 +#, php-format +msgid "Account '%s' blocked" +msgstr "La cuenta '%s' ha sido bloqueada" + +#: ../../Zotlabs/Module/Admin.php:971 +#, php-format +msgid "Account '%s' unblocked" +msgstr "La cuenta '%s' ha sido desbloqueada" + +#: ../../Zotlabs/Module/Admin.php:1031 ../../Zotlabs/Module/Admin.php:1044 +#: ../../include/widgets.php:1491 +msgid "Accounts" +msgstr "Cuentas" + +#: ../../Zotlabs/Module/Admin.php:1033 ../../Zotlabs/Module/Admin.php:1212 +msgid "select all" +msgstr "seleccionar todo" + +#: ../../Zotlabs/Module/Admin.php:1034 +msgid "Registrations waiting for confirm" +msgstr "Inscripciones en espera de confirmación" + +#: ../../Zotlabs/Module/Admin.php:1035 +msgid "Request date" +msgstr "Fecha de solicitud" + +#: ../../Zotlabs/Module/Admin.php:1035 ../../Zotlabs/Module/Admin.php:1047 +#: ../../include/network.php:2208 +msgid "Email" +msgstr "Correo electrónico" + +#: ../../Zotlabs/Module/Admin.php:1036 +msgid "No registrations." +msgstr "Sin registros." + +#: ../../Zotlabs/Module/Admin.php:1038 +msgid "Deny" +msgstr "Rechazar" + +#: ../../Zotlabs/Module/Admin.php:1048 ../../include/group.php:267 +msgid "All Channels" +msgstr "Todos los canales" + +#: ../../Zotlabs/Module/Admin.php:1049 +msgid "Register date" +msgstr "Fecha de registro" + +#: ../../Zotlabs/Module/Admin.php:1050 +msgid "Last login" +msgstr "Último acceso" + +#: ../../Zotlabs/Module/Admin.php:1051 +msgid "Expires" +msgstr "Caduca" + +#: ../../Zotlabs/Module/Admin.php:1052 +msgid "Service Class" +msgstr "Clase de servicio" + +#: ../../Zotlabs/Module/Admin.php:1054 +msgid "" +"Selected accounts will be deleted!\\n\\nEverything these accounts had posted" +" on this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Ā”Las cuentas seleccionadas van a ser eliminadas!\\n\\nĀ”Todo lo que estas cuentas han publicado en este sitio serĆ” borrado de forma permanente!\\n\\nĀæEstĆ” seguro de querer hacerlo?" + +#: ../../Zotlabs/Module/Admin.php:1055 +msgid "" +"The account {0} will be deleted!\\n\\nEverything this account has posted on " +"this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Ā”La cuenta {0} va a ser eliminada!\\n\\nĀ”Todo lo que esta cuenta ha publicado en este sitio serĆ” borrado de forma permanente!\\n\\nĀæEstĆ” seguro de querer hacerlo?" + +#: ../../Zotlabs/Module/Admin.php:1091 +#, php-format +msgid "%s channel censored/uncensored" +msgid_plural "%s channels censored/uncensored" +msgstr[0] "%s canales censurados/no censurados" +msgstr[1] "%s canales censurados/no censurados" + +#: ../../Zotlabs/Module/Admin.php:1100 +#, php-format +msgid "%s channel code allowed/disallowed" +msgid_plural "%s channels code allowed/disallowed" +msgstr[0] "%s código permitido/no permitido al canal" +msgstr[1] "%s código permitido/no permitido al canal" + +#: ../../Zotlabs/Module/Admin.php:1106 +#, php-format +msgid "%s channel deleted" +msgid_plural "%s channels deleted" +msgstr[0] "%s canales eliminados" +msgstr[1] "%s canales eliminados" + +#: ../../Zotlabs/Module/Admin.php:1126 +msgid "Channel not found" +msgstr "Canal no encontrado" + +#: ../../Zotlabs/Module/Admin.php:1136 +#, php-format +msgid "Channel '%s' deleted" +msgstr "Canal '%s' eliminado" + +#: ../../Zotlabs/Module/Admin.php:1148 +#, php-format +msgid "Channel '%s' censored" +msgstr "Canal '%s' censurado" + +#: ../../Zotlabs/Module/Admin.php:1148 +#, php-format +msgid "Channel '%s' uncensored" +msgstr "Canal '%s' no censurado" + +#: ../../Zotlabs/Module/Admin.php:1159 +#, php-format +msgid "Channel '%s' code allowed" +msgstr "Código permitido al canal '%s'" + +#: ../../Zotlabs/Module/Admin.php:1159 +#, php-format +msgid "Channel '%s' code disallowed" +msgstr "Código no permitido al canal '%s'" + +#: ../../Zotlabs/Module/Admin.php:1210 ../../include/widgets.php:1492 +msgid "Channels" +msgstr "Canales" + +#: ../../Zotlabs/Module/Admin.php:1214 +msgid "Censor" +msgstr "Censurar" + +#: ../../Zotlabs/Module/Admin.php:1215 +msgid "Uncensor" +msgstr "No censurar" + +#: ../../Zotlabs/Module/Admin.php:1216 +msgid "Allow Code" +msgstr "Permitir código" + +#: ../../Zotlabs/Module/Admin.php:1217 +msgid "Disallow Code" +msgstr "No permitir código" + +#: ../../Zotlabs/Module/Admin.php:1218 ../../include/conversation.php:1641 +msgid "Channel" +msgstr "Canal" + +#: ../../Zotlabs/Module/Admin.php:1222 +msgid "UID" +msgstr "UID" + +#: ../../Zotlabs/Module/Admin.php:1226 +msgid "" +"Selected channels will be deleted!\\n\\nEverything that was posted in these " +"channels on this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Los canales seleccionados se eliminarĆ”n!\\n\\nTodo lo publicado por estos canales en este sitio se borrarĆ”n definitivamente!\\n\\nĀæEstĆ” seguro de querer hacerlo?" + +#: ../../Zotlabs/Module/Admin.php:1227 +msgid "" +"The channel {0} will be deleted!\\n\\nEverything that was posted in this " +"channel on this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "El canal {0} va a ser eliminado!\\n\\nTodo lo publicado por el canal en este sitio se borrarĆ” definitivamente!\\n\\nĀæEstĆ” seguro de querer hacerlo?" + +#: ../../Zotlabs/Module/Admin.php:1284 +#, php-format +msgid "Plugin %s disabled." +msgstr "Extensión %s desactivada." + +#: ../../Zotlabs/Module/Admin.php:1288 +#, php-format +msgid "Plugin %s enabled." +msgstr "Extensión %s activada." + +#: ../../Zotlabs/Module/Admin.php:1298 ../../Zotlabs/Module/Admin.php:1585 +msgid "Disable" +msgstr "Desactivar" + +#: ../../Zotlabs/Module/Admin.php:1301 ../../Zotlabs/Module/Admin.php:1587 +msgid "Enable" +msgstr "Activar" + +#: ../../Zotlabs/Module/Admin.php:1330 ../../Zotlabs/Module/Admin.php:1420 +#: ../../include/widgets.php:1495 +msgid "Plugins" +msgstr "Extensiones (plugins)" + +#: ../../Zotlabs/Module/Admin.php:1331 ../../Zotlabs/Module/Admin.php:1614 +msgid "Toggle" +msgstr "Cambiar" + +#: ../../Zotlabs/Module/Admin.php:1332 ../../Zotlabs/Module/Admin.php:1615 +#: ../../Zotlabs/Lib/Apps.php:216 ../../include/widgets.php:647 +#: ../../include/nav.php:212 +msgid "Settings" +msgstr "Ajustes" + +#: ../../Zotlabs/Module/Admin.php:1339 ../../Zotlabs/Module/Admin.php:1624 +msgid "Author: " +msgstr "Autor:" + +#: ../../Zotlabs/Module/Admin.php:1340 ../../Zotlabs/Module/Admin.php:1625 +msgid "Maintainer: " +msgstr "Mantenedor:" + +#: ../../Zotlabs/Module/Admin.php:1341 +msgid "Minimum project version: " +msgstr "Versión mĆ­nima del proyecto:" + +#: ../../Zotlabs/Module/Admin.php:1342 +msgid "Maximum project version: " +msgstr "Versión mĆ”xima del proyecto:" + +#: ../../Zotlabs/Module/Admin.php:1343 +msgid "Minimum PHP version: " +msgstr "Versión mĆ­nima de PHP:" + +#: ../../Zotlabs/Module/Admin.php:1344 +msgid "Requires: " +msgstr "Se requiere:" + +#: ../../Zotlabs/Module/Admin.php:1345 ../../Zotlabs/Module/Admin.php:1425 +msgid "Disabled - version incompatibility" +msgstr "Deshabilitado - versiones incompatibles" + +#: ../../Zotlabs/Module/Admin.php:1394 +msgid "Enter the public git repository URL of the plugin repo." +msgstr "Escriba la URL pĆŗblica del repositorio git del plugin." + +#: ../../Zotlabs/Module/Admin.php:1395 +msgid "Plugin repo git URL" +msgstr "URL del repositorio git del plugin" + +#: ../../Zotlabs/Module/Admin.php:1396 +msgid "Custom repo name" +msgstr "Nombre personalizado del repositorio" + +#: ../../Zotlabs/Module/Admin.php:1396 +msgid "(optional)" +msgstr "(opcional)" + +#: ../../Zotlabs/Module/Admin.php:1397 +msgid "Download Plugin Repo" +msgstr "Descargar el repositorio" + +#: ../../Zotlabs/Module/Admin.php:1404 +msgid "Install new repo" +msgstr "Instalar un nuevo repositorio" + +#: ../../Zotlabs/Module/Admin.php:1405 ../../Zotlabs/Lib/Apps.php:334 +msgid "Install" +msgstr "Instalar" + +#: ../../Zotlabs/Module/Admin.php:1427 +msgid "Manage Repos" +msgstr "Gestionar los repositorios" + +#: ../../Zotlabs/Module/Admin.php:1428 +msgid "Installed Plugin Repositories" +msgstr "Repositorios de los plugins instalados" + +#: ../../Zotlabs/Module/Admin.php:1429 +msgid "Install a New Plugin Repository" +msgstr "Instalar un nuevo repositorio de plugins" + +#: ../../Zotlabs/Module/Admin.php:1435 ../../Zotlabs/Module/Settings.php:72 +#: ../../Zotlabs/Module/Settings.php:708 ../../Zotlabs/Lib/Apps.php:334 +msgid "Update" +msgstr "Actualizar" + +#: ../../Zotlabs/Module/Admin.php:1436 +msgid "Switch branch" +msgstr "Cambiar la rama" + +#: ../../Zotlabs/Module/Admin.php:1437 ../../Zotlabs/Module/Photos.php:1000 +#: ../../Zotlabs/Module/Tagrm.php:137 +msgid "Remove" +msgstr "Eliminar" + +#: ../../Zotlabs/Module/Admin.php:1550 +msgid "No themes found." +msgstr "No se han encontrado temas." + +#: ../../Zotlabs/Module/Admin.php:1606 +msgid "Screenshot" +msgstr "InstantĆ”nea de pantalla" + +#: ../../Zotlabs/Module/Admin.php:1613 ../../Zotlabs/Module/Admin.php:1647 +#: ../../include/widgets.php:1496 +msgid "Themes" +msgstr "Temas" + +#: ../../Zotlabs/Module/Admin.php:1652 +msgid "[Experimental]" +msgstr "[Experimental]" + +#: ../../Zotlabs/Module/Admin.php:1653 +msgid "[Unsupported]" +msgstr "[No soportado]" + +#: ../../Zotlabs/Module/Admin.php:1677 +msgid "Log settings updated." +msgstr "Actualizado el informe de configuraciones." + +#: ../../Zotlabs/Module/Admin.php:1732 ../../include/widgets.php:1517 +#: ../../include/widgets.php:1527 +msgid "Logs" +msgstr "Informes" + +#: ../../Zotlabs/Module/Admin.php:1734 +msgid "Clear" +msgstr "Vaciar" + +#: ../../Zotlabs/Module/Admin.php:1740 +msgid "Debugging" +msgstr "Depuración" + +#: ../../Zotlabs/Module/Admin.php:1741 +msgid "Log file" +msgstr "Fichero de informe" + +#: ../../Zotlabs/Module/Admin.php:1741 +msgid "" +"Must be writable by web server. Relative to your top-level webserver " +"directory." +msgstr "Debe tener permisos de escritura por el servidor web. La ruta es relativa al directorio web principal." + +#: ../../Zotlabs/Module/Admin.php:1742 +msgid "Log level" +msgstr "Nivel de depuración" + +#: ../../Zotlabs/Module/Admin.php:2028 +msgid "New Profile Field" +msgstr "Nuevo campo en el perfil" + +#: ../../Zotlabs/Module/Admin.php:2029 ../../Zotlabs/Module/Admin.php:2049 +msgid "Field nickname" +msgstr "Alias del campo" + +#: ../../Zotlabs/Module/Admin.php:2029 ../../Zotlabs/Module/Admin.php:2049 +msgid "System name of field" +msgstr "Nombre del campo en el sistema" + +#: ../../Zotlabs/Module/Admin.php:2030 ../../Zotlabs/Module/Admin.php:2050 +msgid "Input type" +msgstr "Tipo de entrada" + +#: ../../Zotlabs/Module/Admin.php:2031 ../../Zotlabs/Module/Admin.php:2051 +msgid "Field Name" +msgstr "Nombre del campo" + +#: ../../Zotlabs/Module/Admin.php:2031 ../../Zotlabs/Module/Admin.php:2051 +msgid "Label on profile pages" +msgstr "Etiqueta a mostrar en la pĆ”gina del perfil" + +#: ../../Zotlabs/Module/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 +msgid "Help text" +msgstr "Texto de ayuda" + +#: ../../Zotlabs/Module/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 +msgid "Additional info (optional)" +msgstr "Información adicional (opcional)" + +#: ../../Zotlabs/Module/Admin.php:2042 +msgid "Field definition not found" +msgstr "Definición del campo no encontrada" + +#: ../../Zotlabs/Module/Admin.php:2048 +msgid "Edit Profile Field" +msgstr "Modificar el campo del perfil" + +#: ../../Zotlabs/Module/Admin.php:2106 ../../include/widgets.php:1498 +msgid "Profile Fields" +msgstr "Campos del perfil" + +#: ../../Zotlabs/Module/Admin.php:2107 +msgid "Basic Profile Fields" +msgstr "Campos bĆ”sicos del perfil" + +#: ../../Zotlabs/Module/Admin.php:2108 +msgid "Advanced Profile Fields" +msgstr "Campos avanzados del perfil" + +#: ../../Zotlabs/Module/Admin.php:2108 +msgid "(In addition to basic fields)" +msgstr "(AdemĆ”s de los campos bĆ”sicos)" + +#: ../../Zotlabs/Module/Admin.php:2110 +msgid "All available fields" +msgstr "Todos los campos disponibles" + +#: ../../Zotlabs/Module/Admin.php:2111 +msgid "Custom Fields" +msgstr "Campos personalizados" + +#: ../../Zotlabs/Module/Admin.php:2115 +msgid "Create Custom Field" +msgstr "Crear un campo personalizado" + +#: ../../Zotlabs/Module/New_channel.php:128 +#: ../../Zotlabs/Module/Register.php:231 +msgid "Name or caption" +msgstr "Nombre o descripción" + +#: ../../Zotlabs/Module/New_channel.php:128 +#: ../../Zotlabs/Module/Register.php:231 +msgid "Examples: \"Bob Jameson\", \"Lisa and her Horses\", \"Soccer\", \"Aviation Group\"" +msgstr "Ejemplos: \"Juan GarcĆ­a\", \"Luisa y sus caballos\", \"FĆŗtbol\", \"Grupo de aviación\"" + +#: ../../Zotlabs/Module/New_channel.php:130 +#: ../../Zotlabs/Module/Register.php:233 +msgid "Choose a short nickname" +msgstr "Elija un alias corto" + +#: ../../Zotlabs/Module/New_channel.php:130 +#: ../../Zotlabs/Module/Register.php:233 +#, php-format +msgid "" +"Your nickname will be used to create an easy to remember channel address " +"e.g. nickname%s" +msgstr "Su alias se usarĆ” para crear una dirección de canal fĆ”cil de recordar, p. ej.: alias%s" + +#: ../../Zotlabs/Module/New_channel.php:132 +#: ../../Zotlabs/Module/Register.php:235 +msgid "Channel role and privacy" +msgstr "Clase de canal y privacidad" + +#: ../../Zotlabs/Module/New_channel.php:132 +#: ../../Zotlabs/Module/Register.php:235 +msgid "Select a channel role with your privacy requirements." +msgstr "Seleccione un tipo de canal con sus requisitos de privacidad" + +#: ../../Zotlabs/Module/New_channel.php:132 +#: ../../Zotlabs/Module/Register.php:235 +msgid "Read more about roles" +msgstr "Leer mĆ”s sobre los roles" + +#: ../../Zotlabs/Module/New_channel.php:135 +msgid "Create Channel" +msgstr "Crear un canal" + +#: ../../Zotlabs/Module/New_channel.php:136 +msgid "" +"A channel is your identity on this network. It can represent a person, a " +"blog, or a forum to name a few. Channels can make connections with other " +"channels to share information with highly detailed permissions." +msgstr "Un canal es su identidad en esta red. Puede representar a una persona, un blog o un foro, por nombrar unos pocos ejemplos. Los canales se pueden conectar con otros canales para compartir información con una gama de permisos extremadamente detallada." + +#: ../../Zotlabs/Module/New_channel.php:137 +msgid "" +"or import an existing channel from another location." +msgstr "O importar un canal existente desde otro lugar." + +#: ../../Zotlabs/Module/Ping.php:265 +msgid "sent you a private message" +msgstr "le ha enviado un mensaje privado" + +#: ../../Zotlabs/Module/Ping.php:313 +msgid "added your channel" +msgstr "aƱadió este canal a sus conexiones" + +#: ../../Zotlabs/Module/Ping.php:323 +msgid "g A l F d" +msgstr "g A l d F" + +#: ../../Zotlabs/Module/Ping.php:346 +msgid "[today]" +msgstr "[hoy]" + +#: ../../Zotlabs/Module/Ping.php:355 +msgid "posted an event" +msgstr "publicó un evento" + +#: ../../Zotlabs/Module/Notifications.php:30 +msgid "Invalid request identifier." +msgstr "Petición invĆ”lida del identificador." + +#: ../../Zotlabs/Module/Notifications.php:39 +msgid "Discard" +msgstr "Descartar" + +#: ../../Zotlabs/Module/Notifications.php:103 ../../include/nav.php:195 +msgid "Mark all system notifications seen" +msgstr "Marcar todas las notificaciones de sistema como leĆ­das" + +#: ../../Zotlabs/Module/Poke.php:168 ../../Zotlabs/Lib/Apps.php:228 +#: ../../include/conversation.php:964 +msgid "Poke" +msgstr "Toques y otras cosas" + +#: ../../Zotlabs/Module/Poke.php:169 +msgid "Poke somebody" +msgstr "Dar un toque a alguien" + +#: ../../Zotlabs/Module/Poke.php:172 +msgid "Poke/Prod" +msgstr "Toque/Incitación" + +#: ../../Zotlabs/Module/Poke.php:173 +msgid "Poke, prod or do other things to somebody" +msgstr "Dar un toque, incitar o hacer otras cosas a alguien" + +#: ../../Zotlabs/Module/Poke.php:180 +msgid "Recipient" +msgstr "Destinatario" + +#: ../../Zotlabs/Module/Poke.php:181 +msgid "Choose what you wish to do to recipient" +msgstr "Elegir quĆ© desea enviar al destinatario" + +#: ../../Zotlabs/Module/Poke.php:184 ../../Zotlabs/Module/Poke.php:185 +msgid "Make this post private" +msgstr "Convertir en privado este envĆ­o" + +#: ../../Zotlabs/Module/Oexchange.php:27 +msgid "Unable to find your hub." +msgstr "No se puede encontrar su servidor." + +#: ../../Zotlabs/Module/Oexchange.php:41 +msgid "Post successful." +msgstr "Enviado con Ć©xito." + +#: ../../Zotlabs/Module/Profperm.php:34 ../../Zotlabs/Module/Profperm.php:63 +msgid "Invalid profile identifier." +msgstr "Identificador del perfil no vĆ”lido" + +#: ../../Zotlabs/Module/Profperm.php:115 +msgid "Profile Visibility Editor" +msgstr "Editor de visibilidad del perfil" + +#: ../../Zotlabs/Module/Profperm.php:117 ../../include/channel.php:1274 +msgid "Profile" +msgstr "Perfil" + +#: ../../Zotlabs/Module/Profperm.php:119 +msgid "Click on a contact to add or remove." +msgstr "Pulsar en un contacto para aƱadirlo o eliminarlo." + +#: ../../Zotlabs/Module/Profperm.php:128 +msgid "Visible To" +msgstr "Visible para" + +#: ../../Zotlabs/Module/Pconfig.php:26 ../../Zotlabs/Module/Pconfig.php:59 +msgid "This setting requires special processing and editing has been blocked." +msgstr "Este ajuste necesita de un proceso especial y la edición ha sido bloqueada." + +#: ../../Zotlabs/Module/Pconfig.php:48 +msgid "Configuration Editor" +msgstr "Editor de configuración" + +#: ../../Zotlabs/Module/Pconfig.php:49 +msgid "" +"Warning: Changing some settings could render your channel inoperable. Please" +" leave this page unless you are comfortable with and knowledgeable about how" +" to correctly use this feature." +msgstr "Atención: El cambio de algunos ajustes puede volver inutilizable su canal. Por favor, abandone la pĆ”gina excepto que estĆ© seguro y sepa cómo usar correctamente esta caracterĆ­stica." + +#: ../../Zotlabs/Module/Api.php:60 ../../Zotlabs/Module/Api.php:81 +msgid "Authorize application connection" +msgstr "Autorizar una conexión de aplicación" + +#: ../../Zotlabs/Module/Api.php:61 +msgid "Return to your app and insert this Security Code:" +msgstr "Volver a su aplicación e introducir este código de seguridad:" + +#: ../../Zotlabs/Module/Api.php:71 +msgid "Please login to continue." +msgstr "Por favor inicie sesión para continuar." + +#: ../../Zotlabs/Module/Api.php:83 +msgid "" +"Do you want to authorize this application to access your posts and contacts," +" and/or create new posts for you?" +msgstr "ĀæDesea autorizar a esta aplicación a acceder a sus publicaciones y contactos, y/o crear nuevas publicaciones por usted?" + +#: ../../Zotlabs/Module/Siteinfo.php:19 +#, php-format +msgid "Version %s" +msgstr "Versión %s" + +#: ../../Zotlabs/Module/Siteinfo.php:34 +msgid "Installed plugins/addons/apps:" +msgstr "Extensiones (plugins), complementos o aplicaciones (apps) instaladas:" + +#: ../../Zotlabs/Module/Siteinfo.php:36 +msgid "No installed plugins/addons/apps" +msgstr "No hay instalada ninguna extensión (plugin), complemento o aplicación (app)" + +#: ../../Zotlabs/Module/Siteinfo.php:49 +msgid "" +"This is a hub of $Projectname - a global cooperative network of " +"decentralized privacy enhanced websites." +msgstr "Este es un sitio integrado en $Projectname - una red cooperativa mundial de sitios web descentralizados de privacidad mejorada." + +#: ../../Zotlabs/Module/Siteinfo.php:51 +msgid "Tag: " +msgstr "Etiqueta:" + +#: ../../Zotlabs/Module/Siteinfo.php:53 +msgid "Last background fetch: " +msgstr "Última actualización en segundo plano:" + +#: ../../Zotlabs/Module/Siteinfo.php:55 +msgid "Current load average: " +msgstr "Carga media actual:" + +#: ../../Zotlabs/Module/Siteinfo.php:58 +msgid "Running at web location" +msgstr "Corriendo en el sitio web" + +#: ../../Zotlabs/Module/Siteinfo.php:59 +msgid "" +"Please visit hubzilla.org to learn more " +"about $Projectname." +msgstr "Por favor, visite hubzilla.org para mĆ”s información sobre $Projectname." + +#: ../../Zotlabs/Module/Siteinfo.php:60 +msgid "Bug reports and issues: please visit" +msgstr "Informes de errores e incidencias: por favor visite" + +#: ../../Zotlabs/Module/Siteinfo.php:62 +msgid "$projectname issues" +msgstr "Problemas en $projectname" + +#: ../../Zotlabs/Module/Siteinfo.php:63 +msgid "" +"Suggestions, praise, etc. - please email \"redmatrix\" at librelist - dot " +"com" +msgstr "Sugerencias, elogios, etc - por favor, un correo electrónico a \"redmatrix\" en librelist - punto com" + +#: ../../Zotlabs/Module/Siteinfo.php:65 +msgid "Site Administrators" +msgstr "Administradores del sitio" + +#: ../../Zotlabs/Module/Blocks.php:154 ../../include/text.php:2262 +msgid "Blocks" +msgstr "Bloques" + +#: ../../Zotlabs/Module/Blocks.php:156 +msgid "Block Title" +msgstr "TĆ­tulo del bloque" + +#: ../../Zotlabs/Module/Blocks.php:161 ../../Zotlabs/Module/Layouts.php:193 +#: ../../Zotlabs/Module/Photos.php:1078 ../../Zotlabs/Module/Webpages.php:218 +#: ../../include/conversation.php:1226 +msgid "Share" +msgstr "Compartir" + +#: ../../Zotlabs/Module/Layouts.php:183 ../../include/text.php:2264 +msgid "Layouts" +msgstr "Plantillas" + +#: ../../Zotlabs/Module/Layouts.php:185 +msgid "Comanche page description language help" +msgstr "PĆ”gina de ayuda del lenguaje de descripción de pĆ”ginas (PDL) Comanche" + +#: ../../Zotlabs/Module/Layouts.php:189 +msgid "Layout Description" +msgstr "Descripción de la plantilla" + +#: ../../Zotlabs/Module/Layouts.php:194 +msgid "Download PDL file" +msgstr "Descargar el fichero PDL" + +#: ../../Zotlabs/Module/Pubsites.php:22 ../../include/widgets.php:1351 +msgid "Public Hubs" +msgstr "Servidores pĆŗblicos" + +#: ../../Zotlabs/Module/Pubsites.php:25 +msgid "" +"The listed hubs allow public registration for the $Projectname network. All " +"hubs in the network are interlinked so membership on any of them conveys " +"membership in the network as a whole. Some hubs may require subscription or " +"provide tiered service plans. The hub itself may provide " +"additional details." +msgstr "Los sitios listados permiten el registro pĆŗblico en la red $Projectname. Todos los sitios de la red estĆ”n vinculados entre sĆ­, por lo que sus miembros, en ninguno de ellos, indican la pertenencia a la red en su conjunto. Algunos sitios pueden requerir suscripción o proporcionar planes de servicio por niveles. Los mismos hubs pueden proporcionar detalles adicionales." + +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Hub URL" +msgstr "Dirección del hub" + +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Access Type" +msgstr "Tipo de acceso" + +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Registration Policy" +msgstr "Normas de registro" + +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Stats" +msgstr "EstadĆ­sticas" + +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Software" +msgstr "Software" + +#: ../../Zotlabs/Module/Pubsites.php:31 ../../Zotlabs/Module/Ratings.php:103 +#: ../../include/conversation.php:963 +msgid "Ratings" +msgstr "Valoraciones" + +#: ../../Zotlabs/Module/Pubsites.php:38 +msgid "Rate" +msgstr "Valorar" + +#: ../../Zotlabs/Module/Profile_photo.php:115 +#: ../../Zotlabs/Module/Profile_photo.php:212 +#: ../../Zotlabs/Module/Profile_photo.php:311 +#: ../../Zotlabs/Module/Photos.php:97 ../../Zotlabs/Module/Photos.php:745 +#: ../../include/photo/photo_driver.php:718 +msgid "Profile Photos" +msgstr "Fotos del perfil" + +#: ../../Zotlabs/Module/Profile_photo.php:186 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Recargue la pĆ”gina o limpie el cachĆ© del navegador si la nueva foto no se muestra inmediatamente." + +#: ../../Zotlabs/Module/Profile_photo.php:389 +msgid "Upload Profile Photo" +msgstr "Subir foto de perfil" + +#: ../../Zotlabs/Module/Cal.php:69 +msgid "Permissions denied." +msgstr "Permisos denegados." + +#: ../../Zotlabs/Module/Cal.php:337 ../../include/text.php:2286 +msgid "Import" +msgstr "Importar" + +#: ../../Zotlabs/Module/Common.php:14 +msgid "No channel." +msgstr "NingĆŗn canal." + +#: ../../Zotlabs/Module/Common.php:43 +msgid "Common connections" +msgstr "Conexiones comunes" + +#: ../../Zotlabs/Module/Common.php:48 +msgid "No connections in common." +msgstr "Ninguna conexión en comĆŗn." + +#: ../../Zotlabs/Module/Rmagic.php:35 +msgid "Authentication failed." +msgstr "Falló la autenticación." + +#: ../../Zotlabs/Module/Rmagic.php:75 +msgid "Remote Authentication" +msgstr "Acceso desde su servidor" + +#: ../../Zotlabs/Module/Rmagic.php:76 +msgid "Enter your channel address (e.g. channel@example.com)" +msgstr "Introduzca la dirección del canal (p.ej. canal@ejemplo.com)" + +#: ../../Zotlabs/Module/Rmagic.php:77 +msgid "Authenticate" +msgstr "Acceder" + +#: ../../Zotlabs/Module/Ratings.php:73 +msgid "No ratings" +msgstr "Ninguna valoración" + +#: ../../Zotlabs/Module/Ratings.php:104 +msgid "Rating: " +msgstr "Valoración:" + +#: ../../Zotlabs/Module/Ratings.php:105 +msgid "Website: " +msgstr "Sitio web:" + +#: ../../Zotlabs/Module/Ratings.php:107 +msgid "Description: " +msgstr "Descripción:" + +#: ../../Zotlabs/Module/Apps.php:47 ../../include/widgets.php:102 +#: ../../include/nav.php:167 +msgid "Apps" +msgstr "Aplicaciones (apps)" + +#: ../../Zotlabs/Module/Network.php:94 +msgid "No such group" +msgstr "No se encuentra el grupo" + +#: ../../Zotlabs/Module/Network.php:134 +msgid "No such channel" +msgstr "No se encuentra el canal" + +#: ../../Zotlabs/Module/Network.php:139 +msgid "forum" +msgstr "foro" + +#: ../../Zotlabs/Module/Network.php:151 +msgid "Search Results For:" +msgstr "Buscar resultados para:" + +#: ../../Zotlabs/Module/Network.php:216 +msgid "Privacy group is empty" +msgstr "El grupo de canales estĆ” vacĆ­o" + +#: ../../Zotlabs/Module/Network.php:225 +msgid "Privacy group: " +msgstr "Grupo de canales: " + +#: ../../Zotlabs/Module/Network.php:251 +msgid "Invalid connection." +msgstr "Conexión no vĆ”lida." + +#: ../../Zotlabs/Module/Connect.php:61 ../../Zotlabs/Module/Connect.php:109 +msgid "Continue" +msgstr "Continuar" + +#: ../../Zotlabs/Module/Connect.php:90 +msgid "Premium Channel Setup" +msgstr "Configuración del canal premium" + +#: ../../Zotlabs/Module/Connect.php:92 +msgid "Enable premium channel connection restrictions" +msgstr "Habilitar restricciones de conexión del canal premium" + +#: ../../Zotlabs/Module/Connect.php:93 +msgid "" +"Please enter your restrictions or conditions, such as paypal receipt, usage " +"guidelines, etc." +msgstr "Por favor introduzca sus restricciones o condiciones, como recibo de paypal, normas de uso, etc." + +#: ../../Zotlabs/Module/Connect.php:95 ../../Zotlabs/Module/Connect.php:115 +msgid "" +"This channel may require additional steps or acknowledgement of the " +"following conditions prior to connecting:" +msgstr "Este canal puede requerir antes de conectar unos pasos adicionales o el conocimiento de las siguientes condiciones:" + +#: ../../Zotlabs/Module/Connect.php:96 +msgid "" +"Potential connections will then see the following text before proceeding:" +msgstr "Las posibles conexiones verĆ”n, por tanto, el siguiente texto antes de proceder:" + +#: ../../Zotlabs/Module/Connect.php:97 ../../Zotlabs/Module/Connect.php:118 +msgid "" +"By continuing, I certify that I have complied with any instructions provided" +" on this page." +msgstr "Al continuar, certifico que he cumplido con todas las instrucciones proporcionadas en esta pĆ”gina." + +#: ../../Zotlabs/Module/Connect.php:106 +msgid "(No specific instructions have been provided by the channel owner.)" +msgstr "(No ha sido proporcionada ninguna instrucción especĆ­fica por el propietario del canal.)" + +#: ../../Zotlabs/Module/Connect.php:114 +msgid "Restricted or Premium Channel" +msgstr "Canal premium o restringido" + +#: ../../Zotlabs/Module/Rbmark.php:94 +msgid "Select a bookmark folder" +msgstr "Seleccionar una carpeta de marcadores" + +#: ../../Zotlabs/Module/Rbmark.php:99 +msgid "Save Bookmark" +msgstr "Guardar marcador" + +#: ../../Zotlabs/Module/Rbmark.php:100 +msgid "URL of bookmark" +msgstr "Dirección del marcador" + +#: ../../Zotlabs/Module/Rbmark.php:105 +msgid "Or enter new bookmark folder name" +msgstr "O introduzca un nuevo nombre para la carpeta de marcadores" + +#: ../../Zotlabs/Module/Photos.php:82 +msgid "Page owner information could not be retrieved." +msgstr "La información del propietario de la pĆ”gina no pudo ser recuperada." + +#: ../../Zotlabs/Module/Photos.php:103 ../../Zotlabs/Module/Photos.php:147 +msgid "Album not found." +msgstr "Ɓlbum no encontrado." + +#: ../../Zotlabs/Module/Photos.php:130 +msgid "Delete Album" +msgstr "Borrar Ć”lbum" + +#: ../../Zotlabs/Module/Photos.php:151 +msgid "" +"Multiple storage folders exist with this album name, but within different " +"directories. Please remove the desired folder or folders using the Files " +"manager" +msgstr "Hay varias carpetas con este nombre de Ć”lbum, pero dentro de diferentes directorios. Por favor, elimine la carpeta o carpetas que desee utilizando el administrador de ficheros" + +#: ../../Zotlabs/Module/Photos.php:208 ../../Zotlabs/Module/Photos.php:1059 +msgid "Delete Photo" +msgstr "Borrar foto" + +#: ../../Zotlabs/Module/Photos.php:531 +msgid "No photos selected" +msgstr "No hay fotos seleccionadas" + +#: ../../Zotlabs/Module/Photos.php:580 +msgid "Access to this item is restricted." +msgstr "El acceso a este elemento estĆ” restringido." + +#: ../../Zotlabs/Module/Photos.php:619 +#, php-format +msgid "%1$.2f MB of %2$.2f MB photo storage used." +msgstr "%1$.2f MB de %2$.2f MB de almacenamiento de fotos utilizado." + +#: ../../Zotlabs/Module/Photos.php:622 +#, php-format +msgid "%1$.2f MB photo storage used." +msgstr "%1$.2f MB de almacenamiento de fotos utilizado." + +#: ../../Zotlabs/Module/Photos.php:658 +msgid "Upload Photos" +msgstr "Subir fotos" + +#: ../../Zotlabs/Module/Photos.php:662 +msgid "Enter an album name" +msgstr "Introducir un nombre de Ć”lbum" + +#: ../../Zotlabs/Module/Photos.php:663 +msgid "or select an existing album (doubleclick)" +msgstr "o seleccionar uno existente (doble click)" + +#: ../../Zotlabs/Module/Photos.php:664 +msgid "Create a status post for this upload" +msgstr "Crear un mensaje de estado para esta subida" + +#: ../../Zotlabs/Module/Photos.php:665 +msgid "Caption (optional):" +msgstr "TĆ­tulo (opcional):" + +#: ../../Zotlabs/Module/Photos.php:666 +msgid "Description (optional):" +msgstr "Descripción (opcional):" + +#: ../../Zotlabs/Module/Photos.php:697 +msgid "Album name could not be decoded" +msgstr "El nombre del Ć”lbum no ha podido ser descifrado" + +#: ../../Zotlabs/Module/Photos.php:745 +msgid "Contact Photos" +msgstr "Fotos de contacto" + +#: ../../Zotlabs/Module/Photos.php:768 +msgid "Show Newest First" +msgstr "Mostrar lo mĆ”s reciente primero" + +#: ../../Zotlabs/Module/Photos.php:770 +msgid "Show Oldest First" +msgstr "Mostrar lo mĆ”s antiguo primero" + +#: ../../Zotlabs/Module/Photos.php:794 ../../Zotlabs/Module/Photos.php:1337 +#: ../../Zotlabs/Module/Embedphotos.php:141 ../../include/widgets.php:1607 +msgid "View Photo" +msgstr "Ver foto" + +#: ../../Zotlabs/Module/Photos.php:825 +#: ../../Zotlabs/Module/Embedphotos.php:157 ../../include/widgets.php:1624 +msgid "Edit Album" +msgstr "Editar Ć”lbum" + +#: ../../Zotlabs/Module/Photos.php:872 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Permiso denegado. El acceso a este elemento puede estar restringido." + +#: ../../Zotlabs/Module/Photos.php:874 +msgid "Photo not available" +msgstr "Foto no disponible" + +#: ../../Zotlabs/Module/Photos.php:932 +msgid "Use as profile photo" +msgstr "Usar como foto del perfil" + +#: ../../Zotlabs/Module/Photos.php:933 +msgid "Use as cover photo" +msgstr "Usar como imagen de portada del perfil" + +#: ../../Zotlabs/Module/Photos.php:940 +msgid "Private Photo" +msgstr "Foto privada" + +#: ../../Zotlabs/Module/Photos.php:955 +msgid "View Full Size" +msgstr "Ver tamaƱo completo" + +#: ../../Zotlabs/Module/Photos.php:1034 +msgid "Edit photo" +msgstr "Editar foto" + +#: ../../Zotlabs/Module/Photos.php:1036 +msgid "Rotate CW (right)" +msgstr "Girar CW (a la derecha)" + +#: ../../Zotlabs/Module/Photos.php:1037 +msgid "Rotate CCW (left)" +msgstr "Girar CCW (a la izquierda)" + +#: ../../Zotlabs/Module/Photos.php:1040 +msgid "Enter a new album name" +msgstr "Introducir un nuevo nombre de Ć”lbum" + +#: ../../Zotlabs/Module/Photos.php:1041 +msgid "or select an existing one (doubleclick)" +msgstr "o seleccionar uno (doble click) existente" + +#: ../../Zotlabs/Module/Photos.php:1044 +msgid "Caption" +msgstr "TĆ­tulo" + +#: ../../Zotlabs/Module/Photos.php:1046 +msgid "Add a Tag" +msgstr "AƱadir una etiqueta" + +#: ../../Zotlabs/Module/Photos.php:1054 +msgid "Example: @bob, @Barbara_Jensen, @jim@example.com" +msgstr "Ejemplos: @eva, @Carmen_Osuna, @jaime@ejemplo.com" + +#: ../../Zotlabs/Module/Photos.php:1057 +msgid "Flag as adult in album view" +msgstr "Marcar como \"solo para adultos\" en el Ć”lbum" + +#: ../../Zotlabs/Module/Photos.php:1076 ../../Zotlabs/Lib/ThreadItem.php:262 +msgid "I like this (toggle)" +msgstr "Me gusta (cambiar)" + +#: ../../Zotlabs/Module/Photos.php:1077 ../../Zotlabs/Lib/ThreadItem.php:263 +msgid "I don't like this (toggle)" +msgstr "No me gusta esto (cambiar)" + +#: ../../Zotlabs/Module/Photos.php:1079 ../../Zotlabs/Lib/ThreadItem.php:398 +#: ../../include/conversation.php:743 +msgid "Please wait" +msgstr "Espere por favor" + +#: ../../Zotlabs/Module/Photos.php:1095 ../../Zotlabs/Module/Photos.php:1213 +#: ../../Zotlabs/Lib/ThreadItem.php:708 +msgid "This is you" +msgstr "Este es usted" + +#: ../../Zotlabs/Module/Photos.php:1097 ../../Zotlabs/Module/Photos.php:1215 +#: ../../Zotlabs/Lib/ThreadItem.php:710 ../../include/js_strings.php:6 +msgid "Comment" +msgstr "Comentar" + +#: ../../Zotlabs/Module/Photos.php:1113 ../../include/conversation.php:577 +msgctxt "title" +msgid "Likes" +msgstr "Me gusta" + +#: ../../Zotlabs/Module/Photos.php:1113 ../../include/conversation.php:577 +msgctxt "title" +msgid "Dislikes" +msgstr "No me gusta" + +#: ../../Zotlabs/Module/Photos.php:1114 ../../include/conversation.php:578 +msgctxt "title" +msgid "Agree" +msgstr "De acuerdo" + +#: ../../Zotlabs/Module/Photos.php:1114 ../../include/conversation.php:578 +msgctxt "title" +msgid "Disagree" +msgstr "En desacuerdo" + +#: ../../Zotlabs/Module/Photos.php:1114 ../../include/conversation.php:578 +msgctxt "title" +msgid "Abstain" +msgstr "Abstención" + +#: ../../Zotlabs/Module/Photos.php:1115 ../../include/conversation.php:579 +msgctxt "title" +msgid "Attending" +msgstr "ParticiparĆ©" + +#: ../../Zotlabs/Module/Photos.php:1115 ../../include/conversation.php:579 +msgctxt "title" +msgid "Not attending" +msgstr "No participarĆ©" + +#: ../../Zotlabs/Module/Photos.php:1115 ../../include/conversation.php:579 +msgctxt "title" +msgid "Might attend" +msgstr "QuizĆ” participe" + +#: ../../Zotlabs/Module/Photos.php:1132 ../../Zotlabs/Module/Photos.php:1144 +#: ../../Zotlabs/Lib/ThreadItem.php:181 ../../Zotlabs/Lib/ThreadItem.php:193 +#: ../../include/conversation.php:1753 +msgid "View all" +msgstr "Ver todo" + +#: ../../Zotlabs/Module/Photos.php:1136 ../../Zotlabs/Lib/ThreadItem.php:185 +#: ../../include/conversation.php:1777 ../../include/taxonomy.php:403 +#: ../../include/channel.php:1182 +msgctxt "noun" +msgid "Like" +msgid_plural "Likes" +msgstr[0] "Me gusta" +msgstr[1] "Me gusta" + +#: ../../Zotlabs/Module/Photos.php:1141 ../../Zotlabs/Lib/ThreadItem.php:190 +#: ../../include/conversation.php:1780 +msgctxt "noun" +msgid "Dislike" +msgid_plural "Dislikes" +msgstr[0] "No me gusta" +msgstr[1] "No me gusta" + +#: ../../Zotlabs/Module/Photos.php:1241 +msgid "Photo Tools" +msgstr "Gestión de las fotos" + +#: ../../Zotlabs/Module/Photos.php:1250 +msgid "In This Photo:" +msgstr "En esta foto:" + +#: ../../Zotlabs/Module/Photos.php:1255 +msgid "Map" +msgstr "Mapa" + +#: ../../Zotlabs/Module/Photos.php:1263 ../../Zotlabs/Lib/ThreadItem.php:387 +msgctxt "noun" +msgid "Likes" +msgstr "Me gusta" + +#: ../../Zotlabs/Module/Photos.php:1264 ../../Zotlabs/Lib/ThreadItem.php:388 +msgctxt "noun" +msgid "Dislikes" +msgstr "No me gusta" + +#: ../../Zotlabs/Module/Photos.php:1269 ../../Zotlabs/Lib/ThreadItem.php:393 +#: ../../include/acl_selectors.php:188 +msgid "Close" +msgstr "Cerrar" + +#: ../../Zotlabs/Module/Photos.php:1343 +msgid "View Album" +msgstr "Ver Ć”lbum" + +#: ../../Zotlabs/Module/Photos.php:1354 ../../Zotlabs/Module/Photos.php:1367 +#: ../../Zotlabs/Module/Photos.php:1368 +msgid "Recent Photos" +msgstr "Fotos recientes" + +#: ../../Zotlabs/Module/Regmod.php:15 +msgid "Please login." +msgstr "Por favor, inicie sesión." + +#: ../../Zotlabs/Module/Removeaccount.php:35 +msgid "" +"Account removals are not allowed within 48 hours of changing the account " +"password." +msgstr "La eliminación de cuentas no estĆ” permitida hasta despuĆ©s de que hayan transcurrido 48 horas desde el Ćŗltimo cambio de contraseƱa." + +#: ../../Zotlabs/Module/Removeaccount.php:57 +msgid "Remove This Account" +msgstr "Eliminar esta cuenta" + +#: ../../Zotlabs/Module/Removeaccount.php:58 +#: ../../Zotlabs/Module/Removeme.php:61 +msgid "WARNING: " +msgstr "ATENCIƓN:" + +#: ../../Zotlabs/Module/Removeaccount.php:58 +msgid "" +"This account and all its channels will be completely removed from the " +"network. " +msgstr "Esta cuenta y todos sus canales van a ser eliminados de la red." + +#: ../../Zotlabs/Module/Removeaccount.php:58 +#: ../../Zotlabs/Module/Removeme.php:61 +msgid "This action is permanent and can not be undone!" +msgstr "Ā”Esta acción tiene carĆ”cter definitivo y no se puede deshacer!" + +#: ../../Zotlabs/Module/Removeaccount.php:59 +#: ../../Zotlabs/Module/Removeme.php:62 +msgid "Please enter your password for verification:" +msgstr "Por favor, introduzca su contraseƱa para su verificación:" + +#: ../../Zotlabs/Module/Removeaccount.php:60 +msgid "" +"Remove this account, all its channels and all its channel clones from the " +"network" +msgstr "Remover esta cuenta, todos sus canales y clones de la red" + +#: ../../Zotlabs/Module/Removeaccount.php:60 +msgid "" +"By default only the instances of the channels located on this hub will be " +"removed from the network" +msgstr "Por defecto, solo las instancias de los canales ubicados en este servidor serĆ”n eliminados de la red" + +#: ../../Zotlabs/Module/Removeaccount.php:61 +#: ../../Zotlabs/Module/Settings.php:797 +msgid "Remove Account" +msgstr "Eliminar cuenta" + +#: ../../Zotlabs/Module/Removeme.php:35 +msgid "" +"Channel removals are not allowed within 48 hours of changing the account " +"password." +msgstr "La eliminación de canales no estĆ” permitida hasta pasadas 48 horas desde el Ćŗltimo cambio de contraseƱa." + +#: ../../Zotlabs/Module/Removeme.php:60 +msgid "Remove This Channel" +msgstr "Eliminar este canal" + +#: ../../Zotlabs/Module/Removeme.php:61 +msgid "This channel will be completely removed from the network. " +msgstr "Este canal va a ser completamente eliminado de la red." + +#: ../../Zotlabs/Module/Removeme.php:63 +msgid "Remove this channel and all its clones from the network" +msgstr "Eliminar este canal y todos sus clones de la red" + +#: ../../Zotlabs/Module/Removeme.php:63 +msgid "" +"By default only the instance of the channel located on this hub will be " +"removed from the network" +msgstr "Por defecto, solo la instancia del canal alojado en este servidor serĆ” eliminado de la red" + +#: ../../Zotlabs/Module/Removeme.php:64 ../../Zotlabs/Module/Settings.php:1323 +msgid "Remove Channel" +msgstr "Eliminar el canal" + +#: ../../Zotlabs/Module/Uexport.php:55 ../../Zotlabs/Module/Uexport.php:56 +msgid "Export Channel" +msgstr "Exportar el canal" + +#: ../../Zotlabs/Module/Uexport.php:57 +msgid "" +"Export your basic channel information to a file. This acts as a backup of " +"your connections, permissions, profile and basic data, which can be used to " +"import your data to a new server hub, but does not contain your content." +msgstr "Exportar la información bĆ”sica del canal a un fichero. Este equivale a una copia de seguridad de sus conexiones, el perfil y datos fundamentales, que puede usarse para importar sus datos a un nuevo servidor, pero no incluye su contenido." + +#: ../../Zotlabs/Module/Uexport.php:58 +msgid "Export Content" +msgstr "Exportar contenidos" + +#: ../../Zotlabs/Module/Uexport.php:59 +msgid "" +"Export your channel information and recent content to a JSON backup that can" +" be restored or imported to another server hub. This backs up all of your " +"connections, permissions, profile data and several months of posts. This " +"file may be VERY large. Please be patient - it may take several minutes for" +" this download to begin." +msgstr "Exportar la información sobre su canal y el contenido reciente a un fichero de respaldo JSON, que puede ser restaurado o importado a otro servidor. Este fichero incluye todas sus conexiones, permisos, datos del perfil y publicaciones de varios meses. Puede llegar a ser MUY grande. Por favor, sea paciente, la descarga puede tardar varios minutos en comenzar." + +#: ../../Zotlabs/Module/Uexport.php:60 +msgid "Export your posts from a given year." +msgstr "Exporta sus publicaciones de un aƱo dado." + +#: ../../Zotlabs/Module/Uexport.php:62 +msgid "" +"You may also export your posts and conversations for a particular year or " +"month. Adjust the date in your browser location bar to select other dates. " +"If the export fails (possibly due to memory exhaustion on your server hub), " +"please try again selecting a more limited date range." +msgstr "TambiĆ©n puede exportar sus mensajes y conversaciones durante un aƱo o mes en particular. Ajuste la fecha en la barra de direcciones del navegador para seleccionar otras fechas. Si la exportación falla (posiblemente debido al agotamiento de la memoria del servidor hub), por favor, intente de nuevo la selección de un rango de fechas mĆ”s pequeƱo." + +#: ../../Zotlabs/Module/Uexport.php:63 +#, php-format +msgid "" +"To select all posts for a given year, such as this year, visit %2$s" +msgstr "Para seleccionar todos los mensajes de un aƱo determinado, como este aƱo, visite %2$s" + +#: ../../Zotlabs/Module/Uexport.php:64 +#, php-format +msgid "" +"To select all posts for a given month, such as January of this year, visit " +"%2$s" +msgstr "Para seleccionar todos los mensajes de un mes determinado, como el de enero de este aƱo, visite %2$s" + +#: ../../Zotlabs/Module/Uexport.php:65 +#, php-format +msgid "" +"These content files may be imported or restored by visiting %2$s on any site containing your channel. For best results" +" please import or restore these in date order (oldest first)." +msgstr "Estos ficheros pueden ser importados o restaurados visitando %2$s o cualquier sitio que contenga su canal. Para obtener los mejores resultados, por favor, importar o restaurar estos ficheros en orden de fecha (la mĆ”s antigua primero)." + +#: ../../Zotlabs/Module/Webpages.php:53 +msgid "Import Webpage Elements" +msgstr "Importar elementos de una pĆ”gina web" + +#: ../../Zotlabs/Module/Webpages.php:54 +msgid "Import selected" +msgstr "Importar elementos seleccionados" + +#: ../../Zotlabs/Module/Webpages.php:214 ../../Zotlabs/Lib/Apps.php:218 +#: ../../include/conversation.php:1715 ../../include/nav.php:108 +msgid "Webpages" +msgstr "PĆ”ginas web" + +#: ../../Zotlabs/Module/Webpages.php:225 ../../include/page_widgets.php:44 +msgid "Actions" +msgstr "Acciones" + +#: ../../Zotlabs/Module/Webpages.php:226 ../../include/page_widgets.php:45 +msgid "Page Link" +msgstr "VĆ­nculo de la pĆ”gina" + +#: ../../Zotlabs/Module/Webpages.php:227 +msgid "Page Title" +msgstr "TĆ­tulo de pĆ”gina" + +#: ../../Zotlabs/Module/Webpages.php:258 +msgid "Invalid file type." +msgstr "Tipo de fichero no vĆ”lido." + +#: ../../Zotlabs/Module/Webpages.php:270 +msgid "Error opening zip file" +msgstr "Error al abrir el fichero comprimido zip" + +#: ../../Zotlabs/Module/Webpages.php:281 +msgid "Invalid folder path." +msgstr "La ruta de la carpeta no es vĆ”lida." + +#: ../../Zotlabs/Module/Webpages.php:308 +msgid "No webpage elements detected." +msgstr "No se han detectado elementos de ninguna pĆ”gina web." + +#: ../../Zotlabs/Module/Webpages.php:382 +msgid "Import complete." +msgstr "Importación completada." + +#: ../../Zotlabs/Module/Search.php:216 +#, php-format +msgid "Items tagged with: %s" +msgstr "elementos etiquetados con: %s" + +#: ../../Zotlabs/Module/Search.php:218 +#, php-format +msgid "Search results for: %s" +msgstr "Resultados de la bĆŗsqueda para: %s" + +#: ../../Zotlabs/Module/Service_limits.php:23 +msgid "No service class restrictions found." +msgstr "No se han encontrado restricciones sobre esta clase de servicio." + +#: ../../Zotlabs/Module/Register.php:49 +msgid "Maximum daily site registrations exceeded. Please try again tomorrow." +msgstr "Se ha superado el lĆ­mite mĆ”ximo de inscripciones diarias de este sitio. Por favor, pruebe de nuevo maƱana." + +#: ../../Zotlabs/Module/Register.php:55 +msgid "" +"Please indicate acceptance of the Terms of Service. Registration failed." +msgstr "Por favor, confirme que acepta los TĆ©rminos del servicio. El registro ha fallado." + +#: ../../Zotlabs/Module/Register.php:89 +msgid "Passwords do not match." +msgstr "Las contraseƱas no coinciden." + +#: ../../Zotlabs/Module/Register.php:131 +msgid "" +"Registration successful. Please check your email for validation " +"instructions." +msgstr "Registro realizado con Ć©xito. Por favor, compruebe su correo electrónico para ver las instrucciones para validarlo." + +#: ../../Zotlabs/Module/Register.php:137 +msgid "Your registration is pending approval by the site owner." +msgstr "Su registro estĆ” pendiente de aprobación por el propietario del sitio." + +#: ../../Zotlabs/Module/Register.php:140 +msgid "Your registration can not be processed." +msgstr "Su registro no puede ser procesado." + +#: ../../Zotlabs/Module/Register.php:184 +msgid "Registration on this hub is disabled." +msgstr "El registro estĆ” deshabilitado en este sitio." + +#: ../../Zotlabs/Module/Register.php:193 +msgid "Registration on this hub is by approval only." +msgstr "El registro en este hub estĆ” sometido a aprobación previa." + +#: ../../Zotlabs/Module/Register.php:194 +msgid "Register at another affiliated hub." +msgstr "Registrarse en otro hub afiliado." + +#: ../../Zotlabs/Module/Register.php:204 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "Este sitio ha excedido el lĆ­mite de inscripción diaria de cuentas. Por favor, intĆ©ntelo de nuevo maƱana." + +#: ../../Zotlabs/Module/Register.php:215 +msgid "Terms of Service" +msgstr "TĆ©rminos del servicio" + +#: ../../Zotlabs/Module/Register.php:221 +#, php-format +msgid "I accept the %s for this website" +msgstr "Acepto los %s de este sitio" + +#: ../../Zotlabs/Module/Register.php:223 +#, php-format +msgid "I am over 13 years of age and accept the %s for this website" +msgstr "Tengo mĆ”s de 13 aƱos de edad y acepto los %s de este sitio" + +#: ../../Zotlabs/Module/Register.php:227 +msgid "Your email address" +msgstr "Su dirección de correo electrónico" + +#: ../../Zotlabs/Module/Register.php:228 +msgid "Choose a password" +msgstr "Elija una contraseƱa" + +#: ../../Zotlabs/Module/Register.php:229 +msgid "Please re-enter your password" +msgstr "Por favor, vuelva a escribir su contraseƱa" + +#: ../../Zotlabs/Module/Register.php:230 +msgid "Please enter your invitation code" +msgstr "Por favor, introduzca el código de su invitación" + +#: ../../Zotlabs/Module/Register.php:236 +msgid "no" +msgstr "no" + +#: ../../Zotlabs/Module/Register.php:236 +msgid "yes" +msgstr "sĆ­" + +#: ../../Zotlabs/Module/Register.php:253 +msgid "Membership on this site is by invitation only." +msgstr "Para registrarse en este sitio es necesaria una invitación." + +#: ../../Zotlabs/Module/Register.php:265 ../../include/nav.php:151 +#: ../../boot.php:1695 +msgid "Register" +msgstr "Registrarse" + +#: ../../Zotlabs/Module/Register.php:266 +msgid "" +"This site may require email verification after submitting this form. If you " +"are returned to a login page, please check your email for instructions." +msgstr "Este sitio puede requerir una verificación de correo electrónico despuĆ©s de enviar este formulario. Si es devuelto a una pĆ”gina de inicio de sesión, compruebe su email para recibir y leer las instrucciones." + +#: ../../Zotlabs/Module/Rpost.php:135 ../../Zotlabs/Module/Editpost.php:106 +msgid "Edit post" +msgstr "Editar la entrada" + #: ../../Zotlabs/Module/Sharedwithme.php:98 msgid "Files: shared with me" msgstr "Ficheros: compartidos conmigo" @@ -6245,66 +5628,17 @@ msgstr "Eliminar todos los ficheros" msgid "Remove this file" msgstr "Eliminar este fichero" -#: ../../Zotlabs/Module/Thing.php:114 -msgid "Thing updated" -msgstr "Elemento actualizado." +#: ../../Zotlabs/Module/Acl.php:312 +msgid "network" +msgstr "red" -#: ../../Zotlabs/Module/Thing.php:166 -msgid "Object store: failed" -msgstr "Guardar objeto: ha fallado" - -#: ../../Zotlabs/Module/Thing.php:170 -msgid "Thing added" -msgstr "Elemento aƱadido" - -#: ../../Zotlabs/Module/Thing.php:196 -#, php-format -msgid "OBJ: %1$s %2$s %3$s" -msgstr "OBJ: %1$s %2$s %3$s" - -#: ../../Zotlabs/Module/Thing.php:259 -msgid "Show Thing" -msgstr "Mostrar elemento" - -#: ../../Zotlabs/Module/Thing.php:266 -msgid "item not found." -msgstr "elemento no encontrado." - -#: ../../Zotlabs/Module/Thing.php:299 -msgid "Edit Thing" -msgstr "Editar elemento" - -#: ../../Zotlabs/Module/Thing.php:301 ../../Zotlabs/Module/Thing.php:351 -msgid "Select a profile" -msgstr "Seleccionar un perfil" - -#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:354 -msgid "Post an activity" -msgstr "Publicar una actividad" - -#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:354 -msgid "Only sends to viewers of the applicable profile" -msgstr "Sólo enviar a espectadores del perfil pertinente." - -#: ../../Zotlabs/Module/Thing.php:307 ../../Zotlabs/Module/Thing.php:356 -msgid "Name of thing e.g. something" -msgstr "Nombre del elemento, p. ej.:. \"algo\"" - -#: ../../Zotlabs/Module/Thing.php:309 ../../Zotlabs/Module/Thing.php:357 -msgid "URL of thing (optional)" -msgstr "Dirección del elemento (opcional)" - -#: ../../Zotlabs/Module/Thing.php:311 ../../Zotlabs/Module/Thing.php:358 -msgid "URL for photo of thing (optional)" -msgstr "Dirección para la foto o elemento (opcional)" - -#: ../../Zotlabs/Module/Thing.php:349 -msgid "Add Thing to your Profile" -msgstr "AƱadir alguna cosa a su perfil" +#: ../../Zotlabs/Module/Acl.php:322 +msgid "RSS" +msgstr "RSS" #: ../../Zotlabs/Module/Sources.php:37 msgid "Failed to create source. No channel selected." -msgstr "Imposible crear el origen de los contenidos. NingĆŗn canal ha sido seleccionado." +msgstr "No se ha podido crear el origen de los contenidos. No ha sido seleccionado ningĆŗn canal." #: ../../Zotlabs/Module/Sources.php:51 msgid "Source created." @@ -6318,7 +5652,7 @@ msgstr "Fuente actualizada." msgid "*" msgstr "*" -#: ../../Zotlabs/Module/Sources.php:96 ../../include/features.php:72 +#: ../../Zotlabs/Module/Sources.php:96 ../../include/features.php:74 #: ../../include/widgets.php:639 msgid "Channel Sources" msgstr "OrĆ­genes de los contenidos del canal" @@ -6353,7 +5687,12 @@ msgstr "Nombre del canal" msgid "" "Add the following categories to posts imported from this source (comma " "separated)" -msgstr "AƱadir las categorĆ­as siguientes a las entradas importadas de esta fuente (separadas por comas)" +msgstr "AƱadir los temas siguientes a las entradas importadas de esta fuente (separadas por comas)" + +#: ../../Zotlabs/Module/Sources.php:112 ../../Zotlabs/Module/Sources.php:147 +#: ../../Zotlabs/Module/Settings.php:688 +msgid "Optional" +msgstr "Opcional" #: ../../Zotlabs/Module/Sources.php:133 ../../Zotlabs/Module/Sources.php:161 msgid "Source not found." @@ -6373,7 +5712,7 @@ msgstr "Fuente eliminada" #: ../../Zotlabs/Module/Sources.php:171 msgid "Unable to remove source." -msgstr "Imposible eliminar la fuente." +msgstr "No se puede eliminar la fuente." #: ../../Zotlabs/Module/Subthread.php:118 #, php-format @@ -6400,7 +5739,7 @@ msgid "post" msgstr "la entrada" #: ../../Zotlabs/Module/Tagger.php:57 ../../include/conversation.php:150 -#: ../../include/text.php:1929 +#: ../../include/text.php:1953 msgid "comment" msgstr "el comentario" @@ -6421,99 +5760,720 @@ msgstr "Eliminar etiqueta del elemento." msgid "Select a tag to remove: " msgstr "Seleccionar una etiqueta para eliminar:" -#: ../../Zotlabs/Module/Webpages.php:191 ../../Zotlabs/Lib/Apps.php:218 -#: ../../include/nav.php:106 ../../include/conversation.php:1700 -msgid "Webpages" -msgstr "PĆ”ginas web" +#: ../../Zotlabs/Module/Dreport.php:44 +msgid "Invalid message" +msgstr "Mensaje no vĆ”lido" -#: ../../Zotlabs/Module/Webpages.php:202 ../../include/page_widgets.php:44 -msgid "Actions" -msgstr "Acciones" +#: ../../Zotlabs/Module/Dreport.php:76 +msgid "no results" +msgstr "sin resultados" -#: ../../Zotlabs/Module/Webpages.php:203 ../../include/page_widgets.php:45 -msgid "Page Link" -msgstr "VĆ­nculo de la pĆ”gina" +#: ../../Zotlabs/Module/Dreport.php:91 +msgid "channel sync processed" +msgstr "se ha realizado la sincronización del canal" -#: ../../Zotlabs/Module/Webpages.php:204 -msgid "Page Title" -msgstr "TĆ­tulo de pĆ”gina" +#: ../../Zotlabs/Module/Dreport.php:95 +msgid "queued" +msgstr "encolado" -#: ../../Zotlabs/Module/Wiki.php:34 -msgid "Not found" -msgstr "No encontrado" +#: ../../Zotlabs/Module/Dreport.php:99 +msgid "posted" +msgstr "enviado" -#: ../../Zotlabs/Module/Wiki.php:92 ../../Zotlabs/Lib/Apps.php:219 -#: ../../include/nav.php:108 ../../include/conversation.php:1710 -#: ../../include/conversation.php:1713 ../../include/features.php:55 -msgid "Wiki" -msgstr "Wiki" +#: ../../Zotlabs/Module/Dreport.php:103 +msgid "accepted for delivery" +msgstr "aceptado para el envĆ­o" -#: ../../Zotlabs/Module/Wiki.php:93 -msgid "Sandbox" -msgstr "Entorno de edición" +#: ../../Zotlabs/Module/Dreport.php:107 +msgid "updated" +msgstr "actualizado" -#: ../../Zotlabs/Module/Wiki.php:95 +#: ../../Zotlabs/Module/Dreport.php:110 +msgid "update ignored" +msgstr "actualización ignorada" + +#: ../../Zotlabs/Module/Dreport.php:113 +msgid "permission denied" +msgstr "permiso denegado" + +#: ../../Zotlabs/Module/Dreport.php:117 +msgid "recipient not found" +msgstr "destinatario no encontrado" + +#: ../../Zotlabs/Module/Dreport.php:120 +msgid "mail recalled" +msgstr "mensaje de correo revocado" + +#: ../../Zotlabs/Module/Dreport.php:123 +msgid "duplicate mail received" +msgstr "se ha recibido mensaje duplicado" + +#: ../../Zotlabs/Module/Dreport.php:126 +msgid "mail delivered" +msgstr "correo enviado" + +#: ../../Zotlabs/Module/Dreport.php:146 +#, php-format +msgid "Delivery report for %1$s" +msgstr "Informe de entrega para %1$s" + +#: ../../Zotlabs/Module/Dreport.php:149 +msgid "Options" +msgstr "Opciones" + +#: ../../Zotlabs/Module/Dreport.php:150 +msgid "Redeliver" +msgstr "Volver a enviar" + +#: ../../Zotlabs/Module/Settings.php:64 +msgid "Name is required" +msgstr "El nombre es obligatorio" + +#: ../../Zotlabs/Module/Settings.php:68 +msgid "Key and Secret are required" +msgstr "\"Key\" y \"Secret\" son obligatorios" + +#: ../../Zotlabs/Module/Settings.php:138 +#, php-format +msgid "This channel is limited to %d tokens" +msgstr "Este canal tiene un lĆ­mite de %d tokens" + +#: ../../Zotlabs/Module/Settings.php:144 +msgid "Name and Password are required." +msgstr "Se requiere el nombre y la contraseƱa." + +#: ../../Zotlabs/Module/Settings.php:184 +msgid "Token saved." +msgstr "Token salvado." + +#: ../../Zotlabs/Module/Settings.php:312 +msgid "Not valid email." +msgstr "Correo electrónico no vĆ”lido." + +#: ../../Zotlabs/Module/Settings.php:315 +msgid "Protected email address. Cannot change to that email." +msgstr "Dirección de correo electrónico protegida. No se puede cambiar a ella." + +#: ../../Zotlabs/Module/Settings.php:324 +msgid "System failure storing new email. Please try again." +msgstr "Fallo de sistema al guardar el nuevo correo electrónico. Por favor, intĆ©ntelo de nuevo." + +#: ../../Zotlabs/Module/Settings.php:341 +msgid "Password verification failed." +msgstr "La comprobación de la contraseƱa ha fallado." + +#: ../../Zotlabs/Module/Settings.php:348 +msgid "Passwords do not match. Password unchanged." +msgstr "Las contraseƱas no coinciden. La contraseƱa no se ha cambiado." + +#: ../../Zotlabs/Module/Settings.php:352 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "No se permiten contraseƱas vacĆ­as. La contraseƱa no se ha cambiado." + +#: ../../Zotlabs/Module/Settings.php:366 +msgid "Password changed." +msgstr "ContraseƱa cambiada." + +#: ../../Zotlabs/Module/Settings.php:368 +msgid "Password update failed. Please try again." +msgstr "La actualización de la contraseƱa ha fallado. Por favor, intĆ©ntalo de nuevo." + +#: ../../Zotlabs/Module/Settings.php:617 +msgid "Settings updated." +msgstr "Ajustes actualizados." + +#: ../../Zotlabs/Module/Settings.php:681 ../../Zotlabs/Module/Settings.php:707 +#: ../../Zotlabs/Module/Settings.php:743 +msgid "Add application" +msgstr "AƱadir aplicación" + +#: ../../Zotlabs/Module/Settings.php:684 +msgid "Name of application" +msgstr "Nombre de la aplicación" + +#: ../../Zotlabs/Module/Settings.php:685 ../../Zotlabs/Module/Settings.php:711 +msgid "Consumer Key" +msgstr "Consumer Key" + +#: ../../Zotlabs/Module/Settings.php:685 ../../Zotlabs/Module/Settings.php:686 +msgid "Automatically generated - change if desired. Max length 20" +msgstr "Generado automĆ”ticamente - si lo desea, cĆ”mbielo. Longitud mĆ”xima: 20" + +#: ../../Zotlabs/Module/Settings.php:686 ../../Zotlabs/Module/Settings.php:712 +msgid "Consumer Secret" +msgstr "Consumer Secret" + +#: ../../Zotlabs/Module/Settings.php:687 ../../Zotlabs/Module/Settings.php:713 +msgid "Redirect" +msgstr "Redirigir" + +#: ../../Zotlabs/Module/Settings.php:687 msgid "" -"\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be" -" saved*.\"" -msgstr "\"# Entorno de edición del Wiki\\n\\nEl contenido que se **edite** y **previsualizce** aquĆ­ *no se guardarĆ”*.\"" +"Redirect URI - leave blank unless your application specifically requires " +"this" +msgstr "URI de redirección - dejar en blanco a menos que su aplicación especĆ­ficamente lo requiera" -#: ../../Zotlabs/Module/Wiki.php:164 -msgid "Revision Comparison" -msgstr "Comparación de revisiones" +#: ../../Zotlabs/Module/Settings.php:688 ../../Zotlabs/Module/Settings.php:714 +msgid "Icon url" +msgstr "Dirección del icono" -#: ../../Zotlabs/Module/Wiki.php:165 -msgid "Revert" -msgstr "Revertir" +#: ../../Zotlabs/Module/Settings.php:699 +msgid "Application not found." +msgstr "Aplicación no encontrada." -#: ../../Zotlabs/Module/Wiki.php:192 -msgid "Enter the name of your new wiki:" -msgstr "Nombre de su nuevo wiki:" +#: ../../Zotlabs/Module/Settings.php:742 +msgid "Connected Apps" +msgstr "Aplicaciones (apps) conectadas" -#: ../../Zotlabs/Module/Wiki.php:193 -msgid "Enter the name of the new page:" -msgstr "Nombre de la nueva pĆ”gina:" +#: ../../Zotlabs/Module/Settings.php:746 +msgid "Client key starts with" +msgstr "La \"client key\" empieza por" -#: ../../Zotlabs/Module/Wiki.php:194 -msgid "Enter the new name:" -msgstr "Nuevo nombre:" +#: ../../Zotlabs/Module/Settings.php:747 +msgid "No name" +msgstr "Sin nombre" -#: ../../Zotlabs/Module/Wiki.php:200 ../../include/conversation.php:1150 -msgid "Embed image from photo albums" -msgstr "Incluir una imagen de los Ć”lbumes de fotos" +#: ../../Zotlabs/Module/Settings.php:748 +msgid "Remove authorization" +msgstr "Eliminar autorización" -#: ../../Zotlabs/Module/Wiki.php:201 ../../include/conversation.php:1234 -msgid "Embed an image from your albums" -msgstr "Incluir una imagen de sus Ć”lbumes" +#: ../../Zotlabs/Module/Settings.php:761 +msgid "No feature settings configured" +msgstr "No se ha establecido la configuración de los complementos" -#: ../../Zotlabs/Module/Wiki.php:203 ../../include/conversation.php:1236 -#: ../../include/conversation.php:1273 -msgid "OK" -msgstr "OK" +#: ../../Zotlabs/Module/Settings.php:768 +msgid "Feature/Addon Settings" +msgstr "Ajustes de los complementos" -#: ../../Zotlabs/Module/Wiki.php:204 ../../include/conversation.php:1186 -msgid "Choose images to embed" -msgstr "Elegir imĆ”genes para incluir" +#: ../../Zotlabs/Module/Settings.php:791 +msgid "Account Settings" +msgstr "Configuración de la cuenta" -#: ../../Zotlabs/Module/Wiki.php:205 ../../include/conversation.php:1187 -msgid "Choose an album" -msgstr "Elegir un Ć”lbum" +#: ../../Zotlabs/Module/Settings.php:792 +msgid "Current Password" +msgstr "ContraseƱa actual" -#: ../../Zotlabs/Module/Wiki.php:206 ../../include/conversation.php:1188 -msgid "Choose a different album..." -msgstr "Elegir un Ć”lbum diferente..." +#: ../../Zotlabs/Module/Settings.php:793 +msgid "Enter New Password" +msgstr "Escribir una nueva contraseƱa" -#: ../../Zotlabs/Module/Wiki.php:207 ../../include/conversation.php:1189 -msgid "Error getting album list" -msgstr "Error al obtener la lista de Ć”lbumes" +#: ../../Zotlabs/Module/Settings.php:794 +msgid "Confirm New Password" +msgstr "Confirmar la nueva contraseƱa" -#: ../../Zotlabs/Module/Wiki.php:208 ../../include/conversation.php:1190 -msgid "Error getting photo link" -msgstr "Error al obtener el enlace de la foto" +#: ../../Zotlabs/Module/Settings.php:794 +msgid "Leave password fields blank unless changing" +msgstr "Dejar en blanco la contraseƱa a menos que desee cambiarla." -#: ../../Zotlabs/Module/Wiki.php:209 ../../include/conversation.php:1191 -msgid "Error getting album" -msgstr "Error al obtener el Ć”lbum" +#: ../../Zotlabs/Module/Settings.php:796 +#: ../../Zotlabs/Module/Settings.php:1236 +msgid "Email Address:" +msgstr "Dirección de correo electrónico:" + +#: ../../Zotlabs/Module/Settings.php:798 +msgid "Remove this account including all its channels" +msgstr "Eliminar esta cuenta incluyendo todos sus canales" + +#: ../../Zotlabs/Module/Settings.php:832 +msgid "" +"Use this form to create temporary access identifiers to share things with " +"non-members. These identities may be used in Access Control Lists and " +"visitors may login using these credentials to access private content." +msgstr "Utilice este formulario para crear identificadores de acceso temporal para compartir cosas con los no miembros de Hubzilla. Estas identidades se pueden usar en las Listas de control de acceso (ACL) y asĆ­ los visitantes pueden iniciar sesión, utilizando estas credenciales, para acceder a su contenido privado." + +#: ../../Zotlabs/Module/Settings.php:834 +msgid "" +"You may also provide dropbox style access links to friends and " +"associates by adding the Login Password to any specific site URL as shown. " +"Examples:" +msgstr "TambiĆ©n puede proporcionar, con el estilo dropbox, enlaces de acceso a sus amigos y asociados aƱadiendo la contraseƱa de inicio de sesión a cualquier dirección URL, como se muestra. Ejemplos: " + +#: ../../Zotlabs/Module/Settings.php:869 ../../include/widgets.php:614 +msgid "Guest Access Tokens" +msgstr "Tokens de acceso para invitados" + +#: ../../Zotlabs/Module/Settings.php:876 +msgid "Login Name" +msgstr "Nombre de inicio de sesión" + +#: ../../Zotlabs/Module/Settings.php:877 +msgid "Login Password" +msgstr "ContraseƱa de inicio de sesión" + +#: ../../Zotlabs/Module/Settings.php:878 +msgid "Expires (yyyy-mm-dd)" +msgstr "Expira (aaaa-mm-dd)" + +#: ../../Zotlabs/Module/Settings.php:910 +msgid "Additional Features" +msgstr "Funcionalidades" + +#: ../../Zotlabs/Module/Settings.php:934 +msgid "Connector Settings" +msgstr "Configuración del conector" + +#: ../../Zotlabs/Module/Settings.php:981 +msgid "No special theme for mobile devices" +msgstr "Sin tema especial para dispositivos móviles" + +#: ../../Zotlabs/Module/Settings.php:984 +#, php-format +msgid "%s - (Experimental)" +msgstr "%s - (Experimental)" + +#: ../../Zotlabs/Module/Settings.php:1035 +msgid "Display Settings" +msgstr "Ajustes de visualización" + +#: ../../Zotlabs/Module/Settings.php:1036 +msgid "Theme Settings" +msgstr "Ajustes del tema" + +#: ../../Zotlabs/Module/Settings.php:1037 +msgid "Custom Theme Settings" +msgstr "Ajustes personalizados del tema" + +#: ../../Zotlabs/Module/Settings.php:1038 +msgid "Content Settings" +msgstr "Ajustes del contenido" + +#: ../../Zotlabs/Module/Settings.php:1044 +msgid "Display Theme:" +msgstr "Tema grĆ”fico del perfil:" + +#: ../../Zotlabs/Module/Settings.php:1045 +msgid "Select scheme" +msgstr "Elegir un esquema" + +#: ../../Zotlabs/Module/Settings.php:1047 +msgid "Mobile Theme:" +msgstr "Tema para el móvil:" + +#: ../../Zotlabs/Module/Settings.php:1048 +msgid "Preload images before rendering the page" +msgstr "Carga previa de las imĆ”genes antes de generar la pĆ”gina" + +#: ../../Zotlabs/Module/Settings.php:1048 +msgid "" +"The subjective page load time will be longer but the page will be ready when" +" displayed" +msgstr "El tiempo subjetivo de carga de la pĆ”gina serĆ” mĆ”s largo, pero la pĆ”gina estarĆ” lista cuando se muestre." + +#: ../../Zotlabs/Module/Settings.php:1049 +msgid "Enable user zoom on mobile devices" +msgstr "Habilitar zoom de usuario en dispositivos móviles" + +#: ../../Zotlabs/Module/Settings.php:1050 +msgid "Update browser every xx seconds" +msgstr "Actualizar navegador cada xx segundos" + +#: ../../Zotlabs/Module/Settings.php:1050 +msgid "Minimum of 10 seconds, no maximum" +msgstr "MĆ­nimo de 10 segundos, sin mĆ”ximo" + +#: ../../Zotlabs/Module/Settings.php:1051 +msgid "Maximum number of conversations to load at any time:" +msgstr "MĆ”ximo nĆŗmero de conversaciones a cargar en cualquier momento:" + +#: ../../Zotlabs/Module/Settings.php:1051 +msgid "Maximum of 100 items" +msgstr "MĆ”ximo de 100 elementos" + +#: ../../Zotlabs/Module/Settings.php:1052 +msgid "Show emoticons (smilies) as images" +msgstr "Mostrar emoticonos (smilies) como imĆ”genes" + +#: ../../Zotlabs/Module/Settings.php:1053 +msgid "Link post titles to source" +msgstr "Enlazar tĆ­tulo de la publicación a la fuente original" + +#: ../../Zotlabs/Module/Settings.php:1054 +msgid "System Page Layout Editor - (advanced)" +msgstr "Editor de plantilla de pĆ”gina del sistema - (avanzado)" + +#: ../../Zotlabs/Module/Settings.php:1057 +msgid "Use blog/list mode on channel page" +msgstr "Usar modo blog/lista en la pĆ”gina de inicio del canal" + +#: ../../Zotlabs/Module/Settings.php:1057 +#: ../../Zotlabs/Module/Settings.php:1058 +msgid "(comments displayed separately)" +msgstr "(comentarios mostrados de forma separada)" + +#: ../../Zotlabs/Module/Settings.php:1058 +msgid "Use blog/list mode on grid page" +msgstr "Mostrar mi red en modo blog" + +#: ../../Zotlabs/Module/Settings.php:1059 +msgid "Channel page max height of content (in pixels)" +msgstr "Altura mĆ”xima del contenido de la pĆ”gina del canal (en pĆ­xeles)" + +#: ../../Zotlabs/Module/Settings.php:1059 +#: ../../Zotlabs/Module/Settings.php:1060 +msgid "click to expand content exceeding this height" +msgstr "Pulsar para expandir el contenido que exceda de esta altura" + +#: ../../Zotlabs/Module/Settings.php:1060 +msgid "Grid page max height of content (in pixels)" +msgstr "Altura mĆ”xima del contenido de mi red (en pĆ­xeles)" + +#: ../../Zotlabs/Module/Settings.php:1090 +msgid "Nobody except yourself" +msgstr "Nadie excepto usted" + +#: ../../Zotlabs/Module/Settings.php:1091 +msgid "Only those you specifically allow" +msgstr "Solo aquellos a los que usted permita explĆ­citamente" + +#: ../../Zotlabs/Module/Settings.php:1092 +msgid "Approved connections" +msgstr "Conexiones aprobadas" + +#: ../../Zotlabs/Module/Settings.php:1093 +msgid "Any connections" +msgstr "Cualquier conexión" + +#: ../../Zotlabs/Module/Settings.php:1094 +msgid "Anybody on this website" +msgstr "Cualquiera en este sitio web" + +#: ../../Zotlabs/Module/Settings.php:1095 +msgid "Anybody in this network" +msgstr "Cualquiera en esta red" + +#: ../../Zotlabs/Module/Settings.php:1096 +msgid "Anybody authenticated" +msgstr "Cualquiera que estĆ© autenticado" + +#: ../../Zotlabs/Module/Settings.php:1097 +msgid "Anybody on the internet" +msgstr "Cualquiera en internet" + +#: ../../Zotlabs/Module/Settings.php:1171 +msgid "Publish your default profile in the network directory" +msgstr "Publicar su perfil principal en el directorio de la red" + +#: ../../Zotlabs/Module/Settings.php:1176 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "ĀæNos permite sugerirle como amigo potencial a los nuevos miembros?" + +#: ../../Zotlabs/Module/Settings.php:1185 +msgid "Your channel address is" +msgstr "Su dirección de canal es" + +#: ../../Zotlabs/Module/Settings.php:1227 +msgid "Channel Settings" +msgstr "Ajustes del canal" + +#: ../../Zotlabs/Module/Settings.php:1234 +msgid "Basic Settings" +msgstr "Configuración bĆ”sica" + +#: ../../Zotlabs/Module/Settings.php:1235 ../../include/channel.php:1164 +msgid "Full Name:" +msgstr "Nombre completo:" + +#: ../../Zotlabs/Module/Settings.php:1237 +msgid "Your Timezone:" +msgstr "Su huso horario:" + +#: ../../Zotlabs/Module/Settings.php:1238 +msgid "Default Post Location:" +msgstr "Localización geogrĆ”fica predeterminada para sus publicaciones:" + +#: ../../Zotlabs/Module/Settings.php:1238 +msgid "Geographical location to display on your posts" +msgstr "Localización geogrĆ”fica que debe mostrarse en sus publicaciones" + +#: ../../Zotlabs/Module/Settings.php:1239 +msgid "Use Browser Location:" +msgstr "Usar la localización geogrĆ”fica del navegador:" + +#: ../../Zotlabs/Module/Settings.php:1241 +msgid "Adult Content" +msgstr "Contenido solo para adultos" + +#: ../../Zotlabs/Module/Settings.php:1241 +msgid "" +"This channel frequently or regularly publishes adult content. (Please tag " +"any adult material and/or nudity with #NSFW)" +msgstr "Este canal publica contenido solo para adultos con frecuencia o regularmente. (Por favor etiquete cualquier material para adultos con la etiqueta #NSFW)" + +#: ../../Zotlabs/Module/Settings.php:1243 +msgid "Security and Privacy Settings" +msgstr "Configuración de seguridad y privacidad" + +#: ../../Zotlabs/Module/Settings.php:1246 +msgid "Your permissions are already configured. Click to view/adjust" +msgstr "Sus permisos ya estĆ”n configurados. Pulse para ver/ajustar" + +#: ../../Zotlabs/Module/Settings.php:1248 +msgid "Hide my online presence" +msgstr "Ocultar mi presencia en lĆ­nea" + +#: ../../Zotlabs/Module/Settings.php:1248 +msgid "Prevents displaying in your profile that you are online" +msgstr "Evitar mostrar en su perfil que estĆ” en lĆ­nea" + +#: ../../Zotlabs/Module/Settings.php:1250 +msgid "Simple Privacy Settings:" +msgstr "Configuración de privacidad sencilla:" + +#: ../../Zotlabs/Module/Settings.php:1251 +msgid "" +"Very Public - extremely permissive (should be used with caution)" +msgstr "Muy PĆŗblico - extremadamente permisivo (deberĆ­a ser usado con precaución)" + +#: ../../Zotlabs/Module/Settings.php:1252 +msgid "" +"Typical - default public, privacy when desired (similar to social " +"network permissions but with improved privacy)" +msgstr "TĆ­pico - por defecto pĆŗblico, privado cuando se desee (similar a los permisos de una red social pero con privacidad mejorada)" + +#: ../../Zotlabs/Module/Settings.php:1253 +msgid "Private - default private, never open or public" +msgstr "Privado - por defecto, privado, nunca abierto o pĆŗblico" + +#: ../../Zotlabs/Module/Settings.php:1254 +msgid "Blocked - default blocked to/from everybody" +msgstr "Bloqueado - por defecto, bloqueado/a para cualquiera" + +#: ../../Zotlabs/Module/Settings.php:1256 +msgid "Allow others to tag your posts" +msgstr "Permitir a otros etiquetar sus publicaciones" + +#: ../../Zotlabs/Module/Settings.php:1256 +msgid "" +"Often used by the community to retro-actively flag inappropriate content" +msgstr "A menudo usado por la comunidad para marcar contenido inapropiado de forma retroactiva." + +#: ../../Zotlabs/Module/Settings.php:1258 +msgid "Advanced Privacy Settings" +msgstr "Configuración de privacidad avanzada" + +#: ../../Zotlabs/Module/Settings.php:1260 +msgid "Expire other channel content after this many days" +msgstr "Caducar contenido de otros canales despuĆ©s de este nĆŗmero de dĆ­as" + +#: ../../Zotlabs/Module/Settings.php:1260 +msgid "0 or blank to use the website limit." +msgstr "0 o en blanco para usar el lĆ­mite del sitio web." + +#: ../../Zotlabs/Module/Settings.php:1260 +#, php-format +msgid "This website expires after %d days." +msgstr "Este sitio web caduca despuĆ©s de %d dĆ­as." + +#: ../../Zotlabs/Module/Settings.php:1260 +msgid "This website does not expire imported content." +msgstr "Este sitio web no caduca el contenido importado." + +#: ../../Zotlabs/Module/Settings.php:1260 +msgid "The website limit takes precedence if lower than your limit." +msgstr "El lĆ­mite del sitio web tiene prioridad si es inferior a su propio lĆ­mite." + +#: ../../Zotlabs/Module/Settings.php:1261 +msgid "Maximum Friend Requests/Day:" +msgstr "MĆ”ximo de solicitudes de amistad por dĆ­a:" + +#: ../../Zotlabs/Module/Settings.php:1261 +msgid "May reduce spam activity" +msgstr "PodrĆ­a reducir la actividad de spam" + +#: ../../Zotlabs/Module/Settings.php:1262 +msgid "Default Post and Publish Permissions" +msgstr "Permisos predeterminados de entradas y publicaciones" + +#: ../../Zotlabs/Module/Settings.php:1264 +msgid "Use my default audience setting for the type of object published" +msgstr "Usar los ajustes de mi audiencia predeterminada para el tipo de publicación" + +#: ../../Zotlabs/Module/Settings.php:1271 +msgid "Channel permissions category:" +msgstr "CategorĆ­a de los permisos del canal:" + +#: ../../Zotlabs/Module/Settings.php:1277 +msgid "Maximum private messages per day from unknown people:" +msgstr "MĆ”ximo de mensajes privados por dĆ­a de gente desconocida:" + +#: ../../Zotlabs/Module/Settings.php:1277 +msgid "Useful to reduce spamming" +msgstr "Útil para reducir el envĆ­o de correo no deseado" + +#: ../../Zotlabs/Module/Settings.php:1280 +msgid "Notification Settings" +msgstr "Configuración de las notificaciones" + +#: ../../Zotlabs/Module/Settings.php:1281 +msgid "By default post a status message when:" +msgstr "Por defecto, enviar un mensaje de estado cuando:" + +#: ../../Zotlabs/Module/Settings.php:1282 +msgid "accepting a friend request" +msgstr "Acepte una solicitud de amistad" + +#: ../../Zotlabs/Module/Settings.php:1283 +msgid "joining a forum/community" +msgstr "al unirse a un foro o comunidad" + +#: ../../Zotlabs/Module/Settings.php:1284 +msgid "making an interesting profile change" +msgstr "Realice un cambio interesante en su perfil" + +#: ../../Zotlabs/Module/Settings.php:1285 +msgid "Send a notification email when:" +msgstr "Enviar una notificación por correo electrónico cuando:" + +#: ../../Zotlabs/Module/Settings.php:1286 +msgid "You receive a connection request" +msgstr "Reciba una solicitud de conexión" + +#: ../../Zotlabs/Module/Settings.php:1287 +msgid "Your connections are confirmed" +msgstr "Sus conexiones hayan sido confirmadas" + +#: ../../Zotlabs/Module/Settings.php:1288 +msgid "Someone writes on your profile wall" +msgstr "Alguien escriba en la pĆ”gina de su perfil (\"muro\")" + +#: ../../Zotlabs/Module/Settings.php:1289 +msgid "Someone writes a followup comment" +msgstr "Alguien escriba un comentario sobre sus publicaciones" + +#: ../../Zotlabs/Module/Settings.php:1290 +msgid "You receive a private message" +msgstr "Reciba un mensaje privado" + +#: ../../Zotlabs/Module/Settings.php:1291 +msgid "You receive a friend suggestion" +msgstr "Reciba una sugerencia de amistad" + +#: ../../Zotlabs/Module/Settings.php:1292 +msgid "You are tagged in a post" +msgstr "Usted sea etiquetado en una publicación" + +#: ../../Zotlabs/Module/Settings.php:1293 +msgid "You are poked/prodded/etc. in a post" +msgstr "Reciba un toque o incitación en una publicación" + +#: ../../Zotlabs/Module/Settings.php:1296 +msgid "Show visual notifications including:" +msgstr "Mostrar notificaciones visuales que incluyan:" + +#: ../../Zotlabs/Module/Settings.php:1298 +msgid "Unseen grid activity" +msgstr "Nueva actividad en la red" + +#: ../../Zotlabs/Module/Settings.php:1299 +msgid "Unseen channel activity" +msgstr "Actividad no vista en el canal" + +#: ../../Zotlabs/Module/Settings.php:1300 +msgid "Unseen private messages" +msgstr "Mensajes privados no leĆ­dos" + +#: ../../Zotlabs/Module/Settings.php:1300 +#: ../../Zotlabs/Module/Settings.php:1305 +#: ../../Zotlabs/Module/Settings.php:1306 +#: ../../Zotlabs/Module/Settings.php:1307 +msgid "Recommended" +msgstr "Recomendado" + +#: ../../Zotlabs/Module/Settings.php:1301 +msgid "Upcoming events" +msgstr "Próximos eventos" + +#: ../../Zotlabs/Module/Settings.php:1302 +msgid "Events today" +msgstr "Eventos de hoy" + +#: ../../Zotlabs/Module/Settings.php:1303 +msgid "Upcoming birthdays" +msgstr "Próximos cumpleaƱos" + +#: ../../Zotlabs/Module/Settings.php:1303 +msgid "Not available in all themes" +msgstr "No disponible en todos los temas" + +#: ../../Zotlabs/Module/Settings.php:1304 +msgid "System (personal) notifications" +msgstr "Notificaciones del sistema (personales)" + +#: ../../Zotlabs/Module/Settings.php:1305 +msgid "System info messages" +msgstr "Mensajes de información del sistema" + +#: ../../Zotlabs/Module/Settings.php:1306 +msgid "System critical alerts" +msgstr "Alertas crĆ­ticas del sistema" + +#: ../../Zotlabs/Module/Settings.php:1307 +msgid "New connections" +msgstr "Nuevas conexiones" + +#: ../../Zotlabs/Module/Settings.php:1308 +msgid "System Registrations" +msgstr "Registros del sistema" + +#: ../../Zotlabs/Module/Settings.php:1309 +msgid "" +"Also show new wall posts, private messages and connections under Notices" +msgstr "Mostrar tambiĆ©n en Avisos las nuevas publicaciones, los mensajes privados y las conexiones" + +#: ../../Zotlabs/Module/Settings.php:1311 +msgid "Notify me of events this many days in advance" +msgstr "Avisarme de los eventos con algunos dĆ­as de antelación" + +#: ../../Zotlabs/Module/Settings.php:1311 +msgid "Must be greater than 0" +msgstr "Debe ser mayor que 0" + +#: ../../Zotlabs/Module/Settings.php:1313 +msgid "Advanced Account/Page Type Settings" +msgstr "Ajustes avanzados de la cuenta y de los tipos de pĆ”gina" + +#: ../../Zotlabs/Module/Settings.php:1314 +msgid "Change the behaviour of this account for special situations" +msgstr "Cambiar el comportamiento de esta cuenta en situaciones especiales" + +#: ../../Zotlabs/Module/Settings.php:1317 +msgid "" +"Please enable expert mode (in Settings > " +"Additional features) to adjust!" +msgstr "Ā”Activar el modo de experto (en Ajustes > Funcionalidades) para realizar cambios!." + +#: ../../Zotlabs/Module/Settings.php:1318 +msgid "Miscellaneous Settings" +msgstr "Ajustes diversos" + +#: ../../Zotlabs/Module/Settings.php:1319 +msgid "Default photo upload folder" +msgstr "Carpeta por defecto de las fotos subidas" + +#: ../../Zotlabs/Module/Settings.php:1319 +#: ../../Zotlabs/Module/Settings.php:1320 +msgid "%Y - current year, %m - current month" +msgstr "%Y - aƱo en curso, %m - mes actual" + +#: ../../Zotlabs/Module/Settings.php:1320 +msgid "Default file upload folder" +msgstr "Carpeta por defecto de los archivos subidos" + +#: ../../Zotlabs/Module/Settings.php:1322 +msgid "Personal menu to display in your channel pages" +msgstr "MenĆŗ personal que debe mostrarse en las pĆ”ginas de su canal" + +#: ../../Zotlabs/Module/Settings.php:1324 +msgid "Remove this channel." +msgstr "Eliminar este canal." + +#: ../../Zotlabs/Module/Settings.php:1325 +msgid "Firefox Share $Projectname provider" +msgstr "Servicio de compartición de Firefox: proveedor $Projectname" + +#: ../../Zotlabs/Module/Settings.php:1326 +msgid "Start calendar week on monday" +msgstr "Comenzar el calendario semanal por el lunes" #: ../../Zotlabs/Module/Viewconnections.php:65 msgid "No connections." @@ -6532,23 +6492,9 @@ msgstr "Ver conexiones" msgid "Source of Item" msgstr "Origen del elemento" -#: ../../Zotlabs/Module/Api.php:61 ../../Zotlabs/Module/Api.php:85 -msgid "Authorize application connection" -msgstr "Autorizar una conexión de aplicación" - -#: ../../Zotlabs/Module/Api.php:62 -msgid "Return to your app and insert this Securty Code:" -msgstr "Volver a su aplicación e introducir este código de seguridad:" - -#: ../../Zotlabs/Module/Api.php:72 -msgid "Please login to continue." -msgstr "Por favor inicie sesión para continuar." - -#: ../../Zotlabs/Module/Api.php:87 -msgid "" -"Do you want to authorize this application to access your posts and contacts," -" and/or create new posts for you?" -msgstr "ĀæDesea autorizar a esta aplicación a acceder a sus publicaciones y contactos, y/o crear nuevas publicaciones por usted?" +#: ../../Zotlabs/Module/Editpost.php:35 +msgid "Item is not editable" +msgstr "El elemento no es editable" #: ../../Zotlabs/Module/Xchan.php:10 msgid "Xchan Lookup" @@ -6578,19 +6524,19 @@ msgstr "Sala no encontrada." msgid "Room is full" msgstr "La sala estĆ” llena." -#: ../../Zotlabs/Lib/Enotify.php:60 ../../include/network.php:1882 +#: ../../Zotlabs/Lib/Enotify.php:60 ../../include/network.php:1887 msgid "$Projectname Notification" msgstr "Notificación de $Projectname" -#: ../../Zotlabs/Lib/Enotify.php:61 ../../include/network.php:1883 +#: ../../Zotlabs/Lib/Enotify.php:61 ../../include/network.php:1888 msgid "$projectname" msgstr "$projectname" -#: ../../Zotlabs/Lib/Enotify.php:63 ../../include/network.php:1885 +#: ../../Zotlabs/Lib/Enotify.php:63 ../../include/network.php:1890 msgid "Thank You," msgstr "Gracias," -#: ../../Zotlabs/Lib/Enotify.php:65 ../../include/network.php:1887 +#: ../../Zotlabs/Lib/Enotify.php:65 ../../include/network.php:1892 #, php-format msgid "%s Administrator" msgstr "%s Administrador" @@ -6807,37 +6753,37 @@ msgstr "Servicio de compartición de Firefox" msgid "Remote Diagnostics" msgstr "Diagnóstico remoto" -#: ../../Zotlabs/Lib/Apps.php:212 ../../include/features.php:90 +#: ../../Zotlabs/Lib/Apps.php:212 ../../include/features.php:93 msgid "Suggest Channels" msgstr "Sugerir canales" -#: ../../Zotlabs/Lib/Apps.php:213 ../../include/nav.php:112 -#: ../../boot.php:1704 +#: ../../Zotlabs/Lib/Apps.php:213 ../../include/nav.php:114 +#: ../../boot.php:1713 msgid "Login" msgstr "Iniciar sesión" -#: ../../Zotlabs/Lib/Apps.php:215 ../../include/nav.php:181 +#: ../../Zotlabs/Lib/Apps.php:215 ../../include/nav.php:183 msgid "Grid" msgstr "Red" -#: ../../Zotlabs/Lib/Apps.php:220 ../../include/nav.php:184 +#: ../../Zotlabs/Lib/Apps.php:220 ../../include/nav.php:186 msgid "Channel Home" msgstr "Mi canal" -#: ../../Zotlabs/Lib/Apps.php:223 ../../include/nav.php:203 -#: ../../include/conversation.php:1664 ../../include/conversation.php:1667 +#: ../../Zotlabs/Lib/Apps.php:223 ../../include/conversation.php:1679 +#: ../../include/conversation.php:1682 ../../include/nav.php:205 msgid "Events" msgstr "Eventos" -#: ../../Zotlabs/Lib/Apps.php:224 ../../include/nav.php:169 +#: ../../Zotlabs/Lib/Apps.php:224 ../../include/nav.php:171 msgid "Directory" msgstr "Directorio" -#: ../../Zotlabs/Lib/Apps.php:226 ../../include/nav.php:195 +#: ../../Zotlabs/Lib/Apps.php:226 ../../include/nav.php:197 msgid "Mail" msgstr "Correo" -#: ../../Zotlabs/Lib/Apps.php:229 ../../include/nav.php:96 +#: ../../Zotlabs/Lib/Apps.php:229 ../../include/nav.php:98 msgid "Chat" msgstr "Chat" @@ -6857,18 +6803,89 @@ msgstr "Canal aleatorio" msgid "Invite" msgstr "Invitar" -#: ../../Zotlabs/Lib/Apps.php:235 ../../include/widgets.php:1480 +#: ../../Zotlabs/Lib/Apps.php:235 ../../include/widgets.php:1494 msgid "Features" msgstr "Funcionalidades" +#: ../../Zotlabs/Lib/Apps.php:236 +msgid "Language" +msgstr "Idioma" + #: ../../Zotlabs/Lib/Apps.php:237 msgid "Post" msgstr "Publicación" +#: ../../Zotlabs/Lib/Apps.php:238 +msgid "Profile Photo" +msgstr "Foto del perfil" + #: ../../Zotlabs/Lib/Apps.php:339 msgid "Purchase" msgstr "Comprar" +#: ../../Zotlabs/Lib/PermissionDescription.php:31 +#: ../../include/acl_selectors.php:124 +msgid "Visible to your default audience" +msgstr "Visible para su pĆŗblico predeterminado." + +#: ../../Zotlabs/Lib/PermissionDescription.php:106 +#: ../../include/acl_selectors.php:170 +msgid "Only me" +msgstr "Sólo yo" + +#: ../../Zotlabs/Lib/PermissionDescription.php:107 +msgid "Public" +msgstr "PĆŗblico" + +#: ../../Zotlabs/Lib/PermissionDescription.php:108 +msgid "Anybody in the $Projectname network" +msgstr "Cualquiera en la red $Projectname" + +#: ../../Zotlabs/Lib/PermissionDescription.php:109 +#, php-format +msgid "Any account on %s" +msgstr "Cualquier cuenta en %s" + +#: ../../Zotlabs/Lib/PermissionDescription.php:110 +msgid "Any of my connections" +msgstr "Cualquiera de mis conexiones" + +#: ../../Zotlabs/Lib/PermissionDescription.php:111 +msgid "Only connections I specifically allow" +msgstr "Sólo las conexiones que yo permita de forma explĆ­cita" + +#: ../../Zotlabs/Lib/PermissionDescription.php:112 +msgid "Anybody authenticated (could include visitors from other networks)" +msgstr "Cualquiera que estĆ© autenticado (podrĆ­a incluir a los visitantes de otras redes)" + +#: ../../Zotlabs/Lib/PermissionDescription.php:113 +msgid "Any connections including those who haven't yet been approved" +msgstr "Cualquier conexión incluyendo aquellas que aĆŗn no han sido aprobadas" + +#: ../../Zotlabs/Lib/PermissionDescription.php:152 +msgid "" +"This is your default setting for the audience of your normal stream, and " +"posts." +msgstr "Esta es la configuración predeterminada para su flujo (stream) habitual de publicaciones." + +#: ../../Zotlabs/Lib/PermissionDescription.php:153 +msgid "" +"This is your default setting for who can view your default channel profile" +msgstr "Esta es su configuración por defecto para establecer quiĆ©n puede ver su perfil del canal predeterminado" + +#: ../../Zotlabs/Lib/PermissionDescription.php:154 +msgid "This is your default setting for who can view your connections" +msgstr "Este es su ajuste predeterminado para establecer quiĆ©n puede ver sus conexiones" + +#: ../../Zotlabs/Lib/PermissionDescription.php:155 +msgid "" +"This is your default setting for who can view your file storage and photos" +msgstr "Este es su ajuste predeterminado para establecer quiĆ©n puede ver su repositorio de ficheros y sus fotos" + +#: ../../Zotlabs/Lib/PermissionDescription.php:156 +msgid "This is your default setting for the audience of your webpages" +msgstr "Este es el ajuste predeterminado para establecer la audiencia de sus pĆ”ginas web" + #: ../../Zotlabs/Lib/ThreadItem.php:95 ../../include/conversation.php:667 msgid "Private Message" msgstr "Mensaje Privado" @@ -6933,181 +6950,118 @@ msgstr "Firma de mensaje incorrecta" msgid "Add Tag" msgstr "AƱadir etiqueta" -#: ../../Zotlabs/Lib/ThreadItem.php:261 ../../include/taxonomy.php:316 +#: ../../Zotlabs/Lib/ThreadItem.php:262 ../../include/taxonomy.php:316 msgid "like" msgstr "me gusta" -#: ../../Zotlabs/Lib/ThreadItem.php:262 ../../include/taxonomy.php:317 +#: ../../Zotlabs/Lib/ThreadItem.php:263 ../../include/taxonomy.php:317 msgid "dislike" msgstr "no me gusta" -#: ../../Zotlabs/Lib/ThreadItem.php:266 +#: ../../Zotlabs/Lib/ThreadItem.php:267 msgid "Share This" msgstr "Compartir esto" -#: ../../Zotlabs/Lib/ThreadItem.php:266 +#: ../../Zotlabs/Lib/ThreadItem.php:267 msgid "share" msgstr "compartir" -#: ../../Zotlabs/Lib/ThreadItem.php:275 +#: ../../Zotlabs/Lib/ThreadItem.php:276 msgid "Delivery Report" msgstr "Informe de transmisión" -#: ../../Zotlabs/Lib/ThreadItem.php:293 +#: ../../Zotlabs/Lib/ThreadItem.php:294 #, php-format msgid "%d comment" msgid_plural "%d comments" msgstr[0] "%d comentario" msgstr[1] "%d comentarios" -#: ../../Zotlabs/Lib/ThreadItem.php:322 ../../Zotlabs/Lib/ThreadItem.php:323 +#: ../../Zotlabs/Lib/ThreadItem.php:323 ../../Zotlabs/Lib/ThreadItem.php:324 #, php-format msgid "View %s's profile - %s" msgstr "Ver el perfil de %s - %s" -#: ../../Zotlabs/Lib/ThreadItem.php:326 +#: ../../Zotlabs/Lib/ThreadItem.php:327 msgid "to" msgstr "a" -#: ../../Zotlabs/Lib/ThreadItem.php:327 +#: ../../Zotlabs/Lib/ThreadItem.php:328 msgid "via" msgstr "mediante" -#: ../../Zotlabs/Lib/ThreadItem.php:328 +#: ../../Zotlabs/Lib/ThreadItem.php:329 msgid "Wall-to-Wall" msgstr "De pĆ”gina del perfil a pĆ”gina del perfil (de \"muro\" a \"muro\")" -#: ../../Zotlabs/Lib/ThreadItem.php:329 +#: ../../Zotlabs/Lib/ThreadItem.php:330 msgid "via Wall-To-Wall:" msgstr "Mediante el procedimiento pĆ”gina del perfil a pĆ”gina del perfil (de \"muro\" a \"muro\")" -#: ../../Zotlabs/Lib/ThreadItem.php:341 ../../include/conversation.php:722 +#: ../../Zotlabs/Lib/ThreadItem.php:342 ../../include/conversation.php:722 #, php-format msgid "from %s" msgstr "desde %s" -#: ../../Zotlabs/Lib/ThreadItem.php:344 ../../include/conversation.php:725 +#: ../../Zotlabs/Lib/ThreadItem.php:345 ../../include/conversation.php:725 #, php-format msgid "last edited: %s" msgstr "Ćŗltimo cambio: %s" -#: ../../Zotlabs/Lib/ThreadItem.php:345 ../../include/conversation.php:726 +#: ../../Zotlabs/Lib/ThreadItem.php:346 ../../include/conversation.php:726 #, php-format msgid "Expires: %s" msgstr "Caduca: %s" -#: ../../Zotlabs/Lib/ThreadItem.php:370 +#: ../../Zotlabs/Lib/ThreadItem.php:371 msgid "Save Bookmarks" msgstr "Guardar en Marcadores" -#: ../../Zotlabs/Lib/ThreadItem.php:371 +#: ../../Zotlabs/Lib/ThreadItem.php:372 msgid "Add to Calendar" msgstr "AƱadir al calendario" -#: ../../Zotlabs/Lib/ThreadItem.php:380 +#: ../../Zotlabs/Lib/ThreadItem.php:381 msgid "Mark all seen" msgstr "Marcar todo como visto" -#: ../../Zotlabs/Lib/ThreadItem.php:421 ../../include/js_strings.php:7 +#: ../../Zotlabs/Lib/ThreadItem.php:422 ../../include/js_strings.php:7 #, php-format msgid "%s show all" msgstr "%s mostrar todo" -#: ../../Zotlabs/Lib/ThreadItem.php:711 ../../include/conversation.php:1226 +#: ../../Zotlabs/Lib/ThreadItem.php:712 ../../include/conversation.php:1233 msgid "Bold" msgstr "Negrita" -#: ../../Zotlabs/Lib/ThreadItem.php:712 ../../include/conversation.php:1227 +#: ../../Zotlabs/Lib/ThreadItem.php:713 ../../include/conversation.php:1234 msgid "Italic" msgstr "ItĆ”lico " -#: ../../Zotlabs/Lib/ThreadItem.php:713 ../../include/conversation.php:1228 +#: ../../Zotlabs/Lib/ThreadItem.php:714 ../../include/conversation.php:1235 msgid "Underline" msgstr "Subrayar" -#: ../../Zotlabs/Lib/ThreadItem.php:714 ../../include/conversation.php:1229 +#: ../../Zotlabs/Lib/ThreadItem.php:715 ../../include/conversation.php:1236 msgid "Quote" msgstr "Citar" -#: ../../Zotlabs/Lib/ThreadItem.php:715 ../../include/conversation.php:1230 +#: ../../Zotlabs/Lib/ThreadItem.php:716 ../../include/conversation.php:1237 msgid "Code" msgstr "Código" -#: ../../Zotlabs/Lib/ThreadItem.php:716 +#: ../../Zotlabs/Lib/ThreadItem.php:717 msgid "Image" msgstr "Imagen" -#: ../../Zotlabs/Lib/ThreadItem.php:717 +#: ../../Zotlabs/Lib/ThreadItem.php:718 msgid "Insert Link" msgstr "Insertar enlace" -#: ../../Zotlabs/Lib/ThreadItem.php:718 +#: ../../Zotlabs/Lib/ThreadItem.php:719 msgid "Video" msgstr "VĆ­deo" -#: ../../Zotlabs/Lib/PermissionDescription.php:31 -#: ../../include/acl_selectors.php:230 -msgid "Visible to your default audience" -msgstr "Visible para su pĆŗblico predeterminado." - -#: ../../Zotlabs/Lib/PermissionDescription.php:106 -#: ../../include/acl_selectors.php:266 -msgid "Only me" -msgstr "Sólo yo" - -#: ../../Zotlabs/Lib/PermissionDescription.php:107 -msgid "Public" -msgstr "PĆŗblico" - -#: ../../Zotlabs/Lib/PermissionDescription.php:108 -msgid "Anybody in the $Projectname network" -msgstr "Cualquiera en la red $Projectname" - -#: ../../Zotlabs/Lib/PermissionDescription.php:109 -#, php-format -msgid "Any account on %s" -msgstr "Cualquier cuenta en %s" - -#: ../../Zotlabs/Lib/PermissionDescription.php:110 -msgid "Any of my connections" -msgstr "Cualquiera de mis conexiones" - -#: ../../Zotlabs/Lib/PermissionDescription.php:111 -msgid "Only connections I specifically allow" -msgstr "Sólo las conexiones que yo permita de forma explĆ­cita" - -#: ../../Zotlabs/Lib/PermissionDescription.php:112 -msgid "Anybody authenticated (could include visitors from other networks)" -msgstr "Cualquiera que estĆ© autenticado (podrĆ­a incluir a los visitantes de otras redes)" - -#: ../../Zotlabs/Lib/PermissionDescription.php:113 -msgid "Any connections including those who haven't yet been approved" -msgstr "Cualquier conexión incluyendo aquellas que aĆŗn no han sido aprobadas" - -#: ../../Zotlabs/Lib/PermissionDescription.php:152 -msgid "" -"This is your default setting for the audience of your normal stream, and " -"posts." -msgstr "Esta es la configuración predeterminada para su flujo (stream) habitual de publicaciones." - -#: ../../Zotlabs/Lib/PermissionDescription.php:153 -msgid "" -"This is your default setting for who can view your default channel profile" -msgstr "Esta es su configuración por defecto para establecer quiĆ©n puede ver su perfil del canal predeterminado" - -#: ../../Zotlabs/Lib/PermissionDescription.php:154 -msgid "This is your default setting for who can view your connections" -msgstr "Este es su ajuste predeterminado para establecer quiĆ©n puede ver sus conexiones" - -#: ../../Zotlabs/Lib/PermissionDescription.php:155 -msgid "" -"This is your default setting for who can view your file storage and photos" -msgstr "Este es su ajuste predeterminado para establecer quiĆ©n puede ver su repositorio de ficheros y sus fotos" - -#: ../../Zotlabs/Lib/PermissionDescription.php:156 -msgid "This is your default setting for the audience of your webpages" -msgstr "Este es el ajuste predeterminado para establecer la audiencia de sus pĆ”ginas web" - #: ../../include/Import/import_diaspora.php:16 msgid "No username found in import file." msgstr "No se ha encontrado el nombre de usuario en el fichero importado." @@ -7121,6 +7075,778 @@ msgstr "No se ha podido crear una dirección de canal Ćŗnica. Ha fallado la impo msgid "Cannot locate DNS info for database server '%s'" msgstr "No se ha podido localizar información de DNS para el servidor de base de datos ā€œ%sā€" +#: ../../include/auth.php:148 +msgid "Logged out." +msgstr "Desconectado/a." + +#: ../../include/auth.php:275 +msgid "Failed authentication" +msgstr "Autenticación fallida." + +#: ../../include/auth.php:286 +msgid "Login failed." +msgstr "El acceso ha fallado." + +#: ../../include/bbcode.php:123 ../../include/bbcode.php:878 +#: ../../include/bbcode.php:881 ../../include/bbcode.php:886 +#: ../../include/bbcode.php:889 ../../include/bbcode.php:892 +#: ../../include/bbcode.php:895 ../../include/bbcode.php:900 +#: ../../include/bbcode.php:903 ../../include/bbcode.php:908 +#: ../../include/bbcode.php:911 ../../include/bbcode.php:914 +#: ../../include/bbcode.php:917 +msgid "Image/photo" +msgstr "Imagen/foto" + +#: ../../include/bbcode.php:162 ../../include/bbcode.php:928 +msgid "Encrypted content" +msgstr "Contenido cifrado" + +#: ../../include/bbcode.php:178 +#, php-format +msgid "Install %s element: " +msgstr "Instalar el elemento %s:" + +#: ../../include/bbcode.php:182 +#, php-format +msgid "" +"This post contains an installable %s element, however you lack permissions " +"to install it on this site." +msgstr "Esta entrada contiene el elemento instalable %s, sin embargo le faltan permisos para instalarlo en este sitio." + +#: ../../include/bbcode.php:261 +#, php-format +msgid "%1$s wrote the following %2$s %3$s" +msgstr "%1$s escribió %2$s siguiente %3$s" + +#: ../../include/bbcode.php:338 ../../include/bbcode.php:346 +msgid "Click to open/close" +msgstr "Pulsar para abrir/cerrar" + +#: ../../include/bbcode.php:346 +msgid "spoiler" +msgstr "spoiler" + +#: ../../include/bbcode.php:619 ../../include/wiki.php:525 +msgid "Different viewers will see this text differently" +msgstr "Visitantes diferentes verĆ”n este texto de forma distinta" + +#: ../../include/bbcode.php:866 +msgid "$1 wrote:" +msgstr "$1 escribió:" + +#: ../../include/follow.php:27 +msgid "Channel is blocked on this site." +msgstr "El canal estĆ” bloqueado en este sitio." + +#: ../../include/follow.php:32 +msgid "Channel location missing." +msgstr "Falta la dirección del canal." + +#: ../../include/follow.php:80 +msgid "Response from remote channel was incomplete." +msgstr "Respuesta incompleta del canal." + +#: ../../include/follow.php:97 +msgid "Channel was deleted and no longer exists." +msgstr "El canal ha sido eliminado y ya no existe." + +#: ../../include/follow.php:147 ../../include/follow.php:183 +msgid "Protocol disabled." +msgstr "Protocolo deshabilitado." + +#: ../../include/follow.php:171 +msgid "Channel discovery failed." +msgstr "El intento de acceder al canal ha fallado." + +#: ../../include/follow.php:210 +msgid "Cannot connect to yourself." +msgstr "No puede conectarse consigo mismo." + +#: ../../include/api.php:1330 +msgid "Public Timeline" +msgstr "CronologĆ­a pĆŗblica" + +#: ../../include/conversation.php:204 +#, php-format +msgid "%1$s is now connected with %2$s" +msgstr "%1$s ahora estĆ” conectado/a con %2$s" + +#: ../../include/conversation.php:239 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s ha dado un toque a %2$s" + +#: ../../include/conversation.php:243 ../../include/text.php:1013 +#: ../../include/text.php:1018 +msgid "poked" +msgstr "ha dado un toque a" + +#: ../../include/conversation.php:694 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Ver el perfil @ %s de %s" + +#: ../../include/conversation.php:713 +msgid "Categories:" +msgstr "Temas:" + +#: ../../include/conversation.php:714 +msgid "Filed under:" +msgstr "Archivado bajo:" + +#: ../../include/conversation.php:741 +msgid "View in context" +msgstr "Mostrar en su contexto" + +#: ../../include/conversation.php:851 +msgid "remove" +msgstr "eliminar" + +#: ../../include/conversation.php:855 ../../include/nav.php:251 +msgid "Loading..." +msgstr "Cargando..." + +#: ../../include/conversation.php:856 +msgid "Delete Selected Items" +msgstr "Eliminar elementos seleccionados" + +#: ../../include/conversation.php:952 +msgid "View Source" +msgstr "Ver el código fuente de la entrada" + +#: ../../include/conversation.php:953 +msgid "Follow Thread" +msgstr "Seguir este hilo" + +#: ../../include/conversation.php:954 +msgid "Unfollow Thread" +msgstr "Dejar de seguir este hilo" + +#: ../../include/conversation.php:959 +msgid "Activity/Posts" +msgstr "Actividad y publicaciones" + +#: ../../include/conversation.php:961 +msgid "Edit Connection" +msgstr "Editar conexión" + +#: ../../include/conversation.php:962 +msgid "Message" +msgstr "Mensaje" + +#: ../../include/conversation.php:1079 +#, php-format +msgid "%s likes this." +msgstr "A %s le gusta esto." + +#: ../../include/conversation.php:1079 +#, php-format +msgid "%s doesn't like this." +msgstr "A %s no le gusta esto." + +#: ../../include/conversation.php:1083 +#, php-format +msgid "%2$d people like this." +msgid_plural "%2$d people like this." +msgstr[0] "a %2$d personas le gusta esto." +msgstr[1] "A %2$d personas les gusta esto." + +#: ../../include/conversation.php:1085 +#, php-format +msgid "%2$d people don't like this." +msgid_plural "%2$d people don't like this." +msgstr[0] "a %2$d personas no les gusta esto." +msgstr[1] "A %2$d personas no les gusta esto." + +#: ../../include/conversation.php:1091 +msgid "and" +msgstr "y" + +#: ../../include/conversation.php:1094 +#, php-format +msgid ", and %d other people" +msgid_plural ", and %d other people" +msgstr[0] ", y %d persona mĆ”s" +msgstr[1] ", y %d personas mĆ”s" + +#: ../../include/conversation.php:1095 +#, php-format +msgid "%s like this." +msgstr "A %s le gusta esto." + +#: ../../include/conversation.php:1095 +#, php-format +msgid "%s don't like this." +msgstr "A %s no le gusta esto." + +#: ../../include/conversation.php:1138 +msgid "Set your location" +msgstr "Establecer su ubicación" + +#: ../../include/conversation.php:1139 +msgid "Clear browser location" +msgstr "Eliminar los datos de localización geogrĆ”fica del navegador" + +#: ../../include/conversation.php:1187 +msgid "Tag term:" +msgstr "TĆ©rmino de la etiqueta:" + +#: ../../include/conversation.php:1188 +msgid "Where are you right now?" +msgstr "ĀæDonde estĆ” ahora?" + +#: ../../include/conversation.php:1197 +msgid "Comments enabled" +msgstr "Comentarios habilitados" + +#: ../../include/conversation.php:1198 +msgid "Comments disabled" +msgstr "Comentarios deshabilitados" + +#: ../../include/conversation.php:1228 +msgid "Page link name" +msgstr "Nombre del enlace de la pĆ”gina" + +#: ../../include/conversation.php:1231 +msgid "Post as" +msgstr "Publicar como" + +#: ../../include/conversation.php:1245 +msgid "Toggle voting" +msgstr "Cambiar votación" + +#: ../../include/conversation.php:1248 +msgid "Disable comments" +msgstr "Dehabilitar los comentarios" + +#: ../../include/conversation.php:1249 +msgid "Toggle comments" +msgstr "Cambiar el estado de los comentarios" + +#: ../../include/conversation.php:1257 +msgid "Categories (optional, comma-separated list)" +msgstr "Temas (opcional, lista separada por comas)" + +#: ../../include/conversation.php:1284 +msgid "Set publish date" +msgstr "Establecer la fecha de publicación" + +#: ../../include/conversation.php:1533 +msgid "Discover" +msgstr "Descubrir" + +#: ../../include/conversation.php:1536 +msgid "Imported public streams" +msgstr "Contenidos pĆŗblicos importados" + +#: ../../include/conversation.php:1541 +msgid "Commented Order" +msgstr "Comentarios recientes" + +#: ../../include/conversation.php:1544 +msgid "Sort by Comment Date" +msgstr "Ordenar por fecha de comentario" + +#: ../../include/conversation.php:1548 +msgid "Posted Order" +msgstr "Publicaciones recientes" + +#: ../../include/conversation.php:1551 +msgid "Sort by Post Date" +msgstr "Ordenar por fecha de publicación" + +#: ../../include/conversation.php:1559 +msgid "Posts that mention or involve you" +msgstr "Publicaciones que le mencionan o involucran" + +#: ../../include/conversation.php:1568 +msgid "Activity Stream - by date" +msgstr "Contenido - por fecha" + +#: ../../include/conversation.php:1574 +msgid "Starred" +msgstr "Preferidas" + +#: ../../include/conversation.php:1577 +msgid "Favourite Posts" +msgstr "Publicaciones favoritas" + +#: ../../include/conversation.php:1584 +msgid "Spam" +msgstr "Correo basura" + +#: ../../include/conversation.php:1587 +msgid "Posts flagged as SPAM" +msgstr "Publicaciones marcadas como basura" + +#: ../../include/conversation.php:1644 +msgid "Status Messages and Posts" +msgstr "Mensajes de estado y publicaciones" + +#: ../../include/conversation.php:1653 +msgid "About" +msgstr "Mi perfil" + +#: ../../include/conversation.php:1656 +msgid "Profile Details" +msgstr "Detalles del perfil" + +#: ../../include/conversation.php:1665 ../../include/photos.php:506 +msgid "Photo Albums" +msgstr "Ɓlbumes de fotos" + +#: ../../include/conversation.php:1672 +msgid "Files and Storage" +msgstr "Ficheros y repositorio" + +#: ../../include/conversation.php:1692 ../../include/conversation.php:1695 +#: ../../include/widgets.php:850 +msgid "Chatrooms" +msgstr "Salas de chat" + +#: ../../include/conversation.php:1705 ../../include/nav.php:104 +msgid "Bookmarks" +msgstr "Marcadores" + +#: ../../include/conversation.php:1708 +msgid "Saved Bookmarks" +msgstr "Marcadores guardados" + +#: ../../include/conversation.php:1718 +msgid "Manage Webpages" +msgstr "Administrar pĆ”ginas web" + +#: ../../include/conversation.php:1783 +msgctxt "noun" +msgid "Attending" +msgid_plural "Attending" +msgstr[0] "ParticiparĆ©" +msgstr[1] "ParticiparĆ©" + +#: ../../include/conversation.php:1786 +msgctxt "noun" +msgid "Not Attending" +msgid_plural "Not Attending" +msgstr[0] "No participarĆ©" +msgstr[1] "No participarĆ©" + +#: ../../include/conversation.php:1789 +msgctxt "noun" +msgid "Undecided" +msgid_plural "Undecided" +msgstr[0] "Indeciso/a" +msgstr[1] "Indecisos/as" + +#: ../../include/conversation.php:1792 +msgctxt "noun" +msgid "Agree" +msgid_plural "Agrees" +msgstr[0] "De acuerdo" +msgstr[1] "De acuerdo" + +#: ../../include/conversation.php:1795 +msgctxt "noun" +msgid "Disagree" +msgid_plural "Disagrees" +msgstr[0] "En desacuerdo" +msgstr[1] "En desacuerdo" + +#: ../../include/conversation.php:1798 +msgctxt "noun" +msgid "Abstain" +msgid_plural "Abstains" +msgstr[0] "se abstiene" +msgstr[1] "Se abstienen" + +#: ../../include/features.php:50 +msgid "General Features" +msgstr "Funcionalidades bĆ”sicas" + +#: ../../include/features.php:52 +msgid "Content Expiration" +msgstr "Caducidad del contenido" + +#: ../../include/features.php:52 +msgid "Remove posts/comments and/or private messages at a future time" +msgstr "Eliminar publicaciones/comentarios y/o mensajes privados mĆ”s adelante" + +#: ../../include/features.php:53 +msgid "Multiple Profiles" +msgstr "MĆŗltiples perfiles" + +#: ../../include/features.php:53 +msgid "Ability to create multiple profiles" +msgstr "Capacidad de crear mĆŗltiples perfiles" + +#: ../../include/features.php:54 +msgid "Advanced Profiles" +msgstr "Perfiles avanzados" + +#: ../../include/features.php:54 +msgid "Additional profile sections and selections" +msgstr "Secciones y selecciones de perfil adicionales" + +#: ../../include/features.php:55 +msgid "Profile Import/Export" +msgstr "Importar/Exportar perfil" + +#: ../../include/features.php:55 +msgid "Save and load profile details across sites/channels" +msgstr "Guardar y cargar detalles del perfil a travĆ©s de sitios/canales" + +#: ../../include/features.php:56 +msgid "Web Pages" +msgstr "PĆ”ginas web" + +#: ../../include/features.php:56 +msgid "Provide managed web pages on your channel" +msgstr "Proveer pĆ”ginas web gestionadas en su canal" + +#: ../../include/features.php:57 +msgid "Provide a wiki for your channel" +msgstr "Proporcionar un wiki para su canal" + +#: ../../include/features.php:58 +msgid "Hide Rating" +msgstr "Ocultar las valoraciones" + +#: ../../include/features.php:58 +msgid "" +"Hide the rating buttons on your channel and profile pages. Note: People can " +"still rate you somewhere else." +msgstr "Ocultar los botones de valoración en su canal y pĆ”gina de perfil. Tenga en cuenta, sin embargo, que la gente podrĆ” expresar su valoración en otros lugares." + +#: ../../include/features.php:59 +msgid "Private Notes" +msgstr "Notas privadas" + +#: ../../include/features.php:59 +msgid "Enables a tool to store notes and reminders (note: not encrypted)" +msgstr "Habilita una herramienta para guardar notas y recordatorios (advertencia: las notas no estarĆ”n cifradas)" + +#: ../../include/features.php:60 +msgid "Navigation Channel Select" +msgstr "Navegación por el selector de canales" + +#: ../../include/features.php:60 +msgid "Change channels directly from within the navigation dropdown menu" +msgstr "Cambiar de canales directamente desde el menĆŗ de navegación desplegable" + +#: ../../include/features.php:61 +msgid "Photo Location" +msgstr "Ubicación de las fotos" + +#: ../../include/features.php:61 +msgid "If location data is available on uploaded photos, link this to a map." +msgstr "Si los datos de ubicación estĆ”n disponibles en las fotos subidas, enlazar estas a un mapa." + +#: ../../include/features.php:62 +msgid "Access Controlled Chatrooms" +msgstr "Salas de chat moderadas" + +#: ../../include/features.php:62 +msgid "Provide chatrooms and chat services with access control." +msgstr "Proporcionar salas y servicios de chat moderados." + +#: ../../include/features.php:63 +msgid "Smart Birthdays" +msgstr "CumpleaƱos inteligentes" + +#: ../../include/features.php:63 +msgid "" +"Make birthday events timezone aware in case your friends are scattered " +"across the planet." +msgstr "Enlazar los eventos de cumpleaƱos con el huso horario en el caso de que sus amigos estĆ©n dispersos por el mundo." + +#: ../../include/features.php:64 +msgid "Expert Mode" +msgstr "Modo de experto" + +#: ../../include/features.php:64 +msgid "Enable Expert Mode to provide advanced configuration options" +msgstr "Habilitar el modo de experto para acceder a opciones avanzadas de configuración" + +#: ../../include/features.php:65 +msgid "Premium Channel" +msgstr "Canal premium" + +#: ../../include/features.php:65 +msgid "" +"Allows you to set restrictions and terms on those that connect with your " +"channel" +msgstr "Le permite configurar restricciones y normas de uso a aquellos que conectan con su canal" + +#: ../../include/features.php:70 +msgid "Post Composition Features" +msgstr "Opciones para la redacción de entradas" + +#: ../../include/features.php:73 +msgid "Large Photos" +msgstr "Fotos de gran tamaƱo" + +#: ../../include/features.php:73 +msgid "" +"Include large (1024px) photo thumbnails in posts. If not enabled, use small " +"(640px) photo thumbnails" +msgstr "Incluir miniaturas de fotos grandes (1024px) en publicaciones. Si no estĆ” habilitado, usar miniaturas pequeƱas (640px)" + +#: ../../include/features.php:74 +msgid "Automatically import channel content from other channels or feeds" +msgstr "Importar automĆ”ticamente contenido de otros canales o \"feeds\"" + +#: ../../include/features.php:75 +msgid "Even More Encryption" +msgstr "MĆ”s cifrado todavĆ­a" + +#: ../../include/features.php:75 +msgid "" +"Allow optional encryption of content end-to-end with a shared secret key" +msgstr "Permitir cifrado adicional de contenido \"punto-a-punto\" con una clave secreta compartida." + +#: ../../include/features.php:76 +msgid "Enable Voting Tools" +msgstr "Permitir entradas con votación" + +#: ../../include/features.php:76 +msgid "Provide a class of post which others can vote on" +msgstr "Proveer una clase de publicación en la que otros puedan votar" + +#: ../../include/features.php:77 +msgid "Disable Comments" +msgstr "Deshabilitar comentarios" + +#: ../../include/features.php:77 +msgid "Provide the option to disable comments for a post" +msgstr "Proporcionar la opción de desactivar los comentarios de una publicación" + +#: ../../include/features.php:78 +msgid "Delayed Posting" +msgstr "Publicación aplazada" + +#: ../../include/features.php:78 +msgid "Allow posts to be published at a later date" +msgstr "Permitir mensajes que se publicarĆ”n en una fecha posterior" + +#: ../../include/features.php:79 +msgid "Suppress Duplicate Posts/Comments" +msgstr "Prevenir entradas o comentarios duplicados" + +#: ../../include/features.php:79 +msgid "" +"Prevent posts with identical content to be published with less than two " +"minutes in between submissions." +msgstr "Prevenir que entradas con contenido idĆ©ntico se publiquen con menos de dos minutos de intervalo." + +#: ../../include/features.php:85 +msgid "Network and Stream Filtering" +msgstr "Filtrado del contenido" + +#: ../../include/features.php:86 +msgid "Search by Date" +msgstr "Buscar por fecha" + +#: ../../include/features.php:86 +msgid "Ability to select posts by date ranges" +msgstr "Capacidad de seleccionar entradas por rango de fechas" + +#: ../../include/features.php:87 ../../include/group.php:311 +msgid "Privacy Groups" +msgstr "Grupos de canales" + +#: ../../include/features.php:87 +msgid "Enable management and selection of privacy groups" +msgstr "Activar la gestión y selección de grupos de canales" + +#: ../../include/features.php:88 ../../include/widgets.php:281 +msgid "Saved Searches" +msgstr "BĆŗsquedas guardadas" + +#: ../../include/features.php:88 +msgid "Save search terms for re-use" +msgstr "Guardar tĆ©rminos de bĆŗsqueda para su reutilización" + +#: ../../include/features.php:89 +msgid "Network Personal Tab" +msgstr "Actividad personal" + +#: ../../include/features.php:89 +msgid "Enable tab to display only Network posts that you've interacted on" +msgstr "Habilitar una pestaƱa en la cual se muestren solo las entradas en las que ha participado." + +#: ../../include/features.php:90 +msgid "Network New Tab" +msgstr "Contenido nuevo" + +#: ../../include/features.php:90 +msgid "Enable tab to display all new Network activity" +msgstr "Habilitar una pestaƱa en la que se muestre solo el contenido nuevo" + +#: ../../include/features.php:91 +msgid "Affinity Tool" +msgstr "Herramienta de afinidad" + +#: ../../include/features.php:91 +msgid "Filter stream activity by depth of relationships" +msgstr "Filtrar el contenido segĆŗn la profundidad de las relaciones" + +#: ../../include/features.php:92 +msgid "Connection Filtering" +msgstr "Filtrado de conexiones" + +#: ../../include/features.php:92 +msgid "Filter incoming posts from connections based on keywords/content" +msgstr "Filtrar publicaciones entrantes de conexiones por palabras clave o contenido" + +#: ../../include/features.php:93 +msgid "Show channel suggestions" +msgstr "Mostrar sugerencias de canales" + +#: ../../include/features.php:98 +msgid "Post/Comment Tools" +msgstr "Gestión de entradas y comentarios" + +#: ../../include/features.php:99 +msgid "Community Tagging" +msgstr "Etiquetas de la comunidad" + +#: ../../include/features.php:99 +msgid "Ability to tag existing posts" +msgstr "Capacidad de etiquetar entradas existentes" + +#: ../../include/features.php:100 +msgid "Post Categories" +msgstr "Temas de las entradas" + +#: ../../include/features.php:100 +msgid "Add categories to your posts" +msgstr "AƱadir temas a sus publicaciones" + +#: ../../include/features.php:101 +msgid "Emoji Reactions" +msgstr "Emoticonos \"emoji\"" + +#: ../../include/features.php:101 +msgid "Add emoji reaction ability to posts" +msgstr "Activar la capacidad de aƱadir un emoticono \"emoji\" a las entradas" + +#: ../../include/features.php:102 ../../include/widgets.php:310 +#: ../../include/contact_widgets.php:53 +msgid "Saved Folders" +msgstr "Carpetas guardadas" + +#: ../../include/features.php:102 +msgid "Ability to file posts under folders" +msgstr "Capacidad de archivar entradas en carpetas" + +#: ../../include/features.php:103 +msgid "Dislike Posts" +msgstr "Desagrado de publicaciones" + +#: ../../include/features.php:103 +msgid "Ability to dislike posts/comments" +msgstr "Capacidad de mostrar desacuerdo con el contenido de entradas y comentarios" + +#: ../../include/features.php:104 +msgid "Star Posts" +msgstr "Entradas destacadas" + +#: ../../include/features.php:104 +msgid "Ability to mark special posts with a star indicator" +msgstr "Capacidad de marcar entradas destacadas con un indicador de estrella" + +#: ../../include/features.php:105 +msgid "Tag Cloud" +msgstr "Nube de etiquetas" + +#: ../../include/features.php:105 +msgid "Provide a personal tag cloud on your channel page" +msgstr "Proveer nube de etiquetas personal en su pĆ”gina de canal" + +#: ../../include/datetime.php:135 +msgid "Birthday" +msgstr "CumpleaƱos" + +#: ../../include/datetime.php:137 +msgid "Age: " +msgstr "Edad:" + +#: ../../include/datetime.php:139 +msgid "YYYY-MM-DD or MM-DD" +msgstr "AAAA-MM-DD o MM-DD" + +#: ../../include/datetime.php:272 ../../boot.php:2552 +msgid "never" +msgstr "nunca" + +#: ../../include/datetime.php:278 +msgid "less than a second ago" +msgstr "hace un instante" + +#: ../../include/datetime.php:296 +#, php-format +msgctxt "e.g. 22 hours ago, 1 minute ago" +msgid "%1$d %2$s ago" +msgstr "hace %1$d %2$s" + +#: ../../include/datetime.php:307 +msgctxt "relative_date" +msgid "year" +msgid_plural "years" +msgstr[0] "aƱo" +msgstr[1] "aƱos" + +#: ../../include/datetime.php:310 +msgctxt "relative_date" +msgid "month" +msgid_plural "months" +msgstr[0] "mes" +msgstr[1] "meses" + +#: ../../include/datetime.php:313 +msgctxt "relative_date" +msgid "week" +msgid_plural "weeks" +msgstr[0] "semana" +msgstr[1] "semanas" + +#: ../../include/datetime.php:316 +msgctxt "relative_date" +msgid "day" +msgid_plural "days" +msgstr[0] "dĆ­a" +msgstr[1] "dĆ­as" + +#: ../../include/datetime.php:319 +msgctxt "relative_date" +msgid "hour" +msgid_plural "hours" +msgstr[0] "hora" +msgstr[1] "horas" + +#: ../../include/datetime.php:322 +msgctxt "relative_date" +msgid "minute" +msgid_plural "minutes" +msgstr[0] "minuto" +msgstr[1] "minutos" + +#: ../../include/datetime.php:325 +msgctxt "relative_date" +msgid "second" +msgid_plural "seconds" +msgstr[0] "segundo" +msgstr[1] "segundos" + +#: ../../include/datetime.php:562 +#, php-format +msgid "%1$s's birthday" +msgstr "CumpleaƱos de %1$s" + +#: ../../include/datetime.php:563 +#, php-format +msgid "Happy Birthday %1$s" +msgstr "Feliz cumpleaƱos %1$s" + #: ../../include/photos.php:114 #, php-format msgid "Image exceeds website size limit of %lu bytes" @@ -7144,746 +7870,10 @@ msgctxt "photo_upload" msgid "%1$s posted %2$s to %3$s" msgstr "%1$s ha publicado %2$s en %3$s" -#: ../../include/photos.php:506 ../../include/conversation.php:1650 -msgid "Photo Albums" -msgstr "Ɓlbumes de fotos" - #: ../../include/photos.php:510 msgid "Upload New Photos" msgstr "Subir nuevas fotos" -#: ../../include/nav.php:82 ../../include/nav.php:115 ../../boot.php:1703 -msgid "Logout" -msgstr "Finalizar sesión" - -#: ../../include/nav.php:82 ../../include/nav.php:115 -msgid "End this session" -msgstr "Finalizar esta sesión" - -#: ../../include/nav.php:85 ../../include/nav.php:146 -msgid "Home" -msgstr "Inicio" - -#: ../../include/nav.php:85 -msgid "Your posts and conversations" -msgstr "Sus publicaciones y conversaciones" - -#: ../../include/nav.php:86 -msgid "Your profile page" -msgstr "Su pĆ”gina del perfil" - -#: ../../include/nav.php:88 -msgid "Manage/Edit profiles" -msgstr "Administrar/editar perfiles" - -#: ../../include/nav.php:90 ../../include/channel.php:980 -msgid "Edit Profile" -msgstr "Editar el perfil" - -#: ../../include/nav.php:90 -msgid "Edit your profile" -msgstr "Editar su perfil" - -#: ../../include/nav.php:92 -msgid "Your photos" -msgstr "Sus fotos" - -#: ../../include/nav.php:93 -msgid "Your files" -msgstr "Sus ficheros" - -#: ../../include/nav.php:96 -msgid "Your chatrooms" -msgstr "Sus salas de chat" - -#: ../../include/nav.php:102 ../../include/conversation.php:1690 -msgid "Bookmarks" -msgstr "Marcadores" - -#: ../../include/nav.php:102 -msgid "Your bookmarks" -msgstr "Sus marcadores" - -#: ../../include/nav.php:106 -msgid "Your webpages" -msgstr "Sus pĆ”ginas web" - -#: ../../include/nav.php:108 -msgid "Your wiki" -msgstr "Su wiki" - -#: ../../include/nav.php:112 -msgid "Sign in" -msgstr "Acceder" - -#: ../../include/nav.php:129 -#, php-format -msgid "%s - click to logout" -msgstr "%s - pulsar para finalizar sesión" - -#: ../../include/nav.php:132 -msgid "Remote authentication" -msgstr "Acceder desde su servidor" - -#: ../../include/nav.php:132 -msgid "Click to authenticate to your home hub" -msgstr "Pulsar para identificarse en su servidor de inicio" - -#: ../../include/nav.php:146 -msgid "Home Page" -msgstr "PĆ”gina de inicio" - -#: ../../include/nav.php:149 -msgid "Create an account" -msgstr "Crear una cuenta" - -#: ../../include/nav.php:161 -msgid "Help and documentation" -msgstr "Ayuda y documentación" - -#: ../../include/nav.php:165 -msgid "Applications, utilities, links, games" -msgstr "Aplicaciones, utilidades, enlaces, juegos" - -#: ../../include/nav.php:167 -msgid "Search site @name, #tag, ?docs, content" -msgstr "Buscar en el sitio por @nombre, #etiqueta, ?ayuda o contenido" - -#: ../../include/nav.php:169 -msgid "Channel Directory" -msgstr "Directorio de canales" - -#: ../../include/nav.php:181 -msgid "Your grid" -msgstr "Mi red" - -#: ../../include/nav.php:182 -msgid "Mark all grid notifications seen" -msgstr "Marcar todas las notificaciones de la red como vistas" - -#: ../../include/nav.php:184 -msgid "Channel home" -msgstr "Mi canal" - -#: ../../include/nav.php:185 -msgid "Mark all channel notifications seen" -msgstr "Marcar todas las notificaciones del canal como leĆ­das" - -#: ../../include/nav.php:191 -msgid "Notices" -msgstr "Avisos" - -#: ../../include/nav.php:191 -msgid "Notifications" -msgstr "Notificaciones" - -#: ../../include/nav.php:192 -msgid "See all notifications" -msgstr "Ver todas las notificaciones" - -#: ../../include/nav.php:195 -msgid "Private mail" -msgstr "Correo privado" - -#: ../../include/nav.php:196 -msgid "See all private messages" -msgstr "Ver todas los mensajes privados" - -#: ../../include/nav.php:197 -msgid "Mark all private messages seen" -msgstr "Marcar todos los mensajes privados como leĆ­dos" - -#: ../../include/nav.php:198 ../../include/widgets.php:667 -msgid "Inbox" -msgstr "Bandeja de entrada" - -#: ../../include/nav.php:199 ../../include/widgets.php:672 -msgid "Outbox" -msgstr "Bandeja de salida" - -#: ../../include/nav.php:200 ../../include/widgets.php:677 -msgid "New Message" -msgstr "Nuevo mensaje" - -#: ../../include/nav.php:203 -msgid "Event Calendar" -msgstr "Calendario de eventos" - -#: ../../include/nav.php:204 -msgid "See all events" -msgstr "Ver todos los eventos" - -#: ../../include/nav.php:205 -msgid "Mark all events seen" -msgstr "Marcar todos los eventos como leidos" - -#: ../../include/nav.php:208 -msgid "Manage Your Channels" -msgstr "Gestionar sus canales" - -#: ../../include/nav.php:210 -msgid "Account/Channel Settings" -msgstr "Ajustes de cuenta/canales" - -#: ../../include/nav.php:218 ../../include/widgets.php:1510 -msgid "Admin" -msgstr "Administrador" - -#: ../../include/nav.php:218 -msgid "Site Setup and Configuration" -msgstr "Ajustes y configuración del sitio" - -#: ../../include/nav.php:249 ../../include/conversation.php:854 -msgid "Loading..." -msgstr "Cargando..." - -#: ../../include/nav.php:254 -msgid "@name, #tag, ?doc, content" -msgstr "@nombre, #etiqueta, ?ayuda, contenido" - -#: ../../include/nav.php:255 -msgid "Please wait..." -msgstr "Espere por favor…" - -#: ../../include/network.php:704 -msgid "view full size" -msgstr "Ver en el tamaƱo original" - -#: ../../include/network.php:1930 ../../include/account.php:317 -#: ../../include/account.php:344 ../../include/account.php:404 -msgid "Administrator" -msgstr "Administrador" - -#: ../../include/network.php:1944 -msgid "No Subject" -msgstr "Sin asunto" - -#: ../../include/network.php:2198 ../../include/network.php:2199 -msgid "Friendica" -msgstr "Friendica" - -#: ../../include/network.php:2200 -msgid "OStatus" -msgstr "OStatus" - -#: ../../include/network.php:2201 -msgid "GNU-Social" -msgstr "GNU Social" - -#: ../../include/network.php:2202 -msgid "RSS/Atom" -msgstr "RSS/Atom" - -#: ../../include/network.php:2204 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../include/network.php:2205 -msgid "Facebook" -msgstr "Facebook" - -#: ../../include/network.php:2206 -msgid "Zot" -msgstr "Zot" - -#: ../../include/network.php:2207 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: ../../include/network.php:2208 -msgid "XMPP/IM" -msgstr "XMPP/IM" - -#: ../../include/network.php:2209 -msgid "MySpace" -msgstr "MySpace" - -#: ../../include/page_widgets.php:7 -msgid "New Page" -msgstr "Nueva pĆ”gina" - -#: ../../include/page_widgets.php:46 -msgid "Title" -msgstr "TĆ­tulo" - -#: ../../include/taxonomy.php:188 ../../include/taxonomy.php:270 -#: ../../include/widgets.php:46 ../../include/widgets.php:429 -#: ../../include/contact_widgets.php:91 -msgid "Categories" -msgstr "CategorĆ­as" - -#: ../../include/taxonomy.php:228 ../../include/taxonomy.php:249 -msgid "Tags" -msgstr "Etiquetas" - -#: ../../include/taxonomy.php:293 -msgid "Keywords" -msgstr "Palabras clave" - -#: ../../include/taxonomy.php:314 -msgid "have" -msgstr "tener" - -#: ../../include/taxonomy.php:314 -msgid "has" -msgstr "tiene" - -#: ../../include/taxonomy.php:315 -msgid "want" -msgstr "quiero" - -#: ../../include/taxonomy.php:315 -msgid "wants" -msgstr "quiere" - -#: ../../include/taxonomy.php:316 -msgid "likes" -msgstr "gusta de" - -#: ../../include/taxonomy.php:317 -msgid "dislikes" -msgstr "no gusta de" - -#: ../../include/channel.php:33 -msgid "Unable to obtain identity information from database" -msgstr "No ha sido posible obtener información sobre la identidad desde la base de datos" - -#: ../../include/channel.php:67 -msgid "Empty name" -msgstr "Nombre vacĆ­o" - -#: ../../include/channel.php:70 -msgid "Name too long" -msgstr "Nombre demasiado largo" - -#: ../../include/channel.php:181 -msgid "No account identifier" -msgstr "NingĆŗn identificador de la cuenta" - -#: ../../include/channel.php:193 -msgid "Nickname is required." -msgstr "Se requiere un sobrenombre (alias)." - -#: ../../include/channel.php:207 -msgid "Reserved nickname. Please choose another." -msgstr "Sobrenombre en uso. Por favor, elija otro." - -#: ../../include/channel.php:212 -msgid "" -"Nickname has unsupported characters or is already being used on this site." -msgstr "El alias contiene caracteres no admitidos o estĆ” ya en uso por otros miembros de este sitio." - -#: ../../include/channel.php:272 -msgid "Unable to retrieve created identity" -msgstr "No ha sido posible recuperar la identidad creada" - -#: ../../include/channel.php:341 -msgid "Default Profile" -msgstr "Perfil principal" - -#: ../../include/channel.php:830 -msgid "Requested channel is not available." -msgstr "El canal solicitado no estĆ” disponible." - -#: ../../include/channel.php:977 -msgid "Create New Profile" -msgstr "Crear un nuevo perfil" - -#: ../../include/channel.php:997 -msgid "Visible to everybody" -msgstr "Visible para todos" - -#: ../../include/channel.php:1070 ../../include/channel.php:1182 -msgid "Gender:" -msgstr "GĆ©nero:" - -#: ../../include/channel.php:1071 ../../include/channel.php:1226 -msgid "Status:" -msgstr "Estado:" - -#: ../../include/channel.php:1072 ../../include/channel.php:1237 -msgid "Homepage:" -msgstr "PĆ”gina personal:" - -#: ../../include/channel.php:1073 -msgid "Online Now" -msgstr "Ahora en lĆ­nea" - -#: ../../include/channel.php:1187 -msgid "Like this channel" -msgstr "Me gusta este canal" - -#: ../../include/channel.php:1211 -msgid "j F, Y" -msgstr "j F Y" - -#: ../../include/channel.php:1212 -msgid "j F" -msgstr "j F" - -#: ../../include/channel.php:1219 -msgid "Birthday:" -msgstr "CumpleaƱos:" - -#: ../../include/channel.php:1232 -#, php-format -msgid "for %1$d %2$s" -msgstr "por %1$d %2$s" - -#: ../../include/channel.php:1235 -msgid "Sexual Preference:" -msgstr "Orientación sexual:" - -#: ../../include/channel.php:1241 -msgid "Tags:" -msgstr "Etiquetas:" - -#: ../../include/channel.php:1243 -msgid "Political Views:" -msgstr "Posición polĆ­tica:" - -#: ../../include/channel.php:1245 -msgid "Religion:" -msgstr "Religión:" - -#: ../../include/channel.php:1249 -msgid "Hobbies/Interests:" -msgstr "Aficciones o intereses:" - -#: ../../include/channel.php:1251 -msgid "Likes:" -msgstr "Me gusta:" - -#: ../../include/channel.php:1253 -msgid "Dislikes:" -msgstr "No me gusta:" - -#: ../../include/channel.php:1255 -msgid "Contact information and Social Networks:" -msgstr "Información de contacto y redes sociales:" - -#: ../../include/channel.php:1257 -msgid "My other channels:" -msgstr "Mis otros canales:" - -#: ../../include/channel.php:1259 -msgid "Musical interests:" -msgstr "Preferencias musicales:" - -#: ../../include/channel.php:1261 -msgid "Books, literature:" -msgstr "Libros, literatura:" - -#: ../../include/channel.php:1263 -msgid "Television:" -msgstr "Televisión:" - -#: ../../include/channel.php:1265 -msgid "Film/dance/culture/entertainment:" -msgstr "Cine, danza, cultura, entretenimiento:" - -#: ../../include/channel.php:1267 -msgid "Love/Romance:" -msgstr "Vida sentimental o amorosa:" - -#: ../../include/channel.php:1269 -msgid "Work/employment:" -msgstr "Trabajo:" - -#: ../../include/channel.php:1271 -msgid "School/education:" -msgstr "Estudios:" - -#: ../../include/channel.php:1292 -msgid "Like this thing" -msgstr "Me gusta esto" - -#: ../../include/connections.php:95 -msgid "New window" -msgstr "Nueva ventana" - -#: ../../include/connections.php:96 -msgid "Open the selected location in a different window or browser tab" -msgstr "Abrir la dirección seleccionada en una ventana o pestaƱa aparte" - -#: ../../include/connections.php:214 -#, php-format -msgid "User '%s' deleted" -msgstr "El usuario '%s' ha sido eliminado" - -#: ../../include/conversation.php:204 -#, php-format -msgid "%1$s is now connected with %2$s" -msgstr "%1$s ahora estĆ” conectado/a con %2$s" - -#: ../../include/conversation.php:239 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s ha dado un toque a %2$s" - -#: ../../include/conversation.php:243 ../../include/text.php:1013 -#: ../../include/text.php:1018 -msgid "poked" -msgstr "ha dado un toque a" - -#: ../../include/conversation.php:694 -#, php-format -msgid "View %s's profile @ %s" -msgstr "Ver el perfil @ %s de %s" - -#: ../../include/conversation.php:713 -msgid "Categories:" -msgstr "CategorĆ­as:" - -#: ../../include/conversation.php:714 -msgid "Filed under:" -msgstr "Archivado bajo:" - -#: ../../include/conversation.php:741 -msgid "View in context" -msgstr "Mostrar en su contexto" - -#: ../../include/conversation.php:850 -msgid "remove" -msgstr "eliminar" - -#: ../../include/conversation.php:855 -msgid "Delete Selected Items" -msgstr "Eliminar elementos seleccionados" - -#: ../../include/conversation.php:951 -msgid "View Source" -msgstr "Ver el código fuente de la entrada" - -#: ../../include/conversation.php:952 -msgid "Follow Thread" -msgstr "Seguir este hilo" - -#: ../../include/conversation.php:953 -msgid "Unfollow Thread" -msgstr "Dejar de seguir este hilo" - -#: ../../include/conversation.php:958 -msgid "Activity/Posts" -msgstr "Actividad y publicaciones" - -#: ../../include/conversation.php:960 -msgid "Edit Connection" -msgstr "Editar conexión" - -#: ../../include/conversation.php:961 -msgid "Message" -msgstr "Mensaje" - -#: ../../include/conversation.php:1078 -#, php-format -msgid "%s likes this." -msgstr "A %s le gusta esto." - -#: ../../include/conversation.php:1078 -#, php-format -msgid "%s doesn't like this." -msgstr "A %s no le gusta esto." - -#: ../../include/conversation.php:1082 -#, php-format -msgid "%2$d people like this." -msgid_plural "%2$d people like this." -msgstr[0] "a %2$d personas le gusta esto." -msgstr[1] "A %2$d personas les gusta esto." - -#: ../../include/conversation.php:1084 -#, php-format -msgid "%2$d people don't like this." -msgid_plural "%2$d people don't like this." -msgstr[0] "a %2$d personas no les gusta esto." -msgstr[1] "A %2$d personas no les gusta esto." - -#: ../../include/conversation.php:1090 -msgid "and" -msgstr "y" - -#: ../../include/conversation.php:1093 -#, php-format -msgid ", and %d other people" -msgid_plural ", and %d other people" -msgstr[0] ", y %d persona mĆ”s" -msgstr[1] ", y %d personas mĆ”s" - -#: ../../include/conversation.php:1094 -#, php-format -msgid "%s like this." -msgstr "A %s le gusta esto." - -#: ../../include/conversation.php:1094 -#, php-format -msgid "%s don't like this." -msgstr "A %s no le gusta esto." - -#: ../../include/conversation.php:1133 -msgid "Set your location" -msgstr "Establecer su ubicación" - -#: ../../include/conversation.php:1134 -msgid "Clear browser location" -msgstr "Eliminar los datos de localización geogrĆ”fica del navegador" - -#: ../../include/conversation.php:1182 -msgid "Tag term:" -msgstr "TĆ©rmino de la etiqueta:" - -#: ../../include/conversation.php:1183 -msgid "Where are you right now?" -msgstr "ĀæDonde estĆ” ahora?" - -#: ../../include/conversation.php:1221 -msgid "Page link name" -msgstr "Nombre del enlace de la pĆ”gina" - -#: ../../include/conversation.php:1224 -msgid "Post as" -msgstr "Publicar como" - -#: ../../include/conversation.php:1238 -msgid "Toggle voting" -msgstr "Cambiar votación" - -#: ../../include/conversation.php:1246 -msgid "Categories (optional, comma-separated list)" -msgstr "CategorĆ­as (opcional, lista separada por comas)" - -#: ../../include/conversation.php:1269 -msgid "Set publish date" -msgstr "Establecer la fecha de publicación" - -#: ../../include/conversation.php:1518 -msgid "Discover" -msgstr "Descubrir" - -#: ../../include/conversation.php:1521 -msgid "Imported public streams" -msgstr "Contenidos pĆŗblicos importados" - -#: ../../include/conversation.php:1526 -msgid "Commented Order" -msgstr "Comentarios recientes" - -#: ../../include/conversation.php:1529 -msgid "Sort by Comment Date" -msgstr "Ordenar por fecha de comentario" - -#: ../../include/conversation.php:1533 -msgid "Posted Order" -msgstr "Publicaciones recientes" - -#: ../../include/conversation.php:1536 -msgid "Sort by Post Date" -msgstr "Ordenar por fecha de publicación" - -#: ../../include/conversation.php:1544 -msgid "Posts that mention or involve you" -msgstr "Publicaciones que le mencionan o involucran" - -#: ../../include/conversation.php:1553 -msgid "Activity Stream - by date" -msgstr "Contenido - por fecha" - -#: ../../include/conversation.php:1559 -msgid "Starred" -msgstr "Preferidas" - -#: ../../include/conversation.php:1562 -msgid "Favourite Posts" -msgstr "Publicaciones favoritas" - -#: ../../include/conversation.php:1569 -msgid "Spam" -msgstr "Correo basura" - -#: ../../include/conversation.php:1572 -msgid "Posts flagged as SPAM" -msgstr "Publicaciones marcadas como basura" - -#: ../../include/conversation.php:1629 -msgid "Status Messages and Posts" -msgstr "Mensajes de estado y publicaciones" - -#: ../../include/conversation.php:1638 -msgid "About" -msgstr "Mi perfil" - -#: ../../include/conversation.php:1641 -msgid "Profile Details" -msgstr "Detalles del perfil" - -#: ../../include/conversation.php:1657 -msgid "Files and Storage" -msgstr "Ficheros y repositorio" - -#: ../../include/conversation.php:1677 ../../include/conversation.php:1680 -#: ../../include/widgets.php:836 -msgid "Chatrooms" -msgstr "Salas de chat" - -#: ../../include/conversation.php:1693 -msgid "Saved Bookmarks" -msgstr "Marcadores guardados" - -#: ../../include/conversation.php:1703 -msgid "Manage Webpages" -msgstr "Administrar pĆ”ginas web" - -#: ../../include/conversation.php:1768 -msgctxt "noun" -msgid "Attending" -msgid_plural "Attending" -msgstr[0] "ParticiparĆ©" -msgstr[1] "ParticiparĆ©" - -#: ../../include/conversation.php:1771 -msgctxt "noun" -msgid "Not Attending" -msgid_plural "Not Attending" -msgstr[0] "No participarĆ©" -msgstr[1] "No participarĆ©" - -#: ../../include/conversation.php:1774 -msgctxt "noun" -msgid "Undecided" -msgid_plural "Undecided" -msgstr[0] "Indeciso/a" -msgstr[1] "Indecisos/as" - -#: ../../include/conversation.php:1777 -msgctxt "noun" -msgid "Agree" -msgid_plural "Agrees" -msgstr[0] "De acuerdo" -msgstr[1] "De acuerdo" - -#: ../../include/conversation.php:1780 -msgctxt "noun" -msgid "Disagree" -msgid_plural "Disagrees" -msgstr[0] "En desacuerdo" -msgstr[1] "En desacuerdo" - -#: ../../include/conversation.php:1783 -msgctxt "noun" -msgid "Abstain" -msgid_plural "Abstains" -msgstr[0] "se abstiene" -msgstr[1] "Se abstienen" - -#: ../../include/import.php:30 -msgid "" -"Cannot create a duplicate channel identifier on this system. Import failed." -msgstr "No se ha podido crear un canal con un identificador que ya existe en este sistema. La importación ha fallado." - -#: ../../include/import.php:97 -msgid "Channel clone failed. Import failed." -msgstr "La clonación del canal no ha salido bien. La importación ha fallado." - #: ../../include/selectors.php:30 msgid "Frequently" msgstr "Frecuentemente" @@ -7908,6 +7898,14 @@ msgstr "Semanalmente" msgid "Monthly" msgstr "Mensualmente" +#: ../../include/selectors.php:49 ../../include/selectors.php:66 +msgid "Male" +msgstr "Hombre" + +#: ../../include/selectors.php:49 ../../include/selectors.php:66 +msgid "Female" +msgstr "Mujer" + #: ../../include/selectors.php:49 msgid "Currently Male" msgstr "Actualmente hombre" @@ -8124,21 +8122,980 @@ msgstr "No me importa" msgid "Ask me" msgstr "PregĆŗnteme" -#: ../../include/bookmarks.php:35 -#, php-format -msgid "%1$s's bookmarks" -msgstr "Marcadores de %1$s" +#: ../../include/permissions.php:29 +msgid "Can view my normal stream and posts" +msgstr "Pueden verse mi actividad y publicaciones normales" + +#: ../../include/permissions.php:33 +msgid "Can view my webpages" +msgstr "Pueden verse mis pĆ”ginas web" + +#: ../../include/permissions.php:37 +msgid "Can post on my channel page (\"wall\")" +msgstr "Pueden crearse entradas en mi pĆ”gina de inicio del canal (ā€œmuroā€)" + +#: ../../include/permissions.php:40 +msgid "Can like/dislike stuff" +msgstr "Puede marcarse contenido como me gusta/no me gusta" + +#: ../../include/permissions.php:40 +msgid "Profiles and things other than posts/comments" +msgstr "Perfiles y otras cosas aparte de publicaciones/comentarios" + +#: ../../include/permissions.php:42 +msgid "Can forward to all my channel contacts via post @mentions" +msgstr "Puede enviarse una entrada a todos mis contactos del canal mediante una @mención" + +#: ../../include/permissions.php:42 +msgid "Advanced - useful for creating group forum channels" +msgstr "Avanzado - Ćŗtil para crear canales de foros de discusión o grupos" + +#: ../../include/permissions.php:43 +msgid "Can chat with me (when available)" +msgstr "Se puede charlar conmigo (cuando estĆ© disponible)" + +#: ../../include/permissions.php:44 +msgid "Can write to my file storage and photos" +msgstr "Puede escribirse en mi repositorio de ficheros y fotos" + +#: ../../include/permissions.php:45 +msgid "Can edit my webpages" +msgstr "Pueden editarse mis pĆ”ginas web" + +#: ../../include/permissions.php:47 +msgid "Somewhat advanced - very useful in open communities" +msgstr "Algo avanzado - muy Ćŗtil en comunidades abiertas" + +#: ../../include/permissions.php:49 +msgid "Can administer my channel resources" +msgstr "Pueden administrarse mis recursos del canal" + +#: ../../include/permissions.php:49 +msgid "" +"Extremely advanced. Leave this alone unless you know what you are doing" +msgstr "Muy avanzado. DĆ©jelo a no ser que sepa bien lo que estĆ” haciendo." #: ../../include/security.php:109 msgid "guest:" msgstr "invitado: " -#: ../../include/security.php:427 +#: ../../include/security.php:527 msgid "" "The form security token was not correct. This probably happened because the " "form has been opened for too long (>3 hours) before submitting it." msgstr "El \"token\" de seguridad del formulario no es correcto. Esto ha ocurrido probablemente porque el formulario ha estado abierto demasiado tiempo (>3 horas) antes de ser enviado" +#: ../../include/bookmarks.php:35 +#, php-format +msgid "%1$s's bookmarks" +msgstr "Marcadores de %1$s" + +#: ../../include/group.php:26 +msgid "" +"A deleted group with this name was revived. Existing item permissions " +"may apply to this group and any future members. If this is " +"not what you intended, please create another group with a different name." +msgstr "Un grupo suprimido con este nombre ha sido restablecido. Es posible que los permisos existentes sean aplicados a este grupo y sus futuros miembros. Si no quiere esto, por favor cree otro grupo con un nombre diferente." + +#: ../../include/group.php:248 +msgid "Add new connections to this privacy group" +msgstr "AƱadir conexiones nuevas a este grupo de canales" + +#: ../../include/group.php:289 +msgid "edit" +msgstr "editar" + +#: ../../include/group.php:312 +msgid "Edit group" +msgstr "Editar grupo" + +#: ../../include/group.php:313 +msgid "Add privacy group" +msgstr "AƱadir un grupo de canales" + +#: ../../include/group.php:314 +msgid "Channels not in any privacy group" +msgstr "Sin canales en ningĆŗn grupo" + +#: ../../include/group.php:316 ../../include/widgets.php:282 +msgid "add" +msgstr "aƱadir" + +#: ../../include/page_widgets.php:7 +msgid "New Page" +msgstr "Nueva pĆ”gina" + +#: ../../include/page_widgets.php:46 +msgid "Title" +msgstr "TĆ­tulo" + +#: ../../include/widgets.php:46 ../../include/widgets.php:429 +#: ../../include/taxonomy.php:188 ../../include/taxonomy.php:270 +#: ../../include/contact_widgets.php:91 +msgid "Categories" +msgstr "Temas" + +#: ../../include/widgets.php:103 +msgid "System" +msgstr "Sistema" + +#: ../../include/widgets.php:106 +msgid "New App" +msgstr "Nueva aplicación (app)" + +#: ../../include/widgets.php:154 +msgid "Suggestions" +msgstr "Sugerencias" + +#: ../../include/widgets.php:155 +msgid "See more..." +msgstr "Ver mĆ”s..." + +#: ../../include/widgets.php:175 +#, php-format +msgid "You have %1$.0f of %2$.0f allowed connections." +msgstr "Tiene %1$.0f de %2$.0f conexiones permitidas." + +#: ../../include/widgets.php:181 +msgid "Add New Connection" +msgstr "AƱadir nueva conexión" + +#: ../../include/widgets.php:182 +msgid "Enter channel address" +msgstr "Dirección del canal" + +#: ../../include/widgets.php:183 +msgid "Examples: bob@example.com, https://example.com/barbara" +msgstr "Ejemplos: manuel@ejemplo.com, https://ejemplo.com/carmen" + +#: ../../include/widgets.php:199 +msgid "Notes" +msgstr "Notas" + +#: ../../include/widgets.php:273 +msgid "Remove term" +msgstr "Eliminar tĆ©rmino" + +#: ../../include/widgets.php:313 ../../include/widgets.php:432 +#: ../../include/contact_widgets.php:56 ../../include/contact_widgets.php:94 +msgid "Everything" +msgstr "Todo" + +#: ../../include/widgets.php:354 +msgid "Archives" +msgstr "Hemeroteca" + +#: ../../include/widgets.php:516 +msgid "Refresh" +msgstr "Recargar" + +#: ../../include/widgets.php:556 +msgid "Account settings" +msgstr "Configuración de la cuenta" + +#: ../../include/widgets.php:562 +msgid "Channel settings" +msgstr "Configuración del canal" + +#: ../../include/widgets.php:571 +msgid "Additional features" +msgstr "Funcionalidades" + +#: ../../include/widgets.php:578 +msgid "Feature/Addon settings" +msgstr "Complementos" + +#: ../../include/widgets.php:584 +msgid "Display settings" +msgstr "Ajustes de visualización" + +#: ../../include/widgets.php:591 +msgid "Manage locations" +msgstr "Gestión de ubicaciones (clones) del canal" + +#: ../../include/widgets.php:600 +msgid "Export channel" +msgstr "Exportar canal" + +#: ../../include/widgets.php:607 +msgid "Connected apps" +msgstr "Aplicaciones (apps) conectadas" + +#: ../../include/widgets.php:631 +msgid "Premium Channel Settings" +msgstr "Configuración del canal premium" + +#: ../../include/widgets.php:660 +msgid "Private Mail Menu" +msgstr "MenĆŗ de correo privado" + +#: ../../include/widgets.php:662 +msgid "Combined View" +msgstr "Vista combinada" + +#: ../../include/widgets.php:667 ../../include/nav.php:200 +msgid "Inbox" +msgstr "Bandeja de entrada" + +#: ../../include/widgets.php:672 ../../include/nav.php:201 +msgid "Outbox" +msgstr "Bandeja de salida" + +#: ../../include/widgets.php:677 ../../include/nav.php:202 +msgid "New Message" +msgstr "Nuevo mensaje" + +#: ../../include/widgets.php:694 ../../include/widgets.php:706 +msgid "Conversations" +msgstr "Conversaciones" + +#: ../../include/widgets.php:698 +msgid "Received Messages" +msgstr "Mensajes recibidos" + +#: ../../include/widgets.php:702 +msgid "Sent Messages" +msgstr "Enviar mensajes" + +#: ../../include/widgets.php:716 +msgid "No messages." +msgstr "Sin mensajes." + +#: ../../include/widgets.php:734 +msgid "Delete conversation" +msgstr "Eliminar conversación" + +#: ../../include/widgets.php:760 +msgid "Events Tools" +msgstr "Gestión de eventos" + +#: ../../include/widgets.php:761 +msgid "Export Calendar" +msgstr "Exportar el calendario" + +#: ../../include/widgets.php:762 +msgid "Import Calendar" +msgstr "Importar un calendario" + +#: ../../include/widgets.php:854 +msgid "Overview" +msgstr "Resumen" + +#: ../../include/widgets.php:861 +msgid "Chat Members" +msgstr "Miembros del chat" + +#: ../../include/widgets.php:883 +msgid "Wiki List" +msgstr "Lista de wikis" + +#: ../../include/widgets.php:921 +msgid "Wiki Pages" +msgstr "PĆ”ginas del wiki" + +#: ../../include/widgets.php:956 +msgid "Bookmarked Chatrooms" +msgstr "Salas de chat preferidas" + +#: ../../include/widgets.php:979 +msgid "Suggested Chatrooms" +msgstr "Salas de chat sugeridas" + +#: ../../include/widgets.php:1125 ../../include/widgets.php:1237 +msgid "photo/image" +msgstr "foto/imagen" + +#: ../../include/widgets.php:1180 +msgid "Click to show more" +msgstr "Hacer clic para ver mĆ”s" + +#: ../../include/widgets.php:1331 +msgid "Rating Tools" +msgstr "Valoraciones" + +#: ../../include/widgets.php:1335 ../../include/widgets.php:1337 +msgid "Rate Me" +msgstr "Valorar este canal" + +#: ../../include/widgets.php:1340 +msgid "View Ratings" +msgstr "Mostrar las valoraciones" + +#: ../../include/widgets.php:1424 +msgid "Forums" +msgstr "Foros" + +#: ../../include/widgets.php:1453 +msgid "Tasks" +msgstr "Tareas" + +#: ../../include/widgets.php:1462 +msgid "Documentation" +msgstr "Documentación" + +#: ../../include/widgets.php:1464 +msgid "Project/Site Information" +msgstr "Información sobre el proyecto o sitio" + +#: ../../include/widgets.php:1465 +msgid "For Members" +msgstr "Para los miembros" + +#: ../../include/widgets.php:1466 +msgid "For Administrators" +msgstr "Para los administradores" + +#: ../../include/widgets.php:1467 +msgid "For Developers" +msgstr "Para los desarrolladores" + +#: ../../include/widgets.php:1491 ../../include/widgets.php:1529 +msgid "Member registrations waiting for confirmation" +msgstr "Inscripciones de nuevos miembros pendientes de aprobación" + +#: ../../include/widgets.php:1497 +msgid "Inspect queue" +msgstr "Examinar la cola" + +#: ../../include/widgets.php:1499 +msgid "DB updates" +msgstr "Actualizaciones de la base de datos" + +#: ../../include/widgets.php:1524 ../../include/nav.php:220 +msgid "Admin" +msgstr "Administrador" + +#: ../../include/widgets.php:1525 +msgid "Plugin Features" +msgstr "Extensiones" + +#: ../../include/bb2diaspora.php:398 +msgid "Attachments:" +msgstr "Ficheros adjuntos:" + +#: ../../include/bb2diaspora.php:485 ../../include/event.php:22 +#: ../../include/event.php:69 +msgid "l F d, Y \\@ g:i A" +msgstr "l d de F, Y \\@ G:i" + +#: ../../include/bb2diaspora.php:487 +msgid "$Projectname event notification:" +msgstr "Notificación de eventos de $Projectname:" + +#: ../../include/bb2diaspora.php:491 ../../include/event.php:30 +#: ../../include/event.php:73 +msgid "Starts:" +msgstr "Comienza:" + +#: ../../include/bb2diaspora.php:499 ../../include/event.php:40 +#: ../../include/event.php:77 +msgid "Finishes:" +msgstr "Finaliza:" + +#: ../../include/js_strings.php:5 +msgid "Delete this item?" +msgstr "ĀæBorrar este elemento?" + +#: ../../include/js_strings.php:8 +#, php-format +msgid "%s show less" +msgstr "%s mostrar menos" + +#: ../../include/js_strings.php:9 +#, php-format +msgid "%s expand" +msgstr "%s expandir" + +#: ../../include/js_strings.php:10 +#, php-format +msgid "%s collapse" +msgstr "%s contraer" + +#: ../../include/js_strings.php:11 +msgid "Password too short" +msgstr "ContraseƱa demasiado corta" + +#: ../../include/js_strings.php:12 +msgid "Passwords do not match" +msgstr "Las contraseƱas no coinciden" + +#: ../../include/js_strings.php:13 +msgid "everybody" +msgstr "cualquiera" + +#: ../../include/js_strings.php:14 +msgid "Secret Passphrase" +msgstr "ContraseƱa secreta" + +#: ../../include/js_strings.php:15 +msgid "Passphrase hint" +msgstr "Pista de contraseƱa" + +#: ../../include/js_strings.php:16 +msgid "Notice: Permissions have changed but have not yet been submitted." +msgstr "Aviso: los permisos han cambiado pero aĆŗn no han sido enviados." + +#: ../../include/js_strings.php:17 +msgid "close all" +msgstr "cerrar todo" + +#: ../../include/js_strings.php:18 +msgid "Nothing new here" +msgstr "Nada nuevo por aquĆ­" + +#: ../../include/js_strings.php:19 +msgid "Rate This Channel (this is public)" +msgstr "Valorar este canal (esto es pĆŗblico)" + +#: ../../include/js_strings.php:21 +msgid "Describe (optional)" +msgstr "Describir (opcional)" + +#: ../../include/js_strings.php:23 +msgid "Please enter a link URL" +msgstr "Por favor, introduzca una dirección de enlace" + +#: ../../include/js_strings.php:24 +msgid "Unsaved changes. Are you sure you wish to leave this page?" +msgstr "Cambios no guardados. ĀæEstĆ” seguro de que desea abandonar la pĆ”gina?" + +#: ../../include/js_strings.php:27 +msgid "timeago.prefixAgo" +msgstr "timeago.prefixAgo" + +#: ../../include/js_strings.php:28 +msgid "timeago.prefixFromNow" +msgstr "timeago.prefixFromNow" + +#: ../../include/js_strings.php:29 +msgid "ago" +msgstr "antes" + +#: ../../include/js_strings.php:30 +msgid "from now" +msgstr "desde ahora" + +#: ../../include/js_strings.php:31 +msgid "less than a minute" +msgstr "menos de un minuto" + +#: ../../include/js_strings.php:32 +msgid "about a minute" +msgstr "alrededor de un minuto" + +#: ../../include/js_strings.php:33 +#, php-format +msgid "%d minutes" +msgstr "%d minutos" + +#: ../../include/js_strings.php:34 +msgid "about an hour" +msgstr "alrededor de una hora" + +#: ../../include/js_strings.php:35 +#, php-format +msgid "about %d hours" +msgstr "alrededor de %d horas" + +#: ../../include/js_strings.php:36 +msgid "a day" +msgstr "un dĆ­a" + +#: ../../include/js_strings.php:37 +#, php-format +msgid "%d days" +msgstr "%d dĆ­as" + +#: ../../include/js_strings.php:38 +msgid "about a month" +msgstr "alrededor de un mes" + +#: ../../include/js_strings.php:39 +#, php-format +msgid "%d months" +msgstr "%d meses" + +#: ../../include/js_strings.php:40 +msgid "about a year" +msgstr "alrededor de un aƱo" + +#: ../../include/js_strings.php:41 +#, php-format +msgid "%d years" +msgstr "%d aƱos" + +#: ../../include/js_strings.php:42 +msgid " " +msgstr " " + +#: ../../include/js_strings.php:43 +msgid "timeago.numbers" +msgstr "timeago.numbers" + +#: ../../include/js_strings.php:45 ../../include/text.php:1243 +msgid "January" +msgstr "enero" + +#: ../../include/js_strings.php:46 ../../include/text.php:1243 +msgid "February" +msgstr "febrero" + +#: ../../include/js_strings.php:47 ../../include/text.php:1243 +msgid "March" +msgstr "marzo" + +#: ../../include/js_strings.php:48 ../../include/text.php:1243 +msgid "April" +msgstr "abril" + +#: ../../include/js_strings.php:49 +msgctxt "long" +msgid "May" +msgstr "mayo" + +#: ../../include/js_strings.php:50 ../../include/text.php:1243 +msgid "June" +msgstr "junio" + +#: ../../include/js_strings.php:51 ../../include/text.php:1243 +msgid "July" +msgstr "julio" + +#: ../../include/js_strings.php:52 ../../include/text.php:1243 +msgid "August" +msgstr "agosto" + +#: ../../include/js_strings.php:53 ../../include/text.php:1243 +msgid "September" +msgstr "septiembre" + +#: ../../include/js_strings.php:54 ../../include/text.php:1243 +msgid "October" +msgstr "octubre" + +#: ../../include/js_strings.php:55 ../../include/text.php:1243 +msgid "November" +msgstr "noviembre" + +#: ../../include/js_strings.php:56 ../../include/text.php:1243 +msgid "December" +msgstr "diciembre" + +#: ../../include/js_strings.php:57 +msgid "Jan" +msgstr "ene" + +#: ../../include/js_strings.php:58 +msgid "Feb" +msgstr "feb" + +#: ../../include/js_strings.php:59 +msgid "Mar" +msgstr "mar" + +#: ../../include/js_strings.php:60 +msgid "Apr" +msgstr "abr" + +#: ../../include/js_strings.php:61 +msgctxt "short" +msgid "May" +msgstr "may" + +#: ../../include/js_strings.php:62 +msgid "Jun" +msgstr "jun" + +#: ../../include/js_strings.php:63 +msgid "Jul" +msgstr "jul" + +#: ../../include/js_strings.php:64 +msgid "Aug" +msgstr "ago" + +#: ../../include/js_strings.php:65 +msgid "Sep" +msgstr "sep" + +#: ../../include/js_strings.php:66 +msgid "Oct" +msgstr "oct" + +#: ../../include/js_strings.php:67 +msgid "Nov" +msgstr "nov" + +#: ../../include/js_strings.php:68 +msgid "Dec" +msgstr "dic" + +#: ../../include/js_strings.php:69 ../../include/text.php:1239 +msgid "Sunday" +msgstr "domingo" + +#: ../../include/js_strings.php:70 ../../include/text.php:1239 +msgid "Monday" +msgstr "lunes" + +#: ../../include/js_strings.php:71 ../../include/text.php:1239 +msgid "Tuesday" +msgstr "martes" + +#: ../../include/js_strings.php:72 ../../include/text.php:1239 +msgid "Wednesday" +msgstr "miĆ©rcoles" + +#: ../../include/js_strings.php:73 ../../include/text.php:1239 +msgid "Thursday" +msgstr "jueves" + +#: ../../include/js_strings.php:74 ../../include/text.php:1239 +msgid "Friday" +msgstr "viernes" + +#: ../../include/js_strings.php:75 ../../include/text.php:1239 +msgid "Saturday" +msgstr "sĆ”bado" + +#: ../../include/js_strings.php:76 +msgid "Sun" +msgstr "dom" + +#: ../../include/js_strings.php:77 +msgid "Mon" +msgstr "lun" + +#: ../../include/js_strings.php:78 +msgid "Tue" +msgstr "mar" + +#: ../../include/js_strings.php:79 +msgid "Wed" +msgstr "miĆ©" + +#: ../../include/js_strings.php:80 +msgid "Thu" +msgstr "jue" + +#: ../../include/js_strings.php:81 +msgid "Fri" +msgstr "vie" + +#: ../../include/js_strings.php:82 +msgid "Sat" +msgstr "sĆ”b" + +#: ../../include/js_strings.php:83 +msgctxt "calendar" +msgid "today" +msgstr "hoy" + +#: ../../include/js_strings.php:84 +msgctxt "calendar" +msgid "month" +msgstr "mes" + +#: ../../include/js_strings.php:85 +msgctxt "calendar" +msgid "week" +msgstr "semana" + +#: ../../include/js_strings.php:86 +msgctxt "calendar" +msgid "day" +msgstr "dĆ­a" + +#: ../../include/js_strings.php:87 +msgctxt "calendar" +msgid "All day" +msgstr "Todos los dĆ­as" + +#: ../../include/nav.php:84 ../../include/nav.php:117 ../../boot.php:1712 +msgid "Logout" +msgstr "Finalizar sesión" + +#: ../../include/nav.php:84 ../../include/nav.php:117 +msgid "End this session" +msgstr "Finalizar esta sesión" + +#: ../../include/nav.php:87 ../../include/nav.php:148 +msgid "Home" +msgstr "Inicio" + +#: ../../include/nav.php:87 +msgid "Your posts and conversations" +msgstr "Sus publicaciones y conversaciones" + +#: ../../include/nav.php:88 +msgid "Your profile page" +msgstr "Su pĆ”gina del perfil" + +#: ../../include/nav.php:90 +msgid "Manage/Edit profiles" +msgstr "Administrar/editar perfiles" + +#: ../../include/nav.php:92 ../../include/channel.php:963 +msgid "Edit Profile" +msgstr "Editar el perfil" + +#: ../../include/nav.php:92 +msgid "Edit your profile" +msgstr "Editar su perfil" + +#: ../../include/nav.php:94 +msgid "Your photos" +msgstr "Sus fotos" + +#: ../../include/nav.php:95 +msgid "Your files" +msgstr "Sus ficheros" + +#: ../../include/nav.php:98 +msgid "Your chatrooms" +msgstr "Sus salas de chat" + +#: ../../include/nav.php:104 +msgid "Your bookmarks" +msgstr "Sus marcadores" + +#: ../../include/nav.php:108 +msgid "Your webpages" +msgstr "Sus pĆ”ginas web" + +#: ../../include/nav.php:110 +msgid "Your wiki" +msgstr "Su wiki" + +#: ../../include/nav.php:114 +msgid "Sign in" +msgstr "Acceder" + +#: ../../include/nav.php:131 +#, php-format +msgid "%s - click to logout" +msgstr "%s - pulsar para finalizar sesión" + +#: ../../include/nav.php:134 +msgid "Remote authentication" +msgstr "Acceder desde su servidor" + +#: ../../include/nav.php:134 +msgid "Click to authenticate to your home hub" +msgstr "Pulsar para identificarse en su servidor de inicio" + +#: ../../include/nav.php:148 +msgid "Home Page" +msgstr "PĆ”gina de inicio" + +#: ../../include/nav.php:151 +msgid "Create an account" +msgstr "Crear una cuenta" + +#: ../../include/nav.php:163 +msgid "Help and documentation" +msgstr "Ayuda y documentación" + +#: ../../include/nav.php:167 +msgid "Applications, utilities, links, games" +msgstr "Aplicaciones, utilidades, enlaces, juegos" + +#: ../../include/nav.php:169 +msgid "Search site @name, #tag, ?docs, content" +msgstr "Buscar en el sitio por @nombre, #etiqueta, ?ayuda o contenido" + +#: ../../include/nav.php:171 +msgid "Channel Directory" +msgstr "Directorio de canales" + +#: ../../include/nav.php:183 +msgid "Your grid" +msgstr "Mi red" + +#: ../../include/nav.php:184 +msgid "Mark all grid notifications seen" +msgstr "Marcar todas las notificaciones de la red como vistas" + +#: ../../include/nav.php:186 +msgid "Channel home" +msgstr "Mi canal" + +#: ../../include/nav.php:187 +msgid "Mark all channel notifications seen" +msgstr "Marcar todas las notificaciones del canal como leĆ­das" + +#: ../../include/nav.php:193 +msgid "Notices" +msgstr "Avisos" + +#: ../../include/nav.php:193 +msgid "Notifications" +msgstr "Notificaciones" + +#: ../../include/nav.php:194 +msgid "See all notifications" +msgstr "Ver todas las notificaciones" + +#: ../../include/nav.php:197 +msgid "Private mail" +msgstr "Correo privado" + +#: ../../include/nav.php:198 +msgid "See all private messages" +msgstr "Ver todas los mensajes privados" + +#: ../../include/nav.php:199 +msgid "Mark all private messages seen" +msgstr "Marcar todos los mensajes privados como leĆ­dos" + +#: ../../include/nav.php:205 +msgid "Event Calendar" +msgstr "Calendario de eventos" + +#: ../../include/nav.php:206 +msgid "See all events" +msgstr "Ver todos los eventos" + +#: ../../include/nav.php:207 +msgid "Mark all events seen" +msgstr "Marcar todos los eventos como leidos" + +#: ../../include/nav.php:210 +msgid "Manage Your Channels" +msgstr "Gestionar sus canales" + +#: ../../include/nav.php:212 +msgid "Account/Channel Settings" +msgstr "Ajustes de cuenta/canales" + +#: ../../include/nav.php:220 +msgid "Site Setup and Configuration" +msgstr "Ajustes y configuración del sitio" + +#: ../../include/nav.php:256 +msgid "@name, #tag, ?doc, content" +msgstr "@nombre, #etiqueta, ?ayuda, contenido" + +#: ../../include/nav.php:257 +msgid "Please wait..." +msgstr "Espere por favor…" + +#: ../../include/network.php:704 +msgid "view full size" +msgstr "Ver en el tamaƱo original" + +#: ../../include/network.php:1935 ../../include/account.php:317 +#: ../../include/account.php:344 ../../include/account.php:404 +msgid "Administrator" +msgstr "Administrador" + +#: ../../include/network.php:1949 +msgid "No Subject" +msgstr "Sin asunto" + +#: ../../include/network.php:2203 ../../include/network.php:2204 +msgid "Friendica" +msgstr "Friendica" + +#: ../../include/network.php:2205 +msgid "OStatus" +msgstr "OStatus" + +#: ../../include/network.php:2206 +msgid "GNU-Social" +msgstr "GNU Social" + +#: ../../include/network.php:2207 +msgid "RSS/Atom" +msgstr "RSS/Atom" + +#: ../../include/network.php:2209 +msgid "Diaspora" +msgstr "Diaspora" + +#: ../../include/network.php:2210 +msgid "Facebook" +msgstr "Facebook" + +#: ../../include/network.php:2211 +msgid "Zot" +msgstr "Zot" + +#: ../../include/network.php:2212 +msgid "LinkedIn" +msgstr "LinkedIn" + +#: ../../include/network.php:2213 +msgid "XMPP/IM" +msgstr "XMPP/IM" + +#: ../../include/network.php:2214 +msgid "MySpace" +msgstr "MySpace" + +#: ../../include/import.php:30 +msgid "" +"Cannot create a duplicate channel identifier on this system. Import failed." +msgstr "No se ha podido crear un canal con un identificador que ya existe en este sistema. La importación ha fallado." + +#: ../../include/import.php:97 +msgid "Channel clone failed. Import failed." +msgstr "La clonación del canal no ha salido bien. La importación ha fallado." + +#: ../../include/items.php:899 ../../include/items.php:944 +msgid "(Unknown)" +msgstr "(Desconocido)" + +#: ../../include/items.php:1143 +msgid "Visible to anybody on the internet." +msgstr "Visible para cualquiera en internet." + +#: ../../include/items.php:1145 +msgid "Visible to you only." +msgstr "Visible sólo para usted." + +#: ../../include/items.php:1147 +msgid "Visible to anybody in this network." +msgstr "Visible para cualquiera en esta red." + +#: ../../include/items.php:1149 +msgid "Visible to anybody authenticated." +msgstr "Visible para cualquiera que estĆ© autenticado." + +#: ../../include/items.php:1151 +#, php-format +msgid "Visible to anybody on %s." +msgstr "Visible para cualquiera en %s." + +#: ../../include/items.php:1153 +msgid "Visible to all connections." +msgstr "Visible para todas las conexiones." + +#: ../../include/items.php:1155 +msgid "Visible to approved connections." +msgstr "Visible para las conexiones permitidas." + +#: ../../include/items.php:1157 +msgid "Visible to specific connections." +msgstr "Visible para conexiones especĆ­ficas." + +#: ../../include/items.php:3920 +msgid "Privacy group is empty." +msgstr "El grupo de canales estĆ” vacĆ­o." + +#: ../../include/items.php:3927 +#, php-format +msgid "Privacy group: %s" +msgstr "Grupo de canales: %s" + +#: ../../include/items.php:3939 +msgid "Connection not found." +msgstr "Conexión no encontrada" + +#: ../../include/items.php:4292 +msgid "profile photo" +msgstr "foto del perfil" + #: ../../include/text.php:404 msgid "prev" msgstr "anterior" @@ -8300,1042 +9257,127 @@ msgstr "relajado/a" msgid "surprised" msgstr "sorprendido/a" -#: ../../include/text.php:1237 ../../include/js_strings.php:70 -msgid "Monday" -msgstr "lunes" - -#: ../../include/text.php:1237 ../../include/js_strings.php:71 -msgid "Tuesday" -msgstr "martes" - -#: ../../include/text.php:1237 ../../include/js_strings.php:72 -msgid "Wednesday" -msgstr "miĆ©rcoles" - -#: ../../include/text.php:1237 ../../include/js_strings.php:73 -msgid "Thursday" -msgstr "jueves" - -#: ../../include/text.php:1237 ../../include/js_strings.php:74 -msgid "Friday" -msgstr "viernes" - -#: ../../include/text.php:1237 ../../include/js_strings.php:75 -msgid "Saturday" -msgstr "sĆ”bado" - -#: ../../include/text.php:1237 ../../include/js_strings.php:69 -msgid "Sunday" -msgstr "domingo" - -#: ../../include/text.php:1241 ../../include/js_strings.php:45 -msgid "January" -msgstr "enero" - -#: ../../include/text.php:1241 ../../include/js_strings.php:46 -msgid "February" -msgstr "febrero" - -#: ../../include/text.php:1241 ../../include/js_strings.php:47 -msgid "March" -msgstr "marzo" - -#: ../../include/text.php:1241 ../../include/js_strings.php:48 -msgid "April" -msgstr "abril" - -#: ../../include/text.php:1241 +#: ../../include/text.php:1243 msgid "May" msgstr "mayo" -#: ../../include/text.php:1241 ../../include/js_strings.php:50 -msgid "June" -msgstr "junio" - -#: ../../include/text.php:1241 ../../include/js_strings.php:51 -msgid "July" -msgstr "julio" - -#: ../../include/text.php:1241 ../../include/js_strings.php:52 -msgid "August" -msgstr "agosto" - -#: ../../include/text.php:1241 ../../include/js_strings.php:53 -msgid "September" -msgstr "septiembre" - -#: ../../include/text.php:1241 ../../include/js_strings.php:54 -msgid "October" -msgstr "octubre" - -#: ../../include/text.php:1241 ../../include/js_strings.php:55 -msgid "November" -msgstr "noviembre" - -#: ../../include/text.php:1241 ../../include/js_strings.php:56 -msgid "December" -msgstr "diciembre" - -#: ../../include/text.php:1318 ../../include/text.php:1322 +#: ../../include/text.php:1320 ../../include/text.php:1324 msgid "Unknown Attachment" msgstr "Adjunto no reconocido" -#: ../../include/text.php:1324 +#: ../../include/text.php:1326 msgid "unknown" msgstr "desconocido" -#: ../../include/text.php:1360 +#: ../../include/text.php:1362 msgid "remove category" -msgstr "eliminar categorĆ­a" +msgstr "eliminar el tema" -#: ../../include/text.php:1437 +#: ../../include/text.php:1439 msgid "remove from file" msgstr "eliminar del fichero" -#: ../../include/text.php:1734 ../../include/text.php:1805 +#: ../../include/text.php:1738 ../../include/text.php:1809 msgid "default" msgstr "por defecto" -#: ../../include/text.php:1742 +#: ../../include/text.php:1746 msgid "Page layout" msgstr "Plantilla de la pĆ”gina" -#: ../../include/text.php:1742 +#: ../../include/text.php:1746 msgid "You can create your own with the layouts tool" msgstr "Puede crear su propia disposición grĆ”fica con la herramienta de plantillas" -#: ../../include/text.php:1784 +#: ../../include/text.php:1788 msgid "Page content type" msgstr "Tipo de contenido de la pĆ”gina" -#: ../../include/text.php:1817 +#: ../../include/text.php:1821 msgid "Select an alternate language" msgstr "Seleccionar un idioma alternativo" -#: ../../include/text.php:1934 +#: ../../include/text.php:1958 msgid "activity" msgstr "la actividad" -#: ../../include/text.php:2235 +#: ../../include/text.php:2259 msgid "Design Tools" msgstr "Herramientas de diseƱo web" -#: ../../include/text.php:2241 +#: ../../include/text.php:2265 msgid "Pages" msgstr "PĆ”ginas" -#: ../../include/auth.php:147 -msgid "Logged out." -msgstr "Desconectado/a." +#: ../../include/text.php:2287 +msgid "Import website..." +msgstr "Importando el sitio web..." -#: ../../include/auth.php:274 -msgid "Failed authentication" -msgstr "Autenticación fallida." +#: ../../include/text.php:2288 +msgid "Select folder to import" +msgstr "Seleccionar la carpeta que se va a importar" -#: ../../include/permissions.php:26 -msgid "Can view my normal stream and posts" -msgstr "Pueden verse mi actividad y publicaciones normales" +#: ../../include/text.php:2289 +msgid "Import from a zipped folder:" +msgstr "Importar desde una carpeta comprimida: " -#: ../../include/permissions.php:30 -msgid "Can view my webpages" -msgstr "Pueden verse mis pĆ”ginas web" +#: ../../include/text.php:2290 +msgid "Import from cloud files:" +msgstr "Importar desde los ficheros en la nube: " -#: ../../include/permissions.php:34 -msgid "Can post on my channel page (\"wall\")" -msgstr "Pueden crearse entradas en mi pĆ”gina de inicio del canal (ā€œmuroā€)" +#: ../../include/text.php:2291 +msgid "/cloud/channel/path/to/folder" +msgstr "/cloud/canal/ruta/a la/carpeta" -#: ../../include/permissions.php:37 -msgid "Can like/dislike stuff" -msgstr "Puede marcarse contenido como me gusta/no me gusta" +#: ../../include/text.php:2292 +msgid "Enter path to website files" +msgstr "Ruta a los ficheros del sitio web" -#: ../../include/permissions.php:37 -msgid "Profiles and things other than posts/comments" -msgstr "Perfiles y otras cosas aparte de publicaciones/comentarios" +#: ../../include/text.php:2293 +msgid "Select folder" +msgstr "Seleccionar la carpeta" -#: ../../include/permissions.php:39 -msgid "Can forward to all my channel contacts via post @mentions" -msgstr "Puede enviarse una entrada a todos mis contactos del canal mediante una @mención" +#: ../../include/acl_selectors.php:174 +msgid "Who can see this?" +msgstr "ĀæQuiĆ©n puede ver esto?" -#: ../../include/permissions.php:39 -msgid "Advanced - useful for creating group forum channels" -msgstr "Avanzado - Ćŗtil para crear canales de foros de discusión o grupos" +#: ../../include/acl_selectors.php:175 +msgid "Custom selection" +msgstr "Selección personalizada" -#: ../../include/permissions.php:40 -msgid "Can chat with me (when available)" -msgstr "Se puede charlar conmigo (cuando estĆ© disponible)" - -#: ../../include/permissions.php:41 -msgid "Can write to my file storage and photos" -msgstr "Puede escribirse en mi repositorio de ficheros y fotos" - -#: ../../include/permissions.php:42 -msgid "Can edit my webpages" -msgstr "Pueden editarse mis pĆ”ginas web" - -#: ../../include/permissions.php:44 -msgid "Somewhat advanced - very useful in open communities" -msgstr "Algo avanzado - muy Ćŗtil en comunidades abiertas" - -#: ../../include/permissions.php:46 -msgid "Can administer my channel resources" -msgstr "Pueden administrarse mis recursos del canal" - -#: ../../include/permissions.php:46 +#: ../../include/acl_selectors.php:176 msgid "" -"Extremely advanced. Leave this alone unless you know what you are doing" -msgstr "Muy avanzado. DĆ©jelo a no ser que sepa bien lo que estĆ” haciendo." +"Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit" +" the scope of \"Show\"." +msgstr "Seleccione \"Mostrar\" para permitir la visualización. La opción \"No mostrar\" le permite anular y limitar el alcance de \"Mostrar\"." -#: ../../include/features.php:48 -msgid "General Features" -msgstr "Funcionalidades bĆ”sicas" +#: ../../include/acl_selectors.php:177 +msgid "Show" +msgstr "Mostrar" -#: ../../include/features.php:50 -msgid "Content Expiration" -msgstr "Caducidad del contenido" +#: ../../include/acl_selectors.php:178 +msgid "Don't show" +msgstr "No mostrar" -#: ../../include/features.php:50 -msgid "Remove posts/comments and/or private messages at a future time" -msgstr "Eliminar publicaciones/comentarios y/o mensajes privados mĆ”s adelante" +#: ../../include/acl_selectors.php:184 +msgid "Other networks and post services" +msgstr "Otras redes y servicios de publicación" -#: ../../include/features.php:51 -msgid "Multiple Profiles" -msgstr "MĆŗltiples perfiles" - -#: ../../include/features.php:51 -msgid "Ability to create multiple profiles" -msgstr "Capacidad de crear mĆŗltiples perfiles" - -#: ../../include/features.php:52 -msgid "Advanced Profiles" -msgstr "Perfiles avanzados" - -#: ../../include/features.php:52 -msgid "Additional profile sections and selections" -msgstr "Secciones y selecciones de perfil adicionales" - -#: ../../include/features.php:53 -msgid "Profile Import/Export" -msgstr "Importar/Exportar perfil" - -#: ../../include/features.php:53 -msgid "Save and load profile details across sites/channels" -msgstr "Guardar y cargar detalles del perfil a travĆ©s de sitios/canales" - -#: ../../include/features.php:54 -msgid "Web Pages" -msgstr "PĆ”ginas web" - -#: ../../include/features.php:54 -msgid "Provide managed web pages on your channel" -msgstr "Proveer pĆ”ginas web gestionadas en su canal" - -#: ../../include/features.php:55 -msgid "Provide a wiki for your channel" -msgstr "Proporcionar un wiki para su canal" - -#: ../../include/features.php:56 -msgid "Hide Rating" -msgstr "Ocultar las valoraciones" - -#: ../../include/features.php:56 -msgid "" -"Hide the rating buttons on your channel and profile pages. Note: People can " -"still rate you somewhere else." -msgstr "Ocultar los botones de valoración en su canal y pĆ”gina de perfil. Tenga en cuenta, sin embargo, que la gente podrĆ” expresar su valoración en otros lugares." - -#: ../../include/features.php:57 -msgid "Private Notes" -msgstr "Notas privadas" - -#: ../../include/features.php:57 -msgid "Enables a tool to store notes and reminders (note: not encrypted)" -msgstr "Habilita una herramienta para guardar notas y recordatorios (advertencia: las notas no estarĆ”n cifradas)" - -#: ../../include/features.php:58 -msgid "Navigation Channel Select" -msgstr "Navegación por el selector de canales" - -#: ../../include/features.php:58 -msgid "Change channels directly from within the navigation dropdown menu" -msgstr "Cambiar de canales directamente desde el menĆŗ de navegación desplegable" - -#: ../../include/features.php:59 -msgid "Photo Location" -msgstr "Ubicación de las fotos" - -#: ../../include/features.php:59 -msgid "If location data is available on uploaded photos, link this to a map." -msgstr "Si los datos de ubicación estĆ”n disponibles en las fotos subidas, enlazar estas a un mapa." - -#: ../../include/features.php:60 -msgid "Access Controlled Chatrooms" -msgstr "Salas de chat moderadas" - -#: ../../include/features.php:60 -msgid "Provide chatrooms and chat services with access control." -msgstr "Proporcionar salas y servicios de chat moderados." - -#: ../../include/features.php:61 -msgid "Smart Birthdays" -msgstr "CumpleaƱos inteligentes" - -#: ../../include/features.php:61 -msgid "" -"Make birthday events timezone aware in case your friends are scattered " -"across the planet." -msgstr "Enlazar los eventos de cumpleaƱos con el huso horario en el caso de que sus amigos estĆ©n dispersos por el mundo." - -#: ../../include/features.php:62 -msgid "Expert Mode" -msgstr "Modo de experto" - -#: ../../include/features.php:62 -msgid "Enable Expert Mode to provide advanced configuration options" -msgstr "Habilitar el modo de experto para acceder a opciones avanzadas de configuración" - -#: ../../include/features.php:63 -msgid "Premium Channel" -msgstr "Canal premium" - -#: ../../include/features.php:63 -msgid "" -"Allows you to set restrictions and terms on those that connect with your " -"channel" -msgstr "Le permite configurar restricciones y normas de uso a aquellos que conectan con su canal" - -#: ../../include/features.php:68 -msgid "Post Composition Features" -msgstr "Opciones para la redacción de entradas" - -#: ../../include/features.php:71 -msgid "Large Photos" -msgstr "Fotos de gran tamaƱo" - -#: ../../include/features.php:71 -msgid "" -"Include large (1024px) photo thumbnails in posts. If not enabled, use small " -"(640px) photo thumbnails" -msgstr "Incluir miniaturas de fotos grandes (1024px) en publicaciones. Si no estĆ” habilitado, usar miniaturas pequeƱas (640px)" - -#: ../../include/features.php:72 -msgid "Automatically import channel content from other channels or feeds" -msgstr "Importar automĆ”ticamente contenido de otros canales o \"feeds\"" - -#: ../../include/features.php:73 -msgid "Even More Encryption" -msgstr "MĆ”s cifrado todavĆ­a" - -#: ../../include/features.php:73 -msgid "" -"Allow optional encryption of content end-to-end with a shared secret key" -msgstr "Permitir cifrado adicional de contenido \"punto-a-punto\" con una clave secreta compartida." - -#: ../../include/features.php:74 -msgid "Enable Voting Tools" -msgstr "Permitir entradas con votación" - -#: ../../include/features.php:74 -msgid "Provide a class of post which others can vote on" -msgstr "Proveer una clase de publicación en la que otros puedan votar" - -#: ../../include/features.php:75 -msgid "Delayed Posting" -msgstr "Publicación aplazada" - -#: ../../include/features.php:75 -msgid "Allow posts to be published at a later date" -msgstr "Permitir mensajes que se publicarĆ”n en una fecha posterior" - -#: ../../include/features.php:76 -msgid "Suppress Duplicate Posts/Comments" -msgstr "Prevenir entradas o comentarios duplicados" - -#: ../../include/features.php:76 -msgid "" -"Prevent posts with identical content to be published with less than two " -"minutes in between submissions." -msgstr "Prevenir que entradas con contenido idĆ©ntico se publiquen con menos de dos minutos de intervalo." - -#: ../../include/features.php:82 -msgid "Network and Stream Filtering" -msgstr "Filtrado del contenido" - -#: ../../include/features.php:83 -msgid "Search by Date" -msgstr "Buscar por fecha" - -#: ../../include/features.php:83 -msgid "Ability to select posts by date ranges" -msgstr "Capacidad de seleccionar entradas por rango de fechas" - -#: ../../include/features.php:84 ../../include/group.php:311 -msgid "Privacy Groups" -msgstr "Grupos de canales" - -#: ../../include/features.php:84 -msgid "Enable management and selection of privacy groups" -msgstr "Activar la gestión y selección de grupos de canales" - -#: ../../include/features.php:85 ../../include/widgets.php:281 -msgid "Saved Searches" -msgstr "BĆŗsquedas guardadas" - -#: ../../include/features.php:85 -msgid "Save search terms for re-use" -msgstr "Guardar tĆ©rminos de bĆŗsqueda para su reutilización" - -#: ../../include/features.php:86 -msgid "Network Personal Tab" -msgstr "Actividad personal" - -#: ../../include/features.php:86 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "Habilitar una pestaƱa en la cual se muestren solo las entradas en las que ha participado." - -#: ../../include/features.php:87 -msgid "Network New Tab" -msgstr "Contenido nuevo" - -#: ../../include/features.php:87 -msgid "Enable tab to display all new Network activity" -msgstr "Habilitar una pestaƱa en la que se muestre solo el contenido nuevo" - -#: ../../include/features.php:88 -msgid "Affinity Tool" -msgstr "Herramienta de afinidad" - -#: ../../include/features.php:88 -msgid "Filter stream activity by depth of relationships" -msgstr "Filtrar el contenido segĆŗn la profundidad de las relaciones" - -#: ../../include/features.php:89 -msgid "Connection Filtering" -msgstr "Filtrado de conexiones" - -#: ../../include/features.php:89 -msgid "Filter incoming posts from connections based on keywords/content" -msgstr "Filtrar publicaciones entrantes de conexiones por palabras clave o contenido" - -#: ../../include/features.php:90 -msgid "Show channel suggestions" -msgstr "Mostrar sugerencias de canales" - -#: ../../include/features.php:95 -msgid "Post/Comment Tools" -msgstr "Gestión de entradas y comentarios" - -#: ../../include/features.php:96 -msgid "Community Tagging" -msgstr "Etiquetas de la comunidad" - -#: ../../include/features.php:96 -msgid "Ability to tag existing posts" -msgstr "Capacidad de etiquetar entradas existentes" - -#: ../../include/features.php:97 -msgid "Post Categories" -msgstr "CategorĆ­as de entradas" - -#: ../../include/features.php:97 -msgid "Add categories to your posts" -msgstr "AƱadir categorĆ­as a sus publicaciones" - -#: ../../include/features.php:98 -msgid "Emoji Reactions" -msgstr "Emoticonos \"emoji\"" - -#: ../../include/features.php:98 -msgid "Add emoji reaction ability to posts" -msgstr "Activar la capacidad de aƱadir un emoticono \"emoji\" a las entradas" - -#: ../../include/features.php:99 ../../include/widgets.php:310 -#: ../../include/contact_widgets.php:53 -msgid "Saved Folders" -msgstr "Carpetas guardadas" - -#: ../../include/features.php:99 -msgid "Ability to file posts under folders" -msgstr "Capacidad de archivar entradas en carpetas" - -#: ../../include/features.php:100 -msgid "Dislike Posts" -msgstr "Desagrado de publicaciones" - -#: ../../include/features.php:100 -msgid "Ability to dislike posts/comments" -msgstr "Capacidad de mostrar desacuerdo con el contenido de entradas y comentarios" - -#: ../../include/features.php:101 -msgid "Star Posts" -msgstr "Entradas destacadas" - -#: ../../include/features.php:101 -msgid "Ability to mark special posts with a star indicator" -msgstr "Capacidad de marcar entradas destacadas con un indicador de estrella" - -#: ../../include/features.php:102 -msgid "Tag Cloud" -msgstr "Nube de etiquetas" - -#: ../../include/features.php:102 -msgid "Provide a personal tag cloud on your channel page" -msgstr "Proveer nube de etiquetas personal en su pĆ”gina de canal" - -#: ../../include/group.php:26 -msgid "" -"A deleted group with this name was revived. Existing item permissions " -"may apply to this group and any future members. If this is " -"not what you intended, please create another group with a different name." -msgstr "Un grupo suprimido con este nombre ha sido restablecido. Es posible que los permisos existentes sean aplicados a este grupo y sus futuros miembros. Si no quiere esto, por favor cree otro grupo con un nombre diferente." - -#: ../../include/group.php:248 -msgid "Add new connections to this privacy group" -msgstr "AƱadir conexiones nuevas a este grupo de canales" - -#: ../../include/group.php:289 -msgid "edit" -msgstr "editar" - -#: ../../include/group.php:312 -msgid "Edit group" -msgstr "Editar grupo" - -#: ../../include/group.php:313 -msgid "Add privacy group" -msgstr "AƱadir un grupo de canales" - -#: ../../include/group.php:314 -msgid "Channels not in any privacy group" -msgstr "Sin canales en ningĆŗn grupo" - -#: ../../include/group.php:316 ../../include/widgets.php:282 -msgid "add" -msgstr "aƱadir" - -#: ../../include/event.php:22 ../../include/event.php:69 -#: ../../include/bb2diaspora.php:485 -msgid "l F d, Y \\@ g:i A" -msgstr "l d de F, Y \\@ G:i" - -#: ../../include/event.php:30 ../../include/event.php:73 -#: ../../include/bb2diaspora.php:491 -msgid "Starts:" -msgstr "Comienza:" - -#: ../../include/event.php:40 ../../include/event.php:77 -#: ../../include/bb2diaspora.php:499 -msgid "Finishes:" -msgstr "Finaliza:" - -#: ../../include/event.php:814 -msgid "This event has been added to your calendar." -msgstr "Este evento ha sido aƱadido a su calendario." - -#: ../../include/event.php:1014 -msgid "Not specified" -msgstr "Sin especificar" - -#: ../../include/event.php:1015 -msgid "Needs Action" -msgstr "Necesita de una intervención" - -#: ../../include/event.php:1016 -msgid "Completed" -msgstr "Completado/a" - -#: ../../include/event.php:1017 -msgid "In Process" -msgstr "En proceso" - -#: ../../include/event.php:1018 -msgid "Cancelled" -msgstr "Cancelado/a" - -#: ../../include/account.php:28 -msgid "Not a valid email address" -msgstr "Dirección de correo no vĆ”lida" - -#: ../../include/account.php:30 -msgid "Your email domain is not among those allowed on this site" -msgstr "Su dirección de correo no pertenece a ninguno de los dominios permitidos en este sitio." - -#: ../../include/account.php:36 -msgid "Your email address is already registered at this site." -msgstr "Su dirección de correo estĆ” ya registrada en este sitio." - -#: ../../include/account.php:68 -msgid "An invitation is required." -msgstr "Es obligatorio que le inviten." - -#: ../../include/account.php:72 -msgid "Invitation could not be verified." -msgstr "No se ha podido verificar su invitación." - -#: ../../include/account.php:122 -msgid "Please enter the required information." -msgstr "Por favor introduzca la información requerida." - -#: ../../include/account.php:189 -msgid "Failed to store account information." -msgstr "La información de la cuenta no se ha podido guardar." - -#: ../../include/account.php:249 -#, php-format -msgid "Registration confirmation for %s" -msgstr "Confirmación de registro para %s" - -#: ../../include/account.php:315 -#, php-format -msgid "Registration request at %s" -msgstr "Solicitud de registro en %s" - -#: ../../include/account.php:339 -msgid "your registration password" -msgstr "su contraseƱa de registro" - -#: ../../include/account.php:342 ../../include/account.php:402 -#, php-format -msgid "Registration details for %s" -msgstr "Detalles del registro de %s" - -#: ../../include/account.php:414 -msgid "Account approved." -msgstr "Cuenta aprobada." - -#: ../../include/account.php:454 -#, php-format -msgid "Registration revoked for %s" -msgstr "Registro revocado para %s" - -#: ../../include/account.php:739 ../../include/account.php:741 -msgid "Click here to upgrade." -msgstr "Pulse aquĆ­ para actualizar" - -#: ../../include/account.php:747 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "Esta acción supera los lĆ­mites establecidos por su plan de suscripción " - -#: ../../include/account.php:752 -msgid "This action is not available under your subscription plan." -msgstr "Esta acción no estĆ” disponible en su plan de suscripción." - -#: ../../include/follow.php:27 -msgid "Channel is blocked on this site." -msgstr "El canal estĆ” bloqueado en este sitio." - -#: ../../include/follow.php:32 -msgid "Channel location missing." -msgstr "Falta la dirección del canal." - -#: ../../include/follow.php:80 -msgid "Response from remote channel was incomplete." -msgstr "Respuesta incompleta del canal." - -#: ../../include/follow.php:97 -msgid "Channel was deleted and no longer exists." -msgstr "El canal ha sido eliminado y ya no existe." - -#: ../../include/follow.php:147 ../../include/follow.php:183 -msgid "Protocol disabled." -msgstr "Protocolo deshabilitado." - -#: ../../include/follow.php:171 -msgid "Channel discovery failed." -msgstr "El intento de acceder al canal ha fallado." - -#: ../../include/follow.php:210 -msgid "Cannot connect to yourself." -msgstr "No puede conectarse consigo mismo." - -#: ../../include/attach.php:247 ../../include/attach.php:333 -msgid "Item was not found." -msgstr "Elemento no encontrado." - -#: ../../include/attach.php:499 -msgid "No source file." -msgstr "NingĆŗn fichero de origen" - -#: ../../include/attach.php:521 -msgid "Cannot locate file to replace" -msgstr "No se puede localizar el fichero que va a ser sustituido." - -#: ../../include/attach.php:539 -msgid "Cannot locate file to revise/update" -msgstr "No se puede localizar el fichero para revisar/actualizar" - -#: ../../include/attach.php:674 -#, php-format -msgid "File exceeds size limit of %d" -msgstr "El fichero supera el limite de tamaƱo de %d" - -#: ../../include/attach.php:688 -#, php-format -msgid "You have reached your limit of %1$.0f Mbytes attachment storage." -msgstr "Ha alcanzado su lĆ­mite de %1$.0f Mbytes de almacenamiento de adjuntos." - -#: ../../include/attach.php:846 -msgid "File upload failed. Possible system limit or action terminated." -msgstr "Error de carga, posiblemente por limite del sistema o porque la acción ha finalizado." - -#: ../../include/attach.php:859 -msgid "Stored file could not be verified. Upload failed." -msgstr "El fichero almacenado no ha podido ser verificado. El envĆ­o ha fallado." - -#: ../../include/attach.php:915 ../../include/attach.php:931 -msgid "Path not available." -msgstr "Ruta no disponible." - -#: ../../include/attach.php:977 ../../include/attach.php:1129 -msgid "Empty pathname" -msgstr "Ruta vacĆ­a" - -#: ../../include/attach.php:1003 -msgid "duplicate filename or path" -msgstr "Nombre duplicado de ruta o fichero" - -#: ../../include/attach.php:1025 -msgid "Path not found." -msgstr "Ruta no encontrada" - -#: ../../include/attach.php:1083 -msgid "mkdir failed." -msgstr "mkdir ha fallado." - -#: ../../include/attach.php:1087 -msgid "database storage failed." -msgstr "el almacenamiento en la base de datos ha fallado." - -#: ../../include/attach.php:1135 -msgid "Empty path" -msgstr "Ruta vacĆ­a" - -#: ../../include/bbcode.php:123 ../../include/bbcode.php:878 -#: ../../include/bbcode.php:881 ../../include/bbcode.php:886 -#: ../../include/bbcode.php:889 ../../include/bbcode.php:892 -#: ../../include/bbcode.php:895 ../../include/bbcode.php:900 -#: ../../include/bbcode.php:903 ../../include/bbcode.php:908 -#: ../../include/bbcode.php:911 ../../include/bbcode.php:914 -#: ../../include/bbcode.php:917 -msgid "Image/photo" -msgstr "Imagen/foto" - -#: ../../include/bbcode.php:162 ../../include/bbcode.php:928 -msgid "Encrypted content" -msgstr "Contenido cifrado" - -#: ../../include/bbcode.php:178 -#, php-format -msgid "Install %s element: " -msgstr "Instalar el elemento %s:" - -#: ../../include/bbcode.php:182 +#: ../../include/acl_selectors.php:214 #, php-format msgid "" -"This post contains an installable %s element, however you lack permissions " -"to install it on this site." -msgstr "Esta entrada contiene el elemento instalable %s, sin embargo le faltan permisos para instalarlo en este sitio." +"Post permissions %s cannot be changed %s after a post is shared.
These" +" permissions set who is allowed to view the post." +msgstr "Los permisos de la entrada %s no se pueden cambiar %s una vez que se ha compartido.
Estos permisos establecen quién estÔ autorizado para ver el mensaje." -#: ../../include/bbcode.php:261 -#, php-format -msgid "%1$s wrote the following %2$s %3$s" -msgstr "%1$s escribió %2$s siguiente %3$s" - -#: ../../include/bbcode.php:338 ../../include/bbcode.php:346 -msgid "Click to open/close" -msgstr "Pulsar para abrir/cerrar" - -#: ../../include/bbcode.php:346 -msgid "spoiler" -msgstr "spoiler" - -#: ../../include/bbcode.php:619 -msgid "Different viewers will see this text differently" -msgstr "Visitantes diferentes verÔn este texto de forma distinta" - -#: ../../include/bbcode.php:866 -msgid "$1 wrote:" -msgstr "$1 escribió:" - -#: ../../include/items.php:897 ../../include/items.php:942 -msgid "(Unknown)" -msgstr "(Desconocido)" - -#: ../../include/items.php:1141 -msgid "Visible to anybody on the internet." -msgstr "Visible para cualquiera en internet." - -#: ../../include/items.php:1143 -msgid "Visible to you only." -msgstr "Visible sólo para usted." - -#: ../../include/items.php:1145 -msgid "Visible to anybody in this network." -msgstr "Visible para cualquiera en esta red." - -#: ../../include/items.php:1147 -msgid "Visible to anybody authenticated." -msgstr "Visible para cualquiera que esté autenticado." - -#: ../../include/items.php:1149 -#, php-format -msgid "Visible to anybody on %s." -msgstr "Visible para cualquiera en %s." - -#: ../../include/items.php:1151 -msgid "Visible to all connections." -msgstr "Visible para todas las conexiones." - -#: ../../include/items.php:1153 -msgid "Visible to approved connections." -msgstr "Visible para las conexiones permitidas." - -#: ../../include/items.php:1155 -msgid "Visible to specific connections." -msgstr "Visible para conexiones específicas." - -#: ../../include/items.php:3918 -msgid "Privacy group is empty." -msgstr "El grupo de canales estÔ vacío." - -#: ../../include/items.php:3925 -#, php-format -msgid "Privacy group: %s" -msgstr "Grupo de canales: %s" - -#: ../../include/items.php:3937 -msgid "Connection not found." -msgstr "Conexión no encontrada" - -#: ../../include/items.php:4290 -msgid "profile photo" -msgstr "foto del perfil" - -#: ../../include/oembed.php:336 +#: ../../include/oembed.php:340 msgid "Embedded content" msgstr "Contenido incorporado" -#: ../../include/oembed.php:345 +#: ../../include/oembed.php:349 msgid "Embedding disabled" msgstr "Incrustación deshabilitada" -#: ../../include/widgets.php:103 -msgid "System" -msgstr "Sistema" - -#: ../../include/widgets.php:106 -msgid "New App" -msgstr "Nueva aplicación (app)" - -#: ../../include/widgets.php:154 -msgid "Suggestions" -msgstr "Sugerencias" - -#: ../../include/widgets.php:155 -msgid "See more..." -msgstr "Ver mÔs..." - -#: ../../include/widgets.php:175 -#, php-format -msgid "You have %1$.0f of %2$.0f allowed connections." -msgstr "Tiene %1$.0f de %2$.0f conexiones permitidas." - -#: ../../include/widgets.php:181 -msgid "Add New Connection" -msgstr "Añadir nueva conexión" - -#: ../../include/widgets.php:182 -msgid "Enter channel address" -msgstr "Dirección del canal" - -#: ../../include/widgets.php:183 -msgid "Examples: bob@example.com, https://example.com/barbara" -msgstr "Ejemplos: manuel@ejemplo.com, https://ejemplo.com/carmen" - -#: ../../include/widgets.php:199 -msgid "Notes" -msgstr "Notas" - -#: ../../include/widgets.php:273 -msgid "Remove term" -msgstr "Eliminar término" - -#: ../../include/widgets.php:313 ../../include/widgets.php:432 -#: ../../include/contact_widgets.php:56 ../../include/contact_widgets.php:94 -msgid "Everything" -msgstr "Todo" - -#: ../../include/widgets.php:354 -msgid "Archives" -msgstr "Hemeroteca" - -#: ../../include/widgets.php:516 -msgid "Refresh" -msgstr "Recargar" - -#: ../../include/widgets.php:556 -msgid "Account settings" -msgstr "Configuración de la cuenta" - -#: ../../include/widgets.php:562 -msgid "Channel settings" -msgstr "Configuración del canal" - -#: ../../include/widgets.php:571 -msgid "Additional features" -msgstr "Funcionalidades" - -#: ../../include/widgets.php:578 -msgid "Feature/Addon settings" -msgstr "Complementos" - -#: ../../include/widgets.php:584 -msgid "Display settings" -msgstr "Ajustes de visualización" - -#: ../../include/widgets.php:591 -msgid "Manage locations" -msgstr "Gestión de ubicaciones (clones) del canal" - -#: ../../include/widgets.php:600 -msgid "Export channel" -msgstr "Exportar canal" - -#: ../../include/widgets.php:607 -msgid "Connected apps" -msgstr "Aplicaciones (apps) conectadas" - -#: ../../include/widgets.php:631 -msgid "Premium Channel Settings" -msgstr "Configuración del canal premium" - -#: ../../include/widgets.php:660 -msgid "Private Mail Menu" -msgstr "Menú de correo privado" - -#: ../../include/widgets.php:662 -msgid "Combined View" -msgstr "Vista combinada" - -#: ../../include/widgets.php:694 ../../include/widgets.php:706 -msgid "Conversations" -msgstr "Conversaciones" - -#: ../../include/widgets.php:698 -msgid "Received Messages" -msgstr "Mensajes recibidos" - -#: ../../include/widgets.php:702 -msgid "Sent Messages" -msgstr "Enviar mensajes" - -#: ../../include/widgets.php:716 -msgid "No messages." -msgstr "Sin mensajes." - -#: ../../include/widgets.php:734 -msgid "Delete conversation" -msgstr "Eliminar conversación" - -#: ../../include/widgets.php:760 -msgid "Events Tools" -msgstr "Gestión de eventos" - -#: ../../include/widgets.php:761 -msgid "Export Calendar" -msgstr "Exportar el calendario" - -#: ../../include/widgets.php:762 -msgid "Import Calendar" -msgstr "Importar un calendario" - -#: ../../include/widgets.php:840 -msgid "Overview" -msgstr "Resumen" - -#: ../../include/widgets.php:847 -msgid "Chat Members" -msgstr "Miembros del chat" - -#: ../../include/widgets.php:869 -msgid "Wiki List" -msgstr "Lista de wikis" - -#: ../../include/widgets.php:907 -msgid "Wiki Pages" -msgstr "PÔginas del wiki" - -#: ../../include/widgets.php:942 -msgid "Bookmarked Chatrooms" -msgstr "Salas de chat preferidas" - -#: ../../include/widgets.php:965 -msgid "Suggested Chatrooms" -msgstr "Salas de chat sugeridas" - -#: ../../include/widgets.php:1111 ../../include/widgets.php:1223 -msgid "photo/image" -msgstr "foto/imagen" - -#: ../../include/widgets.php:1166 -msgid "Click to show more" -msgstr "Hacer clic para ver mÔs" - -#: ../../include/widgets.php:1317 -msgid "Rating Tools" -msgstr "Valoraciones" - -#: ../../include/widgets.php:1321 ../../include/widgets.php:1323 -msgid "Rate Me" -msgstr "Valorar este canal" - -#: ../../include/widgets.php:1326 -msgid "View Ratings" -msgstr "Mostrar las valoraciones" - -#: ../../include/widgets.php:1410 -msgid "Forums" -msgstr "Foros" - -#: ../../include/widgets.php:1439 -msgid "Tasks" -msgstr "Tareas" - -#: ../../include/widgets.php:1448 -msgid "Documentation" -msgstr "Documentación" - -#: ../../include/widgets.php:1450 -msgid "Project/Site Information" -msgstr "Información sobre el proyecto o sitio" - -#: ../../include/widgets.php:1451 -msgid "For Members" -msgstr "Para los miembros" - -#: ../../include/widgets.php:1452 -msgid "For Administrators" -msgstr "Para los administradores" - -#: ../../include/widgets.php:1453 -msgid "For Developers" -msgstr "Para los desarrolladores" - -#: ../../include/widgets.php:1477 ../../include/widgets.php:1515 -msgid "Member registrations waiting for confirmation" -msgstr "Inscripciones de nuevos miembros pendientes de aprobación" - -#: ../../include/widgets.php:1483 -msgid "Inspect queue" -msgstr "Examinar la cola" - -#: ../../include/widgets.php:1485 -msgid "DB updates" -msgstr "Actualizaciones de la base de datos" - -#: ../../include/widgets.php:1511 -msgid "Plugin Features" -msgstr "Extensiones" - #: ../../include/activities.php:41 msgid " and " msgstr " y " @@ -9359,260 +9401,307 @@ msgstr "Visitar %2$s de %1$s" msgid "%1$s has an updated %2$s, changing %3$s." msgstr "%1$s ha actualizado %2$s, cambiando %3$s." -#: ../../include/bb2diaspora.php:398 -msgid "Attachments:" -msgstr "Ficheros adjuntos:" +#: ../../include/attach.php:248 ../../include/attach.php:334 +msgid "Item was not found." +msgstr "Elemento no encontrado." -#: ../../include/bb2diaspora.php:487 -msgid "$Projectname event notification:" -msgstr "Notificación de eventos de $Projectname:" +#: ../../include/attach.php:500 +msgid "No source file." +msgstr "Ningún fichero de origen" -#: ../../include/js_strings.php:5 -msgid "Delete this item?" -msgstr "¿Borrar este elemento?" +#: ../../include/attach.php:522 +msgid "Cannot locate file to replace" +msgstr "No se puede localizar el fichero que va a ser sustituido." -#: ../../include/js_strings.php:8 +#: ../../include/attach.php:540 +msgid "Cannot locate file to revise/update" +msgstr "No se puede localizar el fichero para revisar/actualizar" + +#: ../../include/attach.php:675 #, php-format -msgid "%s show less" -msgstr "%s mostrar menos" +msgid "File exceeds size limit of %d" +msgstr "El fichero supera el limite de tamaño de %d" -#: ../../include/js_strings.php:9 +#: ../../include/attach.php:689 #, php-format -msgid "%s expand" -msgstr "%s expandir" +msgid "You have reached your limit of %1$.0f Mbytes attachment storage." +msgstr "Ha alcanzado su límite de %1$.0f Mbytes de almacenamiento de adjuntos." -#: ../../include/js_strings.php:10 +#: ../../include/attach.php:847 +msgid "File upload failed. Possible system limit or action terminated." +msgstr "Error de carga, posiblemente por limite del sistema o porque la acción ha finalizado." + +#: ../../include/attach.php:860 +msgid "Stored file could not be verified. Upload failed." +msgstr "El fichero almacenado no ha podido ser verificado. El envío ha fallado." + +#: ../../include/attach.php:916 ../../include/attach.php:932 +msgid "Path not available." +msgstr "Ruta no disponible." + +#: ../../include/attach.php:978 ../../include/attach.php:1130 +msgid "Empty pathname" +msgstr "Ruta vacía" + +#: ../../include/attach.php:1004 +msgid "duplicate filename or path" +msgstr "Nombre duplicado de ruta o fichero" + +#: ../../include/attach.php:1026 +msgid "Path not found." +msgstr "Ruta no encontrada" + +#: ../../include/attach.php:1084 +msgid "mkdir failed." +msgstr "mkdir ha fallado." + +#: ../../include/attach.php:1088 +msgid "database storage failed." +msgstr "el almacenamiento en la base de datos ha fallado." + +#: ../../include/attach.php:1136 +msgid "Empty path" +msgstr "Ruta vacía" + +#: ../../include/taxonomy.php:228 ../../include/taxonomy.php:249 +msgid "Tags" +msgstr "Etiquetas" + +#: ../../include/taxonomy.php:293 +msgid "Keywords" +msgstr "Palabras clave" + +#: ../../include/taxonomy.php:314 +msgid "have" +msgstr "tener" + +#: ../../include/taxonomy.php:314 +msgid "has" +msgstr "tiene" + +#: ../../include/taxonomy.php:315 +msgid "want" +msgstr "quiero" + +#: ../../include/taxonomy.php:315 +msgid "wants" +msgstr "quiere" + +#: ../../include/taxonomy.php:316 +msgid "likes" +msgstr "gusta de" + +#: ../../include/taxonomy.php:317 +msgid "dislikes" +msgstr "no gusta de" + +#: ../../include/zot.php:700 +msgid "Invalid data packet" +msgstr "Paquete de datos no vÔlido" + +#: ../../include/zot.php:716 +msgid "Unable to verify channel signature" +msgstr "No ha sido posible de verificar la firma del canal" + +#: ../../include/zot.php:2329 #, php-format -msgid "%s collapse" -msgstr "%s contraer" +msgid "Unable to verify site signature for %s" +msgstr "No ha sido posible de verificar la firma del sitio para %s" -#: ../../include/js_strings.php:11 -msgid "Password too short" -msgstr "Contraseña demasiado corta" +#: ../../include/zot.php:3706 +msgid "invalid target signature" +msgstr "La firma recibida no es vÔlida" -#: ../../include/js_strings.php:12 -msgid "Passwords do not match" -msgstr "Las contraseñas no coinciden" +#: ../../include/channel.php:33 +msgid "Unable to obtain identity information from database" +msgstr "No ha sido posible obtener información sobre la identidad desde la base de datos" -#: ../../include/js_strings.php:13 -msgid "everybody" -msgstr "cualquiera" +#: ../../include/channel.php:67 +msgid "Empty name" +msgstr "Nombre vacío" -#: ../../include/js_strings.php:14 -msgid "Secret Passphrase" -msgstr "Contraseña secreta" +#: ../../include/channel.php:70 +msgid "Name too long" +msgstr "Nombre demasiado largo" -#: ../../include/js_strings.php:15 -msgid "Passphrase hint" -msgstr "Pista de contraseña" +#: ../../include/channel.php:181 +msgid "No account identifier" +msgstr "Ningún identificador de la cuenta" -#: ../../include/js_strings.php:16 -msgid "Notice: Permissions have changed but have not yet been submitted." -msgstr "Aviso: los permisos han cambiado pero aún no han sido enviados." +#: ../../include/channel.php:193 +msgid "Nickname is required." +msgstr "Se requiere un sobrenombre (alias)." -#: ../../include/js_strings.php:17 -msgid "close all" -msgstr "cerrar todo" +#: ../../include/channel.php:207 +msgid "Reserved nickname. Please choose another." +msgstr "Sobrenombre en uso. Por favor, elija otro." -#: ../../include/js_strings.php:18 -msgid "Nothing new here" -msgstr "Nada nuevo por aquí" +#: ../../include/channel.php:212 +msgid "" +"Nickname has unsupported characters or is already being used on this site." +msgstr "El alias contiene caracteres no admitidos o estÔ ya en uso por otros miembros de este sitio." -#: ../../include/js_strings.php:19 -msgid "Rate This Channel (this is public)" -msgstr "Valorar este canal (esto es público)" +#: ../../include/channel.php:272 +msgid "Unable to retrieve created identity" +msgstr "No ha sido posible recuperar la identidad creada" -#: ../../include/js_strings.php:21 -msgid "Describe (optional)" -msgstr "Describir (opcional)" +#: ../../include/channel.php:341 +msgid "Default Profile" +msgstr "Perfil principal" -#: ../../include/js_strings.php:23 -msgid "Please enter a link URL" -msgstr "Por favor, introduzca una dirección de enlace" +#: ../../include/channel.php:813 +msgid "Requested channel is not available." +msgstr "El canal solicitado no estÔ disponible." -#: ../../include/js_strings.php:24 -msgid "Unsaved changes. Are you sure you wish to leave this page?" -msgstr "Cambios no guardados. ¿EstÔ seguro de que desea abandonar la pÔgina?" +#: ../../include/channel.php:960 +msgid "Create New Profile" +msgstr "Crear un nuevo perfil" -#: ../../include/js_strings.php:27 -msgid "timeago.prefixAgo" -msgstr "timeago.prefixAgo" +#: ../../include/channel.php:980 +msgid "Visible to everybody" +msgstr "Visible para todos" -#: ../../include/js_strings.php:28 -msgid "timeago.prefixFromNow" -msgstr "timeago.prefixFromNow" +#: ../../include/channel.php:1053 ../../include/channel.php:1166 +msgid "Gender:" +msgstr "Género:" -#: ../../include/js_strings.php:29 -msgid "ago" -msgstr "antes" +#: ../../include/channel.php:1054 ../../include/channel.php:1210 +msgid "Status:" +msgstr "Estado:" -#: ../../include/js_strings.php:30 -msgid "from now" -msgstr "desde ahora" +#: ../../include/channel.php:1055 ../../include/channel.php:1221 +msgid "Homepage:" +msgstr "PÔgina personal:" -#: ../../include/js_strings.php:31 -msgid "less than a minute" -msgstr "menos de un minuto" +#: ../../include/channel.php:1056 +msgid "Online Now" +msgstr "Ahora en línea" -#: ../../include/js_strings.php:32 -msgid "about a minute" -msgstr "alrededor de un minuto" +#: ../../include/channel.php:1171 +msgid "Like this channel" +msgstr "Me gusta este canal" -#: ../../include/js_strings.php:33 +#: ../../include/channel.php:1195 +msgid "j F, Y" +msgstr "j F Y" + +#: ../../include/channel.php:1196 +msgid "j F" +msgstr "j F" + +#: ../../include/channel.php:1203 +msgid "Birthday:" +msgstr "Cumpleaños:" + +#: ../../include/channel.php:1216 #, php-format -msgid "%d minutes" -msgstr "%d minutos" +msgid "for %1$d %2$s" +msgstr "por %1$d %2$s" -#: ../../include/js_strings.php:34 -msgid "about an hour" -msgstr "alrededor de una hora" +#: ../../include/channel.php:1219 +msgid "Sexual Preference:" +msgstr "Orientación sexual:" -#: ../../include/js_strings.php:35 +#: ../../include/channel.php:1225 +msgid "Tags:" +msgstr "Etiquetas:" + +#: ../../include/channel.php:1227 +msgid "Political Views:" +msgstr "Posición política:" + +#: ../../include/channel.php:1229 +msgid "Religion:" +msgstr "Religión:" + +#: ../../include/channel.php:1233 +msgid "Hobbies/Interests:" +msgstr "Aficciones o intereses:" + +#: ../../include/channel.php:1235 +msgid "Likes:" +msgstr "Me gusta:" + +#: ../../include/channel.php:1237 +msgid "Dislikes:" +msgstr "No me gusta:" + +#: ../../include/channel.php:1239 +msgid "Contact information and Social Networks:" +msgstr "Información de contacto y redes sociales:" + +#: ../../include/channel.php:1241 +msgid "My other channels:" +msgstr "Mis otros canales:" + +#: ../../include/channel.php:1243 +msgid "Musical interests:" +msgstr "Preferencias musicales:" + +#: ../../include/channel.php:1245 +msgid "Books, literature:" +msgstr "Libros, literatura:" + +#: ../../include/channel.php:1247 +msgid "Television:" +msgstr "Televisión:" + +#: ../../include/channel.php:1249 +msgid "Film/dance/culture/entertainment:" +msgstr "Cine, danza, cultura, entretenimiento:" + +#: ../../include/channel.php:1251 +msgid "Love/Romance:" +msgstr "Vida sentimental o amorosa:" + +#: ../../include/channel.php:1253 +msgid "Work/employment:" +msgstr "Trabajo:" + +#: ../../include/channel.php:1255 +msgid "School/education:" +msgstr "Estudios:" + +#: ../../include/channel.php:1276 +msgid "Like this thing" +msgstr "Me gusta esto" + +#: ../../include/connections.php:95 +msgid "New window" +msgstr "Nueva ventana" + +#: ../../include/connections.php:96 +msgid "Open the selected location in a different window or browser tab" +msgstr "Abrir la dirección seleccionada en una ventana o pestaña aparte" + +#: ../../include/connections.php:214 #, php-format -msgid "about %d hours" -msgstr "alrededor de %d horas" +msgid "User '%s' deleted" +msgstr "El usuario '%s' ha sido eliminado" -#: ../../include/js_strings.php:36 -msgid "a day" -msgstr "un día" +#: ../../include/event.php:821 +msgid "This event has been added to your calendar." +msgstr "Este evento ha sido añadido a su calendario." -#: ../../include/js_strings.php:37 -#, php-format -msgid "%d days" -msgstr "%d días" +#: ../../include/event.php:1021 +msgid "Not specified" +msgstr "Sin especificar" -#: ../../include/js_strings.php:38 -msgid "about a month" -msgstr "alrededor de un mes" +#: ../../include/event.php:1022 +msgid "Needs Action" +msgstr "Necesita de una intervención" -#: ../../include/js_strings.php:39 -#, php-format -msgid "%d months" -msgstr "%d meses" +#: ../../include/event.php:1023 +msgid "Completed" +msgstr "Completado/a" -#: ../../include/js_strings.php:40 -msgid "about a year" -msgstr "alrededor de un año" +#: ../../include/event.php:1024 +msgid "In Process" +msgstr "En proceso" -#: ../../include/js_strings.php:41 -#, php-format -msgid "%d years" -msgstr "%d años" - -#: ../../include/js_strings.php:42 -msgid " " -msgstr " " - -#: ../../include/js_strings.php:43 -msgid "timeago.numbers" -msgstr "timeago.numbers" - -#: ../../include/js_strings.php:49 -msgctxt "long" -msgid "May" -msgstr "mayo" - -#: ../../include/js_strings.php:57 -msgid "Jan" -msgstr "ene" - -#: ../../include/js_strings.php:58 -msgid "Feb" -msgstr "feb" - -#: ../../include/js_strings.php:59 -msgid "Mar" -msgstr "mar" - -#: ../../include/js_strings.php:60 -msgid "Apr" -msgstr "abr" - -#: ../../include/js_strings.php:61 -msgctxt "short" -msgid "May" -msgstr "may" - -#: ../../include/js_strings.php:62 -msgid "Jun" -msgstr "jun" - -#: ../../include/js_strings.php:63 -msgid "Jul" -msgstr "jul" - -#: ../../include/js_strings.php:64 -msgid "Aug" -msgstr "ago" - -#: ../../include/js_strings.php:65 -msgid "Sep" -msgstr "sep" - -#: ../../include/js_strings.php:66 -msgid "Oct" -msgstr "oct" - -#: ../../include/js_strings.php:67 -msgid "Nov" -msgstr "nov" - -#: ../../include/js_strings.php:68 -msgid "Dec" -msgstr "dic" - -#: ../../include/js_strings.php:76 -msgid "Sun" -msgstr "dom" - -#: ../../include/js_strings.php:77 -msgid "Mon" -msgstr "lun" - -#: ../../include/js_strings.php:78 -msgid "Tue" -msgstr "mar" - -#: ../../include/js_strings.php:79 -msgid "Wed" -msgstr "mié" - -#: ../../include/js_strings.php:80 -msgid "Thu" -msgstr "jue" - -#: ../../include/js_strings.php:81 -msgid "Fri" -msgstr "vie" - -#: ../../include/js_strings.php:82 -msgid "Sat" -msgstr "sÔb" - -#: ../../include/js_strings.php:83 -msgctxt "calendar" -msgid "today" -msgstr "hoy" - -#: ../../include/js_strings.php:84 -msgctxt "calendar" -msgid "month" -msgstr "mes" - -#: ../../include/js_strings.php:85 -msgctxt "calendar" -msgid "week" -msgstr "semana" - -#: ../../include/js_strings.php:86 -msgctxt "calendar" -msgid "day" -msgstr "día" - -#: ../../include/js_strings.php:87 -msgctxt "calendar" -msgid "All day" -msgstr "Todos los días" +#: ../../include/event.php:1025 +msgid "Cancelled" +msgstr "Cancelado/a" #: ../../include/contact_widgets.php:11 #, php-format @@ -9692,341 +9781,266 @@ msgstr "No ha sido posible determinar el remitente. " msgid "Stored post could not be verified." msgstr "No se han podido verificar las publicaciones guardadas." -#: ../../include/acl_selectors.php:269 -msgid "Who can see this?" -msgstr "¿Quién puede ver esto?" +#: ../../include/account.php:28 +msgid "Not a valid email address" +msgstr "Dirección de correo no vÔlida" -#: ../../include/acl_selectors.php:270 -msgid "Custom selection" -msgstr "Selección personalizada" +#: ../../include/account.php:30 +msgid "Your email domain is not among those allowed on this site" +msgstr "Su dirección de correo no pertenece a ninguno de los dominios permitidos en este sitio." -#: ../../include/acl_selectors.php:271 -msgid "" -"Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit" -" the scope of \"Show\"." -msgstr "Seleccione \"Mostrar\" para permitir la visualización. La opción \"No mostrar\" le permite anular y limitar el alcance de \"Mostrar\"." +#: ../../include/account.php:36 +msgid "Your email address is already registered at this site." +msgstr "Su dirección de correo estÔ ya registrada en este sitio." -#: ../../include/acl_selectors.php:272 -msgid "Show" -msgstr "Mostrar" +#: ../../include/account.php:68 +msgid "An invitation is required." +msgstr "Es obligatorio que le inviten." -#: ../../include/acl_selectors.php:273 -msgid "Don't show" -msgstr "No mostrar" +#: ../../include/account.php:72 +msgid "Invitation could not be verified." +msgstr "No se ha podido verificar su invitación." -#: ../../include/acl_selectors.php:279 -msgid "Other networks and post services" -msgstr "Otras redes y servicios de publicación" +#: ../../include/account.php:122 +msgid "Please enter the required information." +msgstr "Por favor introduzca la información requerida." -#: ../../include/acl_selectors.php:309 +#: ../../include/account.php:189 +msgid "Failed to store account information." +msgstr "La información de la cuenta no se ha podido guardar." + +#: ../../include/account.php:249 #, php-format -msgid "" -"Post permissions %s cannot be changed %s after a post is shared.
These" -" permissions set who is allowed to view the post." -msgstr "Los permisos de la entrada %s no se pueden cambiar %s una vez que se ha compartido.
Estos permisos establecen quiĆ©n estĆ” autorizado para ver el mensaje." +msgid "Registration confirmation for %s" +msgstr "Confirmación de registro para %s" -#: ../../include/datetime.php:135 -msgid "Birthday" -msgstr "CumpleaƱos" - -#: ../../include/datetime.php:137 -msgid "Age: " -msgstr "Edad:" - -#: ../../include/datetime.php:139 -msgid "YYYY-MM-DD or MM-DD" -msgstr "AAAA-MM-DD o MM-DD" - -#: ../../include/datetime.php:272 ../../boot.php:2479 -msgid "never" -msgstr "nunca" - -#: ../../include/datetime.php:278 -msgid "less than a second ago" -msgstr "hace un instante" - -#: ../../include/datetime.php:296 +#: ../../include/account.php:315 #, php-format -msgctxt "e.g. 22 hours ago, 1 minute ago" -msgid "%1$d %2$s ago" -msgstr "hace %1$d %2$s" +msgid "Registration request at %s" +msgstr "Solicitud de registro en %s" -#: ../../include/datetime.php:307 -msgctxt "relative_date" -msgid "year" -msgid_plural "years" -msgstr[0] "aƱo" -msgstr[1] "aƱos" +#: ../../include/account.php:339 +msgid "your registration password" +msgstr "su contraseƱa de registro" -#: ../../include/datetime.php:310 -msgctxt "relative_date" -msgid "month" -msgid_plural "months" -msgstr[0] "mes" -msgstr[1] "meses" - -#: ../../include/datetime.php:313 -msgctxt "relative_date" -msgid "week" -msgid_plural "weeks" -msgstr[0] "semana" -msgstr[1] "semanas" - -#: ../../include/datetime.php:316 -msgctxt "relative_date" -msgid "day" -msgid_plural "days" -msgstr[0] "dĆ­a" -msgstr[1] "dĆ­as" - -#: ../../include/datetime.php:319 -msgctxt "relative_date" -msgid "hour" -msgid_plural "hours" -msgstr[0] "hora" -msgstr[1] "horas" - -#: ../../include/datetime.php:322 -msgctxt "relative_date" -msgid "minute" -msgid_plural "minutes" -msgstr[0] "minuto" -msgstr[1] "minutos" - -#: ../../include/datetime.php:325 -msgctxt "relative_date" -msgid "second" -msgid_plural "seconds" -msgstr[0] "segundo" -msgstr[1] "segundos" - -#: ../../include/datetime.php:562 +#: ../../include/account.php:342 ../../include/account.php:402 #, php-format -msgid "%1$s's birthday" -msgstr "CumpleaƱos de %1$s" +msgid "Registration details for %s" +msgstr "Detalles del registro de %s" -#: ../../include/datetime.php:563 +#: ../../include/account.php:414 +msgid "Account approved." +msgstr "Cuenta aprobada." + +#: ../../include/account.php:454 #, php-format -msgid "Happy Birthday %1$s" -msgstr "Feliz cumpleaƱos %1$s" +msgid "Registration revoked for %s" +msgstr "Registro revocado para %s" -#: ../../include/api.php:1327 -msgid "Public Timeline" -msgstr "CronologĆ­a pĆŗblica" +#: ../../include/account.php:739 ../../include/account.php:741 +msgid "Click here to upgrade." +msgstr "Pulse aquĆ­ para actualizar" -#: ../../include/zot.php:697 -msgid "Invalid data packet" -msgstr "Paquete de datos no vĆ”lido" +#: ../../include/account.php:747 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "Esta acción supera los lĆ­mites establecidos por su plan de suscripción " -#: ../../include/zot.php:713 -msgid "Unable to verify channel signature" -msgstr "No ha sido posible de verificar la firma del canal" +#: ../../include/account.php:752 +msgid "This action is not available under your subscription plan." +msgstr "Esta acción no estĆ” disponible en su plan de suscripción." -#: ../../include/zot.php:2326 -#, php-format -msgid "Unable to verify site signature for %s" -msgstr "No ha sido posible de verificar la firma del sitio para %s" - -#: ../../include/zot.php:3703 -msgid "invalid target signature" -msgstr "La firma recibida no es vĆ”lida" - -#: ../../view/theme/redbasic/php/config.php:82 +#: ../../view/theme/redbasic/php/config.php:6 msgid "Focus (Hubzilla default)" msgstr "Focus (predefinido)" -#: ../../view/theme/redbasic/php/config.php:103 +#: ../../view/theme/redbasic/php/config.php:110 msgid "Theme settings" msgstr "Ajustes del tema" -#: ../../view/theme/redbasic/php/config.php:104 -msgid "Select scheme" -msgstr "Elegir un esquema" - -#: ../../view/theme/redbasic/php/config.php:105 +#: ../../view/theme/redbasic/php/config.php:111 msgid "Narrow navbar" msgstr "Estrechar la barra de navegación" -#: ../../view/theme/redbasic/php/config.php:106 +#: ../../view/theme/redbasic/php/config.php:112 msgid "Navigation bar background color" msgstr "Color de fondo de la barra de navegación" -#: ../../view/theme/redbasic/php/config.php:107 +#: ../../view/theme/redbasic/php/config.php:113 msgid "Navigation bar gradient top color" msgstr "Color superior del gradiente de la barra de navegación" -#: ../../view/theme/redbasic/php/config.php:108 +#: ../../view/theme/redbasic/php/config.php:114 msgid "Navigation bar gradient bottom color" msgstr "Color inferior del gradiente de la barra de navegación" -#: ../../view/theme/redbasic/php/config.php:109 +#: ../../view/theme/redbasic/php/config.php:115 msgid "Navigation active button gradient top color" msgstr "Color superior del gradiente del botón activo de navegación" -#: ../../view/theme/redbasic/php/config.php:110 +#: ../../view/theme/redbasic/php/config.php:116 msgid "Navigation active button gradient bottom color" msgstr "Color inferior del gradiente del botón activo de navegación" -#: ../../view/theme/redbasic/php/config.php:111 +#: ../../view/theme/redbasic/php/config.php:117 msgid "Navigation bar border color " msgstr "Color del borde de la barra de navegación" -#: ../../view/theme/redbasic/php/config.php:112 +#: ../../view/theme/redbasic/php/config.php:118 msgid "Navigation bar icon color " msgstr "Color del icono de la barra de navegación" -#: ../../view/theme/redbasic/php/config.php:113 +#: ../../view/theme/redbasic/php/config.php:119 msgid "Navigation bar active icon color " msgstr "Color del icono activo de la barra de navegación" -#: ../../view/theme/redbasic/php/config.php:114 +#: ../../view/theme/redbasic/php/config.php:120 msgid "link color" msgstr "Color del enlace" -#: ../../view/theme/redbasic/php/config.php:115 +#: ../../view/theme/redbasic/php/config.php:121 msgid "Set font-color for banner" msgstr "Ajustar el color del tipo de letra para el \"banner\"" -#: ../../view/theme/redbasic/php/config.php:116 +#: ../../view/theme/redbasic/php/config.php:122 msgid "Set the background color" msgstr "Ajustar el color de fondo" -#: ../../view/theme/redbasic/php/config.php:117 +#: ../../view/theme/redbasic/php/config.php:123 msgid "Set the background image" msgstr "Ajustar la imagen de fondo" -#: ../../view/theme/redbasic/php/config.php:118 +#: ../../view/theme/redbasic/php/config.php:124 msgid "Set the background color of items" msgstr "Ajustar el color de los elementos de fondo" -#: ../../view/theme/redbasic/php/config.php:119 +#: ../../view/theme/redbasic/php/config.php:125 msgid "Set the background color of comments" msgstr "Ajustar el color de fondo de los comentarios" -#: ../../view/theme/redbasic/php/config.php:120 +#: ../../view/theme/redbasic/php/config.php:126 msgid "Set the border color of comments" msgstr "Ajustar el color del borde de los comentarios" -#: ../../view/theme/redbasic/php/config.php:121 +#: ../../view/theme/redbasic/php/config.php:127 msgid "Set the indent for comments" msgstr "Ajustar la indentación de los comentarios" -#: ../../view/theme/redbasic/php/config.php:122 +#: ../../view/theme/redbasic/php/config.php:128 msgid "Set the basic color for item icons" msgstr "Ajustar el color bĆ”sico para los iconos de los elementos" -#: ../../view/theme/redbasic/php/config.php:123 +#: ../../view/theme/redbasic/php/config.php:129 msgid "Set the hover color for item icons" msgstr "Ajustar el color flotante para los iconos de los elementos" -#: ../../view/theme/redbasic/php/config.php:124 +#: ../../view/theme/redbasic/php/config.php:130 msgid "Set font-size for the entire application" msgstr "Ajustar el tamaƱo de letra para toda la aplicación" -#: ../../view/theme/redbasic/php/config.php:124 +#: ../../view/theme/redbasic/php/config.php:130 msgid "Example: 14px" msgstr "Ejemplo: 14px" -#: ../../view/theme/redbasic/php/config.php:125 +#: ../../view/theme/redbasic/php/config.php:131 msgid "Set font-size for posts and comments" msgstr "Ajustar el tamaƱo del tipo de letra para publicaciones y comentarios" -#: ../../view/theme/redbasic/php/config.php:126 +#: ../../view/theme/redbasic/php/config.php:132 msgid "Set font-color for posts and comments" msgstr "Establecer el color de la letra para publicaciones y comentarios" -#: ../../view/theme/redbasic/php/config.php:127 +#: ../../view/theme/redbasic/php/config.php:133 msgid "Set radius of corners" msgstr "Establecer el radio de curvatura de las esquinas" -#: ../../view/theme/redbasic/php/config.php:128 +#: ../../view/theme/redbasic/php/config.php:134 msgid "Set shadow depth of photos" msgstr "Ajustar la profundidad de sombras de las fotos" -#: ../../view/theme/redbasic/php/config.php:129 +#: ../../view/theme/redbasic/php/config.php:135 msgid "Set maximum width of content region in pixel" msgstr "Ajustar la anchura mĆ”xima de la región de contenido, en pixels" -#: ../../view/theme/redbasic/php/config.php:129 +#: ../../view/theme/redbasic/php/config.php:135 msgid "Leave empty for default width" msgstr "Dejar en blanco para la anchura predeterminada" -#: ../../view/theme/redbasic/php/config.php:130 +#: ../../view/theme/redbasic/php/config.php:136 msgid "Left align page content" msgstr "Alinear a la izquierda el contenido de la pĆ”gina" -#: ../../view/theme/redbasic/php/config.php:131 +#: ../../view/theme/redbasic/php/config.php:137 msgid "Set minimum opacity of nav bar - to hide it" msgstr "Ajustar la opacidad mĆ­nima de la barra de navegación - para ocultarla" -#: ../../view/theme/redbasic/php/config.php:132 +#: ../../view/theme/redbasic/php/config.php:138 msgid "Set size of conversation author photo" msgstr "Ajustar el tamaƱo de la foto del autor de la conversación" -#: ../../view/theme/redbasic/php/config.php:133 +#: ../../view/theme/redbasic/php/config.php:139 msgid "Set size of followup author photos" msgstr "Ajustar el tamaƱo de foto de los seguidores del autor" -#: ../../boot.php:1163 +#: ../../boot.php:1169 #, php-format msgctxt "opensearch" msgid "Search %1$s (%2$s)" msgstr "Buscar %1$s (%2$s)" -#: ../../boot.php:1163 +#: ../../boot.php:1169 msgctxt "opensearch" msgid "$Projectname" msgstr "$Projectname" -#: ../../boot.php:1481 +#: ../../boot.php:1487 #, php-format msgid "Update %s failed. See error logs." msgstr "La actualización %s ha fallado. Mire el informe de errores." -#: ../../boot.php:1484 +#: ../../boot.php:1490 #, php-format msgid "Update Error at %s" msgstr "Error de actualización en %s" -#: ../../boot.php:1685 +#: ../../boot.php:1694 msgid "" "Create an account to access services and applications within the Hubzilla" msgstr "Crear una cuenta para acceder a los servicios y aplicaciones dentro de Hubzilla" -#: ../../boot.php:1706 +#: ../../boot.php:1715 msgid "Login/Email" msgstr "Inicio de sesión / Correo electrónico" -#: ../../boot.php:1707 +#: ../../boot.php:1716 msgid "Password" msgstr "ContraseƱa" -#: ../../boot.php:1708 +#: ../../boot.php:1717 msgid "Remember me" msgstr "Recordarme" -#: ../../boot.php:1711 +#: ../../boot.php:1720 msgid "Forgot your password?" msgstr "ĀæOlvidó su contraseƱa?" -#: ../../boot.php:2277 +#: ../../boot.php:2289 msgid "toggle mobile" msgstr "cambiar a modo móvil" -#: ../../boot.php:2432 +#: ../../boot.php:2444 msgid "Website SSL certificate is not valid. Please correct." msgstr "El certificado SSL del sitio web no es vĆ”lido. Por favor, solucione el problema." -#: ../../boot.php:2435 +#: ../../boot.php:2447 #, php-format msgid "[hubzilla] Website SSL error for %s" msgstr "[hubzilla] Error SSL del sitio web en %s" -#: ../../boot.php:2478 +#: ../../boot.php:2551 msgid "Cron/Scheduled tasks not running." msgstr "Las tareas del Planificador/Cron no estĆ”n funcionando." -#: ../../boot.php:2482 +#: ../../boot.php:2555 #, php-format msgid "[hubzilla] Cron tasks not running on %s" msgstr "[hubzilla] Las tareas de Cron no estĆ”n funcionando en %s" diff --git a/view/es-es/hstrings.php b/view/es-es/hstrings.php index f53ce0b18..f6555569f 100644 --- a/view/es-es/hstrings.php +++ b/view/es-es/hstrings.php @@ -61,6 +61,7 @@ App::$strings["You are using %1\$s of %2\$s available file storage. (%3\$s%) App::$strings["WARNING:"] = "ATENCIƓN:"; App::$strings["Create new folder"] = "Crear nueva carpeta"; App::$strings["Upload file"] = "Subir fichero"; +App::$strings["Drop files here to immediately upload"] = "Arrastre los ficheros aquĆ­ para subirlos de forma inmediata"; App::$strings["Permission denied"] = "Permiso denegado"; App::$strings["Permission denied."] = "Acceso denegado."; App::$strings["Not Found"] = "No encontrado"; @@ -71,6 +72,118 @@ App::$strings["Requested profile is not available."] = "El perfil solicitado no App::$strings["Some blurb about what to do when you're new here"] = "Algunas propuestas para el nuevo usuario sobre quĆ© se puede hacer aquĆ­"; App::$strings["Away"] = "Ausente"; App::$strings["Online"] = "Conectado/a"; +App::$strings["Item not found."] = "Elemento no encontrado."; +App::$strings["Thing updated"] = "Elemento actualizado."; +App::$strings["Object store: failed"] = "Guardar objeto: ha fallado"; +App::$strings["Thing added"] = "Elemento aƱadido"; +App::$strings["OBJ: %1\$s %2\$s %3\$s"] = "OBJ: %1\$s %2\$s %3\$s"; +App::$strings["Show Thing"] = "Mostrar elemento"; +App::$strings["item not found."] = "elemento no encontrado."; +App::$strings["Edit Thing"] = "Editar elemento"; +App::$strings["Select a profile"] = "Seleccionar un perfil"; +App::$strings["Post an activity"] = "Publicar una actividad"; +App::$strings["Only sends to viewers of the applicable profile"] = "Sólo enviar a espectadores del perfil pertinente."; +App::$strings["Name of thing e.g. something"] = "Nombre del elemento, p. ej.:. \"algo\""; +App::$strings["URL of thing (optional)"] = "Dirección del elemento (opcional)"; +App::$strings["URL for photo of thing (optional)"] = "Dirección para la foto o elemento (opcional)"; +App::$strings["Permissions"] = "Permisos"; +App::$strings["Submit"] = "Enviar"; +App::$strings["Add Thing to your Profile"] = "AƱadir alguna cosa a su perfil"; +App::$strings["Like/Dislike"] = "Me gusta/No me gusta"; +App::$strings["This action is restricted to members."] = "Esta acción estĆ” restringida solo para miembros."; +App::$strings["Please login with your \$Projectname ID or register as a new \$Projectname member to continue."] = "Por favor, identifĆ­quese con su \$Projectname ID o rregĆ­strese como un nuevo \$Projectname member para continuar."; +App::$strings["Invalid request."] = "Solicitud incorrecta."; +App::$strings["channel"] = "el canal"; +App::$strings["thing"] = "elemento"; +App::$strings["Channel unavailable."] = "Canal no disponible."; +App::$strings["Previous action reversed."] = "Acción anterior revocada."; +App::$strings["photo"] = "foto"; +App::$strings["status"] = "el mensaje de estado"; +App::$strings["event"] = "evento"; +App::$strings["%1\$s likes %2\$s's %3\$s"] = "A %1\$s le gusta %3\$s de %2\$s"; +App::$strings["%1\$s doesn't like %2\$s's %3\$s"] = "A %1\$s no le gusta %3\$s de %2\$s"; +App::$strings["%1\$s agrees with %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s estĆ” de acuerdo"; +App::$strings["%1\$s doesn't agree with %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s no estĆ” de acuerdo"; +App::$strings["%1\$s abstains from a decision on %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s se abstiene"; +App::$strings["%1\$s is attending %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s participa"; +App::$strings["%1\$s is not attending %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s no participa"; +App::$strings["%1\$s may attend %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s quizĆ” participe"; +App::$strings["Action completed."] = "Acción completada."; +App::$strings["Thank you."] = "Gracias."; +App::$strings["You must be logged in to see this page."] = "Debe haber iniciado sesión para poder ver esta pĆ”gina."; +App::$strings["Not found"] = "No encontrado"; +App::$strings["Wiki"] = "Wiki"; +App::$strings["Sandbox"] = "Entorno de edición"; +App::$strings["\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be saved*.\""] = "\"# Entorno de edición del Wiki\\n\\nEl contenido que se **edite** y **previsualizce** aquĆ­ *no se guardarĆ”*.\""; +App::$strings["Revision Comparison"] = "Comparación de revisiones"; +App::$strings["Revert"] = "Revertir"; +App::$strings["Cancel"] = "Cancelar"; +App::$strings["Enter the name of your new wiki:"] = "Nombre de su nuevo wiki:"; +App::$strings["Enter the name of the new page:"] = "Nombre de la nueva pĆ”gina:"; +App::$strings["Enter the new name:"] = "Nuevo nombre:"; +App::$strings["Embed image from photo albums"] = "Incluir una imagen de los Ć”lbumes de fotos"; +App::$strings["Embed an image from your albums"] = "Incluir una imagen de sus Ć”lbumes"; +App::$strings["OK"] = "OK"; +App::$strings["Choose images to embed"] = "Elegir imĆ”genes para incluir"; +App::$strings["Choose an album"] = "Elegir un Ć”lbum"; +App::$strings["Choose a different album..."] = "Elegir un Ć”lbum diferente..."; +App::$strings["Error getting album list"] = "Error al obtener la lista de Ć”lbumes"; +App::$strings["Error getting photo link"] = "Error al obtener el enlace de la foto"; +App::$strings["Error getting album"] = "Error al obtener el Ć”lbum"; +App::$strings["Public access denied."] = "Acceso pĆŗblico denegado."; +App::$strings["%d rating"] = array( + 0 => "%d valoración", + 1 => "%d valoraciones", +); +App::$strings["Gender: "] = "GĆ©nero:"; +App::$strings["Status: "] = "Estado:"; +App::$strings["Homepage: "] = "PĆ”gina personal:"; +App::$strings["Age:"] = "Edad:"; +App::$strings["Location:"] = "Ubicación:"; +App::$strings["Description:"] = "Descripción:"; +App::$strings["Hometown:"] = "Lugar de nacimiento:"; +App::$strings["About:"] = "Sobre mĆ­:"; +App::$strings["Connect"] = "Conectar"; +App::$strings["Public Forum:"] = "Foro pĆŗblico:"; +App::$strings["Keywords: "] = "Palabras clave:"; +App::$strings["Don't suggest"] = "No sugerir:"; +App::$strings["Common connections:"] = "Conexiones comunes:"; +App::$strings["Global Directory"] = "Directorio global:"; +App::$strings["Local Directory"] = "Directorio local:"; +App::$strings["Find"] = "Encontrar"; +App::$strings["Finding:"] = "Encontrar:"; +App::$strings["Channel Suggestions"] = "Sugerencias de canales"; +App::$strings["next page"] = "siguiente pĆ”gina"; +App::$strings["previous page"] = "pĆ”gina anterior"; +App::$strings["Sort options"] = "Ordenar opciones"; +App::$strings["Alphabetic"] = "AlfabĆ©tico"; +App::$strings["Reverse Alphabetic"] = "AlfabĆ©tico inverso"; +App::$strings["Newest to Oldest"] = "De mĆ”s nuevo a mĆ”s antiguo"; +App::$strings["Oldest to Newest"] = "De mĆ”s antiguo a mĆ”s nuevo"; +App::$strings["No entries (some entries may be hidden)."] = "Sin entradas (algunas entradas pueden estar ocultas)."; +App::$strings["Rating"] = "Valoración"; +App::$strings["Website:"] = "Sitio web:"; +App::$strings["Remote Channel [%s] (not yet known on this site)"] = "Canal remoto [%s] (aĆŗn no es conocido en este sitio)"; +App::$strings["Rating (this information is public)"] = "Valoración (esta información es pĆŗblica)"; +App::$strings["Optionally explain your rating (this information is public)"] = "Opcionalmente puede explicar su valoración (esta información es pĆŗblica)"; +App::$strings["Bookmark added"] = "Marcador aƱadido"; +App::$strings["My Bookmarks"] = "Mis marcadores"; +App::$strings["My Connections Bookmarks"] = "Marcadores de mis conexiones"; +App::$strings["Unable to locate original post."] = "No ha sido posible encontrar la entrada original."; +App::$strings["Empty post discarded."] = "La entrada vacĆ­a ha sido desechada."; +App::$strings["Executable content type not permitted to this channel."] = "Contenido de tipo ejecutable no permitido en este canal."; +App::$strings["Duplicate post suppressed."] = "Se ha suprimido la entrada duplicada."; +App::$strings["System error. Post not saved."] = "Error del sistema. La entrada no se ha podido salvar."; +App::$strings["Unable to obtain post information from database."] = "No ha sido posible obtener información de la entrada en la base de datos."; +App::$strings["You have reached your limit of %1$.0f top level posts."] = "Ha alcanzado su lĆ­mite de %1$.0f entradas en la pĆ”gina principal."; +App::$strings["You have reached your limit of %1$.0f webpages."] = "Ha alcanzado su lĆ­mite de %1$.0f pĆ”ginas web."; +App::$strings["Photos"] = "Fotos"; +App::$strings["Invalid item."] = "Elemento no vĆ”lido."; +App::$strings["Channel not found."] = "Canal no encontrado."; +App::$strings["Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum."] = "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum."; +App::$strings["Save to Folder:"] = "Guardar en carpeta:"; +App::$strings["- select -"] = "- seleccionar -"; +App::$strings["Save"] = "Guardar"; App::$strings["Could not access contact record."] = "No se ha podido acceder al registro de contacto."; App::$strings["Could not locate selected profile."] = "No se ha podido localizar el perfil seleccionado."; App::$strings["Connection updated."] = "Conexión actualizada."; @@ -125,7 +238,6 @@ App::$strings["Available locations:"] = "Ubicaciones disponibles:"; App::$strings["The permissions indicated on this page will be applied to all new connections."] = "Los permisos indicados en esta pĆ”gina serĆ”n aplicados en todas las nuevas conexiones."; App::$strings["Connection Tools"] = "Gestión de las conexiones"; App::$strings["Slide to adjust your degree of friendship"] = "Deslizar para ajustar el grado de amistad"; -App::$strings["Rating"] = "Valoración"; App::$strings["Slide to adjust your rating"] = "Deslizar para ajustar su valoración"; App::$strings["Optionally explain your rating"] = "Opcionalmente, puede explicar su valoración"; App::$strings["Custom Filter"] = "Filtro personalizado"; @@ -135,7 +247,6 @@ App::$strings["Do not import posts with this text"] = "No importar entradas que App::$strings["This information is public!"] = "Ā”Esta información es pĆŗblica!"; App::$strings["Connection Pending Approval"] = "Conexión pendiente de aprobación"; App::$strings["inherited"] = "heredado"; -App::$strings["Submit"] = "Enviar"; App::$strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Por favor, escoja el perfil que quiere mostrar a %s cuando estĆ© viendo su perfil de forma segura."; App::$strings["Their Settings"] = "Sus ajustes"; App::$strings["My Settings"] = "Mis ajustes"; @@ -143,129 +254,6 @@ App::$strings["Individual Permissions"] = "Permisos individuales"; App::$strings["Some permissions may be inherited from your channel's privacy settings, which have higher priority than individual settings. You can not change those settings here."] = "Algunos permisos pueden ser heredados de los ajustes de privacidad de sus canales, los cuales tienen una prioridad mĆ”s alta que los ajustes individuales. No puede cambiar estos ajustes aquĆ­."; App::$strings["Some permissions may be inherited from your channel's privacy settings, which have higher priority than individual settings. You can change those settings here but they wont have any impact unless the inherited setting changes."] = "Algunos permisos pueden ser heredados de los ajustes de privacidad de sus canales, los cuales tienen una prioridad mĆ”s alta que los ajustes individuales. Puede cambiar estos ajustes aquĆ­, pero no tendrĆ”n ningĆŗn consecuencia hasta que cambie los ajustes heredados."; App::$strings["Last update:"] = "Última actualización:"; -App::$strings["Public access denied."] = "Acceso pĆŗblico denegado."; -App::$strings["Item not found."] = "Elemento no encontrado."; -App::$strings["First Name"] = "Nombre"; -App::$strings["Last Name"] = "Apellido"; -App::$strings["Nickname"] = "Sobrenombre o Alias"; -App::$strings["Full Name"] = "Nombre completo"; -App::$strings["Email"] = "Correo electrónico"; -App::$strings["Profile Photo"] = "Foto del perfil"; -App::$strings["Profile Photo 16px"] = "Foto del perfil 16px"; -App::$strings["Profile Photo 32px"] = "Foto del perfil 32px"; -App::$strings["Profile Photo 48px"] = "Foto del perfil 48px"; -App::$strings["Profile Photo 64px"] = "Foto del perfil 64px"; -App::$strings["Profile Photo 80px"] = "Foto del perfil 80px"; -App::$strings["Profile Photo 128px"] = "Foto del perfil 128px"; -App::$strings["Timezone"] = "Huso horario"; -App::$strings["Homepage URL"] = "Dirección de la pĆ”gina personal"; -App::$strings["Language"] = "Idioma"; -App::$strings["Birth Year"] = "AƱo de nacimiento"; -App::$strings["Birth Month"] = "Mes de nacimiento"; -App::$strings["Birth Day"] = "DĆ­a de nacimiento"; -App::$strings["Birthdate"] = "Fecha de nacimiento"; -App::$strings["Gender"] = "GĆ©nero"; -App::$strings["Male"] = "Hombre"; -App::$strings["Female"] = "Mujer"; -App::$strings["Channel added."] = "Canal aƱadido."; -App::$strings["%d rating"] = array( - 0 => "%d valoración", - 1 => "%d valoraciones", -); -App::$strings["Gender: "] = "GĆ©nero:"; -App::$strings["Status: "] = "Estado:"; -App::$strings["Homepage: "] = "PĆ”gina personal:"; -App::$strings["Age:"] = "Edad:"; -App::$strings["Location:"] = "Ubicación:"; -App::$strings["Description:"] = "Descripción:"; -App::$strings["Hometown:"] = "Lugar de nacimiento:"; -App::$strings["About:"] = "Sobre mĆ­:"; -App::$strings["Connect"] = "Conectar"; -App::$strings["Public Forum:"] = "Foro pĆŗblico:"; -App::$strings["Keywords: "] = "Palabras clave:"; -App::$strings["Don't suggest"] = "No sugerir:"; -App::$strings["Common connections:"] = "Conexiones comunes:"; -App::$strings["Global Directory"] = "Directorio global:"; -App::$strings["Local Directory"] = "Directorio local:"; -App::$strings["Find"] = "Encontrar"; -App::$strings["Finding:"] = "Encontrar:"; -App::$strings["Channel Suggestions"] = "Sugerencias de canales"; -App::$strings["next page"] = "siguiente pĆ”gina"; -App::$strings["previous page"] = "pĆ”gina anterior"; -App::$strings["Sort options"] = "Ordenar opciones"; -App::$strings["Alphabetic"] = "AlfabĆ©tico"; -App::$strings["Reverse Alphabetic"] = "AlfabĆ©tico inverso"; -App::$strings["Newest to Oldest"] = "De mĆ”s nuevo a mĆ”s antiguo"; -App::$strings["Oldest to Newest"] = "De mĆ”s antiguo a mĆ”s nuevo"; -App::$strings["No entries (some entries may be hidden)."] = "Sin entradas (algunas entradas pueden estar ocultas)."; -App::$strings["Continue"] = "Continuar"; -App::$strings["Premium Channel Setup"] = "Configuración del canal premium"; -App::$strings["Enable premium channel connection restrictions"] = "Habilitar restricciones de conexión del canal premium"; -App::$strings["Please enter your restrictions or conditions, such as paypal receipt, usage guidelines, etc."] = "Por favor introduzca sus restricciones o condiciones, como recibo de paypal, normas de uso, etc."; -App::$strings["This channel may require additional steps or acknowledgement of the following conditions prior to connecting:"] = "Este canal puede requerir antes de conectar unos pasos adicionales o el conocimiento de las siguientes condiciones:"; -App::$strings["Potential connections will then see the following text before proceeding:"] = "Las posibles conexiones verĆ”n, por tanto, el siguiente texto antes de proceder:"; -App::$strings["By continuing, I certify that I have complied with any instructions provided on this page."] = "Al continuar, certifico que he cumplido con todas las instrucciones proporcionadas en esta pĆ”gina."; -App::$strings["(No specific instructions have been provided by the channel owner.)"] = "(No ha sido proporcionada ninguna instrucción especĆ­fica por el propietario del canal.)"; -App::$strings["Restricted or Premium Channel"] = "Canal premium o restringido"; -App::$strings["Calendar entries imported."] = "Entradas de calendario importadas."; -App::$strings["No calendar entries found."] = "No se han encontrado entradas de calendario."; -App::$strings["Event can not end before it has started."] = "Un evento no puede terminar antes de que haya comenzado."; -App::$strings["Unable to generate preview."] = "No se puede crear la vista previa."; -App::$strings["Event title and start time are required."] = "Se requieren el tĆ­tulo del evento y su hora de inicio."; -App::$strings["Event not found."] = "Evento no encontrado."; -App::$strings["event"] = "evento"; -App::$strings["Edit event title"] = "Editar el tĆ­tulo del evento"; -App::$strings["Event title"] = "TĆ­tulo del evento"; -App::$strings["Required"] = "Obligatorio"; -App::$strings["Categories (comma-separated list)"] = "CategorĆ­as (lista separada por comas)"; -App::$strings["Edit Category"] = "Editar la categorĆ­a"; -App::$strings["Category"] = "CategorĆ­a"; -App::$strings["Edit start date and time"] = "Modificar la fecha y hora de comienzo"; -App::$strings["Start date and time"] = "Fecha y hora de comienzo"; -App::$strings["Finish date and time are not known or not relevant"] = "La fecha y hora de terminación no se conocen o no son relevantes"; -App::$strings["Edit finish date and time"] = "Modificar la fecha y hora de terminación"; -App::$strings["Finish date and time"] = "Fecha y hora de terminación"; -App::$strings["Adjust for viewer timezone"] = "Ajustar para obtener el visor de los husos horarios"; -App::$strings["Important for events that happen in a particular place. Not practical for global holidays."] = "Importante para los eventos que suceden en un lugar determinado. No es prĆ”ctico para los globales."; -App::$strings["Edit Description"] = "Editar la descripción"; -App::$strings["Description"] = "Descripción"; -App::$strings["Edit Location"] = "Modificar la dirección"; -App::$strings["Location"] = "Ubicación"; -App::$strings["Share this event"] = "Compartir este evento"; -App::$strings["Preview"] = "Previsualizar"; -App::$strings["Permission settings"] = "Configuración de permisos"; -App::$strings["Advanced Options"] = "Opciones avanzadas"; -App::$strings["l, F j"] = "l j F"; -App::$strings["Edit event"] = "Editar evento"; -App::$strings["Delete event"] = "Borrar evento"; -App::$strings["Link to Source"] = "Enlazar con la entrada en su ubicación original"; -App::$strings["calendar"] = "calendario"; -App::$strings["Edit Event"] = "Editar el evento"; -App::$strings["Create Event"] = "Crear un evento"; -App::$strings["Previous"] = "Anterior"; -App::$strings["Next"] = "Siguiente"; -App::$strings["Export"] = "Exportar"; -App::$strings["View"] = "Ver"; -App::$strings["Month"] = "Mes"; -App::$strings["Week"] = "Semana"; -App::$strings["Day"] = "DĆ­a"; -App::$strings["Today"] = "Hoy"; -App::$strings["Event removed"] = "Evento borrado"; -App::$strings["Failed to remove event"] = "Error al eliminar el evento"; -App::$strings["Bookmark added"] = "Marcador aƱadido"; -App::$strings["My Bookmarks"] = "Mis marcadores"; -App::$strings["My Connections Bookmarks"] = "Marcadores de mis conexiones"; -App::$strings["Item not found"] = "Elemento no encontrado"; -App::$strings["Item is not editable"] = "El elemento no es editable"; -App::$strings["Edit post"] = "Editar la entrada"; -App::$strings["Photos"] = "Fotos"; -App::$strings["Cancel"] = "Cancelar"; -App::$strings["Invalid item."] = "Elemento no vĆ”lido."; -App::$strings["Channel not found."] = "Canal no encontrado."; -App::$strings["Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum."] = "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum."; -App::$strings["Save to Folder:"] = "Guardar en carpeta:"; -App::$strings["- select -"] = "- seleccionar -"; -App::$strings["Save"] = "Guardar"; App::$strings["Blocked"] = "Bloqueadas"; App::$strings["Ignored"] = "Ignoradas"; App::$strings["Hidden"] = "Ocultas"; @@ -317,80 +305,91 @@ App::$strings["select a photo from your photo albums"] = "Seleccione una foto de App::$strings["Crop Image"] = "Recortar imagen"; App::$strings["Please adjust the image cropping for optimum viewing."] = "Por favor ajuste el recorte de la imagen para una visión óptima."; App::$strings["Done Editing"] = "Edición completada"; -App::$strings["webpage"] = "pĆ”gina web"; -App::$strings["block"] = "bloque"; -App::$strings["layout"] = "plantilla"; -App::$strings["menu"] = "menĆŗ"; -App::$strings["%s element installed"] = "%s elemento instalado"; -App::$strings["%s element installation failed"] = "Elemento con instalación fallida: %s"; -App::$strings["Permissions denied."] = "Permisos denegados."; -App::$strings["Import"] = "Importar"; +App::$strings["Your service plan only allows %d channels."] = "Su paquete de servicios solo permite %d canales."; +App::$strings["Nothing to import."] = "No hay nada para importar."; +App::$strings["Unable to download data from old server"] = "No se han podido descargar datos de su antiguo servidor"; +App::$strings["Imported file is empty."] = "El fichero importado estĆ” vacĆ­o."; +App::$strings["Warning: Database versions differ by %1\$d updates."] = "Atención: Las versiones de la base de datos difieren en %1\$d actualizaciones."; +App::$strings["Cloned channel not found. Import failed."] = "No se ha podido importar el canal porque el canal clonado no se ha encontrado."; +App::$strings["No channel. Import failed."] = "No hay canal. La importación ha fallado"; +App::$strings["Import completed."] = "Importación completada."; +App::$strings["You must be logged in to use this feature."] = "Debe estar registrado para poder usar esta funcionalidad."; +App::$strings["Import Channel"] = "Importar canal"; +App::$strings["Use this form to import an existing channel from a different server/hub. You may retrieve the channel identity from the old server/hub via the network or provide an export file."] = "Emplee este formulario para importar un canal desde un servidor/hub diferente. Puede recuperar el canal desde el antiguo servidor/hub a travĆ©s de la red o proporcionando un fichero de exportación."; +App::$strings["File to Upload"] = "Fichero para subir"; +App::$strings["Or provide the old server/hub details"] = "O proporcione los detalles de su antiguo servidor/hub"; +App::$strings["Your old identity address (xyz@example.com)"] = "Su identidad en el antiguo servidor (canal@ejemplo.com)"; +App::$strings["Your old login email address"] = "Su antigua dirección de correo electrónico"; +App::$strings["Your old login password"] = "Su antigua contraseƱa"; +App::$strings["For either option, please choose whether to make this hub your new primary address, or whether your old location should continue this role. You will be able to post from either location, but only one can be marked as the primary location for files, photos, and media."] = "Para cualquiera de las opciones, elija si hacer de este servidor su nueva dirección primaria, o si su antigua dirección debe continuar con este papel. Usted podrĆ” publicar desde cualquier ubicación, pero sólo una puede estar marcada como la ubicación principal para los ficheros, fotos y otras imĆ”genes o vĆ­deos."; +App::$strings["Make this hub my primary location"] = "Convertir este servidor en mi ubicación primaria"; +App::$strings["Import existing posts if possible (experimental - limited by available memory"] = "Importar el contenido publicado si es posible (experimental - limitado por la memoria disponible"; +App::$strings["This process may take several minutes to complete. Please submit the form only once and leave this page open until finished."] = "Este proceso puede tardar varios minutos en completarse. Por favor envĆ­e el formulario una sola vez y mantenga esta pĆ”gina abierta hasta que termine."; +App::$strings["Unable to lookup recipient."] = "No se puede asociar a un destinatario."; +App::$strings["Unable to communicate with requested channel."] = "No se puede establecer la comunicación con el canal solicitado."; +App::$strings["Cannot verify requested channel."] = "No se puede verificar el canal solicitado."; +App::$strings["Selected channel has private message restrictions. Send failed."] = "El canal seleccionado tiene restricciones sobre los mensajes privados. El envĆ­o falló."; +App::$strings["Messages"] = "Mensajes"; +App::$strings["Message recalled."] = "Mensaje revocado."; +App::$strings["Conversation removed."] = "Conversación eliminada."; +App::$strings["Please enter a link URL:"] = "Por favor, introduzca la dirección del enlace:"; +App::$strings["Expires YYYY-MM-DD HH:MM"] = "Caduca YYYY-MM-DD HH:MM"; +App::$strings["Requested channel is not in this network"] = "El canal solicitado no existe en esta red"; +App::$strings["Send Private Message"] = "Enviar un mensaje privado"; +App::$strings["To:"] = "Para:"; +App::$strings["Subject:"] = "Asunto:"; +App::$strings["Your message:"] = "Su mensaje:"; +App::$strings["Attach file"] = "Adjuntar fichero"; +App::$strings["Insert web link"] = "Insertar enlace web"; +App::$strings["Send"] = "Enviar"; +App::$strings["Set expiration date"] = "Configurar fecha de caducidad"; +App::$strings["Encrypt text"] = "Cifrar texto"; +App::$strings["Delete message"] = "Borrar mensaje"; +App::$strings["Delivery report"] = "Informe de transmisión"; +App::$strings["Recall message"] = "Revocar el mensaje"; +App::$strings["Message has been recalled."] = "El mensaje ha sido revocado."; +App::$strings["Delete Conversation"] = "Eliminar conversación"; +App::$strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Comunicación segura no disponible. Pero puede responder desde la pĆ”gina del perfil del remitente."; +App::$strings["Send Reply"] = "Responder"; +App::$strings["Your message for %s (%s):"] = "Su mensaje para %s (%s):"; App::$strings["This site is not a directory server"] = "Este sitio no es un servidor de directorio"; App::$strings["This directory server requires an access token"] = "El servidor de este directorio necesita un \"token\" de acceso"; -App::$strings["You must be logged in to see this page."] = "Debe haber iniciado sesión para poder ver esta pĆ”gina."; +App::$strings["Item not found"] = "Elemento no encontrado"; +App::$strings["Block Name"] = "Nombre del bloque"; +App::$strings["Title (optional)"] = "TĆ­tulo (opcional)"; +App::$strings["Edit Block"] = "Modificar este bloque"; +App::$strings["Layout Name"] = "Nombre de la plantilla"; +App::$strings["Layout Description (Optional)"] = "Descripción de la plantilla (opcional)"; +App::$strings["Edit Layout"] = "Modificar la plantilla"; +App::$strings["Page link"] = "Enlace de la pĆ”gina"; +App::$strings["Edit Webpage"] = "Editar la pĆ”gina web"; App::$strings["Room not found"] = "Sala no encontrada"; App::$strings["Leave Room"] = "Abandonar la sala"; App::$strings["Delete Room"] = "Eliminar esta sala"; App::$strings["I am away right now"] = "Estoy ausente momentĆ”neamente"; App::$strings["I am online"] = "Estoy conectado/a"; App::$strings["Bookmark this room"] = "AƱadir esta sala a Marcadores"; -App::$strings["Please enter a link URL:"] = "Por favor, introduzca la dirección del enlace:"; -App::$strings["Encrypt text"] = "Cifrar texto"; -App::$strings["Insert web link"] = "Insertar enlace web"; App::$strings["Feature disabled."] = "Funcionalidad deshabilitada."; App::$strings["New Chatroom"] = "Nueva sala de chat"; App::$strings["Chatroom name"] = "Nombre de la sala de chat"; App::$strings["Expiration of chats (minutes)"] = "Caducidad de los mensajes en los chats (en minutos)"; -App::$strings["Permissions"] = "Permisos"; App::$strings["%1\$s's Chatrooms"] = "Salas de chat de %1\$s"; App::$strings["No chatrooms available"] = "No hay salas de chat disponibles"; App::$strings["Create New"] = "Crear"; App::$strings["Expiration"] = "Caducidad"; App::$strings["min"] = "min"; -App::$strings["Invalid message"] = "Mensaje no vĆ”lido"; -App::$strings["no results"] = "sin resultados"; -App::$strings["channel sync processed"] = "se ha realizado la sincronización del canal"; -App::$strings["queued"] = "encolado"; -App::$strings["posted"] = "enviado"; -App::$strings["accepted for delivery"] = "aceptado para el envĆ­o"; -App::$strings["updated"] = "actualizado"; -App::$strings["update ignored"] = "actualización ignorada"; -App::$strings["permission denied"] = "permiso denegado"; -App::$strings["recipient not found"] = "destinatario no encontrado"; -App::$strings["mail recalled"] = "mensaje de correo revocado"; -App::$strings["duplicate mail received"] = "se ha recibido mensaje duplicado"; -App::$strings["mail delivered"] = "correo enviado"; -App::$strings["Delivery report for %1\$s"] = "Informe de entrega para %1\$s"; -App::$strings["Options"] = "Opciones"; -App::$strings["Redeliver"] = "Volver a enviar"; -App::$strings["Layout Name"] = "Nombre de la plantilla"; -App::$strings["Layout Description (Optional)"] = "Descripción de la plantilla (opcional)"; -App::$strings["Edit Layout"] = "Modificar la plantilla"; -App::$strings["Page link"] = "Enlace de la pĆ”gina"; -App::$strings["Edit Webpage"] = "Editar la pĆ”gina web"; -App::$strings["Privacy group created."] = "El grupo de canales ha sido creado."; -App::$strings["Could not create privacy group."] = "No se puede crear el grupo de canales"; -App::$strings["Privacy group not found."] = "Grupo de canales no encontrado."; -App::$strings["Privacy group updated."] = "Grupo de canales actualizado."; -App::$strings["Create a group of channels."] = "Crear un grupo de canales."; -App::$strings["Privacy group name: "] = "Nombre del grupo de canales:"; -App::$strings["Members are visible to other channels"] = "Los miembros son visibles para otros canales"; -App::$strings["Privacy group removed."] = "Grupo de canales eliminado."; -App::$strings["Unable to remove privacy group."] = "Imposible eliminar el grupo de canales."; -App::$strings["Privacy group editor"] = "Editor de grupos de canales"; -App::$strings["Members"] = "Miembros"; -App::$strings["All Connected Channels"] = "Todos los canales conectados"; -App::$strings["Click on a channel to add or remove."] = "Haga clic en un canal para agregarlo o quitarlo."; App::$strings["App installed."] = "Aplicación instalada."; App::$strings["Malformed app."] = "Aplicación con errores"; App::$strings["Embed code"] = "Código incorporado"; App::$strings["Edit App"] = "Modificar la aplicación"; App::$strings["Create App"] = "Crear una aplicación"; App::$strings["Name of app"] = "Nombre de la aplicación"; +App::$strings["Required"] = "Obligatorio"; App::$strings["Location (URL) of app"] = "Dirección (URL) de la aplicación"; +App::$strings["Description"] = "Descripción"; App::$strings["Photo icon URL"] = "Dirección del icono"; App::$strings["80 x 80 pixels - optional"] = "80 x 80 pixels - opcional"; -App::$strings["Categories (optional, comma separated list)"] = "CategorĆ­as (opcional, lista separada por comas)"; +App::$strings["Categories (optional, comma separated list)"] = "Temas (opcional, lista separada por comas)"; App::$strings["Version ID"] = "Versión"; App::$strings["Price of app"] = "Precio de la aplicación"; App::$strings["Location (URL) to purchase app"] = "Dirección (URL) donde adquirir la aplicación"; @@ -406,8 +405,10 @@ App::$strings["Module Name:"] = "Nombre del módulo:"; App::$strings["Layout Help"] = "Ayuda para el diseƱo de plantillas de pĆ”gina"; App::$strings["Share content from Firefox to \$Projectname"] = "Compartir contenido desde Firefox a \$Projectname"; App::$strings["Activate the Firefox \$Projectname provider"] = "Servicio de compartición de Firefox: activar el proveedor \$Projectname "; -App::$strings["network"] = "red"; -App::$strings["RSS"] = "RSS"; +App::$strings["\$Projectname"] = "\$Projectname"; +App::$strings["Welcome to %s"] = "Bienvenido a %s"; +App::$strings["Remote privacy information not available."] = "La información privada remota no estĆ” disponible."; +App::$strings["Visible to:"] = "Visible para:"; App::$strings["Permission Denied."] = "Permiso denegado"; App::$strings["File not found."] = "Fichero no encontrado."; App::$strings["Edit file permissions"] = "Modificar los permisos del fichero"; @@ -419,33 +420,6 @@ App::$strings["Copy/paste this URL to link file from a web page"] = "Copiar/pega App::$strings["Share this file"] = "Compartir este fichero"; App::$strings["Show URL to this file"] = "Mostrar la dirección de este fichero"; App::$strings["Notify your contacts about this file"] = "Avisar a sus contactos sobre este fichero"; -App::$strings["Layouts"] = "Plantillas"; -App::$strings["Comanche page description language help"] = "PĆ”gina de ayuda del lenguaje de descripción de pĆ”ginas (PDL) Comanche"; -App::$strings["Layout Description"] = "Descripción de la plantilla"; -App::$strings["Created"] = "Creado"; -App::$strings["Edited"] = "Editado"; -App::$strings["Share"] = "Compartir"; -App::$strings["Download PDL file"] = "Descargar el fichero PDL"; -App::$strings["Like/Dislike"] = "Me gusta/No me gusta"; -App::$strings["This action is restricted to members."] = "Esta acción estĆ” restringida solo para miembros."; -App::$strings["Please login with your \$Projectname ID or register as a new \$Projectname member to continue."] = "Por favor, identifĆ­quese con su \$Projectname ID o rregĆ­strese como un nuevo \$Projectname member para continuar."; -App::$strings["Invalid request."] = "Solicitud incorrecta."; -App::$strings["channel"] = "el canal"; -App::$strings["thing"] = "elemento"; -App::$strings["Channel unavailable."] = "Canal no disponible."; -App::$strings["Previous action reversed."] = "Acción anterior revocada."; -App::$strings["photo"] = "foto"; -App::$strings["status"] = "el mensaje de estado"; -App::$strings["%1\$s likes %2\$s's %3\$s"] = "A %1\$s le gusta %3\$s de %2\$s"; -App::$strings["%1\$s doesn't like %2\$s's %3\$s"] = "A %1\$s no le gusta %3\$s de %2\$s"; -App::$strings["%1\$s agrees with %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s estĆ” de acuerdo"; -App::$strings["%1\$s doesn't agree with %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s no estĆ” de acuerdo"; -App::$strings["%1\$s abstains from a decision on %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s se abstiene"; -App::$strings["%1\$s is attending %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s participa"; -App::$strings["%1\$s is not attending %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s no participa"; -App::$strings["%1\$s may attend %2\$s's %3\$s"] = "%3\$s de %2\$s: %1\$s quizĆ” participe"; -App::$strings["Action completed."] = "Acción completada."; -App::$strings["Thank you."] = "Gracias."; App::$strings["Profile not found."] = "Perfil no encontrado."; App::$strings["Profile deleted."] = "Perfil eliminado."; App::$strings["Profile-"] = "Perfil-"; @@ -460,10 +434,12 @@ App::$strings["Dislikes"] = "No me gusta"; App::$strings["Work/Employment"] = "Trabajo:"; App::$strings["Religion"] = "Religión"; App::$strings["Political Views"] = "Ideas polĆ­ticas"; +App::$strings["Gender"] = "GĆ©nero"; App::$strings["Sexual Preference"] = "Preferencia sexual"; App::$strings["Homepage"] = "PĆ”gina personal"; App::$strings["Interests"] = "Intereses"; App::$strings["Address"] = "Dirección"; +App::$strings["Location"] = "Ubicación"; App::$strings["Profile updated."] = "Perfil actualizado."; App::$strings["Hide your connections list from viewers of this profile"] = "Ocultar la lista de conexiones a los visitantes del perfil"; App::$strings["Edit Profile Details"] = "Modificar los detalles de este perfil"; @@ -497,6 +473,7 @@ App::$strings["Who (if applicable)"] = "QuiĆ©n (si es pertinente)"; App::$strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Por ejemplo: ana123, MarĆ­a GonzĆ”lez, sara@ejemplo.com"; App::$strings["Since (date)"] = "Desde (fecha)"; App::$strings["Tell us about yourself"] = "HĆ”blenos de usted"; +App::$strings["Homepage URL"] = "Dirección de la pĆ”gina personal"; App::$strings["Hometown"] = "Lugar de nacimiento"; App::$strings["Political views"] = "Ideas polĆ­ticas"; App::$strings["Religious views"] = "Creencias religiosas"; @@ -513,236 +490,27 @@ App::$strings["Contact information and social networks"] = "Información de cont App::$strings["My other channels"] = "Mis otros canales"; App::$strings["Profile Image"] = "Imagen del perfil"; App::$strings["Edit Profiles"] = "Editar perfiles"; -App::$strings["Your service plan only allows %d channels."] = "Su paquete de servicios solo permite %d canales."; -App::$strings["Nothing to import."] = "No hay nada para importar."; -App::$strings["Unable to download data from old server"] = "No se han podido descargar datos de su antiguo servidor"; -App::$strings["Imported file is empty."] = "El fichero importado estĆ” vacĆ­o."; -App::$strings["Warning: Database versions differ by %1\$d updates."] = "Atención: Las versiones de la base de datos difieren en %1\$d actualizaciones."; -App::$strings["Cloned channel not found. Import failed."] = "No se ha podido importar el canal porque el canal clonado no se ha encontrado."; -App::$strings["No channel. Import failed."] = "No hay canal. La importación ha fallado"; -App::$strings["Import completed."] = "Importación completada."; -App::$strings["You must be logged in to use this feature."] = "Debe estar registrado para poder usar esta funcionalidad."; -App::$strings["Import Channel"] = "Importar canal"; -App::$strings["Use this form to import an existing channel from a different server/hub. You may retrieve the channel identity from the old server/hub via the network or provide an export file."] = "Emplee este formulario para importar un canal desde un servidor/hub diferente. Puede recuperar el canal desde el antiguo servidor/hub a travĆ©s de la red o proporcionando un fichero de exportación."; -App::$strings["File to Upload"] = "Fichero para subir"; -App::$strings["Or provide the old server/hub details"] = "O proporcione los detalles de su antiguo servidor/hub"; -App::$strings["Your old identity address (xyz@example.com)"] = "Su identidad en el antiguo servidor (canal@ejemplo.com)"; -App::$strings["Your old login email address"] = "Su antigua dirección de correo electrónico"; -App::$strings["Your old login password"] = "Su antigua contraseƱa"; -App::$strings["For either option, please choose whether to make this hub your new primary address, or whether your old location should continue this role. You will be able to post from either location, but only one can be marked as the primary location for files, photos, and media."] = "Para cualquiera de las opciones, elija si hacer de este servidor su nueva dirección primaria, o si su antigua dirección debe continuar con este papel. Usted podrĆ” publicar desde cualquier ubicación, pero sólo una puede estar marcada como la ubicación principal para los ficheros, fotos y otras imĆ”genes o vĆ­deos."; -App::$strings["Make this hub my primary location"] = "Convertir este servidor en mi ubicación primaria"; -App::$strings["Import existing posts if possible (experimental - limited by available memory"] = "Importar el contenido publicado si es posible (experimental - limitado por la memoria disponible"; -App::$strings["This process may take several minutes to complete. Please submit the form only once and leave this page open until finished."] = "Este proceso puede tardar varios minutos en completarse. Por favor envĆ­e el formulario una sola vez y mantenga esta pĆ”gina abierta hasta que termine."; -App::$strings["\$Projectname"] = "\$Projectname"; -App::$strings["Welcome to %s"] = "Bienvenido a %s"; -App::$strings["Unable to locate original post."] = "No ha sido posible encontrar la entrada original."; -App::$strings["Empty post discarded."] = "La entrada vacĆ­a ha sido desechada."; -App::$strings["Executable content type not permitted to this channel."] = "Contenido de tipo ejecutable no permitido en este canal."; -App::$strings["Duplicate post suppressed."] = "Se ha suprimido la entrada duplicada."; -App::$strings["System error. Post not saved."] = "Error del sistema. La entrada no se ha podido salvar."; -App::$strings["Unable to obtain post information from database."] = "No ha sido posible obtener información de la entrada en la base de datos."; -App::$strings["You have reached your limit of %1$.0f top level posts."] = "Ha alcanzado su lĆ­mite de %1$.0f entradas en la pĆ”gina principal."; -App::$strings["You have reached your limit of %1$.0f webpages."] = "Ha alcanzado su lĆ­mite de %1$.0f pĆ”ginas web."; -App::$strings["Page owner information could not be retrieved."] = "La información del propietario de la pĆ”gina no pudo ser recuperada."; -App::$strings["Profile Photos"] = "Fotos del perfil"; -App::$strings["Album not found."] = "Ɓlbum no encontrado."; -App::$strings["Delete Album"] = "Borrar Ć”lbum"; -App::$strings["Multiple storage folders exist with this album name, but within different directories. Please remove the desired folder or folders using the Files manager"] = "Hay varias carpetas con este nombre de Ć”lbum, pero dentro de diferentes directorios. Por favor, elimine la carpeta o carpetas que desee utilizando el administrador de ficheros"; -App::$strings["Delete Photo"] = "Borrar foto"; -App::$strings["No photos selected"] = "No hay fotos seleccionadas"; -App::$strings["Access to this item is restricted."] = "El acceso a este elemento estĆ” restringido."; -App::$strings["%1$.2f MB of %2$.2f MB photo storage used."] = "%1$.2f MB de %2$.2f MB de almacenamiento de fotos utilizado."; -App::$strings["%1$.2f MB photo storage used."] = "%1$.2f MB de almacenamiento de fotos utilizado."; -App::$strings["Upload Photos"] = "Subir fotos"; -App::$strings["Enter an album name"] = "Introducir un nombre de Ć”lbum"; -App::$strings["or select an existing album (doubleclick)"] = "o seleccionar uno existente (doble click)"; -App::$strings["Create a status post for this upload"] = "Crear un mensaje de estado para esta subida"; -App::$strings["Caption (optional):"] = "TĆ­tulo (opcional):"; -App::$strings["Description (optional):"] = "Descripción (opcional):"; -App::$strings["Album name could not be decoded"] = "El nombre del Ć”lbum no ha podido ser descifrado"; -App::$strings["Contact Photos"] = "Fotos de contacto"; -App::$strings["Show Newest First"] = "Mostrar lo mĆ”s reciente primero"; -App::$strings["Show Oldest First"] = "Mostrar lo mĆ”s antiguo primero"; -App::$strings["View Photo"] = "Ver foto"; -App::$strings["Edit Album"] = "Editar Ć”lbum"; -App::$strings["Permission denied. Access to this item may be restricted."] = "Permiso denegado. El acceso a este elemento puede estar restringido."; -App::$strings["Photo not available"] = "Foto no disponible"; -App::$strings["Use as profile photo"] = "Usar como foto del perfil"; -App::$strings["Use as cover photo"] = "Usar como imagen de portada del perfil"; -App::$strings["Private Photo"] = "Foto privada"; -App::$strings["View Full Size"] = "Ver tamaƱo completo"; -App::$strings["Remove"] = "Eliminar"; -App::$strings["Edit photo"] = "Editar foto"; -App::$strings["Rotate CW (right)"] = "Girar CW (a la derecha)"; -App::$strings["Rotate CCW (left)"] = "Girar CCW (a la izquierda)"; -App::$strings["Enter a new album name"] = "Introducir un nuevo nombre de Ć”lbum"; -App::$strings["or select an existing one (doubleclick)"] = "o seleccionar uno (doble click) existente"; -App::$strings["Caption"] = "TĆ­tulo"; -App::$strings["Add a Tag"] = "AƱadir una etiqueta"; -App::$strings["Example: @bob, @Barbara_Jensen, @jim@example.com"] = "Ejemplos: @eva, @Carmen_Osuna, @jaime@ejemplo.com"; -App::$strings["Flag as adult in album view"] = "Marcar como \"solo para adultos\" en el Ć”lbum"; -App::$strings["I like this (toggle)"] = "Me gusta (cambiar)"; -App::$strings["I don't like this (toggle)"] = "No me gusta esto (cambiar)"; -App::$strings["Please wait"] = "Espere por favor"; -App::$strings["This is you"] = "Este es usted"; -App::$strings["Comment"] = "Comentar"; -App::$strings["__ctx:title__ Likes"] = "Me gusta"; -App::$strings["__ctx:title__ Dislikes"] = "No me gusta"; -App::$strings["__ctx:title__ Agree"] = "De acuerdo"; -App::$strings["__ctx:title__ Disagree"] = "En desacuerdo"; -App::$strings["__ctx:title__ Abstain"] = "Abstención"; -App::$strings["__ctx:title__ Attending"] = "ParticiparĆ©"; -App::$strings["__ctx:title__ Not attending"] = "No participarĆ©"; -App::$strings["__ctx:title__ Might attend"] = "QuizĆ” participe"; -App::$strings["View all"] = "Ver todo"; -App::$strings["__ctx:noun__ Like"] = array( - 0 => "Me gusta", - 1 => "Me gusta", -); -App::$strings["__ctx:noun__ Dislike"] = array( - 0 => "No me gusta", - 1 => "No me gusta", -); -App::$strings["Photo Tools"] = "Gestión de las fotos"; -App::$strings["In This Photo:"] = "En esta foto:"; -App::$strings["Map"] = "Mapa"; -App::$strings["__ctx:noun__ Likes"] = "Me gusta"; -App::$strings["__ctx:noun__ Dislikes"] = "No me gusta"; -App::$strings["Close"] = "Cerrar"; -App::$strings["View Album"] = "Ver Ć”lbum"; -App::$strings["Recent Photos"] = "Fotos recientes"; -App::$strings["Remote privacy information not available."] = "La información privada remota no estĆ” disponible."; -App::$strings["Visible to:"] = "Visible para:"; -App::$strings["Import completed"] = "Importación completada"; -App::$strings["Import Items"] = "Importar elementos"; -App::$strings["Use this form to import existing posts and content from an export file."] = "Utilice este formulario para importar entradas existentes y contenido desde un archivo de exportación."; -App::$strings["Total invitation limit exceeded."] = "Se ha superado el lĆ­mite mĆ”ximo de invitaciones."; -App::$strings["%s : Not a valid email address."] = "%s : No es una dirección de correo electrónico vĆ”lida. "; -App::$strings["Please join us on \$Projectname"] = "Únase a nosotros en \$Projectname"; -App::$strings["Invitation limit exceeded. Please contact your site administrator."] = "Excedido el lĆ­mite de invitaciones. Por favor, contacte con el Administrador de su sitio."; -App::$strings["%s : Message delivery failed."] = "%s : Falló el envĆ­o del mensaje."; -App::$strings["%d message sent."] = array( - 0 => "%d mensajes enviados.", - 1 => "%d mensajes enviados.", -); -App::$strings["You have no more invitations available"] = "No tiene mĆ”s invitaciones disponibles"; -App::$strings["Send invitations"] = "Enviar invitaciones"; -App::$strings["Enter email addresses, one per line:"] = "Introduzca las direcciones de correo electrónico, una por lĆ­nea:"; -App::$strings["Your message:"] = "Su mensaje:"; -App::$strings["Please join my community on \$Projectname."] = "Por favor, Ćŗnase a mi comunidad en \$Projectname."; -App::$strings["You will need to supply this invitation code:"] = "TendrĆ” que suministrar este código de invitación:"; -App::$strings["1. Register at any \$Projectname location (they are all inter-connected)"] = "1. RegĆ­strese en cualquier sitio de \$Projectname (estĆ”n todos interconectados)"; -App::$strings["2. Enter my \$Projectname network address into the site searchbar."] = "2. Introduzca mi dirección \$Projectname en la caja de bĆŗsqueda del sitio."; -App::$strings["or visit"] = "o visitar"; -App::$strings["3. Click [Connect]"] = "3. Pulse [conectar]"; -App::$strings["Location not found."] = "Dirección no encontrada."; -App::$strings["Location lookup failed."] = "Ha fallado la bĆŗsqueda de la dirección."; -App::$strings["Please select another location to become primary before removing the primary location."] = "Por favor, seleccione una copia de su canal (un clon) para convertirlo en primario antes de eliminar su canal principal."; -App::$strings["Syncing locations"] = "Sincronización de ubicaciones"; -App::$strings["No locations found."] = "No encontrada ninguna dirección."; -App::$strings["Manage Channel Locations"] = "Gestionar las direcciones del canal"; -App::$strings["Primary"] = "Primario"; -App::$strings["Drop"] = "Eliminar"; -App::$strings["Sync Now"] = "Sincronizar ahora"; -App::$strings["Please wait several minutes between consecutive operations."] = "Por favor, espere algunos minutos entre operaciones consecutivas."; -App::$strings["When possible, drop a location by logging into that website/hub and removing your channel."] = "Cuando sea posible, elimine una ubicación iniciando sesión en el sitio web o \"hub\" y borrando su canal."; -App::$strings["Use this form to drop the location if the hub is no longer operating."] = "Utilice este formulario para eliminar la dirección si el \"hub\" no estĆ” funcionando desde hace tiempo."; -App::$strings["Hub not found."] = "Servidor no encontrado"; -App::$strings["Unable to lookup recipient."] = "Imposible asociar a un destinatario."; -App::$strings["Unable to communicate with requested channel."] = "Imposible comunicar con el canal solicitado."; -App::$strings["Cannot verify requested channel."] = "No se puede verificar el canal solicitado."; -App::$strings["Selected channel has private message restrictions. Send failed."] = "El canal seleccionado tiene restricciones sobre los mensajes privados. El envĆ­o falló."; -App::$strings["Messages"] = "Mensajes"; -App::$strings["Message recalled."] = "Mensaje revocado."; -App::$strings["Conversation removed."] = "Conversación eliminada."; -App::$strings["Expires YYYY-MM-DD HH:MM"] = "Caduca YYYY-MM-DD HH:MM"; -App::$strings["Requested channel is not in this network"] = "El canal solicitado no existe en esta red"; -App::$strings["Send Private Message"] = "Enviar un mensaje privado"; -App::$strings["To:"] = "Para:"; -App::$strings["Subject:"] = "Asunto:"; -App::$strings["Attach file"] = "Adjuntar fichero"; -App::$strings["Send"] = "Enviar"; -App::$strings["Set expiration date"] = "Configurar fecha de caducidad"; -App::$strings["Delete message"] = "Borrar mensaje"; -App::$strings["Delivery report"] = "Informe de transmisión"; -App::$strings["Recall message"] = "Revocar el mensaje"; -App::$strings["Message has been recalled."] = "El mensaje ha sido revocado."; -App::$strings["Delete Conversation"] = "Eliminar conversación"; -App::$strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Comunicación segura no disponible. Pero puede responder desde la pĆ”gina del perfil del remitente."; -App::$strings["Send Reply"] = "Responder"; -App::$strings["Your message for %s (%s):"] = "Su mensaje para %s (%s):"; -App::$strings["You have created %1$.0f of %2$.0f allowed channels."] = "Ha creado %1$.0f de %2$.0f canales permitidos."; -App::$strings["Create a new channel"] = "Crear un nuevo canal"; -App::$strings["Channel Manager"] = "Administración de canales"; -App::$strings["Current Channel"] = "Canal actual"; -App::$strings["Switch to one of your channels by selecting it."] = "Cambiar a uno de sus canales seleccionĆ”ndolo."; -App::$strings["Default Channel"] = "Canal principal"; -App::$strings["Make Default"] = "Convertir en predeterminado"; -App::$strings["%d new messages"] = "%d mensajes nuevos"; -App::$strings["%d new introductions"] = "%d nuevas isolicitudes de conexión"; -App::$strings["Delegated Channel"] = "Canal delegado"; -App::$strings["Unable to update menu."] = "No se puede actualizar el menĆŗ."; -App::$strings["Unable to create menu."] = "No se puede crear el menĆŗ."; -App::$strings["Menu Name"] = "Nombre del menĆŗ"; -App::$strings["Unique name (not visible on webpage) - required"] = "Nombre Ćŗnico (no serĆ” visible en la pĆ”gina web) - requerido"; -App::$strings["Menu Title"] = "TĆ­tulo del menĆŗ"; -App::$strings["Visible on webpage - leave empty for no title"] = "Visible en la pĆ”gina web - no ponga nada si no desea un tĆ­tulo"; -App::$strings["Allow Bookmarks"] = "Permitir marcadores"; -App::$strings["Menu may be used to store saved bookmarks"] = "El menĆŗ se puede usar para guardar marcadores"; -App::$strings["Submit and proceed"] = "Enviar y proceder"; -App::$strings["Menus"] = "MenĆŗs"; -App::$strings["Bookmarks allowed"] = "Marcadores permitidos"; -App::$strings["Delete this menu"] = "Borrar este menĆŗ"; -App::$strings["Edit menu contents"] = "Editar los contenidos del menĆŗ"; -App::$strings["Edit this menu"] = "Modificar este menĆŗ"; -App::$strings["Menu could not be deleted."] = "El menĆŗ no puede ser eliminado."; -App::$strings["Menu not found."] = "MenĆŗ no encontrado"; -App::$strings["Edit Menu"] = "Modificar el menĆŗ"; -App::$strings["Add or remove entries to this menu"] = "AƱadir o quitar entradas en este menĆŗ"; -App::$strings["Menu name"] = "Nombre del menĆŗ"; -App::$strings["Must be unique, only seen by you"] = "Debe ser Ćŗnico, solo serĆ” visible para usted"; -App::$strings["Menu title"] = "TĆ­tulo del menĆŗ"; -App::$strings["Menu title as seen by others"] = "El tĆ­tulo del menĆŗ tal como serĆ” visto por los demĆ”s"; -App::$strings["Allow bookmarks"] = "Permitir marcadores"; -App::$strings["Not found."] = "No encontrado."; -App::$strings["No valid account found."] = "No se ha encontrado una cuenta vĆ”lida."; -App::$strings["Password reset request issued. Check your email."] = "Se ha recibido una solicitud de restablecimiento de contraseƱa. Consulte su correo electrónico."; -App::$strings["Site Member (%s)"] = "Usuario del sitio (%s)"; -App::$strings["Password reset requested at %s"] = "Se ha solicitado restablecer la contraseƱa en %s"; -App::$strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "La solicitud no ha podido ser verificada. (Puede que la haya enviado con anterioridad) El restablecimiento de la contraseƱa ha fallado."; -App::$strings["Password Reset"] = "Restablecer la contraseƱa"; -App::$strings["Your password has been reset as requested."] = "Su contraseƱa ha sido restablecida segĆŗn lo solicitó."; -App::$strings["Your new password is"] = "Su nueva contraseƱa es"; -App::$strings["Save or copy your new password - and then"] = "Guarde o copie su nueva contraseƱa - y despuĆ©s"; -App::$strings["click here to login"] = "pulse aquĆ­ para conectarse"; -App::$strings["Your password may be changed from the Settings page after successful login."] = "Puede cambiar la contraseƱa en la pĆ”gina Ajustes una vez iniciada la sesión."; -App::$strings["Your password has changed at %s"] = "Su contraseƱa en %s ha sido cambiada"; -App::$strings["Forgot your Password?"] = "ĀæHa olvidado su contraseƱa?"; -App::$strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Introduzca y envĆ­e su dirección de correo electrónico para el restablecimiento de su contraseƱa. Luego revise su correo para obtener mĆ”s instrucciones."; -App::$strings["Email Address"] = "Dirección de correo electrónico"; -App::$strings["Reset"] = "Reiniciar"; -App::$strings["__ctx:mood__ %1\$s is %2\$s"] = "%1\$s estĆ” %2\$s"; -App::$strings["Mood"] = "Estado de Ć”nimo"; -App::$strings["Set your current mood and tell your friends"] = "Describir su estado de Ć”nimo para comunicĆ”rselo a sus amigos"; -App::$strings["No such group"] = "No se encuentra el grupo"; -App::$strings["No such channel"] = "No se encuentra el canal"; -App::$strings["forum"] = "foro"; -App::$strings["Search Results For:"] = "Buscar resultados para:"; -App::$strings["Privacy group is empty"] = "El grupo de canales estĆ” vacĆ­o"; -App::$strings["Privacy group: "] = "Grupo de canales: "; -App::$strings["Invalid connection."] = "Conexión no vĆ”lida."; -App::$strings["No more system notifications."] = "No hay mĆ”s notificaciones del sistema"; -App::$strings["System Notifications"] = "Notificaciones del sistema"; -App::$strings["Profile Match"] = "Perfil compatible"; -App::$strings["No keywords to match. Please add keywords to your default profile."] = "No hay palabras clave en el perfil principal para poder encontrar perfiles compatibles. Por favor, aƱada palabras clave a su perfil principal."; -App::$strings["is interested in:"] = "estĆ” interesado en:"; -App::$strings["No matches"] = "No se han encontrado perfiles compatibles"; App::$strings["Posts and comments"] = "Publicaciones y comentarios"; App::$strings["Only posts"] = "Solo publicaciones"; App::$strings["Insufficient permissions. Request redirected to profile page."] = "Permisos insuficientes. Petición redirigida a la pĆ”gina del perfil."; -App::$strings["Unable to create element."] = "Imposible crear el elemento."; +App::$strings["Privacy group created."] = "El grupo de canales ha sido creado."; +App::$strings["Could not create privacy group."] = "No se puede crear el grupo de canales"; +App::$strings["Privacy group not found."] = "Grupo de canales no encontrado."; +App::$strings["Privacy group updated."] = "Grupo de canales actualizado."; +App::$strings["Create a group of channels."] = "Crear un grupo de canales."; +App::$strings["Privacy group name: "] = "Nombre del grupo de canales:"; +App::$strings["Members are visible to other channels"] = "Los miembros son visibles para otros canales"; +App::$strings["Privacy group removed."] = "Grupo de canales eliminado."; +App::$strings["Unable to remove privacy group."] = "No se puede eliminar el grupo de canales."; +App::$strings["Privacy group editor"] = "Editor de grupos de canales"; +App::$strings["Members"] = "Miembros"; +App::$strings["All Connected Channels"] = "Todos los canales conectados"; +App::$strings["Click on a channel to add or remove."] = "Haga clic en un canal para agregarlo o quitarlo."; +App::$strings["Menu not found."] = "MenĆŗ no encontrado"; +App::$strings["Unable to create element."] = "No se puede crear el elemento."; App::$strings["Unable to update menu element."] = "No es posible actualizar el elemento del menĆŗ."; App::$strings["Unable to add menu element."] = "No es posible aƱadir el elemento al menĆŗ"; +App::$strings["Not found."] = "No encontrado."; App::$strings["Menu Item Permissions"] = "Permisos del elemento del menĆŗ"; App::$strings["(click to open/close)"] = "(pulsar para abrir o cerrar)"; App::$strings["Link Name"] = "Nombre del enlace"; @@ -769,6 +537,235 @@ App::$strings["Menu item deleted."] = "Este elemento del menĆŗ ha sido borrado"; App::$strings["Menu item could not be deleted."] = "Este elemento del menĆŗ no puede ser borrado."; App::$strings["Edit Menu Element"] = "Editar elemento del menĆŗ"; App::$strings["Link text"] = "Texto del enlace"; +App::$strings["Channel added."] = "Canal aƱadido."; +App::$strings["Import completed"] = "Importación completada"; +App::$strings["Import Items"] = "Importar elementos"; +App::$strings["Use this form to import existing posts and content from an export file."] = "Utilice este formulario para importar entradas existentes y contenido desde un archivo de exportación."; +App::$strings["Total invitation limit exceeded."] = "Se ha superado el lĆ­mite mĆ”ximo de invitaciones."; +App::$strings["%s : Not a valid email address."] = "%s : No es una dirección de correo electrónico vĆ”lida. "; +App::$strings["Please join us on \$Projectname"] = "Únase a nosotros en \$Projectname"; +App::$strings["Invitation limit exceeded. Please contact your site administrator."] = "Excedido el lĆ­mite de invitaciones. Por favor, contacte con el Administrador de su sitio."; +App::$strings["%s : Message delivery failed."] = "%s : Falló el envĆ­o del mensaje."; +App::$strings["%d message sent."] = array( + 0 => "%d mensajes enviados.", + 1 => "%d mensajes enviados.", +); +App::$strings["You have no more invitations available"] = "No tiene mĆ”s invitaciones disponibles"; +App::$strings["Send invitations"] = "Enviar invitaciones"; +App::$strings["Enter email addresses, one per line:"] = "Introduzca las direcciones de correo electrónico, una por lĆ­nea:"; +App::$strings["Please join my community on \$Projectname."] = "Por favor, Ćŗnase a mi comunidad en \$Projectname."; +App::$strings["You will need to supply this invitation code:"] = "TendrĆ” que suministrar este código de invitación:"; +App::$strings["1. Register at any \$Projectname location (they are all inter-connected)"] = "1. RegĆ­strese en cualquier sitio de \$Projectname (estĆ”n todos interconectados)"; +App::$strings["2. Enter my \$Projectname network address into the site searchbar."] = "2. Introduzca mi dirección \$Projectname en la caja de bĆŗsqueda del sitio."; +App::$strings["or visit"] = "o visitar"; +App::$strings["3. Click [Connect]"] = "3. Pulse [conectar]"; +App::$strings["Location not found."] = "Dirección no encontrada."; +App::$strings["Location lookup failed."] = "Ha fallado la bĆŗsqueda de la dirección."; +App::$strings["Please select another location to become primary before removing the primary location."] = "Por favor, seleccione una copia de su canal (un clon) para convertirlo en primario antes de eliminar su canal principal."; +App::$strings["Syncing locations"] = "Sincronizando ubicaciones"; +App::$strings["No locations found."] = "No encontrada ninguna dirección."; +App::$strings["Manage Channel Locations"] = "Gestionar las direcciones del canal"; +App::$strings["Primary"] = "Primario"; +App::$strings["Drop"] = "Eliminar"; +App::$strings["Sync Now"] = "Sincronizar ahora"; +App::$strings["Please wait several minutes between consecutive operations."] = "Por favor, espere algunos minutos entre operaciones consecutivas."; +App::$strings["When possible, drop a location by logging into that website/hub and removing your channel."] = "Cuando sea posible, elimine una ubicación iniciando sesión en el sitio web o \"hub\" y borrando su canal."; +App::$strings["Use this form to drop the location if the hub is no longer operating."] = "Utilice este formulario para eliminar la dirección si el \"hub\" no estĆ” funcionando desde hace tiempo."; +App::$strings["Hub not found."] = "Servidor no encontrado"; +App::$strings["webpage"] = "pĆ”gina web"; +App::$strings["block"] = "bloque"; +App::$strings["layout"] = "plantilla"; +App::$strings["menu"] = "menĆŗ"; +App::$strings["%s element installed"] = "%s elemento instalado"; +App::$strings["%s element installation failed"] = "Elemento con instalación fallida: %s"; +App::$strings["Calendar entries imported."] = "Entradas de calendario importadas."; +App::$strings["No calendar entries found."] = "No se han encontrado entradas de calendario."; +App::$strings["Event can not end before it has started."] = "Un evento no puede terminar antes de que haya comenzado."; +App::$strings["Unable to generate preview."] = "No se puede crear la vista previa."; +App::$strings["Event title and start time are required."] = "Se requieren el tĆ­tulo del evento y su hora de inicio."; +App::$strings["Event not found."] = "Evento no encontrado."; +App::$strings["Edit event title"] = "Editar el tĆ­tulo del evento"; +App::$strings["Event title"] = "TĆ­tulo del evento"; +App::$strings["Categories (comma-separated list)"] = "Temas (lista separada por comas)"; +App::$strings["Edit Category"] = "Modificar el tema"; +App::$strings["Category"] = "Tema"; +App::$strings["Edit start date and time"] = "Modificar la fecha y hora de comienzo"; +App::$strings["Start date and time"] = "Fecha y hora de comienzo"; +App::$strings["Finish date and time are not known or not relevant"] = "La fecha y hora de terminación no se conocen o no son relevantes"; +App::$strings["Edit finish date and time"] = "Modificar la fecha y hora de terminación"; +App::$strings["Finish date and time"] = "Fecha y hora de terminación"; +App::$strings["Adjust for viewer timezone"] = "Ajustar para obtener el visor de los husos horarios"; +App::$strings["Important for events that happen in a particular place. Not practical for global holidays."] = "Importante para los eventos que suceden en un lugar determinado. No es prĆ”ctico para los globales."; +App::$strings["Edit Description"] = "Editar la descripción"; +App::$strings["Edit Location"] = "Modificar la dirección"; +App::$strings["Share this event"] = "Compartir este evento"; +App::$strings["Preview"] = "Previsualizar"; +App::$strings["Permission settings"] = "Configuración de permisos"; +App::$strings["Advanced Options"] = "Opciones avanzadas"; +App::$strings["l, F j"] = "l j F"; +App::$strings["Edit event"] = "Editar evento"; +App::$strings["Delete event"] = "Borrar evento"; +App::$strings["Link to Source"] = "Enlazar con la entrada en su ubicación original"; +App::$strings["calendar"] = "calendario"; +App::$strings["Edit Event"] = "Editar el evento"; +App::$strings["Create Event"] = "Crear un evento"; +App::$strings["Previous"] = "Anterior"; +App::$strings["Next"] = "Siguiente"; +App::$strings["Export"] = "Exportar"; +App::$strings["View"] = "Ver"; +App::$strings["Month"] = "Mes"; +App::$strings["Week"] = "Semana"; +App::$strings["Day"] = "DĆ­a"; +App::$strings["Today"] = "Hoy"; +App::$strings["Event removed"] = "Evento borrado"; +App::$strings["Failed to remove event"] = "Error al eliminar el evento"; +App::$strings["You have created %1$.0f of %2$.0f allowed channels."] = "Ha creado %1$.0f de %2$.0f canales permitidos."; +App::$strings["Create a new channel"] = "Crear un nuevo canal"; +App::$strings["Channel Manager"] = "Administración de canales"; +App::$strings["Current Channel"] = "Canal actual"; +App::$strings["Switch to one of your channels by selecting it."] = "Cambiar a uno de sus canales seleccionĆ”ndolo."; +App::$strings["Default Channel"] = "Canal principal"; +App::$strings["Make Default"] = "Convertir en predeterminado"; +App::$strings["%d new messages"] = "%d mensajes nuevos"; +App::$strings["%d new introductions"] = "%d nuevas isolicitudes de conexión"; +App::$strings["Delegated Channel"] = "Canal delegado"; +App::$strings["No valid account found."] = "No se ha encontrado una cuenta vĆ”lida."; +App::$strings["Password reset request issued. Check your email."] = "Se ha recibido una solicitud de restablecimiento de contraseƱa. Consulte su correo electrónico."; +App::$strings["Site Member (%s)"] = "Usuario del sitio (%s)"; +App::$strings["Password reset requested at %s"] = "Se ha solicitado restablecer la contraseƱa en %s"; +App::$strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "La solicitud no ha podido ser verificada. (Puede que la haya enviado con anterioridad) El restablecimiento de la contraseƱa ha fallado."; +App::$strings["Password Reset"] = "Restablecer la contraseƱa"; +App::$strings["Your password has been reset as requested."] = "Su contraseƱa ha sido restablecida segĆŗn lo solicitó."; +App::$strings["Your new password is"] = "Su nueva contraseƱa es"; +App::$strings["Save or copy your new password - and then"] = "Guarde o copie su nueva contraseƱa - y despuĆ©s"; +App::$strings["click here to login"] = "pulse aquĆ­ para conectarse"; +App::$strings["Your password may be changed from the Settings page after successful login."] = "Puede cambiar la contraseƱa en la pĆ”gina Ajustes una vez iniciada la sesión."; +App::$strings["Your password has changed at %s"] = "Su contraseƱa en %s ha sido cambiada"; +App::$strings["Forgot your Password?"] = "ĀæHa olvidado su contraseƱa?"; +App::$strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Introduzca y envĆ­e su dirección de correo electrónico para el restablecimiento de su contraseƱa. Luego revise su correo para obtener mĆ”s instrucciones."; +App::$strings["Email Address"] = "Dirección de correo electrónico"; +App::$strings["Reset"] = "Reiniciar"; +App::$strings["__ctx:mood__ %1\$s is %2\$s"] = "%1\$s estĆ” %2\$s"; +App::$strings["Mood"] = "Estado de Ć”nimo"; +App::$strings["Set your current mood and tell your friends"] = "Describir su estado de Ć”nimo para comunicĆ”rselo a sus amigos"; +App::$strings["Unable to update menu."] = "No se puede actualizar el menĆŗ."; +App::$strings["Unable to create menu."] = "No se puede crear el menĆŗ."; +App::$strings["Menu Name"] = "Nombre del menĆŗ"; +App::$strings["Unique name (not visible on webpage) - required"] = "Nombre Ćŗnico (no serĆ” visible en la pĆ”gina web) - requerido"; +App::$strings["Menu Title"] = "TĆ­tulo del menĆŗ"; +App::$strings["Visible on webpage - leave empty for no title"] = "Visible en la pĆ”gina web - no ponga nada si no desea un tĆ­tulo"; +App::$strings["Allow Bookmarks"] = "Permitir marcadores"; +App::$strings["Menu may be used to store saved bookmarks"] = "El menĆŗ se puede usar para guardar marcadores"; +App::$strings["Submit and proceed"] = "Enviar y proceder"; +App::$strings["Menus"] = "MenĆŗs"; +App::$strings["Created"] = "Creado"; +App::$strings["Edited"] = "Editado"; +App::$strings["Bookmarks allowed"] = "Marcadores permitidos"; +App::$strings["Delete this menu"] = "Borrar este menĆŗ"; +App::$strings["Edit menu contents"] = "Editar los contenidos del menĆŗ"; +App::$strings["Edit this menu"] = "Modificar este menĆŗ"; +App::$strings["Menu could not be deleted."] = "El menĆŗ no puede ser eliminado."; +App::$strings["Edit Menu"] = "Modificar el menĆŗ"; +App::$strings["Add or remove entries to this menu"] = "AƱadir o quitar entradas en este menĆŗ"; +App::$strings["Menu name"] = "Nombre del menĆŗ"; +App::$strings["Must be unique, only seen by you"] = "Debe ser Ćŗnico, solo serĆ” visible para usted"; +App::$strings["Menu title"] = "TĆ­tulo del menĆŗ"; +App::$strings["Menu title as seen by others"] = "El tĆ­tulo del menĆŗ tal como serĆ” visto por los demĆ”s"; +App::$strings["Allow bookmarks"] = "Permitir marcadores"; +App::$strings["No more system notifications."] = "No hay mĆ”s notificaciones del sistema"; +App::$strings["System Notifications"] = "Notificaciones del sistema"; +App::$strings["Profile Match"] = "Perfil compatible"; +App::$strings["No keywords to match. Please add keywords to your default profile."] = "No hay palabras clave en el perfil principal para poder encontrar perfiles compatibles. Por favor, aƱada palabras clave a su perfil principal."; +App::$strings["is interested in:"] = "estĆ” interesado en:"; +App::$strings["No matches"] = "No se han encontrado perfiles compatibles"; +App::$strings["Fetching URL returns error: %1\$s"] = "Al intentar obtener la dirección, retorna el error: %1\$s"; +App::$strings["\$Projectname Server - Setup"] = "Servidor \$Projectname - Instalación"; +App::$strings["Could not connect to database."] = "No se ha podido conectar a la base de datos."; +App::$strings["Could not connect to specified site URL. Possible SSL certificate or DNS issue."] = "No se puede conectar con la dirección del sitio indicada. PodrĆ­a tratarse de un problema de SSL o DNS."; +App::$strings["Could not create table."] = "No se puede crear la tabla."; +App::$strings["Your site database has been installed."] = "La base de datos del sitio ha sido instalada."; +App::$strings["You may need to import the file \"install/schema_xxx.sql\" manually using a database client."] = "PodrĆ­a tener que importar manualmente el fichero \"install/schema_xxx.sql\" usando un cliente de base de datos."; +App::$strings["Please see the file \"install/INSTALL.txt\"."] = "Por favor, lea el fichero \"install/INSTALL.txt\"."; +App::$strings["System check"] = "Verificación del sistema"; +App::$strings["Check again"] = "Verificar de nuevo"; +App::$strings["Database connection"] = "Conexión a la base de datos"; +App::$strings["In order to install \$Projectname we need to know how to connect to your database."] = "Para instalar \$Projectname es necesario saber cómo conectar con su base de datos."; +App::$strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Por favor, contacte con el proveedor de servicios o el administrador del sitio si tiene dudas sobre estos ajustes."; +App::$strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "La base de datos que especifique a continuación debe existir ya. Si no es asĆ­, por favor, crĆ©ela antes de seguir."; +App::$strings["Database Server Name"] = "Nombre del servidor de base de datos"; +App::$strings["Default is 127.0.0.1"] = "De forma predeterminada es 127.0.0.1"; +App::$strings["Database Port"] = "Puerto de la base de datos"; +App::$strings["Communication port number - use 0 for default"] = "NĆŗmero del puerto de comunicaciones - use 0 como valor por defecto"; +App::$strings["Database Login Name"] = "Usuario de la base de datos"; +App::$strings["Database Login Password"] = "ContraseƱa de acceso a la base de datos"; +App::$strings["Database Name"] = "Nombre de la base de datos"; +App::$strings["Database Type"] = "Tipo de base de datos"; +App::$strings["Site administrator email address"] = "Dirección de correo electrónico del administrador del sitio"; +App::$strings["Your account email address must match this in order to use the web admin panel."] = "Su cuenta deberĆ” usar la misma dirección de correo electrónico para poder utilizar el panel de administración web."; +App::$strings["Website URL"] = "Dirección del sitio web"; +App::$strings["Please use SSL (https) URL if available."] = "Por favor, use SSL (https) si estĆ” disponible."; +App::$strings["Please select a default timezone for your website"] = "Por favor, selecciones el huso horario por defecto de su sitio web"; +App::$strings["Site settings"] = "Ajustes del sitio"; +App::$strings["Enable \$Projectname advanced features?"] = "ĀæHabilitar las funcionalidades avanzadas de \$Projectname ?"; +App::$strings["Some advanced features, while useful - may be best suited for technically proficient audiences"] = "Algunas funcionalidades avanzadas, si bien son Ćŗtiles, pueden ser mĆ”s adecuadas para un pĆŗblico tĆ©cnicamente competente"; +App::$strings["PHP version 5.5 or greater is required."] = "Se requiere la versión 5.5, o superior, de PHP."; +App::$strings["PHP version"] = "Versión de PHP"; +App::$strings["Could not find a command line version of PHP in the web server PATH."] = "No se puede encontrar una versión en lĆ­nea de comandos de PHP en la ruta del servidor web."; +App::$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."] = "Si no tiene instalada la versión de lĆ­nea de comandos de PHP en su servidor, no podrĆ” realizar envĆ­os en segundo plano mediante cron."; +App::$strings["PHP executable path"] = "Ruta del ejecutable PHP"; +App::$strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Introducir la ruta completa del ejecutable PHP. Puede dejar la lĆ­nea en blanco para continuar la instalación."; +App::$strings["Command line PHP"] = "PHP en lĆ­nea de comandos"; +App::$strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "La lĆ­nea de comandos PHP de su sistema no tiene activado \"register_argc_argv\"."; +App::$strings["This is required for message delivery to work."] = "Esto es necesario para que funcione la transmisión de mensajes."; +App::$strings["PHP register_argc_argv"] = "PHP register_argc_argv"; +App::$strings["Your max allowed total upload size is set to %s. Maximum size of one file to upload is set to %s. You are allowed to upload up to %d files at once."] = "La carga mĆ”xima que se le permite subir estĆ” establecida en %s. El tamaƱo mĆ”ximo de un fichero estĆ” establecido en %s. EstĆ” permitido subir hasta un mĆ”ximo de %d ficheros de una sola vez."; +App::$strings["You can adjust these settings in the servers php.ini."] = "Puede ajustar estos valores en el fichero php.ini de su servidor."; +App::$strings["PHP upload limits"] = "LĆ­mites PHP de subida"; +App::$strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Error: La función \"openssl_pkey_new\" en este sistema no es capaz de general claves de cifrado."; +App::$strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Si estĆ” en un servidor Windows, por favor, lea \"http://www.php.net/manual/en/openssl.installation.php\"."; +App::$strings["Generate encryption keys"] = "Generar claves de cifrado"; +App::$strings["libCurl PHP module"] = "módulo libCurl PHP"; +App::$strings["GD graphics PHP module"] = "módulo PHP GD graphics"; +App::$strings["OpenSSL PHP module"] = "módulo PHP OpenSSL"; +App::$strings["mysqli or postgres PHP module"] = "módulo PHP mysqli o postgres"; +App::$strings["mb_string PHP module"] = "módulo PHP mb_string"; +App::$strings["xml PHP module"] = "módulo PHP xml"; +App::$strings["Apache mod_rewrite module"] = "módulo Apache mod_rewrite "; +App::$strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Error: se necesita el módulo del servidor web Apache mod-rewrite pero no estĆ” instalado."; +App::$strings["proc_open"] = "proc_open"; +App::$strings["Error: proc_open is required but is either not installed or has been disabled in php.ini"] = "Error: se necesita proc_open pero o no estĆ” instalado o ha sido desactivado en el fichero php.ini"; +App::$strings["Error: libCURL PHP module required but not installed."] = "Error: se necesita el módulo PHP libCURL pero no estĆ” instalado."; +App::$strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Error: el módulo PHP GD graphics es necesario, pero no estĆ” instalado."; +App::$strings["Error: openssl PHP module required but not installed."] = "Error: el módulo PHP openssl es necesario, pero no estĆ” instalado."; +App::$strings["Error: mysqli or postgres PHP module required but neither are installed."] = "Error: el módulo PHP mysqli o postgres es necesario pero ninguno de los dos estĆ” instalado."; +App::$strings["Error: mb_string PHP module required but not installed."] = "Error: el módulo PHP mb_string es necesario, pero no estĆ” instalado."; +App::$strings["Error: xml PHP module required for DAV but not installed."] = "Error: el módulo PHP xml es necesario para DAV, pero no estĆ” instalado."; +App::$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."] = "El instalador web no ha podido crear un fichero llamado ā€œ.htconfig.phpā€ en la carpeta base de su servidor."; +App::$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."] = "Esto estĆ” generalmente ligado a un problema de permisos, a causa del cual el servidor web tiene prohibido modificar ficheros en su carpeta - incluso si usted mismo tiene esos permisos."; +App::$strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Red top folder."] = "Al tĆ©rmino de este procedimiento, podemos crear un fichero de texto para guardar con el nombre .htconfig.php en el directorio raĆ­z de su instalación de Hubzilla."; +App::$strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"install/INSTALL.txt\" for instructions."] = "Como alternativa, puede dejar este procedimiento e intentar realizar una instalación manual. Lea, por favor, el fichero\"install/INSTALL.txt\" para las instrucciones."; +App::$strings[".htconfig.php is writable"] = ".htconfig.php tiene permisos de escritura"; +App::$strings["Red uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Hubzilla hace uso del motor de plantillas Smarty3 para diseƱar sus plantillas grĆ”ficas. Smarty3 es mĆ”s rĆ”pido porque compila las plantillas de pĆ”ginas directamente en PHP."; +App::$strings["In order to store these compiled templates, the web server needs to have write access to the directory %s under the top level web folder."] = "Para poder guardar las plantillas compiladas, el servidor web necesita permisos para acceder al directorio %s en la carpeta web principal."; +App::$strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Por favor, asegĆŗrese de que el servidor web estĆ” siendo ejecutado por un usuario que tenga permisos de escritura sobre esta carpeta (por ejemplo, www-data)."; +App::$strings["Note: as a security measure, you should give the web server write access to %s only--not the template files (.tpl) that it contains."] = "Nota: como medida de seguridad, debe dar al servidor web permisos de escritura solo sobre %s - no sobre el fichero de plantilla (.tpl) que contiene."; +App::$strings["%s is writable"] = "%s tiene permisos de escritura"; +App::$strings["This software uses the store directory to save uploaded files. The web server needs to have write access to the store directory under the Red top level folder"] = "Este software utiliza el directorio de almacenamiento para guardar los archivos subidos. El servidor web debe tener acceso de escritura al directorio de almacenamiento en la carpeta de nivel superior"; +App::$strings["store is writable"] = "\"store\" tiene permisos de escritura"; +App::$strings["SSL certificate cannot be validated. Fix certificate or disable https access to this site."] = "El certificado SSL no ha podido ser validado. Corrija este problema o desactive el acceso https a este sitio."; +App::$strings["If you have https access to your website or allow connections to TCP port 443 (the https: port), you MUST use a browser-valid certificate. You MUST NOT use self-signed certificates!"] = "Si su servidor soporta conexiones cifradas SSL o si permite conexiones al puerto TCP 443 (el puerto usado por el protocolo https), debe utilizar un certificado vĆ”lido. No debe usar un certificado firmado por usted mismo."; +App::$strings["This restriction is incorporated because public posts from you may for example contain references to images on your own hub."] = "Se ha incorporado esta restricción para evitar que sus publicaciones pĆŗblicas hagan referencia a imĆ”genes en su propio servidor."; +App::$strings["If your certificate is not recognized, members of other sites (who may themselves have valid certificates) will get a warning message on their own site complaining about security issues."] = "Si su certificado no ha sido reconocido, los miembros de otros sitios (con certificados vĆ”lidos) recibirĆ”n mensajes de aviso en sus propios sitios web."; +App::$strings["This can cause usability issues elsewhere (not just on your own site) so we must insist on this requirement."] = "Por razones de compatibilidad (sobre el conjunto de la red, no solo sobre su propio sitio), debemos insistir en estos requisitos."; +App::$strings["Providers are available that issue free certificates which are browser-valid."] = "Existen varias Autoridades de Certificación que le pueden proporcionar certificados vĆ”lidos."; +App::$strings["If you are confident that the certificate is valid and signed by a trusted authority, check to see if you have failed to install an intermediate cert. These are not normally required by browsers, but are required for server-to-server communications."] = "Si se tiene la certeza de que el certificado es vĆ”lido y estĆ” firmado por una autoridad de confianza, comprobar para ver si hubo un error al instalar un certificado intermedio. Estos no son normalmente requeridos por los navegadores, pero son necesarios para las comunicaciones de servidor a servidor."; +App::$strings["SSL certificate validation"] = "validación del certificado SSL"; +App::$strings["Url rewrite in .htaccess is not working. Check your server configuration.Test: "] = "No se pueden reescribir las direcciones web en .htaccess. Compruebe la configuración de su servidor:"; +App::$strings["Url rewrite is working"] = "La reescritura de las direcciones funciona correctamente"; +App::$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."] = "El fichero de configuración de la base de datos .htconfig.php no se ha podido modificar. Por favor, copie el texto generado en un fichero con ese nombre en el directorio raĆ­z de su servidor."; +App::$strings["Errors encountered creating database tables."] = "Se han encontrado errores al crear las tablas de la base de datos."; +App::$strings["

What next

"] = "

Siguiente paso

"; +App::$strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANTE: Debe crear [manualmente] una tarea programada para el \"poller\"."; App::$strings["Theme settings updated."] = "Ajustes del tema actualizados."; App::$strings["# Accounts"] = "# Cuentas"; App::$strings["# blocked accounts"] = "# cuentas bloqueadas"; @@ -920,6 +917,7 @@ App::$strings["Accounts"] = "Cuentas"; App::$strings["select all"] = "seleccionar todo"; App::$strings["Registrations waiting for confirm"] = "Inscripciones en espera de confirmación"; App::$strings["Request date"] = "Fecha de solicitud"; +App::$strings["Email"] = "Correo electrónico"; App::$strings["No registrations."] = "Sin registros."; App::$strings["Deny"] = "Rechazar"; App::$strings["All Channels"] = "Todos los canales"; @@ -982,6 +980,7 @@ App::$strings["Installed Plugin Repositories"] = "Repositorios de los plugins in App::$strings["Install a New Plugin Repository"] = "Instalar un nuevo repositorio de plugins"; App::$strings["Update"] = "Actualizar"; App::$strings["Switch branch"] = "Cambiar la rama"; +App::$strings["Remove"] = "Eliminar"; App::$strings["No themes found."] = "No se han encontrado temas."; App::$strings["Screenshot"] = "InstantĆ”nea de pantalla"; App::$strings["Themes"] = "Temas"; @@ -1038,8 +1037,6 @@ App::$strings["Choose what you wish to do to recipient"] = "Elegir quĆ© desea en App::$strings["Make this post private"] = "Convertir en privado este envĆ­o"; App::$strings["Unable to find your hub."] = "No se puede encontrar su servidor."; App::$strings["Post successful."] = "Enviado con Ć©xito."; -App::$strings["OpenID protocol error. No ID returned."] = "Error del protocolo OpenID. NingĆŗn ID recibido como respuesta."; -App::$strings["Login failed."] = "El acceso ha fallado."; App::$strings["Invalid profile identifier."] = "Identificador del perfil no vĆ”lido"; App::$strings["Profile Visibility Editor"] = "Editor de visibilidad del perfil"; App::$strings["Profile"] = "Perfil"; @@ -1048,7 +1045,10 @@ App::$strings["Visible To"] = "Visible para"; App::$strings["This setting requires special processing and editing has been blocked."] = "Este ajuste necesita de un proceso especial y la edición ha sido bloqueada."; App::$strings["Configuration Editor"] = "Editor de configuración"; App::$strings["Warning: Changing some settings could render your channel inoperable. Please leave this page unless you are comfortable with and knowledgeable about how to correctly use this feature."] = "Atención: El cambio de algunos ajustes puede volver inutilizable su canal. Por favor, abandone la pĆ”gina excepto que estĆ© seguro y sepa cómo usar correctamente esta caracterĆ­stica."; -App::$strings["Fetching URL returns error: %1\$s"] = "Al intentar obtener la dirección, retorna el error: %1\$s"; +App::$strings["Authorize application connection"] = "Autorizar una conexión de aplicación"; +App::$strings["Return to your app and insert this Security Code:"] = "Volver a su aplicación e introducir este código de seguridad:"; +App::$strings["Please login to continue."] = "Por favor inicie sesión para continuar."; +App::$strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "ĀæDesea autorizar a esta aplicación a acceder a sus publicaciones y contactos, y/o crear nuevas publicaciones por usted?"; App::$strings["Version %s"] = "Versión %s"; App::$strings["Installed plugins/addons/apps:"] = "Extensiones (plugins), complementos o aplicaciones (apps) instaladas:"; App::$strings["No installed plugins/addons/apps"] = "No hay instalada ninguna extensión (plugin), complemento o aplicación (app)"; @@ -1062,12 +1062,13 @@ App::$strings["Bug reports and issues: please visit"] = "Informes de errores e i App::$strings["\$projectname issues"] = "Problemas en \$projectname"; App::$strings["Suggestions, praise, etc. - please email \"redmatrix\" at librelist - dot com"] = "Sugerencias, elogios, etc - por favor, un correo electrónico a \"redmatrix\" en librelist - punto com"; App::$strings["Site Administrators"] = "Administradores del sitio"; -App::$strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Encontramos un problema durante el inicio de sesión con la OpenID que proporcionó. Por favor, compruebe que la ID estĆ” correctamente escrita."; -App::$strings["The error message was:"] = "El mensaje de error fue:"; -App::$strings["Authentication failed."] = "Falló la autenticación."; -App::$strings["Remote Authentication"] = "Acceso desde su servidor"; -App::$strings["Enter your channel address (e.g. channel@example.com)"] = "Introduzca la dirección del canal (p.ej. canal@ejemplo.com)"; -App::$strings["Authenticate"] = "Acceder"; +App::$strings["Blocks"] = "Bloques"; +App::$strings["Block Title"] = "TĆ­tulo del bloque"; +App::$strings["Share"] = "Compartir"; +App::$strings["Layouts"] = "Plantillas"; +App::$strings["Comanche page description language help"] = "PĆ”gina de ayuda del lenguaje de descripción de pĆ”ginas (PDL) Comanche"; +App::$strings["Layout Description"] = "Descripción de la plantilla"; +App::$strings["Download PDL file"] = "Descargar el fichero PDL"; App::$strings["Public Hubs"] = "Servidores pĆŗblicos"; App::$strings["The listed hubs allow public registration for the \$Projectname network. All hubs in the network are interlinked so membership on any of them conveys membership in the network as a whole. Some hubs may require subscription or provide tiered service plans. The hub itself may provide additional details."] = "Los sitios listados permiten el registro pĆŗblico en la red \$Projectname. Todos los sitios de la red estĆ”n vinculados entre sĆ­, por lo que sus miembros, en ninguno de ellos, indican la pertenencia a la red en su conjunto. Algunos sitios pueden requerir suscripción o proporcionar planes de servicio por niveles. Los mismos hubs pueden proporcionar detalles adicionales."; App::$strings["Hub URL"] = "Dirección del hub"; @@ -1077,51 +1078,109 @@ App::$strings["Stats"] = "EstadĆ­sticas"; App::$strings["Software"] = "Software"; App::$strings["Ratings"] = "Valoraciones"; App::$strings["Rate"] = "Valorar"; +App::$strings["Profile Photos"] = "Fotos del perfil"; App::$strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Recargue la pĆ”gina o limpie el cachĆ© del navegador si la nueva foto no se muestra inmediatamente."; App::$strings["Upload Profile Photo"] = "Subir foto de perfil"; -App::$strings["Block Name"] = "Nombre del bloque"; -App::$strings["Blocks"] = "Bloques"; -App::$strings["Block Title"] = "TĆ­tulo del bloque"; -App::$strings["Website:"] = "Sitio web:"; -App::$strings["Remote Channel [%s] (not yet known on this site)"] = "Canal remoto [%s] (aĆŗn no es conocido en este sitio)"; -App::$strings["Rating (this information is public)"] = "Valoración (esta información es pĆŗblica)"; -App::$strings["Optionally explain your rating (this information is public)"] = "Opcionalmente puede explicar su valoración (esta información es pĆŗblica)"; +App::$strings["Permissions denied."] = "Permisos denegados."; +App::$strings["Import"] = "Importar"; +App::$strings["No channel."] = "NingĆŗn canal."; +App::$strings["Common connections"] = "Conexiones comunes"; +App::$strings["No connections in common."] = "Ninguna conexión en comĆŗn."; +App::$strings["Authentication failed."] = "Falló la autenticación."; +App::$strings["Remote Authentication"] = "Acceso desde su servidor"; +App::$strings["Enter your channel address (e.g. channel@example.com)"] = "Introduzca la dirección del canal (p.ej. canal@ejemplo.com)"; +App::$strings["Authenticate"] = "Acceder"; App::$strings["No ratings"] = "Ninguna valoración"; App::$strings["Rating: "] = "Valoración:"; App::$strings["Website: "] = "Sitio web:"; App::$strings["Description: "] = "Descripción:"; App::$strings["Apps"] = "Aplicaciones (apps)"; -App::$strings["Title (optional)"] = "TĆ­tulo (opcional)"; -App::$strings["Edit Block"] = "Modificar este bloque"; -App::$strings["No channel."] = "NingĆŗn canal."; -App::$strings["Common connections"] = "Conexiones comunes"; -App::$strings["No connections in common."] = "Ninguna conexión en comĆŗn."; +App::$strings["No such group"] = "No se encuentra el grupo"; +App::$strings["No such channel"] = "No se encuentra el canal"; +App::$strings["forum"] = "foro"; +App::$strings["Search Results For:"] = "Buscar resultados para:"; +App::$strings["Privacy group is empty"] = "El grupo de canales estĆ” vacĆ­o"; +App::$strings["Privacy group: "] = "Grupo de canales: "; +App::$strings["Invalid connection."] = "Conexión no vĆ”lida."; +App::$strings["Continue"] = "Continuar"; +App::$strings["Premium Channel Setup"] = "Configuración del canal premium"; +App::$strings["Enable premium channel connection restrictions"] = "Habilitar restricciones de conexión del canal premium"; +App::$strings["Please enter your restrictions or conditions, such as paypal receipt, usage guidelines, etc."] = "Por favor introduzca sus restricciones o condiciones, como recibo de paypal, normas de uso, etc."; +App::$strings["This channel may require additional steps or acknowledgement of the following conditions prior to connecting:"] = "Este canal puede requerir antes de conectar unos pasos adicionales o el conocimiento de las siguientes condiciones:"; +App::$strings["Potential connections will then see the following text before proceeding:"] = "Las posibles conexiones verĆ”n, por tanto, el siguiente texto antes de proceder:"; +App::$strings["By continuing, I certify that I have complied with any instructions provided on this page."] = "Al continuar, certifico que he cumplido con todas las instrucciones proporcionadas en esta pĆ”gina."; +App::$strings["(No specific instructions have been provided by the channel owner.)"] = "(No ha sido proporcionada ninguna instrucción especĆ­fica por el propietario del canal.)"; +App::$strings["Restricted or Premium Channel"] = "Canal premium o restringido"; App::$strings["Select a bookmark folder"] = "Seleccionar una carpeta de marcadores"; App::$strings["Save Bookmark"] = "Guardar marcador"; App::$strings["URL of bookmark"] = "Dirección del marcador"; App::$strings["Or enter new bookmark folder name"] = "O introduzca un nuevo nombre para la carpeta de marcadores"; -App::$strings["Maximum daily site registrations exceeded. Please try again tomorrow."] = "Se ha superado el lĆ­mite mĆ”ximo de inscripciones diarias de este sitio. Por favor, pruebe de nuevo maƱana."; -App::$strings["Please indicate acceptance of the Terms of Service. Registration failed."] = "Por favor, confirme que acepta los TĆ©rminos del servicio. El registro ha fallado."; -App::$strings["Passwords do not match."] = "Las contraseƱas no coinciden."; -App::$strings["Registration successful. Please check your email for validation instructions."] = "Registro realizado con Ć©xito. Por favor, compruebe su correo electrónico para ver las instrucciones para validarlo."; -App::$strings["Your registration is pending approval by the site owner."] = "Su registro estĆ” pendiente de aprobación por el propietario del sitio."; -App::$strings["Your registration can not be processed."] = "Su registro no puede ser procesado."; -App::$strings["Registration on this hub is disabled."] = "El registro estĆ” deshabilitado en este sitio."; -App::$strings["Registration on this hub is by approval only."] = "El registro en este hub estĆ” sometido a aprobación previa."; -App::$strings["Register at another affiliated hub."] = "Registrarse en otro hub afiliado."; -App::$strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Este sitio ha excedido el lĆ­mite de inscripción diaria de cuentas. Por favor, intĆ©ntelo de nuevo maƱana."; -App::$strings["Terms of Service"] = "TĆ©rminos del servicio"; -App::$strings["I accept the %s for this website"] = "Acepto los %s de este sitio"; -App::$strings["I am over 13 years of age and accept the %s for this website"] = "Tengo mĆ”s de 13 aƱos de edad y acepto los %s de este sitio"; -App::$strings["Your email address"] = "Su dirección de correo electrónico"; -App::$strings["Choose a password"] = "Elija una contraseƱa"; -App::$strings["Please re-enter your password"] = "Por favor, vuelva a escribir su contraseƱa"; -App::$strings["Please enter your invitation code"] = "Por favor, introduzca el código de su invitación"; -App::$strings["no"] = "no"; -App::$strings["yes"] = "sĆ­"; -App::$strings["Membership on this site is by invitation only."] = "Para registrarse en este sitio es necesaria una invitación."; -App::$strings["Register"] = "Registrarse"; -App::$strings["This site may require email verification after submitting this form. If you are returned to a login page, please check your email for instructions."] = "Este sitio puede requerir una verificación de correo electrónico despuĆ©s de enviar este formulario. Si es devuelto a una pĆ”gina de inicio de sesión, compruebe su email para recibir y leer las instrucciones."; +App::$strings["Page owner information could not be retrieved."] = "La información del propietario de la pĆ”gina no pudo ser recuperada."; +App::$strings["Album not found."] = "Ɓlbum no encontrado."; +App::$strings["Delete Album"] = "Borrar Ć”lbum"; +App::$strings["Multiple storage folders exist with this album name, but within different directories. Please remove the desired folder or folders using the Files manager"] = "Hay varias carpetas con este nombre de Ć”lbum, pero dentro de diferentes directorios. Por favor, elimine la carpeta o carpetas que desee utilizando el administrador de ficheros"; +App::$strings["Delete Photo"] = "Borrar foto"; +App::$strings["No photos selected"] = "No hay fotos seleccionadas"; +App::$strings["Access to this item is restricted."] = "El acceso a este elemento estĆ” restringido."; +App::$strings["%1$.2f MB of %2$.2f MB photo storage used."] = "%1$.2f MB de %2$.2f MB de almacenamiento de fotos utilizado."; +App::$strings["%1$.2f MB photo storage used."] = "%1$.2f MB de almacenamiento de fotos utilizado."; +App::$strings["Upload Photos"] = "Subir fotos"; +App::$strings["Enter an album name"] = "Introducir un nombre de Ć”lbum"; +App::$strings["or select an existing album (doubleclick)"] = "o seleccionar uno existente (doble click)"; +App::$strings["Create a status post for this upload"] = "Crear un mensaje de estado para esta subida"; +App::$strings["Caption (optional):"] = "TĆ­tulo (opcional):"; +App::$strings["Description (optional):"] = "Descripción (opcional):"; +App::$strings["Album name could not be decoded"] = "El nombre del Ć”lbum no ha podido ser descifrado"; +App::$strings["Contact Photos"] = "Fotos de contacto"; +App::$strings["Show Newest First"] = "Mostrar lo mĆ”s reciente primero"; +App::$strings["Show Oldest First"] = "Mostrar lo mĆ”s antiguo primero"; +App::$strings["View Photo"] = "Ver foto"; +App::$strings["Edit Album"] = "Editar Ć”lbum"; +App::$strings["Permission denied. Access to this item may be restricted."] = "Permiso denegado. El acceso a este elemento puede estar restringido."; +App::$strings["Photo not available"] = "Foto no disponible"; +App::$strings["Use as profile photo"] = "Usar como foto del perfil"; +App::$strings["Use as cover photo"] = "Usar como imagen de portada del perfil"; +App::$strings["Private Photo"] = "Foto privada"; +App::$strings["View Full Size"] = "Ver tamaƱo completo"; +App::$strings["Edit photo"] = "Editar foto"; +App::$strings["Rotate CW (right)"] = "Girar CW (a la derecha)"; +App::$strings["Rotate CCW (left)"] = "Girar CCW (a la izquierda)"; +App::$strings["Enter a new album name"] = "Introducir un nuevo nombre de Ć”lbum"; +App::$strings["or select an existing one (doubleclick)"] = "o seleccionar uno (doble click) existente"; +App::$strings["Caption"] = "TĆ­tulo"; +App::$strings["Add a Tag"] = "AƱadir una etiqueta"; +App::$strings["Example: @bob, @Barbara_Jensen, @jim@example.com"] = "Ejemplos: @eva, @Carmen_Osuna, @jaime@ejemplo.com"; +App::$strings["Flag as adult in album view"] = "Marcar como \"solo para adultos\" en el Ć”lbum"; +App::$strings["I like this (toggle)"] = "Me gusta (cambiar)"; +App::$strings["I don't like this (toggle)"] = "No me gusta esto (cambiar)"; +App::$strings["Please wait"] = "Espere por favor"; +App::$strings["This is you"] = "Este es usted"; +App::$strings["Comment"] = "Comentar"; +App::$strings["__ctx:title__ Likes"] = "Me gusta"; +App::$strings["__ctx:title__ Dislikes"] = "No me gusta"; +App::$strings["__ctx:title__ Agree"] = "De acuerdo"; +App::$strings["__ctx:title__ Disagree"] = "En desacuerdo"; +App::$strings["__ctx:title__ Abstain"] = "Abstención"; +App::$strings["__ctx:title__ Attending"] = "ParticiparĆ©"; +App::$strings["__ctx:title__ Not attending"] = "No participarĆ©"; +App::$strings["__ctx:title__ Might attend"] = "QuizĆ” participe"; +App::$strings["View all"] = "Ver todo"; +App::$strings["__ctx:noun__ Like"] = array( + 0 => "Me gusta", + 1 => "Me gusta", +); +App::$strings["__ctx:noun__ Dislike"] = array( + 0 => "No me gusta", + 1 => "No me gusta", +); +App::$strings["Photo Tools"] = "Gestión de las fotos"; +App::$strings["In This Photo:"] = "En esta foto:"; +App::$strings["Map"] = "Mapa"; +App::$strings["__ctx:noun__ Likes"] = "Me gusta"; +App::$strings["__ctx:noun__ Dislikes"] = "No me gusta"; +App::$strings["Close"] = "Cerrar"; +App::$strings["View Album"] = "Ver Ć”lbum"; +App::$strings["Recent Photos"] = "Fotos recientes"; App::$strings["Please login."] = "Por favor, inicie sesión."; App::$strings["Account removals are not allowed within 48 hours of changing the account password."] = "La eliminación de cuentas no estĆ” permitida hasta despuĆ©s de que hayan transcurrido 48 horas desde el Ćŗltimo cambio de contraseƱa."; App::$strings["Remove This Account"] = "Eliminar esta cuenta"; @@ -1147,9 +1206,93 @@ App::$strings["You may also export your posts and conversations for a particular App::$strings["To select all posts for a given year, such as this year, visit %2\$s"] = "Para seleccionar todos los mensajes de un aƱo determinado, como este aƱo, visite %2\$s"; App::$strings["To select all posts for a given month, such as January of this year, visit %2\$s"] = "Para seleccionar todos los mensajes de un mes determinado, como el de enero de este aƱo, visite %2\$s"; App::$strings["These content files may be imported or restored by visiting %2\$s on any site containing your channel. For best results please import or restore these in date order (oldest first)."] = "Estos ficheros pueden ser importados o restaurados visitando %2\$s o cualquier sitio que contenga su canal. Para obtener los mejores resultados, por favor, importar o restaurar estos ficheros en orden de fecha (la mĆ”s antigua primero)."; +App::$strings["Import Webpage Elements"] = "Importar elementos de una pĆ”gina web"; +App::$strings["Import selected"] = "Importar elementos seleccionados"; +App::$strings["Webpages"] = "PĆ”ginas web"; +App::$strings["Actions"] = "Acciones"; +App::$strings["Page Link"] = "VĆ­nculo de la pĆ”gina"; +App::$strings["Page Title"] = "TĆ­tulo de pĆ”gina"; +App::$strings["Invalid file type."] = "Tipo de fichero no vĆ”lido."; +App::$strings["Error opening zip file"] = "Error al abrir el fichero comprimido zip"; +App::$strings["Invalid folder path."] = "La ruta de la carpeta no es vĆ”lida."; +App::$strings["No webpage elements detected."] = "No se han detectado elementos de ninguna pĆ”gina web."; +App::$strings["Import complete."] = "Importación completada."; App::$strings["Items tagged with: %s"] = "elementos etiquetados con: %s"; App::$strings["Search results for: %s"] = "Resultados de la bĆŗsqueda para: %s"; App::$strings["No service class restrictions found."] = "No se han encontrado restricciones sobre esta clase de servicio."; +App::$strings["Maximum daily site registrations exceeded. Please try again tomorrow."] = "Se ha superado el lĆ­mite mĆ”ximo de inscripciones diarias de este sitio. Por favor, pruebe de nuevo maƱana."; +App::$strings["Please indicate acceptance of the Terms of Service. Registration failed."] = "Por favor, confirme que acepta los TĆ©rminos del servicio. El registro ha fallado."; +App::$strings["Passwords do not match."] = "Las contraseƱas no coinciden."; +App::$strings["Registration successful. Please check your email for validation instructions."] = "Registro realizado con Ć©xito. Por favor, compruebe su correo electrónico para ver las instrucciones para validarlo."; +App::$strings["Your registration is pending approval by the site owner."] = "Su registro estĆ” pendiente de aprobación por el propietario del sitio."; +App::$strings["Your registration can not be processed."] = "Su registro no puede ser procesado."; +App::$strings["Registration on this hub is disabled."] = "El registro estĆ” deshabilitado en este sitio."; +App::$strings["Registration on this hub is by approval only."] = "El registro en este hub estĆ” sometido a aprobación previa."; +App::$strings["Register at another affiliated hub."] = "Registrarse en otro hub afiliado."; +App::$strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Este sitio ha excedido el lĆ­mite de inscripción diaria de cuentas. Por favor, intĆ©ntelo de nuevo maƱana."; +App::$strings["Terms of Service"] = "TĆ©rminos del servicio"; +App::$strings["I accept the %s for this website"] = "Acepto los %s de este sitio"; +App::$strings["I am over 13 years of age and accept the %s for this website"] = "Tengo mĆ”s de 13 aƱos de edad y acepto los %s de este sitio"; +App::$strings["Your email address"] = "Su dirección de correo electrónico"; +App::$strings["Choose a password"] = "Elija una contraseƱa"; +App::$strings["Please re-enter your password"] = "Por favor, vuelva a escribir su contraseƱa"; +App::$strings["Please enter your invitation code"] = "Por favor, introduzca el código de su invitación"; +App::$strings["no"] = "no"; +App::$strings["yes"] = "sĆ­"; +App::$strings["Membership on this site is by invitation only."] = "Para registrarse en este sitio es necesaria una invitación."; +App::$strings["Register"] = "Registrarse"; +App::$strings["This site may require email verification after submitting this form. If you are returned to a login page, please check your email for instructions."] = "Este sitio puede requerir una verificación de correo electrónico despuĆ©s de enviar este formulario. Si es devuelto a una pĆ”gina de inicio de sesión, compruebe su email para recibir y leer las instrucciones."; +App::$strings["Edit post"] = "Editar la entrada"; +App::$strings["Files: shared with me"] = "Ficheros: compartidos conmigo"; +App::$strings["NEW"] = "NUEVO"; +App::$strings["Remove all files"] = "Eliminar todos los ficheros"; +App::$strings["Remove this file"] = "Eliminar este fichero"; +App::$strings["network"] = "red"; +App::$strings["RSS"] = "RSS"; +App::$strings["Failed to create source. No channel selected."] = "No se ha podido crear el origen de los contenidos. No ha sido seleccionado ningĆŗn canal."; +App::$strings["Source created."] = "Fuente creada."; +App::$strings["Source updated."] = "Fuente actualizada."; +App::$strings["*"] = "*"; +App::$strings["Channel Sources"] = "OrĆ­genes de los contenidos del canal"; +App::$strings["Manage remote sources of content for your channel."] = "Gestionar contenido de origen remoto para su canal."; +App::$strings["New Source"] = "Nueva fuente"; +App::$strings["Import all or selected content from the following channel into this channel and distribute it according to your channel settings."] = "Importar todo el contenido o una selección de los siguientes canales en este canal y distribuirlo de acuerdo con sus ajustes."; +App::$strings["Only import content with these words (one per line)"] = "Importar solo contenido que contenga estas palabras (una por lĆ­nea)"; +App::$strings["Leave blank to import all public content"] = "Dejar en blanco para importar todo el contenido pĆŗblico"; +App::$strings["Channel Name"] = "Nombre del canal"; +App::$strings["Add the following categories to posts imported from this source (comma separated)"] = "AƱadir los temas siguientes a las entradas importadas de esta fuente (separadas por comas)"; +App::$strings["Optional"] = "Opcional"; +App::$strings["Source not found."] = "Fuente no encontrada"; +App::$strings["Edit Source"] = "Editar fuente"; +App::$strings["Delete Source"] = "Eliminar fuente"; +App::$strings["Source removed"] = "Fuente eliminada"; +App::$strings["Unable to remove source."] = "No se puede eliminar la fuente."; +App::$strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s estĆ” siguiendo %3\$s de %2\$s"; +App::$strings["%1\$s stopped following %2\$s's %3\$s"] = "%1\$s ha dejado de seguir %3\$s de %2\$s"; +App::$strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "No hay sugerencias disponibles. Si es un sitio nuevo, espere 24 horas y pruebe de nuevo."; +App::$strings["Ignore/Hide"] = "Ignorar/Ocultar"; +App::$strings["post"] = "la entrada"; +App::$strings["comment"] = "el comentario"; +App::$strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s ha etiquetado %3\$s de %2\$s con %4\$s"; +App::$strings["Tag removed"] = "Etiqueta eliminada."; +App::$strings["Remove Item Tag"] = "Eliminar etiqueta del elemento."; +App::$strings["Select a tag to remove: "] = "Seleccionar una etiqueta para eliminar:"; +App::$strings["Invalid message"] = "Mensaje no vĆ”lido"; +App::$strings["no results"] = "sin resultados"; +App::$strings["channel sync processed"] = "se ha realizado la sincronización del canal"; +App::$strings["queued"] = "encolado"; +App::$strings["posted"] = "enviado"; +App::$strings["accepted for delivery"] = "aceptado para el envĆ­o"; +App::$strings["updated"] = "actualizado"; +App::$strings["update ignored"] = "actualización ignorada"; +App::$strings["permission denied"] = "permiso denegado"; +App::$strings["recipient not found"] = "destinatario no encontrado"; +App::$strings["mail recalled"] = "mensaje de correo revocado"; +App::$strings["duplicate mail received"] = "se ha recibido mensaje duplicado"; +App::$strings["mail delivered"] = "correo enviado"; +App::$strings["Delivery report for %1\$s"] = "Informe de entrega para %1\$s"; +App::$strings["Options"] = "Opciones"; +App::$strings["Redeliver"] = "Volver a enviar"; App::$strings["Name is required"] = "El nombre es obligatorio"; App::$strings["Key and Secret are required"] = "\"Key\" y \"Secret\" son obligatorios"; App::$strings["This channel is limited to %d tokens"] = "Este canal tiene un lĆ­mite de %d tokens"; @@ -1172,7 +1315,6 @@ App::$strings["Consumer Secret"] = "Consumer Secret"; App::$strings["Redirect"] = "Redirigir"; App::$strings["Redirect URI - leave blank unless your application specifically requires this"] = "URI de redirección - dejar en blanco a menos que su aplicación especĆ­ficamente lo requiera"; App::$strings["Icon url"] = "Dirección del icono"; -App::$strings["Optional"] = "Opcional"; App::$strings["Application not found."] = "Aplicación no encontrada."; App::$strings["Connected Apps"] = "Aplicaciones (apps) conectadas"; App::$strings["Client key starts with"] = "La \"client key\" empieza por"; @@ -1187,7 +1329,7 @@ App::$strings["Confirm New Password"] = "Confirmar la nueva contraseƱa"; App::$strings["Leave password fields blank unless changing"] = "Dejar en blanco la contraseƱa a menos que desee cambiarla."; App::$strings["Email Address:"] = "Dirección de correo electrónico:"; App::$strings["Remove this account including all its channels"] = "Eliminar esta cuenta incluyendo todos sus canales"; -App::$strings["Use this form to create temporary access identifiers to share things with non-members. These identities may be used in Access Control Lists and visitors may login using these credentials to access the private content."] = "Utilice este formulario para crear identificadores de acceso temporal para compartir cosas con los no miembros. Estas identidades se pueden usar en las Listas de control de acceso y asĆ­ los visitantes pueden iniciar sesión, utilizando estas credenciales, para acceder a su contenido privado."; +App::$strings["Use this form to create temporary access identifiers to share things with non-members. These identities may be used in Access Control Lists and visitors may login using these credentials to access private content."] = "Utilice este formulario para crear identificadores de acceso temporal para compartir cosas con los no miembros de Hubzilla. Estas identidades se pueden usar en las Listas de control de acceso (ACL) y asĆ­ los visitantes pueden iniciar sesión, utilizando estas credenciales, para acceder a su contenido privado."; App::$strings["You may also provide dropbox style access links to friends and associates by adding the Login Password to any specific site URL as shown. Examples:"] = "TambiĆ©n puede proporcionar, con el estilo dropbox, enlaces de acceso a sus amigos y asociados aƱadiendo la contraseƱa de inicio de sesión a cualquier dirección URL, como se muestra. Ejemplos: "; App::$strings["Guest Access Tokens"] = "Tokens de acceso para invitados"; App::$strings["Login Name"] = "Nombre de inicio de sesión"; @@ -1202,6 +1344,7 @@ App::$strings["Theme Settings"] = "Ajustes del tema"; App::$strings["Custom Theme Settings"] = "Ajustes personalizados del tema"; App::$strings["Content Settings"] = "Ajustes del contenido"; App::$strings["Display Theme:"] = "Tema grĆ”fico del perfil:"; +App::$strings["Select scheme"] = "Elegir un esquema"; App::$strings["Mobile Theme:"] = "Tema para el móvil:"; App::$strings["Preload images before rendering the page"] = "Carga previa de las imĆ”genes antes de generar la pĆ”gina"; App::$strings["The subjective page load time will be longer but the page will be ready when displayed"] = "El tiempo subjetivo de carga de la pĆ”gina serĆ” mĆ”s largo, pero la pĆ”gina estarĆ” lista cuando se muestre."; @@ -1260,7 +1403,7 @@ App::$strings["Maximum Friend Requests/Day:"] = "MĆ”ximo de solicitudes de amist App::$strings["May reduce spam activity"] = "PodrĆ­a reducir la actividad de spam"; App::$strings["Default Post and Publish Permissions"] = "Permisos predeterminados de entradas y publicaciones"; App::$strings["Use my default audience setting for the type of object published"] = "Usar los ajustes de mi audiencia predeterminada para el tipo de publicación"; -App::$strings["Channel permissions category:"] = "CategorĆ­a de permisos del canal:"; +App::$strings["Channel permissions category:"] = "CategorĆ­a de los permisos del canal:"; App::$strings["Maximum private messages per day from unknown people:"] = "MĆ”ximo de mensajes privados por dĆ­a de gente desconocida:"; App::$strings["Useful to reduce spamming"] = "Útil para reducir el envĆ­o de correo no deseado"; App::$strings["Notification Settings"] = "Configuración de las notificaciones"; @@ -1305,168 +1448,11 @@ App::$strings["Personal menu to display in your channel pages"] = "MenĆŗ persona App::$strings["Remove this channel."] = "Eliminar este canal."; App::$strings["Firefox Share \$Projectname provider"] = "Servicio de compartición de Firefox: proveedor \$Projectname"; App::$strings["Start calendar week on monday"] = "Comenzar el calendario semanal por el lunes"; -App::$strings["\$Projectname Server - Setup"] = "Servidor \$Projectname - Instalación"; -App::$strings["Could not connect to database."] = "No se ha podido conectar a la base de datos."; -App::$strings["Could not connect to specified site URL. Possible SSL certificate or DNS issue."] = "No se puede conectar con la dirección del sitio indicada. PodrĆ­a tratarse de un problema de SSL o DNS."; -App::$strings["Could not create table."] = "No se puede crear la tabla."; -App::$strings["Your site database has been installed."] = "La base de datos del sitio ha sido instalada."; -App::$strings["You may need to import the file \"install/schema_xxx.sql\" manually using a database client."] = "PodrĆ­a tener que importar manualmente el fichero \"install/schema_xxx.sql\" usando un cliente de base de datos."; -App::$strings["Please see the file \"install/INSTALL.txt\"."] = "Por favor, lea el fichero \"install/INSTALL.txt\"."; -App::$strings["System check"] = "Verificación del sistema"; -App::$strings["Check again"] = "Verificar de nuevo"; -App::$strings["Database connection"] = "Conexión a la base de datos"; -App::$strings["In order to install \$Projectname we need to know how to connect to your database."] = "Para instalar \$Projectname es necesario saber cómo conectar con su base de datos."; -App::$strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Por favor, contacte con el proveedor de servicios o el administrador del sitio si tiene dudas sobre estos ajustes."; -App::$strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "La base de datos que especifique a continuación debe existir ya. Si no es asĆ­, por favor, crĆ©ela antes de seguir."; -App::$strings["Database Server Name"] = "Nombre del servidor de base de datos"; -App::$strings["Default is 127.0.0.1"] = "De forma predeterminada es 127.0.0.1"; -App::$strings["Database Port"] = "Puerto de la base de datos"; -App::$strings["Communication port number - use 0 for default"] = "NĆŗmero del puerto de comunicaciones - use 0 como valor por defecto"; -App::$strings["Database Login Name"] = "Usuario de la base de datos"; -App::$strings["Database Login Password"] = "ContraseƱa de acceso a la base de datos"; -App::$strings["Database Name"] = "Nombre de la base de datos"; -App::$strings["Database Type"] = "Tipo de base de datos"; -App::$strings["Site administrator email address"] = "Dirección de correo electrónico del administrador del sitio"; -App::$strings["Your account email address must match this in order to use the web admin panel."] = "Su cuenta deberĆ” usar la misma dirección de correo electrónico para poder utilizar el panel de administración web."; -App::$strings["Website URL"] = "Dirección del sitio web"; -App::$strings["Please use SSL (https) URL if available."] = "Por favor, use SSL (https) si estĆ” disponible."; -App::$strings["Please select a default timezone for your website"] = "Por favor, selecciones el huso horario por defecto de su sitio web"; -App::$strings["Site settings"] = "Ajustes del sitio"; -App::$strings["Enable \$Projectname advanced features?"] = "ĀæHabilitar las funcionalidades avanzadas de \$Projectname ?"; -App::$strings["Some advanced features, while useful - may be best suited for technically proficient audiences"] = "Algunas funcionalidades avanzadas, si bien son Ćŗtiles, pueden ser mĆ”s adecuadas para un pĆŗblico tĆ©cnicamente competente"; -App::$strings["PHP version 5.5 or greater is required."] = "Se requiere la versión 5.5, o superior, de PHP."; -App::$strings["PHP version"] = "Versión de PHP"; -App::$strings["Could not find a command line version of PHP in the web server PATH."] = "No se puede encontrar una versión en lĆ­nea de comandos de PHP en la ruta del servidor web."; -App::$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."] = "Si no tiene instalada la versión de lĆ­nea de comandos de PHP en su servidor, no podrĆ” realizar envĆ­os en segundo plano mediante cron."; -App::$strings["PHP executable path"] = "Ruta del ejecutable PHP"; -App::$strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Introducir la ruta completa del ejecutable PHP. Puede dejar la lĆ­nea en blanco para continuar la instalación."; -App::$strings["Command line PHP"] = "PHP en lĆ­nea de comandos"; -App::$strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "La lĆ­nea de comandos PHP de su sistema no tiene activado \"register_argc_argv\"."; -App::$strings["This is required for message delivery to work."] = "Esto es necesario para que funcione la transmisión de mensajes."; -App::$strings["PHP register_argc_argv"] = "PHP register_argc_argv"; -App::$strings["Your max allowed total upload size is set to %s. Maximum size of one file to upload is set to %s. You are allowed to upload up to %d files at once."] = "La carga mĆ”xima que se le permite subir estĆ” establecida en %s. El tamaƱo mĆ”ximo de un fichero estĆ” establecido en %s. EstĆ” permitido subir hasta un mĆ”ximo de %d ficheros de una sola vez."; -App::$strings["You can adjust these settings in the servers php.ini."] = "Puede ajustar estos valores en el fichero php.ini de su servidor."; -App::$strings["PHP upload limits"] = "LĆ­mites PHP de subida"; -App::$strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Error: La función \"openssl_pkey_new\" en este sistema no es capaz de general claves de cifrado."; -App::$strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Si estĆ” en un servidor Windows, por favor, lea \"http://www.php.net/manual/en/openssl.installation.php\"."; -App::$strings["Generate encryption keys"] = "Generar claves de cifrado"; -App::$strings["libCurl PHP module"] = "módulo libCurl PHP"; -App::$strings["GD graphics PHP module"] = "módulo PHP GD graphics"; -App::$strings["OpenSSL PHP module"] = "módulo PHP OpenSSL"; -App::$strings["mysqli or postgres PHP module"] = "módulo PHP mysqli o postgres"; -App::$strings["mb_string PHP module"] = "módulo PHP mb_string"; -App::$strings["xml PHP module"] = "módulo PHP xml"; -App::$strings["Apache mod_rewrite module"] = "módulo Apache mod_rewrite "; -App::$strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Error: se necesita el módulo del servidor web Apache mod-rewrite pero no estĆ” instalado."; -App::$strings["proc_open"] = "proc_open"; -App::$strings["Error: proc_open is required but is either not installed or has been disabled in php.ini"] = "Error: se necesita proc_open pero o no estĆ” instalado o ha sido desactivado en el fichero php.ini"; -App::$strings["Error: libCURL PHP module required but not installed."] = "Error: se necesita el módulo PHP libCURL pero no estĆ” instalado."; -App::$strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Error: el módulo PHP GD graphics es necesario, pero no estĆ” instalado."; -App::$strings["Error: openssl PHP module required but not installed."] = "Error: el módulo PHP openssl es necesario, pero no estĆ” instalado."; -App::$strings["Error: mysqli or postgres PHP module required but neither are installed."] = "Error: el módulo PHP mysqli o postgres es necesario pero ninguno de los dos estĆ” instalado."; -App::$strings["Error: mb_string PHP module required but not installed."] = "Error: el módulo PHP mb_string es necesario, pero no estĆ” instalado."; -App::$strings["Error: xml PHP module required for DAV but not installed."] = "Error: el módulo PHP xml es necesario para DAV, pero no estĆ” instalado."; -App::$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."] = "El instalador web no ha podido crear un fichero llamado ā€œ.htconfig.phpā€ en la carpeta base de su servidor."; -App::$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."] = "Esto estĆ” generalmente ligado a un problema de permisos, a causa del cual el servidor web tiene prohibido modificar ficheros en su carpeta - incluso si usted mismo tiene esos permisos."; -App::$strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Red top folder."] = "Al tĆ©rmino de este procedimiento, podemos crear un fichero de texto para guardar con el nombre .htconfig.php en el directorio raĆ­z de su instalación de Hubzilla."; -App::$strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"install/INSTALL.txt\" for instructions."] = "Como alternativa, puede dejar este procedimiento e intentar realizar una instalación manual. Lea, por favor, el fichero\"install/INSTALL.txt\" para las instrucciones."; -App::$strings[".htconfig.php is writable"] = ".htconfig.php tiene permisos de escritura"; -App::$strings["Red uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Hubzilla hace uso del motor de plantillas Smarty3 para diseƱar sus plantillas grĆ”ficas. Smarty3 es mĆ”s rĆ”pido porque compila las plantillas de pĆ”ginas directamente en PHP."; -App::$strings["In order to store these compiled templates, the web server needs to have write access to the directory %s under the top level web folder."] = "Para poder guardar las plantillas compiladas, el servidor web necesita permisos para acceder al directorio %s en la carpeta web principal."; -App::$strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Por favor, asegĆŗrese de que el servidor web estĆ” siendo ejecutado por un usuario que tenga permisos de escritura sobre esta carpeta (por ejemplo, www-data)."; -App::$strings["Note: as a security measure, you should give the web server write access to %s only--not the template files (.tpl) that it contains."] = "Nota: como medida de seguridad, debe dar al servidor web permisos de escritura solo sobre %s - no sobre el fichero de plantilla (.tpl) que contiene."; -App::$strings["%s is writable"] = "%s tiene permisos de escritura"; -App::$strings["This software uses the store directory to save uploaded files. The web server needs to have write access to the store directory under the Red top level folder"] = "Este software utiliza el directorio de almacenamiento para guardar los archivos subidos. El servidor web debe tener acceso de escritura al directorio de almacenamiento en la carpeta de nivel superior"; -App::$strings["store is writable"] = "\"store\" tiene permisos de escritura"; -App::$strings["SSL certificate cannot be validated. Fix certificate or disable https access to this site."] = "El certificado SSL no ha podido ser validado. Corrija este problema o desactive el acceso https a este sitio."; -App::$strings["If you have https access to your website or allow connections to TCP port 443 (the https: port), you MUST use a browser-valid certificate. You MUST NOT use self-signed certificates!"] = "Si su servidor soporta conexiones cifradas SSL o si permite conexiones al puerto TCP 443 (el puerto usado por el protocolo https), debe utilizar un certificado vĆ”lido. No debe usar un certificado firmado por usted mismo."; -App::$strings["This restriction is incorporated because public posts from you may for example contain references to images on your own hub."] = "Se ha incorporado esta restricción para evitar que sus publicaciones pĆŗblicas hagan referencia a imĆ”genes en su propio servidor."; -App::$strings["If your certificate is not recognized, members of other sites (who may themselves have valid certificates) will get a warning message on their own site complaining about security issues."] = "Si su certificado no ha sido reconocido, los miembros de otros sitios (con certificados vĆ”lidos) recibirĆ”n mensajes de aviso en sus propios sitios web."; -App::$strings["This can cause usability issues elsewhere (not just on your own site) so we must insist on this requirement."] = "Por razones de compatibilidad (sobre el conjunto de la red, no solo sobre su propio sitio), debemos insistir en estos requisitos."; -App::$strings["Providers are available that issue free certificates which are browser-valid."] = "Existen varias Autoridades de Certificación que le pueden proporcionar certificados vĆ”lidos."; -App::$strings["If you are confident that the certificate is valid and signed by a trusted authority, check to see if you have failed to install an intermediate cert. These are not normally required by browsers, but are required for server-to-server communications."] = "Si se tiene la certeza de que el certificado es vĆ”lido y estĆ” firmado por una autoridad de confianza, comprobar para ver si hubo un error al instalar un certificado intermedio. Estos no son normalmente requeridos por los navegadores, pero son necesarios para las comunicaciones de servidor a servidor."; -App::$strings["SSL certificate validation"] = "validación del certificado SSL"; -App::$strings["Url rewrite in .htaccess is not working. Check your server configuration.Test: "] = "No se pueden reescribir las direcciones web en .htaccess. Compruebe la configuración de su servidor:"; -App::$strings["Url rewrite is working"] = "La reescritura de las direcciones funciona correctamente"; -App::$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."] = "El fichero de configuración de la base de datos .htconfig.php no se ha podido modificar. Por favor, copie el texto generado en un fichero con ese nombre en el directorio raĆ­z de su servidor."; -App::$strings["Errors encountered creating database tables."] = "Se han encontrado errores al crear las tablas de la base de datos."; -App::$strings["

What next

"] = "

Siguiente paso

"; -App::$strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANTE: Debe crear [manualmente] una tarea programada para el \"poller\"."; -App::$strings["Files: shared with me"] = "Ficheros: compartidos conmigo"; -App::$strings["NEW"] = "NUEVO"; -App::$strings["Remove all files"] = "Eliminar todos los ficheros"; -App::$strings["Remove this file"] = "Eliminar este fichero"; -App::$strings["Thing updated"] = "Elemento actualizado."; -App::$strings["Object store: failed"] = "Guardar objeto: ha fallado"; -App::$strings["Thing added"] = "Elemento aƱadido"; -App::$strings["OBJ: %1\$s %2\$s %3\$s"] = "OBJ: %1\$s %2\$s %3\$s"; -App::$strings["Show Thing"] = "Mostrar elemento"; -App::$strings["item not found."] = "elemento no encontrado."; -App::$strings["Edit Thing"] = "Editar elemento"; -App::$strings["Select a profile"] = "Seleccionar un perfil"; -App::$strings["Post an activity"] = "Publicar una actividad"; -App::$strings["Only sends to viewers of the applicable profile"] = "Sólo enviar a espectadores del perfil pertinente."; -App::$strings["Name of thing e.g. something"] = "Nombre del elemento, p. ej.:. \"algo\""; -App::$strings["URL of thing (optional)"] = "Dirección del elemento (opcional)"; -App::$strings["URL for photo of thing (optional)"] = "Dirección para la foto o elemento (opcional)"; -App::$strings["Add Thing to your Profile"] = "AƱadir alguna cosa a su perfil"; -App::$strings["Failed to create source. No channel selected."] = "Imposible crear el origen de los contenidos. NingĆŗn canal ha sido seleccionado."; -App::$strings["Source created."] = "Fuente creada."; -App::$strings["Source updated."] = "Fuente actualizada."; -App::$strings["*"] = "*"; -App::$strings["Channel Sources"] = "OrĆ­genes de los contenidos del canal"; -App::$strings["Manage remote sources of content for your channel."] = "Gestionar contenido de origen remoto para su canal."; -App::$strings["New Source"] = "Nueva fuente"; -App::$strings["Import all or selected content from the following channel into this channel and distribute it according to your channel settings."] = "Importar todo el contenido o una selección de los siguientes canales en este canal y distribuirlo de acuerdo con sus ajustes."; -App::$strings["Only import content with these words (one per line)"] = "Importar solo contenido que contenga estas palabras (una por lĆ­nea)"; -App::$strings["Leave blank to import all public content"] = "Dejar en blanco para importar todo el contenido pĆŗblico"; -App::$strings["Channel Name"] = "Nombre del canal"; -App::$strings["Add the following categories to posts imported from this source (comma separated)"] = "AƱadir las categorĆ­as siguientes a las entradas importadas de esta fuente (separadas por comas)"; -App::$strings["Source not found."] = "Fuente no encontrada"; -App::$strings["Edit Source"] = "Editar fuente"; -App::$strings["Delete Source"] = "Eliminar fuente"; -App::$strings["Source removed"] = "Fuente eliminada"; -App::$strings["Unable to remove source."] = "Imposible eliminar la fuente."; -App::$strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s estĆ” siguiendo %3\$s de %2\$s"; -App::$strings["%1\$s stopped following %2\$s's %3\$s"] = "%1\$s ha dejado de seguir %3\$s de %2\$s"; -App::$strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "No hay sugerencias disponibles. Si es un sitio nuevo, espere 24 horas y pruebe de nuevo."; -App::$strings["Ignore/Hide"] = "Ignorar/Ocultar"; -App::$strings["post"] = "la entrada"; -App::$strings["comment"] = "el comentario"; -App::$strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s ha etiquetado %3\$s de %2\$s con %4\$s"; -App::$strings["Tag removed"] = "Etiqueta eliminada."; -App::$strings["Remove Item Tag"] = "Eliminar etiqueta del elemento."; -App::$strings["Select a tag to remove: "] = "Seleccionar una etiqueta para eliminar:"; -App::$strings["Webpages"] = "PĆ”ginas web"; -App::$strings["Actions"] = "Acciones"; -App::$strings["Page Link"] = "VĆ­nculo de la pĆ”gina"; -App::$strings["Page Title"] = "TĆ­tulo de pĆ”gina"; -App::$strings["Not found"] = "No encontrado"; -App::$strings["Wiki"] = "Wiki"; -App::$strings["Sandbox"] = "Entorno de edición"; -App::$strings["\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be saved*.\""] = "\"# Entorno de edición del Wiki\\n\\nEl contenido que se **edite** y **previsualizce** aquĆ­ *no se guardarĆ”*.\""; -App::$strings["Revision Comparison"] = "Comparación de revisiones"; -App::$strings["Revert"] = "Revertir"; -App::$strings["Enter the name of your new wiki:"] = "Nombre de su nuevo wiki:"; -App::$strings["Enter the name of the new page:"] = "Nombre de la nueva pĆ”gina:"; -App::$strings["Enter the new name:"] = "Nuevo nombre:"; -App::$strings["Embed image from photo albums"] = "Incluir una imagen de los Ć”lbumes de fotos"; -App::$strings["Embed an image from your albums"] = "Incluir una imagen de sus Ć”lbumes"; -App::$strings["OK"] = "OK"; -App::$strings["Choose images to embed"] = "Elegir imĆ”genes para incluir"; -App::$strings["Choose an album"] = "Elegir un Ć”lbum"; -App::$strings["Choose a different album..."] = "Elegir un Ć”lbum diferente..."; -App::$strings["Error getting album list"] = "Error al obtener la lista de Ć”lbumes"; -App::$strings["Error getting photo link"] = "Error al obtener el enlace de la foto"; -App::$strings["Error getting album"] = "Error al obtener el Ć”lbum"; App::$strings["No connections."] = "Sin conexiones."; App::$strings["Visit %s's profile [%s]"] = "Visitar el perfil de %s [%s]"; App::$strings["View Connections"] = "Ver conexiones"; App::$strings["Source of Item"] = "Origen del elemento"; -App::$strings["Authorize application connection"] = "Autorizar una conexión de aplicación"; -App::$strings["Return to your app and insert this Securty Code:"] = "Volver a su aplicación e introducir este código de seguridad:"; -App::$strings["Please login to continue."] = "Por favor inicie sesión para continuar."; -App::$strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "ĀæDesea autorizar a esta aplicación a acceder a sus publicaciones y contactos, y/o crear nuevas publicaciones por usted?"; +App::$strings["Item is not editable"] = "El elemento no es editable"; App::$strings["Xchan Lookup"] = "BĆŗsqueda de canales"; App::$strings["Lookup xchan beginning with (or webbie): "] = "Buscar un canal (o un \"webbie\") que comience por:"; App::$strings["Missing room name"] = "Sala de chat sin nombre"; @@ -1535,8 +1521,24 @@ App::$strings["Suggest"] = "Sugerir"; App::$strings["Random Channel"] = "Canal aleatorio"; App::$strings["Invite"] = "Invitar"; App::$strings["Features"] = "Funcionalidades"; +App::$strings["Language"] = "Idioma"; App::$strings["Post"] = "Publicación"; +App::$strings["Profile Photo"] = "Foto del perfil"; App::$strings["Purchase"] = "Comprar"; +App::$strings["Visible to your default audience"] = "Visible para su pĆŗblico predeterminado."; +App::$strings["Only me"] = "Sólo yo"; +App::$strings["Public"] = "PĆŗblico"; +App::$strings["Anybody in the \$Projectname network"] = "Cualquiera en la red \$Projectname"; +App::$strings["Any account on %s"] = "Cualquier cuenta en %s"; +App::$strings["Any of my connections"] = "Cualquiera de mis conexiones"; +App::$strings["Only connections I specifically allow"] = "Sólo las conexiones que yo permita de forma explĆ­cita"; +App::$strings["Anybody authenticated (could include visitors from other networks)"] = "Cualquiera que estĆ© autenticado (podrĆ­a incluir a los visitantes de otras redes)"; +App::$strings["Any connections including those who haven't yet been approved"] = "Cualquier conexión incluyendo aquellas que aĆŗn no han sido aprobadas"; +App::$strings["This is your default setting for the audience of your normal stream, and posts."] = "Esta es la configuración predeterminada para su flujo (stream) habitual de publicaciones."; +App::$strings["This is your default setting for who can view your default channel profile"] = "Esta es su configuración por defecto para establecer quiĆ©n puede ver su perfil del canal predeterminado"; +App::$strings["This is your default setting for who can view your connections"] = "Este es su ajuste predeterminado para establecer quiĆ©n puede ver sus conexiones"; +App::$strings["This is your default setting for who can view your file storage and photos"] = "Este es su ajuste predeterminado para establecer quiĆ©n puede ver su repositorio de ficheros y sus fotos"; +App::$strings["This is your default setting for the audience of your webpages"] = "Este es el ajuste predeterminado para establecer la audiencia de sus pĆ”ginas web"; App::$strings["Private Message"] = "Mensaje Privado"; App::$strings["Select"] = "Seleccionar"; App::$strings["Save to Folder"] = "Guardar en carpeta"; @@ -1582,151 +1584,38 @@ App::$strings["Code"] = "Código"; App::$strings["Image"] = "Imagen"; App::$strings["Insert Link"] = "Insertar enlace"; App::$strings["Video"] = "VĆ­deo"; -App::$strings["Visible to your default audience"] = "Visible para su pĆŗblico predeterminado."; -App::$strings["Only me"] = "Sólo yo"; -App::$strings["Public"] = "PĆŗblico"; -App::$strings["Anybody in the \$Projectname network"] = "Cualquiera en la red \$Projectname"; -App::$strings["Any account on %s"] = "Cualquier cuenta en %s"; -App::$strings["Any of my connections"] = "Cualquiera de mis conexiones"; -App::$strings["Only connections I specifically allow"] = "Sólo las conexiones que yo permita de forma explĆ­cita"; -App::$strings["Anybody authenticated (could include visitors from other networks)"] = "Cualquiera que estĆ© autenticado (podrĆ­a incluir a los visitantes de otras redes)"; -App::$strings["Any connections including those who haven't yet been approved"] = "Cualquier conexión incluyendo aquellas que aĆŗn no han sido aprobadas"; -App::$strings["This is your default setting for the audience of your normal stream, and posts."] = "Esta es la configuración predeterminada para su flujo (stream) habitual de publicaciones."; -App::$strings["This is your default setting for who can view your default channel profile"] = "Esta es su configuración por defecto para establecer quiĆ©n puede ver su perfil del canal predeterminado"; -App::$strings["This is your default setting for who can view your connections"] = "Este es su ajuste predeterminado para establecer quiĆ©n puede ver sus conexiones"; -App::$strings["This is your default setting for who can view your file storage and photos"] = "Este es su ajuste predeterminado para establecer quiĆ©n puede ver su repositorio de ficheros y sus fotos"; -App::$strings["This is your default setting for the audience of your webpages"] = "Este es el ajuste predeterminado para establecer la audiencia de sus pĆ”ginas web"; App::$strings["No username found in import file."] = "No se ha encontrado el nombre de usuario en el fichero importado."; App::$strings["Unable to create a unique channel address. Import failed."] = "No se ha podido crear una dirección de canal Ćŗnica. Ha fallado la importación."; App::$strings["Cannot locate DNS info for database server '%s'"] = "No se ha podido localizar información de DNS para el servidor de base de datos ā€œ%sā€"; -App::$strings["Image exceeds website size limit of %lu bytes"] = "La imagen excede el lĆ­mite de %lu bytes del sitio"; -App::$strings["Image file is empty."] = "El fichero de imagen estĆ” vacĆ­o. "; -App::$strings["Photo storage failed."] = "La foto no ha podido ser guardada."; -App::$strings["a new photo"] = "una nueva foto"; -App::$strings["__ctx:photo_upload__ %1\$s posted %2\$s to %3\$s"] = "%1\$s ha publicado %2\$s en %3\$s"; -App::$strings["Photo Albums"] = "Ɓlbumes de fotos"; -App::$strings["Upload New Photos"] = "Subir nuevas fotos"; -App::$strings["Logout"] = "Finalizar sesión"; -App::$strings["End this session"] = "Finalizar esta sesión"; -App::$strings["Home"] = "Inicio"; -App::$strings["Your posts and conversations"] = "Sus publicaciones y conversaciones"; -App::$strings["Your profile page"] = "Su pĆ”gina del perfil"; -App::$strings["Manage/Edit profiles"] = "Administrar/editar perfiles"; -App::$strings["Edit Profile"] = "Editar el perfil"; -App::$strings["Edit your profile"] = "Editar su perfil"; -App::$strings["Your photos"] = "Sus fotos"; -App::$strings["Your files"] = "Sus ficheros"; -App::$strings["Your chatrooms"] = "Sus salas de chat"; -App::$strings["Bookmarks"] = "Marcadores"; -App::$strings["Your bookmarks"] = "Sus marcadores"; -App::$strings["Your webpages"] = "Sus pĆ”ginas web"; -App::$strings["Your wiki"] = "Su wiki"; -App::$strings["Sign in"] = "Acceder"; -App::$strings["%s - click to logout"] = "%s - pulsar para finalizar sesión"; -App::$strings["Remote authentication"] = "Acceder desde su servidor"; -App::$strings["Click to authenticate to your home hub"] = "Pulsar para identificarse en su servidor de inicio"; -App::$strings["Home Page"] = "PĆ”gina de inicio"; -App::$strings["Create an account"] = "Crear una cuenta"; -App::$strings["Help and documentation"] = "Ayuda y documentación"; -App::$strings["Applications, utilities, links, games"] = "Aplicaciones, utilidades, enlaces, juegos"; -App::$strings["Search site @name, #tag, ?docs, content"] = "Buscar en el sitio por @nombre, #etiqueta, ?ayuda o contenido"; -App::$strings["Channel Directory"] = "Directorio de canales"; -App::$strings["Your grid"] = "Mi red"; -App::$strings["Mark all grid notifications seen"] = "Marcar todas las notificaciones de la red como vistas"; -App::$strings["Channel home"] = "Mi canal"; -App::$strings["Mark all channel notifications seen"] = "Marcar todas las notificaciones del canal como leĆ­das"; -App::$strings["Notices"] = "Avisos"; -App::$strings["Notifications"] = "Notificaciones"; -App::$strings["See all notifications"] = "Ver todas las notificaciones"; -App::$strings["Private mail"] = "Correo privado"; -App::$strings["See all private messages"] = "Ver todas los mensajes privados"; -App::$strings["Mark all private messages seen"] = "Marcar todos los mensajes privados como leĆ­dos"; -App::$strings["Inbox"] = "Bandeja de entrada"; -App::$strings["Outbox"] = "Bandeja de salida"; -App::$strings["New Message"] = "Nuevo mensaje"; -App::$strings["Event Calendar"] = "Calendario de eventos"; -App::$strings["See all events"] = "Ver todos los eventos"; -App::$strings["Mark all events seen"] = "Marcar todos los eventos como leidos"; -App::$strings["Manage Your Channels"] = "Gestionar sus canales"; -App::$strings["Account/Channel Settings"] = "Ajustes de cuenta/canales"; -App::$strings["Admin"] = "Administrador"; -App::$strings["Site Setup and Configuration"] = "Ajustes y configuración del sitio"; -App::$strings["Loading..."] = "Cargando..."; -App::$strings["@name, #tag, ?doc, content"] = "@nombre, #etiqueta, ?ayuda, contenido"; -App::$strings["Please wait..."] = "Espere por favor…"; -App::$strings["view full size"] = "Ver en el tamaƱo original"; -App::$strings["Administrator"] = "Administrador"; -App::$strings["No Subject"] = "Sin asunto"; -App::$strings["Friendica"] = "Friendica"; -App::$strings["OStatus"] = "OStatus"; -App::$strings["GNU-Social"] = "GNU Social"; -App::$strings["RSS/Atom"] = "RSS/Atom"; -App::$strings["Diaspora"] = "Diaspora"; -App::$strings["Facebook"] = "Facebook"; -App::$strings["Zot"] = "Zot"; -App::$strings["LinkedIn"] = "LinkedIn"; -App::$strings["XMPP/IM"] = "XMPP/IM"; -App::$strings["MySpace"] = "MySpace"; -App::$strings["New Page"] = "Nueva pĆ”gina"; -App::$strings["Title"] = "TĆ­tulo"; -App::$strings["Categories"] = "CategorĆ­as"; -App::$strings["Tags"] = "Etiquetas"; -App::$strings["Keywords"] = "Palabras clave"; -App::$strings["have"] = "tener"; -App::$strings["has"] = "tiene"; -App::$strings["want"] = "quiero"; -App::$strings["wants"] = "quiere"; -App::$strings["likes"] = "gusta de"; -App::$strings["dislikes"] = "no gusta de"; -App::$strings["Unable to obtain identity information from database"] = "No ha sido posible obtener información sobre la identidad desde la base de datos"; -App::$strings["Empty name"] = "Nombre vacĆ­o"; -App::$strings["Name too long"] = "Nombre demasiado largo"; -App::$strings["No account identifier"] = "NingĆŗn identificador de la cuenta"; -App::$strings["Nickname is required."] = "Se requiere un sobrenombre (alias)."; -App::$strings["Reserved nickname. Please choose another."] = "Sobrenombre en uso. Por favor, elija otro."; -App::$strings["Nickname has unsupported characters or is already being used on this site."] = "El alias contiene caracteres no admitidos o estĆ” ya en uso por otros miembros de este sitio."; -App::$strings["Unable to retrieve created identity"] = "No ha sido posible recuperar la identidad creada"; -App::$strings["Default Profile"] = "Perfil principal"; -App::$strings["Requested channel is not available."] = "El canal solicitado no estĆ” disponible."; -App::$strings["Create New Profile"] = "Crear un nuevo perfil"; -App::$strings["Visible to everybody"] = "Visible para todos"; -App::$strings["Gender:"] = "GĆ©nero:"; -App::$strings["Status:"] = "Estado:"; -App::$strings["Homepage:"] = "PĆ”gina personal:"; -App::$strings["Online Now"] = "Ahora en lĆ­nea"; -App::$strings["Like this channel"] = "Me gusta este canal"; -App::$strings["j F, Y"] = "j F Y"; -App::$strings["j F"] = "j F"; -App::$strings["Birthday:"] = "CumpleaƱos:"; -App::$strings["for %1\$d %2\$s"] = "por %1\$d %2\$s"; -App::$strings["Sexual Preference:"] = "Orientación sexual:"; -App::$strings["Tags:"] = "Etiquetas:"; -App::$strings["Political Views:"] = "Posición polĆ­tica:"; -App::$strings["Religion:"] = "Religión:"; -App::$strings["Hobbies/Interests:"] = "Aficciones o intereses:"; -App::$strings["Likes:"] = "Me gusta:"; -App::$strings["Dislikes:"] = "No me gusta:"; -App::$strings["Contact information and Social Networks:"] = "Información de contacto y redes sociales:"; -App::$strings["My other channels:"] = "Mis otros canales:"; -App::$strings["Musical interests:"] = "Preferencias musicales:"; -App::$strings["Books, literature:"] = "Libros, literatura:"; -App::$strings["Television:"] = "Televisión:"; -App::$strings["Film/dance/culture/entertainment:"] = "Cine, danza, cultura, entretenimiento:"; -App::$strings["Love/Romance:"] = "Vida sentimental o amorosa:"; -App::$strings["Work/employment:"] = "Trabajo:"; -App::$strings["School/education:"] = "Estudios:"; -App::$strings["Like this thing"] = "Me gusta esto"; -App::$strings["New window"] = "Nueva ventana"; -App::$strings["Open the selected location in a different window or browser tab"] = "Abrir la dirección seleccionada en una ventana o pestaƱa aparte"; -App::$strings["User '%s' deleted"] = "El usuario '%s' ha sido eliminado"; +App::$strings["Logged out."] = "Desconectado/a."; +App::$strings["Failed authentication"] = "Autenticación fallida."; +App::$strings["Login failed."] = "El acceso ha fallado."; +App::$strings["Image/photo"] = "Imagen/foto"; +App::$strings["Encrypted content"] = "Contenido cifrado"; +App::$strings["Install %s element: "] = "Instalar el elemento %s:"; +App::$strings["This post contains an installable %s element, however you lack permissions to install it on this site."] = "Esta entrada contiene el elemento instalable %s, sin embargo le faltan permisos para instalarlo en este sitio."; +App::$strings["%1\$s wrote the following %2\$s %3\$s"] = "%1\$s escribió %2\$s siguiente %3\$s"; +App::$strings["Click to open/close"] = "Pulsar para abrir/cerrar"; +App::$strings["spoiler"] = "spoiler"; +App::$strings["Different viewers will see this text differently"] = "Visitantes diferentes verĆ”n este texto de forma distinta"; +App::$strings["$1 wrote:"] = "$1 escribió:"; +App::$strings["Channel is blocked on this site."] = "El canal estĆ” bloqueado en este sitio."; +App::$strings["Channel location missing."] = "Falta la dirección del canal."; +App::$strings["Response from remote channel was incomplete."] = "Respuesta incompleta del canal."; +App::$strings["Channel was deleted and no longer exists."] = "El canal ha sido eliminado y ya no existe."; +App::$strings["Protocol disabled."] = "Protocolo deshabilitado."; +App::$strings["Channel discovery failed."] = "El intento de acceder al canal ha fallado."; +App::$strings["Cannot connect to yourself."] = "No puede conectarse consigo mismo."; +App::$strings["Public Timeline"] = "CronologĆ­a pĆŗblica"; App::$strings["%1\$s is now connected with %2\$s"] = "%1\$s ahora estĆ” conectado/a con %2\$s"; App::$strings["%1\$s poked %2\$s"] = "%1\$s ha dado un toque a %2\$s"; App::$strings["poked"] = "ha dado un toque a"; App::$strings["View %s's profile @ %s"] = "Ver el perfil @ %s de %s"; -App::$strings["Categories:"] = "CategorĆ­as:"; +App::$strings["Categories:"] = "Temas:"; App::$strings["Filed under:"] = "Archivado bajo:"; App::$strings["View in context"] = "Mostrar en su contexto"; App::$strings["remove"] = "eliminar"; +App::$strings["Loading..."] = "Cargando..."; App::$strings["Delete Selected Items"] = "Eliminar elementos seleccionados"; App::$strings["View Source"] = "Ver el código fuente de la entrada"; App::$strings["Follow Thread"] = "Seguir este hilo"; @@ -1755,10 +1644,14 @@ App::$strings["Set your location"] = "Establecer su ubicación"; App::$strings["Clear browser location"] = "Eliminar los datos de localización geogrĆ”fica del navegador"; App::$strings["Tag term:"] = "TĆ©rmino de la etiqueta:"; App::$strings["Where are you right now?"] = "ĀæDonde estĆ” ahora?"; +App::$strings["Comments enabled"] = "Comentarios habilitados"; +App::$strings["Comments disabled"] = "Comentarios deshabilitados"; App::$strings["Page link name"] = "Nombre del enlace de la pĆ”gina"; App::$strings["Post as"] = "Publicar como"; App::$strings["Toggle voting"] = "Cambiar votación"; -App::$strings["Categories (optional, comma-separated list)"] = "CategorĆ­as (opcional, lista separada por comas)"; +App::$strings["Disable comments"] = "Dehabilitar los comentarios"; +App::$strings["Toggle comments"] = "Cambiar el estado de los comentarios"; +App::$strings["Categories (optional, comma-separated list)"] = "Temas (opcional, lista separada por comas)"; App::$strings["Set publish date"] = "Establecer la fecha de publicación"; App::$strings["Discover"] = "Descubrir"; App::$strings["Imported public streams"] = "Contenidos pĆŗblicos importados"; @@ -1775,8 +1668,10 @@ App::$strings["Posts flagged as SPAM"] = "Publicaciones marcadas como basura"; App::$strings["Status Messages and Posts"] = "Mensajes de estado y publicaciones"; App::$strings["About"] = "Mi perfil"; App::$strings["Profile Details"] = "Detalles del perfil"; +App::$strings["Photo Albums"] = "Ɓlbumes de fotos"; App::$strings["Files and Storage"] = "Ficheros y repositorio"; App::$strings["Chatrooms"] = "Salas de chat"; +App::$strings["Bookmarks"] = "Marcadores"; App::$strings["Saved Bookmarks"] = "Marcadores guardados"; App::$strings["Manage Webpages"] = "Administrar pĆ”ginas web"; App::$strings["__ctx:noun__ Attending"] = array( @@ -1803,14 +1698,129 @@ App::$strings["__ctx:noun__ Abstain"] = array( 0 => "se abstiene", 1 => "Se abstienen", ); -App::$strings["Cannot create a duplicate channel identifier on this system. Import failed."] = "No se ha podido crear un canal con un identificador que ya existe en este sistema. La importación ha fallado."; -App::$strings["Channel clone failed. Import failed."] = "La clonación del canal no ha salido bien. La importación ha fallado."; +App::$strings["General Features"] = "Funcionalidades bĆ”sicas"; +App::$strings["Content Expiration"] = "Caducidad del contenido"; +App::$strings["Remove posts/comments and/or private messages at a future time"] = "Eliminar publicaciones/comentarios y/o mensajes privados mĆ”s adelante"; +App::$strings["Multiple Profiles"] = "MĆŗltiples perfiles"; +App::$strings["Ability to create multiple profiles"] = "Capacidad de crear mĆŗltiples perfiles"; +App::$strings["Advanced Profiles"] = "Perfiles avanzados"; +App::$strings["Additional profile sections and selections"] = "Secciones y selecciones de perfil adicionales"; +App::$strings["Profile Import/Export"] = "Importar/Exportar perfil"; +App::$strings["Save and load profile details across sites/channels"] = "Guardar y cargar detalles del perfil a travĆ©s de sitios/canales"; +App::$strings["Web Pages"] = "PĆ”ginas web"; +App::$strings["Provide managed web pages on your channel"] = "Proveer pĆ”ginas web gestionadas en su canal"; +App::$strings["Provide a wiki for your channel"] = "Proporcionar un wiki para su canal"; +App::$strings["Hide Rating"] = "Ocultar las valoraciones"; +App::$strings["Hide the rating buttons on your channel and profile pages. Note: People can still rate you somewhere else."] = "Ocultar los botones de valoración en su canal y pĆ”gina de perfil. Tenga en cuenta, sin embargo, que la gente podrĆ” expresar su valoración en otros lugares."; +App::$strings["Private Notes"] = "Notas privadas"; +App::$strings["Enables a tool to store notes and reminders (note: not encrypted)"] = "Habilita una herramienta para guardar notas y recordatorios (advertencia: las notas no estarĆ”n cifradas)"; +App::$strings["Navigation Channel Select"] = "Navegación por el selector de canales"; +App::$strings["Change channels directly from within the navigation dropdown menu"] = "Cambiar de canales directamente desde el menĆŗ de navegación desplegable"; +App::$strings["Photo Location"] = "Ubicación de las fotos"; +App::$strings["If location data is available on uploaded photos, link this to a map."] = "Si los datos de ubicación estĆ”n disponibles en las fotos subidas, enlazar estas a un mapa."; +App::$strings["Access Controlled Chatrooms"] = "Salas de chat moderadas"; +App::$strings["Provide chatrooms and chat services with access control."] = "Proporcionar salas y servicios de chat moderados."; +App::$strings["Smart Birthdays"] = "CumpleaƱos inteligentes"; +App::$strings["Make birthday events timezone aware in case your friends are scattered across the planet."] = "Enlazar los eventos de cumpleaƱos con el huso horario en el caso de que sus amigos estĆ©n dispersos por el mundo."; +App::$strings["Expert Mode"] = "Modo de experto"; +App::$strings["Enable Expert Mode to provide advanced configuration options"] = "Habilitar el modo de experto para acceder a opciones avanzadas de configuración"; +App::$strings["Premium Channel"] = "Canal premium"; +App::$strings["Allows you to set restrictions and terms on those that connect with your channel"] = "Le permite configurar restricciones y normas de uso a aquellos que conectan con su canal"; +App::$strings["Post Composition Features"] = "Opciones para la redacción de entradas"; +App::$strings["Large Photos"] = "Fotos de gran tamaƱo"; +App::$strings["Include large (1024px) photo thumbnails in posts. If not enabled, use small (640px) photo thumbnails"] = "Incluir miniaturas de fotos grandes (1024px) en publicaciones. Si no estĆ” habilitado, usar miniaturas pequeƱas (640px)"; +App::$strings["Automatically import channel content from other channels or feeds"] = "Importar automĆ”ticamente contenido de otros canales o \"feeds\""; +App::$strings["Even More Encryption"] = "MĆ”s cifrado todavĆ­a"; +App::$strings["Allow optional encryption of content end-to-end with a shared secret key"] = "Permitir cifrado adicional de contenido \"punto-a-punto\" con una clave secreta compartida."; +App::$strings["Enable Voting Tools"] = "Permitir entradas con votación"; +App::$strings["Provide a class of post which others can vote on"] = "Proveer una clase de publicación en la que otros puedan votar"; +App::$strings["Disable Comments"] = "Deshabilitar comentarios"; +App::$strings["Provide the option to disable comments for a post"] = "Proporcionar la opción de desactivar los comentarios de una publicación"; +App::$strings["Delayed Posting"] = "Publicación aplazada"; +App::$strings["Allow posts to be published at a later date"] = "Permitir mensajes que se publicarĆ”n en una fecha posterior"; +App::$strings["Suppress Duplicate Posts/Comments"] = "Prevenir entradas o comentarios duplicados"; +App::$strings["Prevent posts with identical content to be published with less than two minutes in between submissions."] = "Prevenir que entradas con contenido idĆ©ntico se publiquen con menos de dos minutos de intervalo."; +App::$strings["Network and Stream Filtering"] = "Filtrado del contenido"; +App::$strings["Search by Date"] = "Buscar por fecha"; +App::$strings["Ability to select posts by date ranges"] = "Capacidad de seleccionar entradas por rango de fechas"; +App::$strings["Privacy Groups"] = "Grupos de canales"; +App::$strings["Enable management and selection of privacy groups"] = "Activar la gestión y selección de grupos de canales"; +App::$strings["Saved Searches"] = "BĆŗsquedas guardadas"; +App::$strings["Save search terms for re-use"] = "Guardar tĆ©rminos de bĆŗsqueda para su reutilización"; +App::$strings["Network Personal Tab"] = "Actividad personal"; +App::$strings["Enable tab to display only Network posts that you've interacted on"] = "Habilitar una pestaƱa en la cual se muestren solo las entradas en las que ha participado."; +App::$strings["Network New Tab"] = "Contenido nuevo"; +App::$strings["Enable tab to display all new Network activity"] = "Habilitar una pestaƱa en la que se muestre solo el contenido nuevo"; +App::$strings["Affinity Tool"] = "Herramienta de afinidad"; +App::$strings["Filter stream activity by depth of relationships"] = "Filtrar el contenido segĆŗn la profundidad de las relaciones"; +App::$strings["Connection Filtering"] = "Filtrado de conexiones"; +App::$strings["Filter incoming posts from connections based on keywords/content"] = "Filtrar publicaciones entrantes de conexiones por palabras clave o contenido"; +App::$strings["Show channel suggestions"] = "Mostrar sugerencias de canales"; +App::$strings["Post/Comment Tools"] = "Gestión de entradas y comentarios"; +App::$strings["Community Tagging"] = "Etiquetas de la comunidad"; +App::$strings["Ability to tag existing posts"] = "Capacidad de etiquetar entradas existentes"; +App::$strings["Post Categories"] = "Temas de las entradas"; +App::$strings["Add categories to your posts"] = "AƱadir temas a sus publicaciones"; +App::$strings["Emoji Reactions"] = "Emoticonos \"emoji\""; +App::$strings["Add emoji reaction ability to posts"] = "Activar la capacidad de aƱadir un emoticono \"emoji\" a las entradas"; +App::$strings["Saved Folders"] = "Carpetas guardadas"; +App::$strings["Ability to file posts under folders"] = "Capacidad de archivar entradas en carpetas"; +App::$strings["Dislike Posts"] = "Desagrado de publicaciones"; +App::$strings["Ability to dislike posts/comments"] = "Capacidad de mostrar desacuerdo con el contenido de entradas y comentarios"; +App::$strings["Star Posts"] = "Entradas destacadas"; +App::$strings["Ability to mark special posts with a star indicator"] = "Capacidad de marcar entradas destacadas con un indicador de estrella"; +App::$strings["Tag Cloud"] = "Nube de etiquetas"; +App::$strings["Provide a personal tag cloud on your channel page"] = "Proveer nube de etiquetas personal en su pĆ”gina de canal"; +App::$strings["Birthday"] = "CumpleaƱos"; +App::$strings["Age: "] = "Edad:"; +App::$strings["YYYY-MM-DD or MM-DD"] = "AAAA-MM-DD o MM-DD"; +App::$strings["never"] = "nunca"; +App::$strings["less than a second ago"] = "hace un instante"; +App::$strings["__ctx:e.g. 22 hours ago, 1 minute ago__ %1\$d %2\$s ago"] = "hace %1\$d %2\$s"; +App::$strings["__ctx:relative_date__ year"] = array( + 0 => "aƱo", + 1 => "aƱos", +); +App::$strings["__ctx:relative_date__ month"] = array( + 0 => "mes", + 1 => "meses", +); +App::$strings["__ctx:relative_date__ week"] = array( + 0 => "semana", + 1 => "semanas", +); +App::$strings["__ctx:relative_date__ day"] = array( + 0 => "dĆ­a", + 1 => "dĆ­as", +); +App::$strings["__ctx:relative_date__ hour"] = array( + 0 => "hora", + 1 => "horas", +); +App::$strings["__ctx:relative_date__ minute"] = array( + 0 => "minuto", + 1 => "minutos", +); +App::$strings["__ctx:relative_date__ second"] = array( + 0 => "segundo", + 1 => "segundos", +); +App::$strings["%1\$s's birthday"] = "CumpleaƱos de %1\$s"; +App::$strings["Happy Birthday %1\$s"] = "Feliz cumpleaƱos %1\$s"; +App::$strings["Image exceeds website size limit of %lu bytes"] = "La imagen excede el lĆ­mite de %lu bytes del sitio"; +App::$strings["Image file is empty."] = "El fichero de imagen estĆ” vacĆ­o. "; +App::$strings["Photo storage failed."] = "La foto no ha podido ser guardada."; +App::$strings["a new photo"] = "una nueva foto"; +App::$strings["__ctx:photo_upload__ %1\$s posted %2\$s to %3\$s"] = "%1\$s ha publicado %2\$s en %3\$s"; +App::$strings["Upload New Photos"] = "Subir nuevas fotos"; App::$strings["Frequently"] = "Frecuentemente"; App::$strings["Hourly"] = "Cada hora"; App::$strings["Twice daily"] = "Dos veces al dĆ­a"; App::$strings["Daily"] = "Diariamente"; App::$strings["Weekly"] = "Semanalmente"; App::$strings["Monthly"] = "Mensualmente"; +App::$strings["Male"] = "Hombre"; +App::$strings["Female"] = "Mujer"; App::$strings["Currently Male"] = "Actualmente hombre"; App::$strings["Currently Female"] = "Actualmente mujer"; App::$strings["Mostly Male"] = "Generalmente hombre"; @@ -1865,9 +1875,241 @@ App::$strings["Uncertain"] = "Indeterminado"; App::$strings["It's complicated"] = "Es complicado"; App::$strings["Don't care"] = "No me importa"; App::$strings["Ask me"] = "PregĆŗnteme"; -App::$strings["%1\$s's bookmarks"] = "Marcadores de %1\$s"; +App::$strings["Can view my normal stream and posts"] = "Pueden verse mi actividad y publicaciones normales"; +App::$strings["Can view my webpages"] = "Pueden verse mis pĆ”ginas web"; +App::$strings["Can post on my channel page (\"wall\")"] = "Pueden crearse entradas en mi pĆ”gina de inicio del canal (ā€œmuroā€)"; +App::$strings["Can like/dislike stuff"] = "Puede marcarse contenido como me gusta/no me gusta"; +App::$strings["Profiles and things other than posts/comments"] = "Perfiles y otras cosas aparte de publicaciones/comentarios"; +App::$strings["Can forward to all my channel contacts via post @mentions"] = "Puede enviarse una entrada a todos mis contactos del canal mediante una @mención"; +App::$strings["Advanced - useful for creating group forum channels"] = "Avanzado - Ćŗtil para crear canales de foros de discusión o grupos"; +App::$strings["Can chat with me (when available)"] = "Se puede charlar conmigo (cuando estĆ© disponible)"; +App::$strings["Can write to my file storage and photos"] = "Puede escribirse en mi repositorio de ficheros y fotos"; +App::$strings["Can edit my webpages"] = "Pueden editarse mis pĆ”ginas web"; +App::$strings["Somewhat advanced - very useful in open communities"] = "Algo avanzado - muy Ćŗtil en comunidades abiertas"; +App::$strings["Can administer my channel resources"] = "Pueden administrarse mis recursos del canal"; +App::$strings["Extremely advanced. Leave this alone unless you know what you are doing"] = "Muy avanzado. DĆ©jelo a no ser que sepa bien lo que estĆ” haciendo."; App::$strings["guest:"] = "invitado: "; App::$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."] = "El \"token\" de seguridad del formulario no es correcto. Esto ha ocurrido probablemente porque el formulario ha estado abierto demasiado tiempo (>3 horas) antes de ser enviado"; +App::$strings["%1\$s's bookmarks"] = "Marcadores de %1\$s"; +App::$strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "Un grupo suprimido con este nombre ha sido restablecido. Es posible que los permisos existentes sean aplicados a este grupo y sus futuros miembros. Si no quiere esto, por favor cree otro grupo con un nombre diferente."; +App::$strings["Add new connections to this privacy group"] = "AƱadir conexiones nuevas a este grupo de canales"; +App::$strings["edit"] = "editar"; +App::$strings["Edit group"] = "Editar grupo"; +App::$strings["Add privacy group"] = "AƱadir un grupo de canales"; +App::$strings["Channels not in any privacy group"] = "Sin canales en ningĆŗn grupo"; +App::$strings["add"] = "aƱadir"; +App::$strings["New Page"] = "Nueva pĆ”gina"; +App::$strings["Title"] = "TĆ­tulo"; +App::$strings["Categories"] = "Temas"; +App::$strings["System"] = "Sistema"; +App::$strings["New App"] = "Nueva aplicación (app)"; +App::$strings["Suggestions"] = "Sugerencias"; +App::$strings["See more..."] = "Ver mĆ”s..."; +App::$strings["You have %1$.0f of %2$.0f allowed connections."] = "Tiene %1$.0f de %2$.0f conexiones permitidas."; +App::$strings["Add New Connection"] = "AƱadir nueva conexión"; +App::$strings["Enter channel address"] = "Dirección del canal"; +App::$strings["Examples: bob@example.com, https://example.com/barbara"] = "Ejemplos: manuel@ejemplo.com, https://ejemplo.com/carmen"; +App::$strings["Notes"] = "Notas"; +App::$strings["Remove term"] = "Eliminar tĆ©rmino"; +App::$strings["Everything"] = "Todo"; +App::$strings["Archives"] = "Hemeroteca"; +App::$strings["Refresh"] = "Recargar"; +App::$strings["Account settings"] = "Configuración de la cuenta"; +App::$strings["Channel settings"] = "Configuración del canal"; +App::$strings["Additional features"] = "Funcionalidades"; +App::$strings["Feature/Addon settings"] = "Complementos"; +App::$strings["Display settings"] = "Ajustes de visualización"; +App::$strings["Manage locations"] = "Gestión de ubicaciones (clones) del canal"; +App::$strings["Export channel"] = "Exportar canal"; +App::$strings["Connected apps"] = "Aplicaciones (apps) conectadas"; +App::$strings["Premium Channel Settings"] = "Configuración del canal premium"; +App::$strings["Private Mail Menu"] = "MenĆŗ de correo privado"; +App::$strings["Combined View"] = "Vista combinada"; +App::$strings["Inbox"] = "Bandeja de entrada"; +App::$strings["Outbox"] = "Bandeja de salida"; +App::$strings["New Message"] = "Nuevo mensaje"; +App::$strings["Conversations"] = "Conversaciones"; +App::$strings["Received Messages"] = "Mensajes recibidos"; +App::$strings["Sent Messages"] = "Enviar mensajes"; +App::$strings["No messages."] = "Sin mensajes."; +App::$strings["Delete conversation"] = "Eliminar conversación"; +App::$strings["Events Tools"] = "Gestión de eventos"; +App::$strings["Export Calendar"] = "Exportar el calendario"; +App::$strings["Import Calendar"] = "Importar un calendario"; +App::$strings["Overview"] = "Resumen"; +App::$strings["Chat Members"] = "Miembros del chat"; +App::$strings["Wiki List"] = "Lista de wikis"; +App::$strings["Wiki Pages"] = "PĆ”ginas del wiki"; +App::$strings["Bookmarked Chatrooms"] = "Salas de chat preferidas"; +App::$strings["Suggested Chatrooms"] = "Salas de chat sugeridas"; +App::$strings["photo/image"] = "foto/imagen"; +App::$strings["Click to show more"] = "Hacer clic para ver mĆ”s"; +App::$strings["Rating Tools"] = "Valoraciones"; +App::$strings["Rate Me"] = "Valorar este canal"; +App::$strings["View Ratings"] = "Mostrar las valoraciones"; +App::$strings["Forums"] = "Foros"; +App::$strings["Tasks"] = "Tareas"; +App::$strings["Documentation"] = "Documentación"; +App::$strings["Project/Site Information"] = "Información sobre el proyecto o sitio"; +App::$strings["For Members"] = "Para los miembros"; +App::$strings["For Administrators"] = "Para los administradores"; +App::$strings["For Developers"] = "Para los desarrolladores"; +App::$strings["Member registrations waiting for confirmation"] = "Inscripciones de nuevos miembros pendientes de aprobación"; +App::$strings["Inspect queue"] = "Examinar la cola"; +App::$strings["DB updates"] = "Actualizaciones de la base de datos"; +App::$strings["Admin"] = "Administrador"; +App::$strings["Plugin Features"] = "Extensiones"; +App::$strings["Attachments:"] = "Ficheros adjuntos:"; +App::$strings["l F d, Y \\@ g:i A"] = "l d de F, Y \\@ G:i"; +App::$strings["\$Projectname event notification:"] = "Notificación de eventos de \$Projectname:"; +App::$strings["Starts:"] = "Comienza:"; +App::$strings["Finishes:"] = "Finaliza:"; +App::$strings["Delete this item?"] = "ĀæBorrar este elemento?"; +App::$strings["%s show less"] = "%s mostrar menos"; +App::$strings["%s expand"] = "%s expandir"; +App::$strings["%s collapse"] = "%s contraer"; +App::$strings["Password too short"] = "ContraseƱa demasiado corta"; +App::$strings["Passwords do not match"] = "Las contraseƱas no coinciden"; +App::$strings["everybody"] = "cualquiera"; +App::$strings["Secret Passphrase"] = "ContraseƱa secreta"; +App::$strings["Passphrase hint"] = "Pista de contraseƱa"; +App::$strings["Notice: Permissions have changed but have not yet been submitted."] = "Aviso: los permisos han cambiado pero aĆŗn no han sido enviados."; +App::$strings["close all"] = "cerrar todo"; +App::$strings["Nothing new here"] = "Nada nuevo por aquĆ­"; +App::$strings["Rate This Channel (this is public)"] = "Valorar este canal (esto es pĆŗblico)"; +App::$strings["Describe (optional)"] = "Describir (opcional)"; +App::$strings["Please enter a link URL"] = "Por favor, introduzca una dirección de enlace"; +App::$strings["Unsaved changes. Are you sure you wish to leave this page?"] = "Cambios no guardados. ĀæEstĆ” seguro de que desea abandonar la pĆ”gina?"; +App::$strings["timeago.prefixAgo"] = "timeago.prefixAgo"; +App::$strings["timeago.prefixFromNow"] = "timeago.prefixFromNow"; +App::$strings["ago"] = "antes"; +App::$strings["from now"] = "desde ahora"; +App::$strings["less than a minute"] = "menos de un minuto"; +App::$strings["about a minute"] = "alrededor de un minuto"; +App::$strings["%d minutes"] = "%d minutos"; +App::$strings["about an hour"] = "alrededor de una hora"; +App::$strings["about %d hours"] = "alrededor de %d horas"; +App::$strings["a day"] = "un dĆ­a"; +App::$strings["%d days"] = "%d dĆ­as"; +App::$strings["about a month"] = "alrededor de un mes"; +App::$strings["%d months"] = "%d meses"; +App::$strings["about a year"] = "alrededor de un aƱo"; +App::$strings["%d years"] = "%d aƱos"; +App::$strings[" "] = " "; +App::$strings["timeago.numbers"] = "timeago.numbers"; +App::$strings["January"] = "enero"; +App::$strings["February"] = "febrero"; +App::$strings["March"] = "marzo"; +App::$strings["April"] = "abril"; +App::$strings["__ctx:long__ May"] = "mayo"; +App::$strings["June"] = "junio"; +App::$strings["July"] = "julio"; +App::$strings["August"] = "agosto"; +App::$strings["September"] = "septiembre"; +App::$strings["October"] = "octubre"; +App::$strings["November"] = "noviembre"; +App::$strings["December"] = "diciembre"; +App::$strings["Jan"] = "ene"; +App::$strings["Feb"] = "feb"; +App::$strings["Mar"] = "mar"; +App::$strings["Apr"] = "abr"; +App::$strings["__ctx:short__ May"] = "may"; +App::$strings["Jun"] = "jun"; +App::$strings["Jul"] = "jul"; +App::$strings["Aug"] = "ago"; +App::$strings["Sep"] = "sep"; +App::$strings["Oct"] = "oct"; +App::$strings["Nov"] = "nov"; +App::$strings["Dec"] = "dic"; +App::$strings["Sunday"] = "domingo"; +App::$strings["Monday"] = "lunes"; +App::$strings["Tuesday"] = "martes"; +App::$strings["Wednesday"] = "miĆ©rcoles"; +App::$strings["Thursday"] = "jueves"; +App::$strings["Friday"] = "viernes"; +App::$strings["Saturday"] = "sĆ”bado"; +App::$strings["Sun"] = "dom"; +App::$strings["Mon"] = "lun"; +App::$strings["Tue"] = "mar"; +App::$strings["Wed"] = "miĆ©"; +App::$strings["Thu"] = "jue"; +App::$strings["Fri"] = "vie"; +App::$strings["Sat"] = "sĆ”b"; +App::$strings["__ctx:calendar__ today"] = "hoy"; +App::$strings["__ctx:calendar__ month"] = "mes"; +App::$strings["__ctx:calendar__ week"] = "semana"; +App::$strings["__ctx:calendar__ day"] = "dĆ­a"; +App::$strings["__ctx:calendar__ All day"] = "Todos los dĆ­as"; +App::$strings["Logout"] = "Finalizar sesión"; +App::$strings["End this session"] = "Finalizar esta sesión"; +App::$strings["Home"] = "Inicio"; +App::$strings["Your posts and conversations"] = "Sus publicaciones y conversaciones"; +App::$strings["Your profile page"] = "Su pĆ”gina del perfil"; +App::$strings["Manage/Edit profiles"] = "Administrar/editar perfiles"; +App::$strings["Edit Profile"] = "Editar el perfil"; +App::$strings["Edit your profile"] = "Editar su perfil"; +App::$strings["Your photos"] = "Sus fotos"; +App::$strings["Your files"] = "Sus ficheros"; +App::$strings["Your chatrooms"] = "Sus salas de chat"; +App::$strings["Your bookmarks"] = "Sus marcadores"; +App::$strings["Your webpages"] = "Sus pĆ”ginas web"; +App::$strings["Your wiki"] = "Su wiki"; +App::$strings["Sign in"] = "Acceder"; +App::$strings["%s - click to logout"] = "%s - pulsar para finalizar sesión"; +App::$strings["Remote authentication"] = "Acceder desde su servidor"; +App::$strings["Click to authenticate to your home hub"] = "Pulsar para identificarse en su servidor de inicio"; +App::$strings["Home Page"] = "PĆ”gina de inicio"; +App::$strings["Create an account"] = "Crear una cuenta"; +App::$strings["Help and documentation"] = "Ayuda y documentación"; +App::$strings["Applications, utilities, links, games"] = "Aplicaciones, utilidades, enlaces, juegos"; +App::$strings["Search site @name, #tag, ?docs, content"] = "Buscar en el sitio por @nombre, #etiqueta, ?ayuda o contenido"; +App::$strings["Channel Directory"] = "Directorio de canales"; +App::$strings["Your grid"] = "Mi red"; +App::$strings["Mark all grid notifications seen"] = "Marcar todas las notificaciones de la red como vistas"; +App::$strings["Channel home"] = "Mi canal"; +App::$strings["Mark all channel notifications seen"] = "Marcar todas las notificaciones del canal como leĆ­das"; +App::$strings["Notices"] = "Avisos"; +App::$strings["Notifications"] = "Notificaciones"; +App::$strings["See all notifications"] = "Ver todas las notificaciones"; +App::$strings["Private mail"] = "Correo privado"; +App::$strings["See all private messages"] = "Ver todas los mensajes privados"; +App::$strings["Mark all private messages seen"] = "Marcar todos los mensajes privados como leĆ­dos"; +App::$strings["Event Calendar"] = "Calendario de eventos"; +App::$strings["See all events"] = "Ver todos los eventos"; +App::$strings["Mark all events seen"] = "Marcar todos los eventos como leidos"; +App::$strings["Manage Your Channels"] = "Gestionar sus canales"; +App::$strings["Account/Channel Settings"] = "Ajustes de cuenta/canales"; +App::$strings["Site Setup and Configuration"] = "Ajustes y configuración del sitio"; +App::$strings["@name, #tag, ?doc, content"] = "@nombre, #etiqueta, ?ayuda, contenido"; +App::$strings["Please wait..."] = "Espere por favor…"; +App::$strings["view full size"] = "Ver en el tamaƱo original"; +App::$strings["Administrator"] = "Administrador"; +App::$strings["No Subject"] = "Sin asunto"; +App::$strings["Friendica"] = "Friendica"; +App::$strings["OStatus"] = "OStatus"; +App::$strings["GNU-Social"] = "GNU Social"; +App::$strings["RSS/Atom"] = "RSS/Atom"; +App::$strings["Diaspora"] = "Diaspora"; +App::$strings["Facebook"] = "Facebook"; +App::$strings["Zot"] = "Zot"; +App::$strings["LinkedIn"] = "LinkedIn"; +App::$strings["XMPP/IM"] = "XMPP/IM"; +App::$strings["MySpace"] = "MySpace"; +App::$strings["Cannot create a duplicate channel identifier on this system. Import failed."] = "No se ha podido crear un canal con un identificador que ya existe en este sistema. La importación ha fallado."; +App::$strings["Channel clone failed. Import failed."] = "La clonación del canal no ha salido bien. La importación ha fallado."; +App::$strings["(Unknown)"] = "(Desconocido)"; +App::$strings["Visible to anybody on the internet."] = "Visible para cualquiera en internet."; +App::$strings["Visible to you only."] = "Visible sólo para usted."; +App::$strings["Visible to anybody in this network."] = "Visible para cualquiera en esta red."; +App::$strings["Visible to anybody authenticated."] = "Visible para cualquiera que estĆ© autenticado."; +App::$strings["Visible to anybody on %s."] = "Visible para cualquiera en %s."; +App::$strings["Visible to all connections."] = "Visible para todas las conexiones."; +App::$strings["Visible to approved connections."] = "Visible para las conexiones permitidas."; +App::$strings["Visible to specific connections."] = "Visible para conexiones especĆ­ficas."; +App::$strings["Privacy group is empty."] = "El grupo de canales estĆ” vacĆ­o."; +App::$strings["Privacy group: %s"] = "Grupo de canales: %s"; +App::$strings["Connection not found."] = "Conexión no encontrada"; +App::$strings["profile photo"] = "foto del perfil"; App::$strings["prev"] = "anterior"; App::$strings["first"] = "primera"; App::$strings["last"] = "Ćŗltima"; @@ -1908,28 +2150,10 @@ App::$strings["depressed"] = "deprimido/a"; App::$strings["motivated"] = "motivado/a"; App::$strings["relaxed"] = "relajado/a"; App::$strings["surprised"] = "sorprendido/a"; -App::$strings["Monday"] = "lunes"; -App::$strings["Tuesday"] = "martes"; -App::$strings["Wednesday"] = "miĆ©rcoles"; -App::$strings["Thursday"] = "jueves"; -App::$strings["Friday"] = "viernes"; -App::$strings["Saturday"] = "sĆ”bado"; -App::$strings["Sunday"] = "domingo"; -App::$strings["January"] = "enero"; -App::$strings["February"] = "febrero"; -App::$strings["March"] = "marzo"; -App::$strings["April"] = "abril"; App::$strings["May"] = "mayo"; -App::$strings["June"] = "junio"; -App::$strings["July"] = "julio"; -App::$strings["August"] = "agosto"; -App::$strings["September"] = "septiembre"; -App::$strings["October"] = "octubre"; -App::$strings["November"] = "noviembre"; -App::$strings["December"] = "diciembre"; App::$strings["Unknown Attachment"] = "Adjunto no reconocido"; App::$strings["unknown"] = "desconocido"; -App::$strings["remove category"] = "eliminar categorĆ­a"; +App::$strings["remove category"] = "eliminar el tema"; App::$strings["remove from file"] = "eliminar del fichero"; App::$strings["default"] = "por defecto"; App::$strings["Page layout"] = "Plantilla de la pĆ”gina"; @@ -1939,131 +2163,27 @@ App::$strings["Select an alternate language"] = "Seleccionar un idioma alternati App::$strings["activity"] = "la actividad"; App::$strings["Design Tools"] = "Herramientas de diseƱo web"; App::$strings["Pages"] = "PĆ”ginas"; -App::$strings["Logged out."] = "Desconectado/a."; -App::$strings["Failed authentication"] = "Autenticación fallida."; -App::$strings["Can view my normal stream and posts"] = "Pueden verse mi actividad y publicaciones normales"; -App::$strings["Can view my webpages"] = "Pueden verse mis pĆ”ginas web"; -App::$strings["Can post on my channel page (\"wall\")"] = "Pueden crearse entradas en mi pĆ”gina de inicio del canal (ā€œmuroā€)"; -App::$strings["Can like/dislike stuff"] = "Puede marcarse contenido como me gusta/no me gusta"; -App::$strings["Profiles and things other than posts/comments"] = "Perfiles y otras cosas aparte de publicaciones/comentarios"; -App::$strings["Can forward to all my channel contacts via post @mentions"] = "Puede enviarse una entrada a todos mis contactos del canal mediante una @mención"; -App::$strings["Advanced - useful for creating group forum channels"] = "Avanzado - Ćŗtil para crear canales de foros de discusión o grupos"; -App::$strings["Can chat with me (when available)"] = "Se puede charlar conmigo (cuando estĆ© disponible)"; -App::$strings["Can write to my file storage and photos"] = "Puede escribirse en mi repositorio de ficheros y fotos"; -App::$strings["Can edit my webpages"] = "Pueden editarse mis pĆ”ginas web"; -App::$strings["Somewhat advanced - very useful in open communities"] = "Algo avanzado - muy Ćŗtil en comunidades abiertas"; -App::$strings["Can administer my channel resources"] = "Pueden administrarse mis recursos del canal"; -App::$strings["Extremely advanced. Leave this alone unless you know what you are doing"] = "Muy avanzado. DĆ©jelo a no ser que sepa bien lo que estĆ” haciendo."; -App::$strings["General Features"] = "Funcionalidades bĆ”sicas"; -App::$strings["Content Expiration"] = "Caducidad del contenido"; -App::$strings["Remove posts/comments and/or private messages at a future time"] = "Eliminar publicaciones/comentarios y/o mensajes privados mĆ”s adelante"; -App::$strings["Multiple Profiles"] = "MĆŗltiples perfiles"; -App::$strings["Ability to create multiple profiles"] = "Capacidad de crear mĆŗltiples perfiles"; -App::$strings["Advanced Profiles"] = "Perfiles avanzados"; -App::$strings["Additional profile sections and selections"] = "Secciones y selecciones de perfil adicionales"; -App::$strings["Profile Import/Export"] = "Importar/Exportar perfil"; -App::$strings["Save and load profile details across sites/channels"] = "Guardar y cargar detalles del perfil a travĆ©s de sitios/canales"; -App::$strings["Web Pages"] = "PĆ”ginas web"; -App::$strings["Provide managed web pages on your channel"] = "Proveer pĆ”ginas web gestionadas en su canal"; -App::$strings["Provide a wiki for your channel"] = "Proporcionar un wiki para su canal"; -App::$strings["Hide Rating"] = "Ocultar las valoraciones"; -App::$strings["Hide the rating buttons on your channel and profile pages. Note: People can still rate you somewhere else."] = "Ocultar los botones de valoración en su canal y pĆ”gina de perfil. Tenga en cuenta, sin embargo, que la gente podrĆ” expresar su valoración en otros lugares."; -App::$strings["Private Notes"] = "Notas privadas"; -App::$strings["Enables a tool to store notes and reminders (note: not encrypted)"] = "Habilita una herramienta para guardar notas y recordatorios (advertencia: las notas no estarĆ”n cifradas)"; -App::$strings["Navigation Channel Select"] = "Navegación por el selector de canales"; -App::$strings["Change channels directly from within the navigation dropdown menu"] = "Cambiar de canales directamente desde el menĆŗ de navegación desplegable"; -App::$strings["Photo Location"] = "Ubicación de las fotos"; -App::$strings["If location data is available on uploaded photos, link this to a map."] = "Si los datos de ubicación estĆ”n disponibles en las fotos subidas, enlazar estas a un mapa."; -App::$strings["Access Controlled Chatrooms"] = "Salas de chat moderadas"; -App::$strings["Provide chatrooms and chat services with access control."] = "Proporcionar salas y servicios de chat moderados."; -App::$strings["Smart Birthdays"] = "CumpleaƱos inteligentes"; -App::$strings["Make birthday events timezone aware in case your friends are scattered across the planet."] = "Enlazar los eventos de cumpleaƱos con el huso horario en el caso de que sus amigos estĆ©n dispersos por el mundo."; -App::$strings["Expert Mode"] = "Modo de experto"; -App::$strings["Enable Expert Mode to provide advanced configuration options"] = "Habilitar el modo de experto para acceder a opciones avanzadas de configuración"; -App::$strings["Premium Channel"] = "Canal premium"; -App::$strings["Allows you to set restrictions and terms on those that connect with your channel"] = "Le permite configurar restricciones y normas de uso a aquellos que conectan con su canal"; -App::$strings["Post Composition Features"] = "Opciones para la redacción de entradas"; -App::$strings["Large Photos"] = "Fotos de gran tamaƱo"; -App::$strings["Include large (1024px) photo thumbnails in posts. If not enabled, use small (640px) photo thumbnails"] = "Incluir miniaturas de fotos grandes (1024px) en publicaciones. Si no estĆ” habilitado, usar miniaturas pequeƱas (640px)"; -App::$strings["Automatically import channel content from other channels or feeds"] = "Importar automĆ”ticamente contenido de otros canales o \"feeds\""; -App::$strings["Even More Encryption"] = "MĆ”s cifrado todavĆ­a"; -App::$strings["Allow optional encryption of content end-to-end with a shared secret key"] = "Permitir cifrado adicional de contenido \"punto-a-punto\" con una clave secreta compartida."; -App::$strings["Enable Voting Tools"] = "Permitir entradas con votación"; -App::$strings["Provide a class of post which others can vote on"] = "Proveer una clase de publicación en la que otros puedan votar"; -App::$strings["Delayed Posting"] = "Publicación aplazada"; -App::$strings["Allow posts to be published at a later date"] = "Permitir mensajes que se publicarĆ”n en una fecha posterior"; -App::$strings["Suppress Duplicate Posts/Comments"] = "Prevenir entradas o comentarios duplicados"; -App::$strings["Prevent posts with identical content to be published with less than two minutes in between submissions."] = "Prevenir que entradas con contenido idĆ©ntico se publiquen con menos de dos minutos de intervalo."; -App::$strings["Network and Stream Filtering"] = "Filtrado del contenido"; -App::$strings["Search by Date"] = "Buscar por fecha"; -App::$strings["Ability to select posts by date ranges"] = "Capacidad de seleccionar entradas por rango de fechas"; -App::$strings["Privacy Groups"] = "Grupos de canales"; -App::$strings["Enable management and selection of privacy groups"] = "Activar la gestión y selección de grupos de canales"; -App::$strings["Saved Searches"] = "BĆŗsquedas guardadas"; -App::$strings["Save search terms for re-use"] = "Guardar tĆ©rminos de bĆŗsqueda para su reutilización"; -App::$strings["Network Personal Tab"] = "Actividad personal"; -App::$strings["Enable tab to display only Network posts that you've interacted on"] = "Habilitar una pestaƱa en la cual se muestren solo las entradas en las que ha participado."; -App::$strings["Network New Tab"] = "Contenido nuevo"; -App::$strings["Enable tab to display all new Network activity"] = "Habilitar una pestaƱa en la que se muestre solo el contenido nuevo"; -App::$strings["Affinity Tool"] = "Herramienta de afinidad"; -App::$strings["Filter stream activity by depth of relationships"] = "Filtrar el contenido segĆŗn la profundidad de las relaciones"; -App::$strings["Connection Filtering"] = "Filtrado de conexiones"; -App::$strings["Filter incoming posts from connections based on keywords/content"] = "Filtrar publicaciones entrantes de conexiones por palabras clave o contenido"; -App::$strings["Show channel suggestions"] = "Mostrar sugerencias de canales"; -App::$strings["Post/Comment Tools"] = "Gestión de entradas y comentarios"; -App::$strings["Community Tagging"] = "Etiquetas de la comunidad"; -App::$strings["Ability to tag existing posts"] = "Capacidad de etiquetar entradas existentes"; -App::$strings["Post Categories"] = "CategorĆ­as de entradas"; -App::$strings["Add categories to your posts"] = "AƱadir categorĆ­as a sus publicaciones"; -App::$strings["Emoji Reactions"] = "Emoticonos \"emoji\""; -App::$strings["Add emoji reaction ability to posts"] = "Activar la capacidad de aƱadir un emoticono \"emoji\" a las entradas"; -App::$strings["Saved Folders"] = "Carpetas guardadas"; -App::$strings["Ability to file posts under folders"] = "Capacidad de archivar entradas en carpetas"; -App::$strings["Dislike Posts"] = "Desagrado de publicaciones"; -App::$strings["Ability to dislike posts/comments"] = "Capacidad de mostrar desacuerdo con el contenido de entradas y comentarios"; -App::$strings["Star Posts"] = "Entradas destacadas"; -App::$strings["Ability to mark special posts with a star indicator"] = "Capacidad de marcar entradas destacadas con un indicador de estrella"; -App::$strings["Tag Cloud"] = "Nube de etiquetas"; -App::$strings["Provide a personal tag cloud on your channel page"] = "Proveer nube de etiquetas personal en su pĆ”gina de canal"; -App::$strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "Un grupo suprimido con este nombre ha sido restablecido. Es posible que los permisos existentes sean aplicados a este grupo y sus futuros miembros. Si no quiere esto, por favor cree otro grupo con un nombre diferente."; -App::$strings["Add new connections to this privacy group"] = "AƱadir conexiones nuevas a este grupo de canales"; -App::$strings["edit"] = "editar"; -App::$strings["Edit group"] = "Editar grupo"; -App::$strings["Add privacy group"] = "AƱadir un grupo de canales"; -App::$strings["Channels not in any privacy group"] = "Sin canales en ningĆŗn grupo"; -App::$strings["add"] = "aƱadir"; -App::$strings["l F d, Y \\@ g:i A"] = "l d de F, Y \\@ G:i"; -App::$strings["Starts:"] = "Comienza:"; -App::$strings["Finishes:"] = "Finaliza:"; -App::$strings["This event has been added to your calendar."] = "Este evento ha sido aƱadido a su calendario."; -App::$strings["Not specified"] = "Sin especificar"; -App::$strings["Needs Action"] = "Necesita de una intervención"; -App::$strings["Completed"] = "Completado/a"; -App::$strings["In Process"] = "En proceso"; -App::$strings["Cancelled"] = "Cancelado/a"; -App::$strings["Not a valid email address"] = "Dirección de correo no vĆ”lida"; -App::$strings["Your email domain is not among those allowed on this site"] = "Su dirección de correo no pertenece a ninguno de los dominios permitidos en este sitio."; -App::$strings["Your email address is already registered at this site."] = "Su dirección de correo estĆ” ya registrada en este sitio."; -App::$strings["An invitation is required."] = "Es obligatorio que le inviten."; -App::$strings["Invitation could not be verified."] = "No se ha podido verificar su invitación."; -App::$strings["Please enter the required information."] = "Por favor introduzca la información requerida."; -App::$strings["Failed to store account information."] = "La información de la cuenta no se ha podido guardar."; -App::$strings["Registration confirmation for %s"] = "Confirmación de registro para %s"; -App::$strings["Registration request at %s"] = "Solicitud de registro en %s"; -App::$strings["your registration password"] = "su contraseƱa de registro"; -App::$strings["Registration details for %s"] = "Detalles del registro de %s"; -App::$strings["Account approved."] = "Cuenta aprobada."; -App::$strings["Registration revoked for %s"] = "Registro revocado para %s"; -App::$strings["Click here to upgrade."] = "Pulse aquĆ­ para actualizar"; -App::$strings["This action exceeds the limits set by your subscription plan."] = "Esta acción supera los lĆ­mites establecidos por su plan de suscripción "; -App::$strings["This action is not available under your subscription plan."] = "Esta acción no estĆ” disponible en su plan de suscripción."; -App::$strings["Channel is blocked on this site."] = "El canal estĆ” bloqueado en este sitio."; -App::$strings["Channel location missing."] = "Falta la dirección del canal."; -App::$strings["Response from remote channel was incomplete."] = "Respuesta incompleta del canal."; -App::$strings["Channel was deleted and no longer exists."] = "El canal ha sido eliminado y ya no existe."; -App::$strings["Protocol disabled."] = "Protocolo deshabilitado."; -App::$strings["Channel discovery failed."] = "El intento de acceder al canal ha fallado."; -App::$strings["Cannot connect to yourself."] = "No puede conectarse consigo mismo."; +App::$strings["Import website..."] = "Importando el sitio web..."; +App::$strings["Select folder to import"] = "Seleccionar la carpeta que se va a importar"; +App::$strings["Import from a zipped folder:"] = "Importar desde una carpeta comprimida: "; +App::$strings["Import from cloud files:"] = "Importar desde los ficheros en la nube: "; +App::$strings["/cloud/channel/path/to/folder"] = "/cloud/canal/ruta/a la/carpeta"; +App::$strings["Enter path to website files"] = "Ruta a los ficheros del sitio web"; +App::$strings["Select folder"] = "Seleccionar la carpeta"; +App::$strings["Who can see this?"] = "ĀæQuiĆ©n puede ver esto?"; +App::$strings["Custom selection"] = "Selección personalizada"; +App::$strings["Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit the scope of \"Show\"."] = "Seleccione \"Mostrar\" para permitir la visualización. La opción \"No mostrar\" le permite anular y limitar el alcance de \"Mostrar\"."; +App::$strings["Show"] = "Mostrar"; +App::$strings["Don't show"] = "No mostrar"; +App::$strings["Other networks and post services"] = "Otras redes y servicios de publicación"; +App::$strings["Post permissions %s cannot be changed %s after a post is shared.
These permissions set who is allowed to view the post."] = "Los permisos de la entrada %s no se pueden cambiar %s una vez que se ha compartido.
Estos permisos establecen quiĆ©n estĆ” autorizado para ver el mensaje."; +App::$strings["Embedded content"] = "Contenido incorporado"; +App::$strings["Embedding disabled"] = "Incrustación deshabilitada"; +App::$strings[" and "] = " y "; +App::$strings["public profile"] = "el perfil pĆŗblico"; +App::$strings["%1\$s changed %2\$s to “%3\$s”"] = "%1\$s ha cambiado %2\$s a “%3\$s”"; +App::$strings["Visit %1\$s's %2\$s"] = "Visitar %2\$s de %1\$s"; +App::$strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s ha actualizado %2\$s, cambiando %3\$s."; App::$strings["Item was not found."] = "Elemento no encontrado."; App::$strings["No source file."] = "NingĆŗn fichero de origen"; App::$strings["Cannot locate file to replace"] = "No se puede localizar el fichero que va a ser sustituido."; @@ -2079,149 +2199,65 @@ App::$strings["Path not found."] = "Ruta no encontrada"; App::$strings["mkdir failed."] = "mkdir ha fallado."; App::$strings["database storage failed."] = "el almacenamiento en la base de datos ha fallado."; App::$strings["Empty path"] = "Ruta vacĆ­a"; -App::$strings["Image/photo"] = "Imagen/foto"; -App::$strings["Encrypted content"] = "Contenido cifrado"; -App::$strings["Install %s element: "] = "Instalar el elemento %s:"; -App::$strings["This post contains an installable %s element, however you lack permissions to install it on this site."] = "Esta entrada contiene el elemento instalable %s, sin embargo le faltan permisos para instalarlo en este sitio."; -App::$strings["%1\$s wrote the following %2\$s %3\$s"] = "%1\$s escribió %2\$s siguiente %3\$s"; -App::$strings["Click to open/close"] = "Pulsar para abrir/cerrar"; -App::$strings["spoiler"] = "spoiler"; -App::$strings["Different viewers will see this text differently"] = "Visitantes diferentes verĆ”n este texto de forma distinta"; -App::$strings["$1 wrote:"] = "$1 escribió:"; -App::$strings["(Unknown)"] = "(Desconocido)"; -App::$strings["Visible to anybody on the internet."] = "Visible para cualquiera en internet."; -App::$strings["Visible to you only."] = "Visible sólo para usted."; -App::$strings["Visible to anybody in this network."] = "Visible para cualquiera en esta red."; -App::$strings["Visible to anybody authenticated."] = "Visible para cualquiera que estĆ© autenticado."; -App::$strings["Visible to anybody on %s."] = "Visible para cualquiera en %s."; -App::$strings["Visible to all connections."] = "Visible para todas las conexiones."; -App::$strings["Visible to approved connections."] = "Visible para las conexiones permitidas."; -App::$strings["Visible to specific connections."] = "Visible para conexiones especĆ­ficas."; -App::$strings["Privacy group is empty."] = "El grupo de canales estĆ” vacĆ­o."; -App::$strings["Privacy group: %s"] = "Grupo de canales: %s"; -App::$strings["Connection not found."] = "Conexión no encontrada"; -App::$strings["profile photo"] = "foto del perfil"; -App::$strings["Embedded content"] = "Contenido incorporado"; -App::$strings["Embedding disabled"] = "Incrustación deshabilitada"; -App::$strings["System"] = "Sistema"; -App::$strings["New App"] = "Nueva aplicación (app)"; -App::$strings["Suggestions"] = "Sugerencias"; -App::$strings["See more..."] = "Ver mĆ”s..."; -App::$strings["You have %1$.0f of %2$.0f allowed connections."] = "Tiene %1$.0f de %2$.0f conexiones permitidas."; -App::$strings["Add New Connection"] = "AƱadir nueva conexión"; -App::$strings["Enter channel address"] = "Dirección del canal"; -App::$strings["Examples: bob@example.com, https://example.com/barbara"] = "Ejemplos: manuel@ejemplo.com, https://ejemplo.com/carmen"; -App::$strings["Notes"] = "Notas"; -App::$strings["Remove term"] = "Eliminar tĆ©rmino"; -App::$strings["Everything"] = "Todo"; -App::$strings["Archives"] = "Hemeroteca"; -App::$strings["Refresh"] = "Recargar"; -App::$strings["Account settings"] = "Configuración de la cuenta"; -App::$strings["Channel settings"] = "Configuración del canal"; -App::$strings["Additional features"] = "Funcionalidades"; -App::$strings["Feature/Addon settings"] = "Complementos"; -App::$strings["Display settings"] = "Ajustes de visualización"; -App::$strings["Manage locations"] = "Gestión de ubicaciones (clones) del canal"; -App::$strings["Export channel"] = "Exportar canal"; -App::$strings["Connected apps"] = "Aplicaciones (apps) conectadas"; -App::$strings["Premium Channel Settings"] = "Configuración del canal premium"; -App::$strings["Private Mail Menu"] = "MenĆŗ de correo privado"; -App::$strings["Combined View"] = "Vista combinada"; -App::$strings["Conversations"] = "Conversaciones"; -App::$strings["Received Messages"] = "Mensajes recibidos"; -App::$strings["Sent Messages"] = "Enviar mensajes"; -App::$strings["No messages."] = "Sin mensajes."; -App::$strings["Delete conversation"] = "Eliminar conversación"; -App::$strings["Events Tools"] = "Gestión de eventos"; -App::$strings["Export Calendar"] = "Exportar el calendario"; -App::$strings["Import Calendar"] = "Importar un calendario"; -App::$strings["Overview"] = "Resumen"; -App::$strings["Chat Members"] = "Miembros del chat"; -App::$strings["Wiki List"] = "Lista de wikis"; -App::$strings["Wiki Pages"] = "PĆ”ginas del wiki"; -App::$strings["Bookmarked Chatrooms"] = "Salas de chat preferidas"; -App::$strings["Suggested Chatrooms"] = "Salas de chat sugeridas"; -App::$strings["photo/image"] = "foto/imagen"; -App::$strings["Click to show more"] = "Hacer clic para ver mĆ”s"; -App::$strings["Rating Tools"] = "Valoraciones"; -App::$strings["Rate Me"] = "Valorar este canal"; -App::$strings["View Ratings"] = "Mostrar las valoraciones"; -App::$strings["Forums"] = "Foros"; -App::$strings["Tasks"] = "Tareas"; -App::$strings["Documentation"] = "Documentación"; -App::$strings["Project/Site Information"] = "Información sobre el proyecto o sitio"; -App::$strings["For Members"] = "Para los miembros"; -App::$strings["For Administrators"] = "Para los administradores"; -App::$strings["For Developers"] = "Para los desarrolladores"; -App::$strings["Member registrations waiting for confirmation"] = "Inscripciones de nuevos miembros pendientes de aprobación"; -App::$strings["Inspect queue"] = "Examinar la cola"; -App::$strings["DB updates"] = "Actualizaciones de la base de datos"; -App::$strings["Plugin Features"] = "Extensiones"; -App::$strings[" and "] = " y "; -App::$strings["public profile"] = "el perfil pĆŗblico"; -App::$strings["%1\$s changed %2\$s to “%3\$s”"] = "%1\$s ha cambiado %2\$s a “%3\$s”"; -App::$strings["Visit %1\$s's %2\$s"] = "Visitar %2\$s de %1\$s"; -App::$strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s ha actualizado %2\$s, cambiando %3\$s."; -App::$strings["Attachments:"] = "Ficheros adjuntos:"; -App::$strings["\$Projectname event notification:"] = "Notificación de eventos de \$Projectname:"; -App::$strings["Delete this item?"] = "ĀæBorrar este elemento?"; -App::$strings["%s show less"] = "%s mostrar menos"; -App::$strings["%s expand"] = "%s expandir"; -App::$strings["%s collapse"] = "%s contraer"; -App::$strings["Password too short"] = "ContraseƱa demasiado corta"; -App::$strings["Passwords do not match"] = "Las contraseƱas no coinciden"; -App::$strings["everybody"] = "cualquiera"; -App::$strings["Secret Passphrase"] = "ContraseƱa secreta"; -App::$strings["Passphrase hint"] = "Pista de contraseƱa"; -App::$strings["Notice: Permissions have changed but have not yet been submitted."] = "Aviso: los permisos han cambiado pero aĆŗn no han sido enviados."; -App::$strings["close all"] = "cerrar todo"; -App::$strings["Nothing new here"] = "Nada nuevo por aquĆ­"; -App::$strings["Rate This Channel (this is public)"] = "Valorar este canal (esto es pĆŗblico)"; -App::$strings["Describe (optional)"] = "Describir (opcional)"; -App::$strings["Please enter a link URL"] = "Por favor, introduzca una dirección de enlace"; -App::$strings["Unsaved changes. Are you sure you wish to leave this page?"] = "Cambios no guardados. ĀæEstĆ” seguro de que desea abandonar la pĆ”gina?"; -App::$strings["timeago.prefixAgo"] = "timeago.prefixAgo"; -App::$strings["timeago.prefixFromNow"] = "timeago.prefixFromNow"; -App::$strings["ago"] = "antes"; -App::$strings["from now"] = "desde ahora"; -App::$strings["less than a minute"] = "menos de un minuto"; -App::$strings["about a minute"] = "alrededor de un minuto"; -App::$strings["%d minutes"] = "%d minutos"; -App::$strings["about an hour"] = "alrededor de una hora"; -App::$strings["about %d hours"] = "alrededor de %d horas"; -App::$strings["a day"] = "un dĆ­a"; -App::$strings["%d days"] = "%d dĆ­as"; -App::$strings["about a month"] = "alrededor de un mes"; -App::$strings["%d months"] = "%d meses"; -App::$strings["about a year"] = "alrededor de un aƱo"; -App::$strings["%d years"] = "%d aƱos"; -App::$strings[" "] = " "; -App::$strings["timeago.numbers"] = "timeago.numbers"; -App::$strings["__ctx:long__ May"] = "mayo"; -App::$strings["Jan"] = "ene"; -App::$strings["Feb"] = "feb"; -App::$strings["Mar"] = "mar"; -App::$strings["Apr"] = "abr"; -App::$strings["__ctx:short__ May"] = "may"; -App::$strings["Jun"] = "jun"; -App::$strings["Jul"] = "jul"; -App::$strings["Aug"] = "ago"; -App::$strings["Sep"] = "sep"; -App::$strings["Oct"] = "oct"; -App::$strings["Nov"] = "nov"; -App::$strings["Dec"] = "dic"; -App::$strings["Sun"] = "dom"; -App::$strings["Mon"] = "lun"; -App::$strings["Tue"] = "mar"; -App::$strings["Wed"] = "miĆ©"; -App::$strings["Thu"] = "jue"; -App::$strings["Fri"] = "vie"; -App::$strings["Sat"] = "sĆ”b"; -App::$strings["__ctx:calendar__ today"] = "hoy"; -App::$strings["__ctx:calendar__ month"] = "mes"; -App::$strings["__ctx:calendar__ week"] = "semana"; -App::$strings["__ctx:calendar__ day"] = "dĆ­a"; -App::$strings["__ctx:calendar__ All day"] = "Todos los dĆ­as"; +App::$strings["Tags"] = "Etiquetas"; +App::$strings["Keywords"] = "Palabras clave"; +App::$strings["have"] = "tener"; +App::$strings["has"] = "tiene"; +App::$strings["want"] = "quiero"; +App::$strings["wants"] = "quiere"; +App::$strings["likes"] = "gusta de"; +App::$strings["dislikes"] = "no gusta de"; +App::$strings["Invalid data packet"] = "Paquete de datos no vĆ”lido"; +App::$strings["Unable to verify channel signature"] = "No ha sido posible de verificar la firma del canal"; +App::$strings["Unable to verify site signature for %s"] = "No ha sido posible de verificar la firma del sitio para %s"; +App::$strings["invalid target signature"] = "La firma recibida no es vĆ”lida"; +App::$strings["Unable to obtain identity information from database"] = "No ha sido posible obtener información sobre la identidad desde la base de datos"; +App::$strings["Empty name"] = "Nombre vacĆ­o"; +App::$strings["Name too long"] = "Nombre demasiado largo"; +App::$strings["No account identifier"] = "NingĆŗn identificador de la cuenta"; +App::$strings["Nickname is required."] = "Se requiere un sobrenombre (alias)."; +App::$strings["Reserved nickname. Please choose another."] = "Sobrenombre en uso. Por favor, elija otro."; +App::$strings["Nickname has unsupported characters or is already being used on this site."] = "El alias contiene caracteres no admitidos o estĆ” ya en uso por otros miembros de este sitio."; +App::$strings["Unable to retrieve created identity"] = "No ha sido posible recuperar la identidad creada"; +App::$strings["Default Profile"] = "Perfil principal"; +App::$strings["Requested channel is not available."] = "El canal solicitado no estĆ” disponible."; +App::$strings["Create New Profile"] = "Crear un nuevo perfil"; +App::$strings["Visible to everybody"] = "Visible para todos"; +App::$strings["Gender:"] = "GĆ©nero:"; +App::$strings["Status:"] = "Estado:"; +App::$strings["Homepage:"] = "PĆ”gina personal:"; +App::$strings["Online Now"] = "Ahora en lĆ­nea"; +App::$strings["Like this channel"] = "Me gusta este canal"; +App::$strings["j F, Y"] = "j F Y"; +App::$strings["j F"] = "j F"; +App::$strings["Birthday:"] = "CumpleaƱos:"; +App::$strings["for %1\$d %2\$s"] = "por %1\$d %2\$s"; +App::$strings["Sexual Preference:"] = "Orientación sexual:"; +App::$strings["Tags:"] = "Etiquetas:"; +App::$strings["Political Views:"] = "Posición polĆ­tica:"; +App::$strings["Religion:"] = "Religión:"; +App::$strings["Hobbies/Interests:"] = "Aficciones o intereses:"; +App::$strings["Likes:"] = "Me gusta:"; +App::$strings["Dislikes:"] = "No me gusta:"; +App::$strings["Contact information and Social Networks:"] = "Información de contacto y redes sociales:"; +App::$strings["My other channels:"] = "Mis otros canales:"; +App::$strings["Musical interests:"] = "Preferencias musicales:"; +App::$strings["Books, literature:"] = "Libros, literatura:"; +App::$strings["Television:"] = "Televisión:"; +App::$strings["Film/dance/culture/entertainment:"] = "Cine, danza, cultura, entretenimiento:"; +App::$strings["Love/Romance:"] = "Vida sentimental o amorosa:"; +App::$strings["Work/employment:"] = "Trabajo:"; +App::$strings["School/education:"] = "Estudios:"; +App::$strings["Like this thing"] = "Me gusta esto"; +App::$strings["New window"] = "Nueva ventana"; +App::$strings["Open the selected location in a different window or browser tab"] = "Abrir la dirección seleccionada en una ventana o pestaƱa aparte"; +App::$strings["User '%s' deleted"] = "El usuario '%s' ha sido eliminado"; +App::$strings["This event has been added to your calendar."] = "Este evento ha sido aƱadido a su calendario."; +App::$strings["Not specified"] = "Sin especificar"; +App::$strings["Needs Action"] = "Necesita de una intervención"; +App::$strings["Completed"] = "Completado/a"; +App::$strings["In Process"] = "En proceso"; +App::$strings["Cancelled"] = "Cancelado/a"; App::$strings["%d invitation available"] = array( 0 => "%d invitación pendiente", 1 => "%d invitaciones disponibles", @@ -2246,57 +2282,24 @@ App::$strings["No recipient provided."] = "No se ha especificado ningĆŗn destina App::$strings["[no subject]"] = "[sin asunto]"; App::$strings["Unable to determine sender."] = "No ha sido posible determinar el remitente. "; App::$strings["Stored post could not be verified."] = "No se han podido verificar las publicaciones guardadas."; -App::$strings["Who can see this?"] = "ĀæQuiĆ©n puede ver esto?"; -App::$strings["Custom selection"] = "Selección personalizada"; -App::$strings["Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit the scope of \"Show\"."] = "Seleccione \"Mostrar\" para permitir la visualización. La opción \"No mostrar\" le permite anular y limitar el alcance de \"Mostrar\"."; -App::$strings["Show"] = "Mostrar"; -App::$strings["Don't show"] = "No mostrar"; -App::$strings["Other networks and post services"] = "Otras redes y servicios de publicación"; -App::$strings["Post permissions %s cannot be changed %s after a post is shared.
These permissions set who is allowed to view the post."] = "Los permisos de la entrada %s no se pueden cambiar %s una vez que se ha compartido.
Estos permisos establecen quiĆ©n estĆ” autorizado para ver el mensaje."; -App::$strings["Birthday"] = "CumpleaƱos"; -App::$strings["Age: "] = "Edad:"; -App::$strings["YYYY-MM-DD or MM-DD"] = "AAAA-MM-DD o MM-DD"; -App::$strings["never"] = "nunca"; -App::$strings["less than a second ago"] = "hace un instante"; -App::$strings["__ctx:e.g. 22 hours ago, 1 minute ago__ %1\$d %2\$s ago"] = "hace %1\$d %2\$s"; -App::$strings["__ctx:relative_date__ year"] = array( - 0 => "aƱo", - 1 => "aƱos", -); -App::$strings["__ctx:relative_date__ month"] = array( - 0 => "mes", - 1 => "meses", -); -App::$strings["__ctx:relative_date__ week"] = array( - 0 => "semana", - 1 => "semanas", -); -App::$strings["__ctx:relative_date__ day"] = array( - 0 => "dĆ­a", - 1 => "dĆ­as", -); -App::$strings["__ctx:relative_date__ hour"] = array( - 0 => "hora", - 1 => "horas", -); -App::$strings["__ctx:relative_date__ minute"] = array( - 0 => "minuto", - 1 => "minutos", -); -App::$strings["__ctx:relative_date__ second"] = array( - 0 => "segundo", - 1 => "segundos", -); -App::$strings["%1\$s's birthday"] = "CumpleaƱos de %1\$s"; -App::$strings["Happy Birthday %1\$s"] = "Feliz cumpleaƱos %1\$s"; -App::$strings["Public Timeline"] = "CronologĆ­a pĆŗblica"; -App::$strings["Invalid data packet"] = "Paquete de datos no vĆ”lido"; -App::$strings["Unable to verify channel signature"] = "No ha sido posible de verificar la firma del canal"; -App::$strings["Unable to verify site signature for %s"] = "No ha sido posible de verificar la firma del sitio para %s"; -App::$strings["invalid target signature"] = "La firma recibida no es vĆ”lida"; +App::$strings["Not a valid email address"] = "Dirección de correo no vĆ”lida"; +App::$strings["Your email domain is not among those allowed on this site"] = "Su dirección de correo no pertenece a ninguno de los dominios permitidos en este sitio."; +App::$strings["Your email address is already registered at this site."] = "Su dirección de correo estĆ” ya registrada en este sitio."; +App::$strings["An invitation is required."] = "Es obligatorio que le inviten."; +App::$strings["Invitation could not be verified."] = "No se ha podido verificar su invitación."; +App::$strings["Please enter the required information."] = "Por favor introduzca la información requerida."; +App::$strings["Failed to store account information."] = "La información de la cuenta no se ha podido guardar."; +App::$strings["Registration confirmation for %s"] = "Confirmación de registro para %s"; +App::$strings["Registration request at %s"] = "Solicitud de registro en %s"; +App::$strings["your registration password"] = "su contraseƱa de registro"; +App::$strings["Registration details for %s"] = "Detalles del registro de %s"; +App::$strings["Account approved."] = "Cuenta aprobada."; +App::$strings["Registration revoked for %s"] = "Registro revocado para %s"; +App::$strings["Click here to upgrade."] = "Pulse aquĆ­ para actualizar"; +App::$strings["This action exceeds the limits set by your subscription plan."] = "Esta acción supera los lĆ­mites establecidos por su plan de suscripción "; +App::$strings["This action is not available under your subscription plan."] = "Esta acción no estĆ” disponible en su plan de suscripción."; App::$strings["Focus (Hubzilla default)"] = "Focus (predefinido)"; App::$strings["Theme settings"] = "Ajustes del tema"; -App::$strings["Select scheme"] = "Elegir un esquema"; App::$strings["Narrow navbar"] = "Estrechar la barra de navegación"; App::$strings["Navigation bar background color"] = "Color de fondo de la barra de navegación"; App::$strings["Navigation bar gradient top color"] = "Color superior del gradiente de la barra de navegación"; diff --git a/view/fr/htconfig.tpl b/view/fr/htconfig.tpl index d49448ac2..fae8e3f98 100644 --- a/view/fr/htconfig.tpl +++ b/view/fr/htconfig.tpl @@ -12,8 +12,6 @@ $db_pass = '{{$dbpass}}'; $db_data = '{{$dbdata}}'; $db_type = '{{$dbtype}}'; // an integer. 0 or unset for mysql, 1 for postgres -define( 'UNO', {{$uno}} ); - /* * Note: Plusieurs de ces réglages seront disponibles via le panneau d'administration * aprčs l'installation. Lorsque des modifications sont apportés ą travers le panneau d'administration @@ -37,6 +35,14 @@ App::$config['system']['baseurl'] = '{{$siteurl}}'; App::$config['system']['sitename'] = "Hubzilla"; App::$config['system']['location_hash'] = '{{$site_id}}'; +// Choices are 'basic', 'standard', and 'pro'. +// basic sets up the sevrer for basic social networking and removes "complicated" features +// standard provides most desired features except e-commerce +// pro gives you access to everything + +App::$config['system']['server_role'] = '{{$server_role}}'; + + // These lines set additional security headers to be sent with all responses // You may wish to set transport_security_header to 0 if your server already sends diff --git a/view/it/htconfig.tpl b/view/it/htconfig.tpl index 802b31b49..ea3f5b5c2 100644 --- a/view/it/htconfig.tpl +++ b/view/it/htconfig.tpl @@ -10,8 +10,6 @@ $db_pass = '{{$dbpass}}'; $db_data = '{{$dbdata}}'; $db_type = '{{$dbtype}}'; // an integer. 0 or unset for mysql, 1 for postgres -define( 'UNO', {{$uno}} ); - /* * Notice: Many of the following settings will be available in the admin panel * after a successful site install. Once they are set in the admin panel, they @@ -36,6 +34,14 @@ App::$config['system']['baseurl'] = '{{$siteurl}}'; App::$config['system']['sitename'] = "Hubzilla"; App::$config['system']['location_hash'] = '{{$site_id}}'; +// Choices are 'basic', 'standard', and 'pro'. +// basic sets up the sevrer for basic social networking and removes "complicated" features +// standard provides most desired features except e-commerce +// pro gives you access to everything + +App::$config['system']['server_role'] = '{{$server_role}}'; + + // These lines set additional security headers to be sent with all responses // You may wish to set transport_security_header to 0 if your server already sends // this header. content_security_policy may need to be disabled if you wish to diff --git a/view/js/acl.js b/view/js/acl.js index 79699c589..411190ac9 100644 --- a/view/js/acl.js +++ b/view/js/acl.js @@ -1,15 +1,17 @@ -function ACL(backend_url, preset) { +function ACL(backend_url) { that = this; that.url = backend_url; that.kp_timer = null; - if (preset === undefined) preset = []; - that.allow_cid = (preset[0] || []); - that.allow_gid = (preset[1] || []); - that.deny_cid = (preset[2] || []); - that.deny_gid = (preset[3] || []); + that.self = []; + + that.allow_cid = []; + that.allow_gid = []; + that.deny_cid = []; + that.deny_gid = []; + that.group_uids = []; that.info = $("#acl-info"); @@ -21,11 +23,8 @@ function ACL(backend_url, preset) { that.showlimited = $("#acl-showlimited"); that.acl_select = $("#acl-select"); - that.preset = preset; - that.self = []; - // set the initial ACL lists in case the enclosing form gets submitted before the ajax loader completes. - that.on_submit(); + //that.on_submit(); /*events*/ @@ -47,6 +46,10 @@ function ACL(backend_url, preset) { } }); + $(document).on('focus', '.acl-form', that.get_form_data); + $(document).on('click', '.acl-form', that.get_form_data); + $(document).on('click', '.acl-form-trigger', that.get_form_data); + $(document).on('click','.acl-button-show',that.on_button_show); $(document).on('click','.acl-button-hide',that.on_button_hide); @@ -54,29 +57,50 @@ function ACL(backend_url, preset) { /* startup! */ that.get(0,15000); - that.on_submit(); + //that.on_submit(); }); } -// no longer called only on submit - call to update whenever a change occurs to the acl list. +ACL.prototype.get_form_data = function(event) { + + form_id = $(this).data('form_id'); + that.form_id = $('#' + form_id); + + that.allow_cid = (that.form_id.data('allow_cid') || []); + that.allow_gid = (that.form_id.data('allow_gid') || []); + that.deny_cid = (that.form_id.data('deny_cid') || []); + that.deny_gid = (that.form_id.data('deny_gid') || []); + + that.update_view(); + that.on_submit(); + +} + +// no longer called only on submit - call to update whenever a change occurs to the acl list. ACL.prototype.on_submit = function() { - aclfields = $("#acl-fields").html(""); + + $('.acl-field').remove(); + $(that.allow_gid).each(function(i,v) { - aclfields.append(""); + that.form_id.append(""); }); $(that.allow_cid).each(function(i,v) { - aclfields.append(""); + that.form_id.append(""); }); $(that.deny_gid).each(function(i,v) { - aclfields.append(""); + that.form_id.append(""); }); $(that.deny_cid).each(function(i,v) { - aclfields.append(""); + that.form_id.append(""); + }); + + var formfields = $('.profile-jot-net input').serializeArray(); + + $.each(formfields, function(i, field) { + that.form_id.append(""); }); - //areYouSure jquery plugin: recheck the form here - $('form').trigger('checkform.areYouSure'); }; ACL.prototype.search = function() { @@ -101,6 +125,7 @@ ACL.prototype.on_onlyme = function(event) { that.deny_cid = []; that.deny_gid = []; + that.update_view(event.target.value); that.on_submit(); @@ -126,14 +151,14 @@ ACL.prototype.on_showlimited = function(event) { // preventDefault() isn't called here as we want state changes from update_view() to be applied to the radiobutton event.stopPropagation(); - if(that.preset[0].length === 0 && that.preset[1].length === 0 && that.preset[2].length === 0 && that.preset[3].length === 0) { - that.preset[0] = [that.self[0]]; + if(that.allow_cid.length === 0 && that.allow_gid.length === 0 && that.deny_cid.length === 0 && that.deny_gid.length === 0) { + that.allow_cid = [that.self[0]]; } - that.allow_cid = (that.preset[0] || []); - that.allow_gid = (that.preset[1] || []); - that.deny_cid = (that.preset[2] || []); - that.deny_gid = (that.preset[3] || []); + that.allow_cid = (that.allow_cid || []); + that.allow_gid = (that.allow_gid || []); + that.deny_cid = (that.deny_cid || []); + that.deny_gid = (that.deny_gid || []); that.update_view(event.target.value); that.on_submit(); @@ -239,13 +264,19 @@ ACL.prototype.set_deny = function(itemid) { that.update_view(); }; -ACL.prototype.update_select = function(preset) { - that.showall.prop('selected', preset === 'public'); - that.onlyme.prop('selected', preset === 'onlyme'); - that.showlimited.prop('selected', preset === 'limited'); +ACL.prototype.update_select = function(set) { + that.showall.prop('selected', set === 'public'); + that.onlyme.prop('selected', set === 'onlyme'); + that.showlimited.prop('selected', set === 'limited'); }; ACL.prototype.update_view = function(value) { + if(that.form_id) { + that.form_id.data('allow_cid', that.allow_cid); + that.form_id.data('allow_gid', that.allow_gid); + that.form_id.data('deny_cid', that.deny_cid); + that.form_id.data('deny_gid', that.deny_gid); + } if (that.allow_gid.length === 0 && that.allow_cid.length === 0 && that.deny_gid.length === 0 && that.deny_cid.length === 0) { that.list.hide(); //hide acl-list @@ -259,8 +290,8 @@ ACL.prototype.update_view = function(value) { } // if value != 'onlyme' we should fall through this one - else if (that.allow_gid.length === 0 && that.allow_cid.length === 1 && that.allow_cid[0] === that.self[0] && that.deny_gid.length === 0 && that.deny_cid.length === 0 && value === 'onlyme') { - that.list.hide(); //hide acl-list if + else if (that.allow_gid.length === 0 && that.allow_cid.length === 1 && that.allow_cid[0] === that.self[0] && that.deny_gid.length === 0 && that.deny_cid.length === 0 && value !== 'limited') { + that.list.hide(); //hide acl-list that.info.hide(); //show acl-info that.update_select('onlyme'); @@ -363,5 +394,5 @@ ACL.prototype.populate = function(data) { $(el).attr('src', $(el).data("src")); $(el).removeAttr("data-src"); }); - that.update_view(); + //that.update_view(); }; diff --git a/view/js/main.js b/view/js/main.js index a288f98f5..c80163e72 100644 --- a/view/js/main.js +++ b/view/js/main.js @@ -1015,8 +1015,6 @@ function filestorage(event, nick, id) { $('#cloud-index-' + last_filestorage_id).removeClass('cloud-index-active'); $('#perms-panel-' + last_filestorage_id).hide().html(''); $('#file-edit-' + id).spin('tiny'); - // What for do we need this here? - delete acl; $.get('filestorage/' + nick + '/' + id + '/edit', function(data) { $('#cloud-index-' + id).addClass('cloud-index-active'); $('#perms-panel-' + id).html(data).show(); diff --git a/view/js/mod_cloud.js b/view/js/mod_cloud.js new file mode 100644 index 000000000..8b8a3ba3f --- /dev/null +++ b/view/js/mod_cloud.js @@ -0,0 +1,216 @@ +/** + * JavaScript for mod/cloud + */ + +$(document).ready(function () { + // call initialization file + if (window.File && window.FileList && window.FileReader) { + UploadInit(); + } +}); + +// +// initialize +function UploadInit() { + + var fileselect = $("#files-upload"); + var filedrag = $("#cloud-drag-area"); + var submit = $("#upload-submit"); + + // is XHR2 available? + var xhr = new XMLHttpRequest(); + if (xhr.upload) { + + // file select + fileselect.attr("multiple", 'multiple'); + fileselect.on("change", UploadFileSelectHandler); + + // file submit + submit.on("click", fileselect, UploadFileSelectHandler); + + // file drop + filedrag.on("dragover", DragDropUploadFileHover); + filedrag.on("dragleave", DragDropUploadFileHover); + filedrag.on("drop", DragDropUploadFileSelectHandler); + } + + window.filesToUpload = 0; + window.fileUploadsCompleted = 0; +} + +// file drag hover +function DragDropUploadFileHover(e) { + e.stopPropagation(); + e.preventDefault(); + e.currentTarget.className = (e.type == "dragover" ? "hover" : ""); +} + +// file selection via drag/drop +function DragDropUploadFileSelectHandler(e) { + // cancel event and hover styling + DragDropUploadFileHover(e); + + // fetch FileList object + var files = e.target.files || e.originalEvent.dataTransfer.files; + + $('.new-upload').remove(); + + // process all File objects + for (var i = 0, f; f = files[i]; i++) { + prepareHtml(f, i); + UploadFile(f, i); + } +} + +// file selection via input +function UploadFileSelectHandler(e) { + // fetch FileList object + if(e.target.id === 'upload-submit') { + e.preventDefault(); + var files = e.data[0].files; + } + if(e.target.id === 'files-upload') { + $('.new-upload').remove(); + var files = e.target.files; + } + + // process all File objects + for (var i = 0, f; f = files[i]; i++) { + if(e.target.id === 'files-upload') + prepareHtml(f, i); + if(e.target.id === 'upload-submit') { + UploadFile(f, i); + } + } +} + +function prepareHtml(f, i) { + var num = i - 1; + $('#cloud-index #new-upload-progress-bar-' + num.toString()).after( + '' + + '' + + '' + f.name + '' + + '' + + '' + formatSizeUnits(f.size) + '' + + '' + + '' + + '' + + '' + ); +} + +function formatSizeUnits(bytes){ + if (bytes>=1000000000) {bytes=(bytes/1000000000).toFixed(2)+' GB';} + else if (bytes>=1000000) {bytes=(bytes/1000000).toFixed(2)+' MB';} + else if (bytes>=1000) {bytes=(bytes/1000).toFixed(2)+' KB';} + else if (bytes>1) {bytes=bytes+' bytes';} + else if (bytes==1) {bytes=bytes+' byte';} + else {bytes='0 byte';} + return bytes; +} + +// this is basically a js port of include/text.php getIconFromType() function +function getIconFromType(type) { + var map = { + //Common file + 'application/octet-stream': 'fa-file-o', + //Text + 'text/plain': 'fa-file-text-o', + 'application/msword': 'fa-file-word-o', + 'application/pdf': 'fa-file-pdf-o', + 'application/vnd.oasis.opendocument.text': 'fa-file-word-o', + 'application/epub+zip': 'fa-book', + //Spreadsheet + 'application/vnd.oasis.opendocument.spreadsheet': 'fa-file-excel-o', + 'application/vnd.ms-excel': 'fa-file-excel-o', + //Image + 'image/jpeg': 'fa-picture-o', + 'image/png': 'fa-picture-o', + 'image/gif': 'fa-picture-o', + 'image/svg+xml': 'fa-picture-o', + //Archive + 'application/zip': 'fa-file-archive-o', + 'application/x-rar-compressed': 'fa-file-archive-o', + //Audio + 'audio/mpeg': 'fa-file-audio-o', + 'audio/mp3': 'fa-file-audio-o', //webkit browsers need that + 'audio/wav': 'fa-file-audio-o', + 'application/ogg': 'fa-file-audio-o', + 'audio/ogg': 'fa-file-audio-o', + 'audio/webm': 'fa-file-audio-o', + 'audio/mp4': 'fa-file-audio-o', + //Video + 'video/quicktime': 'fa-file-video-o', + 'video/webm': 'fa-file-video-o', + 'video/mp4': 'fa-file-video-o', + 'video/x-matroska': 'fa-file-video-o' + }; + + var iconFromType = 'fa-file-o'; + + if (type in map) { + iconFromType = map[type]; + } + + return iconFromType; +} + +// upload files +function UploadFile(file, idx) { + + window.filesToUpload = window.filesToUpload + 1; + + var xhr = new XMLHttpRequest(); + + xhr.withCredentials = true; // Include the SESSION cookie info for authentication + + (xhr.upload || xhr).addEventListener('progress', function (e) { + + var done = e.position || e.loaded; + var total = e.totalSize || e.total; + // Dynamically update the percentage complete displayed in the file upload list + $('#upload-progress-' + idx).html(Math.round(done / total * 100) + '%'); + $('#upload-progress-bar-' + idx).css('background-size', Math.round(done / total * 100) + '%'); + + if(done == total) { + $('#upload-progress-' + idx).html('Processing...'); + } + + }); + + + xhr.addEventListener('load', function (e) { + //we could possibly turn the filenames to real links here and add the delete and edit buttons to avoid page reload... + $('#upload-progress-' + idx).html('Ready!'); + + //console.log('xhr upload complete', e); + window.fileUploadsCompleted = window.fileUploadsCompleted + 1; + + // When all the uploads have completed, refresh the page + if (window.filesToUpload > 0 && window.fileUploadsCompleted === window.filesToUpload) { + + window.fileUploadsCompleted = window.filesToUpload = 0; + + // After uploads complete, refresh browser window to display new files + window.location.href = window.location.href; + } + }); + + + xhr.addEventListener('error', function (e) { + $('#upload-progress-' + idx).html('ERROR'); + }); + + // POST to the entire cloud path + xhr.open('post', 'file_upload', true); + + var formfields = $("#ajax-upload-files").serializeArray(); + + var data = new FormData(); + $.each(formfields, function(i, field) { + data.append(field.name, field.value); + }); + data.append('userfile', file); + + xhr.send(data); +} diff --git a/view/js/mod_filestorage.js b/view/js/mod_filestorage.js index c0620c928..4f58af9d5 100644 --- a/view/js/mod_filestorage.js +++ b/view/js/mod_filestorage.js @@ -1,17 +1,4 @@ /** * JavaScript used by mod/filestorage */ -$(document).ready(function() { - $('#contact_allow, #contact_deny, #group_allow, #group_deny').change(function() { - var selstr; - $('#contact_allow option:selected, #contact_deny option:selected, #group_allow option:selected, #group_deny option:selected').each( function() { - selstr = $(this).text(); - $('#jot-perms-icon').removeClass('fa-unlock').addClass('fa-lock'); - $('#jot-public').hide(); - }); - if(selstr === null) { - $('#jot-perms-icon').removeClass('fa-lock').addClass('fa-unlock'); - $('#jot-public').show(); - } - }).trigger('change'); -}); \ No newline at end of file + diff --git a/view/js/mod_photos.js b/view/js/mod_photos.js index e3df3ca68..cbc1d8fa1 100644 --- a/view/js/mod_photos.js +++ b/view/js/mod_photos.js @@ -7,21 +7,7 @@ $(document).ready(function() { $("#photo-edit-newtag").val('@' + data.name); }); - $('#id_body').bbco_autocomplete('bbcode'); - - $('#contact_allow, #contact_deny, #group_allow, #group_deny').change(function() { - var selstr; - $('#contact_allow option:selected, #contact_deny option:selected, #group_allow option:selected, #group_deny option:selected').each( function() { - selstr = $(this).text(); - $('#jot-perms-icon').removeClass('fa-unlock').addClass('fa-lock'); - $('#jot-public').hide(); - }); - if(selstr === null) { - $('#jot-perms-icon').removeClass('fa-lock').addClass('fa-unlock'); - $('#jot-public').show(); - } - }).trigger('change'); - + $('textarea').bbco_autocomplete('bbcode'); showHideBodyTextarea(); }); diff --git a/view/js/mod_webpages.js b/view/js/mod_webpages.js new file mode 100644 index 000000000..7cfe297e1 --- /dev/null +++ b/view/js/mod_webpages.js @@ -0,0 +1,15 @@ +$(document).ready(function() { + $("input[type=\"checkbox\"]").hide(); +}); + +window.isChecked = true; + +function checkedAll(isChecked) { + window.isChecked = !window.isChecked ; + var c = document.getElementsByTagName('input'); + for (var i = 0; i < c.length; i++){ + if (c[i].type == 'checkbox'){ + c[i].checked = isChecked; + } + } +} \ No newline at end of file diff --git a/view/nb-no/htconfig.tpl b/view/nb-no/htconfig.tpl index 802b31b49..ea3f5b5c2 100644 --- a/view/nb-no/htconfig.tpl +++ b/view/nb-no/htconfig.tpl @@ -10,8 +10,6 @@ $db_pass = '{{$dbpass}}'; $db_data = '{{$dbdata}}'; $db_type = '{{$dbtype}}'; // an integer. 0 or unset for mysql, 1 for postgres -define( 'UNO', {{$uno}} ); - /* * Notice: Many of the following settings will be available in the admin panel * after a successful site install. Once they are set in the admin panel, they @@ -36,6 +34,14 @@ App::$config['system']['baseurl'] = '{{$siteurl}}'; App::$config['system']['sitename'] = "Hubzilla"; App::$config['system']['location_hash'] = '{{$site_id}}'; +// Choices are 'basic', 'standard', and 'pro'. +// basic sets up the sevrer for basic social networking and removes "complicated" features +// standard provides most desired features except e-commerce +// pro gives you access to everything + +App::$config['system']['server_role'] = '{{$server_role}}'; + + // These lines set additional security headers to be sent with all responses // You may wish to set transport_security_header to 0 if your server already sends // this header. content_security_policy may need to be disabled if you wish to diff --git a/view/nl/hmessages.po b/view/nl/hmessages.po index 858724e05..fa04ee927 100644 --- a/view/nl/hmessages.po +++ b/view/nl/hmessages.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: Redmatrix\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-07-22 00:02-0700\n" -"PO-Revision-Date: 2016-07-26 00:17+0000\n" +"POT-Creation-Date: 2016-08-19 00:02-0700\n" +"PO-Revision-Date: 2016-08-22 11:57+0000\n" "Last-Translator: jeroenpraat \n" "Language-Team: Dutch (http://www.transifex.com/Friendica/red-matrix/language/nl/)\n" "MIME-Version: 1.0\n" @@ -19,83 +19,83 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #: ../../Zotlabs/Access/PermissionRoles.php:182 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social Networking" msgstr "Sociaal netwerk" #: ../../Zotlabs/Access/PermissionRoles.php:183 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social - Mostly Public" msgstr "Sociaal - Vrijwel alles openbaar" #: ../../Zotlabs/Access/PermissionRoles.php:184 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social - Restricted" msgstr "Sociaal - Beperkt zichtbaar" #: ../../Zotlabs/Access/PermissionRoles.php:185 -#: ../../include/permissions.php:904 +#: ../../include/permissions.php:939 msgid "Social - Private" msgstr "Sociaal - Verborgen kanaal" #: ../../Zotlabs/Access/PermissionRoles.php:188 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Community Forum" msgstr "Groepsforum" #: ../../Zotlabs/Access/PermissionRoles.php:189 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Forum - Mostly Public" msgstr "Forum - Vrijwel alles openbaar" #: ../../Zotlabs/Access/PermissionRoles.php:190 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Forum - Restricted" msgstr "Forum - Beperkt zichtbaar" #: ../../Zotlabs/Access/PermissionRoles.php:191 -#: ../../include/permissions.php:905 +#: ../../include/permissions.php:940 msgid "Forum - Private" msgstr "Forum - Verborgen kanaal" #: ../../Zotlabs/Access/PermissionRoles.php:194 -#: ../../include/permissions.php:906 +#: ../../include/permissions.php:941 msgid "Feed Republish" msgstr "Feed herpubliceren" #: ../../Zotlabs/Access/PermissionRoles.php:195 -#: ../../include/permissions.php:906 +#: ../../include/permissions.php:941 msgid "Feed - Mostly Public" msgstr "Feed - Vrijwel alles openbaar" #: ../../Zotlabs/Access/PermissionRoles.php:196 -#: ../../include/permissions.php:906 +#: ../../include/permissions.php:941 msgid "Feed - Restricted" msgstr "Feed - Beperkt zichtbaar" #: ../../Zotlabs/Access/PermissionRoles.php:199 -#: ../../include/permissions.php:907 +#: ../../include/permissions.php:942 msgid "Special Purpose" msgstr "Speciaal doel" #: ../../Zotlabs/Access/PermissionRoles.php:200 -#: ../../include/permissions.php:907 +#: ../../include/permissions.php:942 msgid "Special - Celebrity/Soapbox" msgstr "Speciaal - Beroemdheid/alleen volgen" #: ../../Zotlabs/Access/PermissionRoles.php:201 -#: ../../include/permissions.php:907 +#: ../../include/permissions.php:942 msgid "Special - Group Repository" msgstr "Speciaal - Groepsopslag" #: ../../Zotlabs/Access/PermissionRoles.php:204 ../../include/selectors.php:49 #: ../../include/selectors.php:66 ../../include/selectors.php:104 -#: ../../include/selectors.php:140 ../../include/permissions.php:908 +#: ../../include/selectors.php:140 ../../include/permissions.php:943 msgid "Other" msgstr "Anders" #: ../../Zotlabs/Access/PermissionRoles.php:205 -#: ../../include/permissions.php:908 +#: ../../include/permissions.php:943 msgid "Custom/Expert Mode" msgstr "Expertmodus/handmatig aanpassen" @@ -103,19 +103,19 @@ msgstr "Expertmodus/handmatig aanpassen" msgid "Can view my channel stream and posts" msgstr "Kan mijn kanaal en berichten bekijken" -#: ../../Zotlabs/Access/Permissions.php:31 ../../include/permissions.php:33 +#: ../../Zotlabs/Access/Permissions.php:31 ../../include/permissions.php:36 msgid "Can send me their channel stream and posts" msgstr "Kan mij de inhoud van hun kanaal en berichten sturen" -#: ../../Zotlabs/Access/Permissions.php:32 ../../include/permissions.php:27 +#: ../../Zotlabs/Access/Permissions.php:32 ../../include/permissions.php:30 msgid "Can view my default channel profile" msgstr "Kan mijn standaard kanaalprofiel bekijken" -#: ../../Zotlabs/Access/Permissions.php:33 ../../include/permissions.php:28 +#: ../../Zotlabs/Access/Permissions.php:33 ../../include/permissions.php:31 msgid "Can view my connections" msgstr "Kan een lijst met mijn connecties bekijken" -#: ../../Zotlabs/Access/Permissions.php:34 ../../include/permissions.php:29 +#: ../../Zotlabs/Access/Permissions.php:34 ../../include/permissions.php:32 msgid "Can view my file storage and photos" msgstr "Kan mijn foto's en andere bestanden bekijken" @@ -135,11 +135,11 @@ msgstr "Kan wegpagina's van mijn kanaal aanmaken en bewerken" msgid "Can post on my channel (wall) page" msgstr "Kan een bericht in mijn kanaal plaatsen" -#: ../../Zotlabs/Access/Permissions.php:39 ../../include/permissions.php:35 +#: ../../Zotlabs/Access/Permissions.php:39 ../../include/permissions.php:38 msgid "Can comment on or like my posts" msgstr "Kan op mijn berichten reageren of deze (niet) leuk vinden" -#: ../../Zotlabs/Access/Permissions.php:40 ../../include/permissions.php:36 +#: ../../Zotlabs/Access/Permissions.php:40 ../../include/permissions.php:39 msgid "Can send me private mail messages" msgstr "Kan mij privĆ©berichten sturen" @@ -155,7 +155,7 @@ msgstr "Kan naar al mijn kanaalconnecties berichten doorsturen met behulp van @v msgid "Can chat with me" msgstr "Kan met mij chatten" -#: ../../Zotlabs/Access/Permissions.php:44 ../../include/permissions.php:44 +#: ../../Zotlabs/Access/Permissions.php:44 ../../include/permissions.php:47 msgid "Can source my public posts in derived channels" msgstr "Kan mijn openbare berichten als bron voor andere kanalen gebruiken" @@ -167,7 +167,7 @@ msgstr "Kan mijn kanaal beheren" msgid "parent" msgstr "omhoog" -#: ../../Zotlabs/Storage/Browser.php:131 ../../include/text.php:2605 +#: ../../Zotlabs/Storage/Browser.php:131 ../../include/text.php:2657 msgid "Collection" msgstr "map" @@ -191,17 +191,17 @@ msgstr "Planning-postvak IN" msgid "Schedule Outbox" msgstr "Planning-postvak UIT" -#: ../../Zotlabs/Storage/Browser.php:164 ../../Zotlabs/Module/Photos.php:796 -#: ../../Zotlabs/Module/Photos.php:1241 +#: ../../Zotlabs/Storage/Browser.php:164 ../../Zotlabs/Module/Photos.php:800 +#: ../../Zotlabs/Module/Photos.php:1249 #: ../../Zotlabs/Module/Embedphotos.php:147 ../../Zotlabs/Lib/Apps.php:490 -#: ../../Zotlabs/Lib/Apps.php:565 ../../include/conversation.php:1035 -#: ../../include/widgets.php:1599 +#: ../../Zotlabs/Lib/Apps.php:565 ../../include/conversation.php:1036 +#: ../../include/widgets.php:1613 msgid "Unknown" msgstr "Onbekend" #: ../../Zotlabs/Storage/Browser.php:226 ../../Zotlabs/Module/Fbrowser.php:85 -#: ../../Zotlabs/Lib/Apps.php:217 ../../include/nav.php:93 -#: ../../include/conversation.php:1654 +#: ../../Zotlabs/Lib/Apps.php:217 ../../include/conversation.php:1669 +#: ../../include/nav.php:95 msgid "Files" msgstr "Bestanden" @@ -213,25 +213,25 @@ msgstr "Totaal" msgid "Shared" msgstr "Gedeeld" -#: ../../Zotlabs/Storage/Browser.php:230 ../../Zotlabs/Storage/Browser.php:306 -#: ../../Zotlabs/Module/Layouts.php:184 ../../Zotlabs/Module/Menu.php:118 -#: ../../Zotlabs/Module/New_channel.php:142 -#: ../../Zotlabs/Module/Blocks.php:159 ../../Zotlabs/Module/Webpages.php:193 +#: ../../Zotlabs/Storage/Browser.php:230 ../../Zotlabs/Storage/Browser.php:323 +#: ../../Zotlabs/Module/Menu.php:118 ../../Zotlabs/Module/New_channel.php:142 +#: ../../Zotlabs/Module/Blocks.php:159 ../../Zotlabs/Module/Layouts.php:184 +#: ../../Zotlabs/Module/Webpages.php:216 msgid "Create" msgstr "Aanmaken" -#: ../../Zotlabs/Storage/Browser.php:231 ../../Zotlabs/Storage/Browser.php:308 +#: ../../Zotlabs/Storage/Browser.php:231 ../../Zotlabs/Storage/Browser.php:325 #: ../../Zotlabs/Module/Cover_photo.php:357 -#: ../../Zotlabs/Module/Photos.php:823 ../../Zotlabs/Module/Photos.php:1362 #: ../../Zotlabs/Module/Profile_photo.php:390 -#: ../../Zotlabs/Module/Embedphotos.php:159 ../../include/widgets.php:1612 +#: ../../Zotlabs/Module/Photos.php:827 ../../Zotlabs/Module/Photos.php:1370 +#: ../../Zotlabs/Module/Embedphotos.php:159 ../../include/widgets.php:1626 msgid "Upload" msgstr "Uploaden" -#: ../../Zotlabs/Storage/Browser.php:235 ../../Zotlabs/Module/Chat.php:247 -#: ../../Zotlabs/Module/Admin.php:1223 ../../Zotlabs/Module/Settings.php:646 -#: ../../Zotlabs/Module/Settings.php:672 +#: ../../Zotlabs/Storage/Browser.php:235 ../../Zotlabs/Module/Chat.php:250 +#: ../../Zotlabs/Module/Admin.php:1223 #: ../../Zotlabs/Module/Sharedwithme.php:99 +#: ../../Zotlabs/Module/Settings.php:684 ../../Zotlabs/Module/Settings.php:710 msgid "Name" msgstr "Naam" @@ -240,7 +240,7 @@ msgid "Type" msgstr "Type" #: ../../Zotlabs/Storage/Browser.php:237 -#: ../../Zotlabs/Module/Sharedwithme.php:101 ../../include/text.php:1324 +#: ../../Zotlabs/Module/Sharedwithme.php:101 ../../include/text.php:1326 msgid "Size" msgstr "Grootte" @@ -249,124 +249,130 @@ msgstr "Grootte" msgid "Last Modified" msgstr "Laatst gewijzigd" -#: ../../Zotlabs/Storage/Browser.php:240 ../../Zotlabs/Module/Editpost.php:84 +#: ../../Zotlabs/Storage/Browser.php:240 ../../Zotlabs/Module/Thing.php:260 #: ../../Zotlabs/Module/Connections.php:290 #: ../../Zotlabs/Module/Connections.php:310 -#: ../../Zotlabs/Module/Editlayout.php:114 -#: ../../Zotlabs/Module/Editwebpage.php:145 -#: ../../Zotlabs/Module/Layouts.php:192 ../../Zotlabs/Module/Menu.php:112 -#: ../../Zotlabs/Module/Admin.php:2113 ../../Zotlabs/Module/Blocks.php:160 #: ../../Zotlabs/Module/Editblock.php:109 -#: ../../Zotlabs/Module/Settings.php:706 ../../Zotlabs/Module/Thing.php:260 -#: ../../Zotlabs/Module/Webpages.php:194 ../../Zotlabs/Lib/Apps.php:341 -#: ../../Zotlabs/Lib/ThreadItem.php:106 ../../include/page_widgets.php:9 -#: ../../include/page_widgets.php:39 ../../include/channel.php:976 -#: ../../include/channel.php:980 ../../include/menu.php:108 +#: ../../Zotlabs/Module/Editlayout.php:114 +#: ../../Zotlabs/Module/Editwebpage.php:145 ../../Zotlabs/Module/Menu.php:112 +#: ../../Zotlabs/Module/Admin.php:2113 ../../Zotlabs/Module/Blocks.php:160 +#: ../../Zotlabs/Module/Layouts.php:192 ../../Zotlabs/Module/Webpages.php:217 +#: ../../Zotlabs/Module/Settings.php:744 ../../Zotlabs/Module/Editpost.php:84 +#: ../../Zotlabs/Lib/Apps.php:341 ../../Zotlabs/Lib/ThreadItem.php:106 +#: ../../include/page_widgets.php:9 ../../include/page_widgets.php:39 +#: ../../include/menu.php:113 ../../include/channel.php:959 +#: ../../include/channel.php:963 msgid "Edit" msgstr "Bewerken" -#: ../../Zotlabs/Storage/Browser.php:241 ../../Zotlabs/Module/Connedit.php:602 +#: ../../Zotlabs/Storage/Browser.php:241 ../../Zotlabs/Module/Thing.php:261 +#: ../../Zotlabs/Module/Connedit.php:607 #: ../../Zotlabs/Module/Connections.php:263 +#: ../../Zotlabs/Module/Editblock.php:134 #: ../../Zotlabs/Module/Editlayout.php:137 -#: ../../Zotlabs/Module/Editwebpage.php:169 ../../Zotlabs/Module/Group.php:177 -#: ../../Zotlabs/Module/Photos.php:1171 ../../Zotlabs/Module/Admin.php:1039 -#: ../../Zotlabs/Module/Admin.php:1213 ../../Zotlabs/Module/Admin.php:2114 -#: ../../Zotlabs/Module/Blocks.php:162 ../../Zotlabs/Module/Editblock.php:134 -#: ../../Zotlabs/Module/Settings.php:707 ../../Zotlabs/Module/Thing.php:261 -#: ../../Zotlabs/Module/Webpages.php:196 ../../Zotlabs/Lib/Apps.php:342 +#: ../../Zotlabs/Module/Editwebpage.php:170 ../../Zotlabs/Module/Group.php:177 +#: ../../Zotlabs/Module/Admin.php:1039 ../../Zotlabs/Module/Admin.php:1213 +#: ../../Zotlabs/Module/Admin.php:2114 ../../Zotlabs/Module/Blocks.php:162 +#: ../../Zotlabs/Module/Photos.php:1179 ../../Zotlabs/Module/Webpages.php:219 +#: ../../Zotlabs/Module/Settings.php:745 ../../Zotlabs/Lib/Apps.php:342 #: ../../Zotlabs/Lib/ThreadItem.php:126 ../../include/conversation.php:660 msgid "Delete" msgstr "Verwijderen" -#: ../../Zotlabs/Storage/Browser.php:285 +#: ../../Zotlabs/Storage/Browser.php:301 #, php-format msgid "You are using %1$s of your available file storage." msgstr "Je gebruikt %1$s van de beschikbare bestandsopslag." -#: ../../Zotlabs/Storage/Browser.php:290 +#: ../../Zotlabs/Storage/Browser.php:306 #, php-format msgid "You are using %1$s of %2$s available file storage. (%3$s%)" msgstr "Je gebruikt %1$s van totaal %2$s beschikbare bestandsopslag. (%3$s%)" -#: ../../Zotlabs/Storage/Browser.php:302 +#: ../../Zotlabs/Storage/Browser.php:317 msgid "WARNING:" msgstr "WAARSCHUWING:" -#: ../../Zotlabs/Storage/Browser.php:305 +#: ../../Zotlabs/Storage/Browser.php:322 msgid "Create new folder" msgstr "Nieuwe map aanmaken" -#: ../../Zotlabs/Storage/Browser.php:307 +#: ../../Zotlabs/Storage/Browser.php:324 msgid "Upload file" msgstr "Bestand uploaden" -#: ../../Zotlabs/Web/WebServer.php:127 ../../Zotlabs/Module/Dreport.php:10 -#: ../../Zotlabs/Module/Dreport.php:66 ../../Zotlabs/Module/Group.php:72 -#: ../../Zotlabs/Module/Like.php:283 ../../Zotlabs/Module/Import_items.php:114 +#: ../../Zotlabs/Storage/Browser.php:337 +msgid "Drop files here to immediately upload" +msgstr "Sleep bestanden hierheen om ze onmiddelijk te uploaden" + +#: ../../Zotlabs/Web/WebServer.php:127 ../../Zotlabs/Module/Like.php:283 +#: ../../Zotlabs/Module/Group.php:72 ../../Zotlabs/Module/Import_items.php:114 #: ../../Zotlabs/Module/Profperm.php:28 ../../Zotlabs/Module/Subthread.php:62 +#: ../../Zotlabs/Module/Dreport.php:10 ../../Zotlabs/Module/Dreport.php:66 #: ../../include/items.php:384 msgid "Permission denied" msgstr "Toegang geweigerd" #: ../../Zotlabs/Web/WebServer.php:128 ../../Zotlabs/Web/Router.php:65 -#: ../../Zotlabs/Module/Achievements.php:34 -#: ../../Zotlabs/Module/Connedit.php:390 ../../Zotlabs/Module/Id.php:76 -#: ../../Zotlabs/Module/Authtest.php:16 ../../Zotlabs/Module/Events.php:264 -#: ../../Zotlabs/Module/Bookmarks.php:61 ../../Zotlabs/Module/Editpost.php:17 -#: ../../Zotlabs/Module/Page.php:35 ../../Zotlabs/Module/Page.php:91 +#: ../../Zotlabs/Module/Achievements.php:34 ../../Zotlabs/Module/Thing.php:274 +#: ../../Zotlabs/Module/Thing.php:294 ../../Zotlabs/Module/Thing.php:335 +#: ../../Zotlabs/Module/Like.php:181 ../../Zotlabs/Module/Authtest.php:16 +#: ../../Zotlabs/Module/Rate.php:113 ../../Zotlabs/Module/Bookmarks.php:61 +#: ../../Zotlabs/Module/Item.php:214 ../../Zotlabs/Module/Item.php:222 +#: ../../Zotlabs/Module/Item.php:1073 ../../Zotlabs/Module/Page.php:35 +#: ../../Zotlabs/Module/Page.php:91 ../../Zotlabs/Module/Connedit.php:395 #: ../../Zotlabs/Module/Connections.php:33 #: ../../Zotlabs/Module/Cover_photo.php:277 -#: ../../Zotlabs/Module/Cover_photo.php:290 ../../Zotlabs/Module/Chat.php:100 -#: ../../Zotlabs/Module/Chat.php:105 ../../Zotlabs/Module/Editlayout.php:67 +#: ../../Zotlabs/Module/Cover_photo.php:290 ../../Zotlabs/Module/Mail.php:121 +#: ../../Zotlabs/Module/Editblock.php:67 +#: ../../Zotlabs/Module/Editlayout.php:67 #: ../../Zotlabs/Module/Editlayout.php:90 #: ../../Zotlabs/Module/Editwebpage.php:68 #: ../../Zotlabs/Module/Editwebpage.php:89 #: ../../Zotlabs/Module/Editwebpage.php:104 -#: ../../Zotlabs/Module/Editwebpage.php:126 ../../Zotlabs/Module/Group.php:13 -#: ../../Zotlabs/Module/Appman.php:75 ../../Zotlabs/Module/Pdledit.php:26 -#: ../../Zotlabs/Module/Filestorage.php:23 +#: ../../Zotlabs/Module/Editwebpage.php:126 ../../Zotlabs/Module/Chat.php:100 +#: ../../Zotlabs/Module/Chat.php:105 ../../Zotlabs/Module/Appman.php:75 +#: ../../Zotlabs/Module/Pdledit.php:26 ../../Zotlabs/Module/Filestorage.php:23 #: ../../Zotlabs/Module/Filestorage.php:78 #: ../../Zotlabs/Module/Filestorage.php:93 #: ../../Zotlabs/Module/Filestorage.php:120 -#: ../../Zotlabs/Module/Layouts.php:71 ../../Zotlabs/Module/Layouts.php:78 -#: ../../Zotlabs/Module/Layouts.php:89 ../../Zotlabs/Module/Like.php:181 #: ../../Zotlabs/Module/Profiles.php:203 ../../Zotlabs/Module/Profiles.php:601 -#: ../../Zotlabs/Module/Item.php:213 ../../Zotlabs/Module/Item.php:221 -#: ../../Zotlabs/Module/Item.php:1071 ../../Zotlabs/Module/Photos.php:73 -#: ../../Zotlabs/Module/Invite.php:17 ../../Zotlabs/Module/Invite.php:91 -#: ../../Zotlabs/Module/Locs.php:87 ../../Zotlabs/Module/Mail.php:121 -#: ../../Zotlabs/Module/Manage.php:10 ../../Zotlabs/Module/Menu.php:78 -#: ../../Zotlabs/Module/Message.php:18 ../../Zotlabs/Module/Mood.php:116 -#: ../../Zotlabs/Module/Network.php:15 ../../Zotlabs/Module/Channel.php:104 -#: ../../Zotlabs/Module/Channel.php:225 ../../Zotlabs/Module/Channel.php:266 -#: ../../Zotlabs/Module/Mitem.php:115 ../../Zotlabs/Module/New_channel.php:77 +#: ../../Zotlabs/Module/Channel.php:104 ../../Zotlabs/Module/Channel.php:226 +#: ../../Zotlabs/Module/Channel.php:267 ../../Zotlabs/Module/Group.php:13 +#: ../../Zotlabs/Module/Mitem.php:115 ../../Zotlabs/Module/Block.php:26 +#: ../../Zotlabs/Module/Block.php:76 ../../Zotlabs/Module/Invite.php:17 +#: ../../Zotlabs/Module/Invite.php:91 ../../Zotlabs/Module/Locs.php:87 +#: ../../Zotlabs/Module/Events.php:264 ../../Zotlabs/Module/Message.php:18 +#: ../../Zotlabs/Module/Manage.php:10 ../../Zotlabs/Module/Mood.php:116 +#: ../../Zotlabs/Module/Menu.php:78 ../../Zotlabs/Module/Setup.php:215 +#: ../../Zotlabs/Module/New_channel.php:77 #: ../../Zotlabs/Module/New_channel.php:104 #: ../../Zotlabs/Module/Notifications.php:70 ../../Zotlabs/Module/Poke.php:137 #: ../../Zotlabs/Module/Profile.php:68 ../../Zotlabs/Module/Profile.php:76 -#: ../../Zotlabs/Module/Block.php:26 ../../Zotlabs/Module/Block.php:76 +#: ../../Zotlabs/Module/Api.php:12 ../../Zotlabs/Module/Blocks.php:73 +#: ../../Zotlabs/Module/Blocks.php:80 ../../Zotlabs/Module/Layouts.php:71 +#: ../../Zotlabs/Module/Layouts.php:78 ../../Zotlabs/Module/Layouts.php:89 #: ../../Zotlabs/Module/Profile_photo.php:265 #: ../../Zotlabs/Module/Profile_photo.php:278 -#: ../../Zotlabs/Module/Blocks.php:73 ../../Zotlabs/Module/Blocks.php:80 -#: ../../Zotlabs/Module/Rate.php:113 ../../Zotlabs/Module/Editblock.php:67 -#: ../../Zotlabs/Module/Common.php:39 ../../Zotlabs/Module/Register.php:77 -#: ../../Zotlabs/Module/Regmod.php:21 +#: ../../Zotlabs/Module/Common.php:39 ../../Zotlabs/Module/Network.php:15 +#: ../../Zotlabs/Module/Photos.php:73 ../../Zotlabs/Module/Regmod.php:21 +#: ../../Zotlabs/Module/Webpages.php:95 #: ../../Zotlabs/Module/Service_limits.php:11 -#: ../../Zotlabs/Module/Settings.php:626 ../../Zotlabs/Module/Setup.php:215 -#: ../../Zotlabs/Module/Sharedwithme.php:11 ../../Zotlabs/Module/Thing.php:274 -#: ../../Zotlabs/Module/Thing.php:294 ../../Zotlabs/Module/Thing.php:331 +#: ../../Zotlabs/Module/Register.php:77 +#: ../../Zotlabs/Module/Sharedwithme.php:11 #: ../../Zotlabs/Module/Sources.php:74 ../../Zotlabs/Module/Suggest.php:30 -#: ../../Zotlabs/Module/Webpages.php:73 +#: ../../Zotlabs/Module/Settings.php:664 #: ../../Zotlabs/Module/Viewconnections.php:28 #: ../../Zotlabs/Module/Viewconnections.php:33 -#: ../../Zotlabs/Module/Viewsrc.php:18 ../../Zotlabs/Module/Api.php:13 -#: ../../Zotlabs/Module/Api.php:18 ../../Zotlabs/Lib/Chatroom.php:137 -#: ../../include/photos.php:27 ../../include/attach.php:141 -#: ../../include/attach.php:189 ../../include/attach.php:252 -#: ../../include/attach.php:266 ../../include/attach.php:273 -#: ../../include/attach.php:338 ../../include/attach.php:352 -#: ../../include/attach.php:359 ../../include/attach.php:439 -#: ../../include/attach.php:901 ../../include/attach.php:972 -#: ../../include/attach.php:1124 ../../include/items.php:3448 +#: ../../Zotlabs/Module/Viewsrc.php:18 ../../Zotlabs/Module/Editpost.php:17 +#: ../../Zotlabs/Lib/Chatroom.php:137 ../../include/photos.php:27 +#: ../../include/items.php:3450 ../../include/attach.php:142 +#: ../../include/attach.php:190 ../../include/attach.php:253 +#: ../../include/attach.php:267 ../../include/attach.php:274 +#: ../../include/attach.php:339 ../../include/attach.php:353 +#: ../../include/attach.php:360 ../../include/attach.php:440 +#: ../../include/attach.php:902 ../../include/attach.php:973 +#: ../../include/attach.php:1125 msgid "Permission denied." msgstr "Toegang geweigerd." @@ -374,9 +380,9 @@ msgstr "Toegang geweigerd." msgid "Not Found" msgstr "Niet gevonden" -#: ../../Zotlabs/Web/Router.php:149 ../../Zotlabs/Module/Display.php:118 -#: ../../Zotlabs/Module/Page.php:94 ../../Zotlabs/Module/Help.php:97 -#: ../../Zotlabs/Module/Block.php:79 +#: ../../Zotlabs/Web/Router.php:149 ../../Zotlabs/Module/Page.php:94 +#: ../../Zotlabs/Module/Help.php:97 ../../Zotlabs/Module/Block.php:79 +#: ../../Zotlabs/Module/Display.php:119 msgid "Page not found." msgstr "Pagina niet gevonden." @@ -386,19 +392,19 @@ msgid "" " logout and retry." msgstr "Authenticatie op afstand geblokkeerd. Je bent lokaal op deze hub ingelogd. Uitloggen en opnieuw proberen." -#: ../../Zotlabs/Zot/Auth.php:246 ../../Zotlabs/Module/Openid.php:76 -#: ../../Zotlabs/Module/Openid.php:183 +#: ../../Zotlabs/Zot/Auth.php:246 #, php-format msgid "Welcome %s. Remote authentication successful." msgstr "Welkom %s. Authenticatie op afstand geslaagd." #: ../../Zotlabs/Module/Achievements.php:15 -#: ../../Zotlabs/Module/Connect.php:17 ../../Zotlabs/Module/Editlayout.php:31 -#: ../../Zotlabs/Module/Editwebpage.php:32 ../../Zotlabs/Module/Hcard.php:12 -#: ../../Zotlabs/Module/Filestorage.php:59 ../../Zotlabs/Module/Layouts.php:31 +#: ../../Zotlabs/Module/Editblock.php:31 +#: ../../Zotlabs/Module/Editlayout.php:31 +#: ../../Zotlabs/Module/Editwebpage.php:32 +#: ../../Zotlabs/Module/Filestorage.php:59 ../../Zotlabs/Module/Hcard.php:12 #: ../../Zotlabs/Module/Profile.php:20 ../../Zotlabs/Module/Blocks.php:33 -#: ../../Zotlabs/Module/Editblock.php:31 ../../Zotlabs/Module/Webpages.php:33 -#: ../../include/channel.php:876 +#: ../../Zotlabs/Module/Layouts.php:31 ../../Zotlabs/Module/Connect.php:17 +#: ../../Zotlabs/Module/Webpages.php:33 ../../include/channel.php:859 msgid "Requested profile is not available." msgstr "Opgevraagd profiel is niet beschikbaar" @@ -414,488 +420,307 @@ msgstr "Afwezig" msgid "Online" msgstr "Online" -#: ../../Zotlabs/Module/Connedit.php:80 -msgid "Could not access contact record." -msgstr "Kon geen toegang krijgen tot de connectie-gegevens." +#: ../../Zotlabs/Module/Thing.php:89 ../../Zotlabs/Module/Filestorage.php:32 +#: ../../Zotlabs/Module/Display.php:40 ../../Zotlabs/Module/Admin.php:164 +#: ../../Zotlabs/Module/Admin.php:1255 ../../Zotlabs/Module/Admin.php:1561 +#: ../../Zotlabs/Module/Viewsrc.php:24 ../../include/items.php:3371 +msgid "Item not found." +msgstr "Item niet gevonden." -#: ../../Zotlabs/Module/Connedit.php:104 -msgid "Could not locate selected profile." -msgstr "Kon het gekozen profiel niet vinden." +#: ../../Zotlabs/Module/Thing.php:114 +msgid "Thing updated" +msgstr "Ding bijgewerkt" -#: ../../Zotlabs/Module/Connedit.php:248 -msgid "Connection updated." -msgstr "Connectie bijgewerkt." +#: ../../Zotlabs/Module/Thing.php:166 +msgid "Object store: failed" +msgstr "Opslaan van ding mislukt" -#: ../../Zotlabs/Module/Connedit.php:250 -msgid "Failed to update connection record." -msgstr "Bijwerken van connectie-gegevens mislukt." +#: ../../Zotlabs/Module/Thing.php:170 +msgid "Thing added" +msgstr "Ding toegevoegd" -#: ../../Zotlabs/Module/Connedit.php:300 -msgid "is now connected to" -msgstr "is nu verbonden met" - -#: ../../Zotlabs/Module/Connedit.php:403 ../../Zotlabs/Module/Connedit.php:685 -#: ../../Zotlabs/Module/Events.php:458 ../../Zotlabs/Module/Events.php:459 -#: ../../Zotlabs/Module/Events.php:468 -#: ../../Zotlabs/Module/Filestorage.php:156 -#: ../../Zotlabs/Module/Filestorage.php:164 -#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Photos.php:664 -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 -#: ../../Zotlabs/Module/Mitem.php:158 ../../Zotlabs/Module/Mitem.php:159 -#: ../../Zotlabs/Module/Mitem.php:232 ../../Zotlabs/Module/Mitem.php:233 -#: ../../Zotlabs/Module/Admin.php:459 ../../Zotlabs/Module/Removeme.php:63 -#: ../../Zotlabs/Module/Settings.php:635 ../../Zotlabs/Module/Api.php:89 -#: ../../include/dir_fns.php:143 ../../include/dir_fns.php:144 -#: ../../include/dir_fns.php:145 ../../view/theme/redbasic/php/config.php:105 -#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1708 -msgid "No" -msgstr "Nee" - -#: ../../Zotlabs/Module/Connedit.php:403 ../../Zotlabs/Module/Events.php:458 -#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:468 -#: ../../Zotlabs/Module/Filestorage.php:156 -#: ../../Zotlabs/Module/Filestorage.php:164 -#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Photos.php:664 -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 -#: ../../Zotlabs/Module/Mitem.php:158 ../../Zotlabs/Module/Mitem.php:159 -#: ../../Zotlabs/Module/Mitem.php:232 ../../Zotlabs/Module/Mitem.php:233 -#: ../../Zotlabs/Module/Admin.php:461 ../../Zotlabs/Module/Removeme.php:63 -#: ../../Zotlabs/Module/Settings.php:635 ../../Zotlabs/Module/Api.php:88 -#: ../../include/dir_fns.php:143 ../../include/dir_fns.php:144 -#: ../../include/dir_fns.php:145 ../../view/theme/redbasic/php/config.php:105 -#: ../../view/theme/redbasic/php/config.php:130 ../../boot.php:1708 -msgid "Yes" -msgstr "Ja" - -#: ../../Zotlabs/Module/Connedit.php:435 -msgid "Could not access address book record." -msgstr "Kon geen toegang krijgen tot de record van de connectie." - -#: ../../Zotlabs/Module/Connedit.php:455 -msgid "Refresh failed - channel is currently unavailable." -msgstr "Vernieuwen mislukt - kanaal is momenteel niet beschikbaar" - -#: ../../Zotlabs/Module/Connedit.php:470 ../../Zotlabs/Module/Connedit.php:479 -#: ../../Zotlabs/Module/Connedit.php:488 ../../Zotlabs/Module/Connedit.php:497 -#: ../../Zotlabs/Module/Connedit.php:510 -msgid "Unable to set address book parameters." -msgstr "Niet in staat om de parameters van connecties in te stellen." - -#: ../../Zotlabs/Module/Connedit.php:533 -msgid "Connection has been removed." -msgstr "Connectie is verwijderd" - -#: ../../Zotlabs/Module/Connedit.php:549 ../../Zotlabs/Lib/Apps.php:221 -#: ../../include/nav.php:86 ../../include/conversation.php:957 -msgid "View Profile" -msgstr "Profiel weergeven" - -#: ../../Zotlabs/Module/Connedit.php:552 +#: ../../Zotlabs/Module/Thing.php:196 #, php-format -msgid "View %s's profile" -msgstr "Profiel van %s weergeven" +msgid "OBJ: %1$s %2$s %3$s" +msgstr "OBJ: %1$s %2$s %3$s" -#: ../../Zotlabs/Module/Connedit.php:556 -msgid "Refresh Permissions" -msgstr "Permissies vernieuwen" +#: ../../Zotlabs/Module/Thing.php:259 +msgid "Show Thing" +msgstr "Ding weergeven" -#: ../../Zotlabs/Module/Connedit.php:559 -msgid "Fetch updated permissions" -msgstr "Aangepaste permissies ophalen" +#: ../../Zotlabs/Module/Thing.php:266 +msgid "item not found." +msgstr "Item niet gevonden" -#: ../../Zotlabs/Module/Connedit.php:563 -msgid "Recent Activity" -msgstr "Recente activiteit/berichten" +#: ../../Zotlabs/Module/Thing.php:299 +msgid "Edit Thing" +msgstr "Ding bewerken" -#: ../../Zotlabs/Module/Connedit.php:566 -msgid "View recent posts and comments" -msgstr "Recente berichten en reacties weergeven" +#: ../../Zotlabs/Module/Thing.php:301 ../../Zotlabs/Module/Thing.php:355 +msgid "Select a profile" +msgstr "Kies een profiel" -#: ../../Zotlabs/Module/Connedit.php:570 ../../Zotlabs/Module/Admin.php:1041 -msgid "Unblock" -msgstr "Deblokkeren" +#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:358 +msgid "Post an activity" +msgstr "Plaats een bericht" -#: ../../Zotlabs/Module/Connedit.php:570 ../../Zotlabs/Module/Admin.php:1040 -msgid "Block" -msgstr "Blokkeren" +#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:358 +msgid "Only sends to viewers of the applicable profile" +msgstr "Toont dit alleen aan diegene die het gekozen profiel mogen zien." -#: ../../Zotlabs/Module/Connedit.php:573 -msgid "Block (or Unblock) all communications with this connection" -msgstr "Blokkeer (of deblokkeer) alle communicatie met deze connectie" +#: ../../Zotlabs/Module/Thing.php:307 ../../Zotlabs/Module/Thing.php:360 +msgid "Name of thing e.g. something" +msgstr "Naam van ding" -#: ../../Zotlabs/Module/Connedit.php:574 -msgid "This connection is blocked!" -msgstr "Deze connectie is geblokkeerd!" +#: ../../Zotlabs/Module/Thing.php:309 ../../Zotlabs/Module/Thing.php:361 +msgid "URL of thing (optional)" +msgstr "URL van ding (optioneel)" -#: ../../Zotlabs/Module/Connedit.php:578 -msgid "Unignore" -msgstr "Niet meer negeren" +#: ../../Zotlabs/Module/Thing.php:311 ../../Zotlabs/Module/Thing.php:362 +msgid "URL for photo of thing (optional)" +msgstr "URL voor foto van ding (optioneel)" -#: ../../Zotlabs/Module/Connedit.php:578 -#: ../../Zotlabs/Module/Connections.php:277 -#: ../../Zotlabs/Module/Notifications.php:55 -msgid "Ignore" -msgstr "Negeren" +#: ../../Zotlabs/Module/Thing.php:313 ../../Zotlabs/Module/Thing.php:363 +#: ../../Zotlabs/Module/Chat.php:234 ../../Zotlabs/Module/Filestorage.php:152 +#: ../../Zotlabs/Module/Photos.php:669 ../../Zotlabs/Module/Photos.php:1047 +#: ../../include/acl_selectors.php:186 +msgid "Permissions" +msgstr "Permissies" -#: ../../Zotlabs/Module/Connedit.php:581 -msgid "Ignore (or Unignore) all inbound communications from this connection" -msgstr "Negeer (of negeer niet meer) alle inkomende communicatie van deze connectie" - -#: ../../Zotlabs/Module/Connedit.php:582 -msgid "This connection is ignored!" -msgstr "Deze connectie wordt genegeerd!" - -#: ../../Zotlabs/Module/Connedit.php:586 -msgid "Unarchive" -msgstr "Niet meer archiveren" - -#: ../../Zotlabs/Module/Connedit.php:586 -msgid "Archive" -msgstr "Archiveren" - -#: ../../Zotlabs/Module/Connedit.php:589 -msgid "" -"Archive (or Unarchive) this connection - mark channel dead but keep content" -msgstr "Archiveer (of dearchiveer) deze connectie - markeer het kanaal als dood, maar bewaar de inhoud" - -#: ../../Zotlabs/Module/Connedit.php:590 -msgid "This connection is archived!" -msgstr "Deze connectie is gearchiveerd!" - -#: ../../Zotlabs/Module/Connedit.php:594 -msgid "Unhide" -msgstr "Niet meer verbergen" - -#: ../../Zotlabs/Module/Connedit.php:594 -msgid "Hide" -msgstr "Verbergen" - -#: ../../Zotlabs/Module/Connedit.php:597 -msgid "Hide or Unhide this connection from your other connections" -msgstr "Deze connectie verbergen (of niet meer verbergen) voor jouw andere connecties" - -#: ../../Zotlabs/Module/Connedit.php:598 -msgid "This connection is hidden!" -msgstr "Deze connectie is verborgen!" - -#: ../../Zotlabs/Module/Connedit.php:605 -msgid "Delete this connection" -msgstr "Deze connectie verwijderen" - -#: ../../Zotlabs/Module/Connedit.php:620 ../../include/widgets.php:493 -msgid "Me" -msgstr "Ik" - -#: ../../Zotlabs/Module/Connedit.php:621 ../../include/widgets.php:494 -msgid "Family" -msgstr "Familie" - -#: ../../Zotlabs/Module/Connedit.php:622 ../../Zotlabs/Module/Settings.php:391 -#: ../../Zotlabs/Module/Settings.php:395 ../../Zotlabs/Module/Settings.php:396 -#: ../../Zotlabs/Module/Settings.php:399 ../../Zotlabs/Module/Settings.php:410 -#: ../../include/channel.php:402 ../../include/channel.php:403 -#: ../../include/channel.php:410 ../../include/selectors.php:123 -#: ../../include/widgets.php:495 -msgid "Friends" -msgstr "Vrienden" - -#: ../../Zotlabs/Module/Connedit.php:623 ../../include/widgets.php:496 -msgid "Acquaintances" -msgstr "Kennissen" - -#: ../../Zotlabs/Module/Connedit.php:624 -#: ../../Zotlabs/Module/Connections.php:92 -#: ../../Zotlabs/Module/Connections.php:107 ../../include/widgets.php:497 -msgid "All" -msgstr "Alles" - -#: ../../Zotlabs/Module/Connedit.php:685 -msgid "Approve this connection" -msgstr "Deze connectie accepteren" - -#: ../../Zotlabs/Module/Connedit.php:685 -msgid "Accept connection to allow communication" -msgstr "Keur deze connectie goed om communicatie toe te staan" - -#: ../../Zotlabs/Module/Connedit.php:690 -msgid "Set Affinity" -msgstr "Verwantschapsfilter instellen" - -#: ../../Zotlabs/Module/Connedit.php:693 -msgid "Set Profile" -msgstr "Profiel instellen" - -#: ../../Zotlabs/Module/Connedit.php:696 -msgid "Set Affinity & Profile" -msgstr "Verwantschapsfilter en profiel instellen" - -#: ../../Zotlabs/Module/Connedit.php:745 -msgid "none" -msgstr "geen" - -#: ../../Zotlabs/Module/Connedit.php:749 ../../include/widgets.php:623 -msgid "Connection Default Permissions" -msgstr "Standaard permissies voor connecties" - -#: ../../Zotlabs/Module/Connedit.php:749 ../../include/items.php:3935 -#, php-format -msgid "Connection: %s" -msgstr "Connectie: %s" - -#: ../../Zotlabs/Module/Connedit.php:750 -msgid "Apply these permissions automatically" -msgstr "Deze permissies automatisch toepassen" - -#: ../../Zotlabs/Module/Connedit.php:750 -msgid "Connection requests will be approved without your interaction" -msgstr "Connectieverzoeken zullen automatisch worden geaccepteerd" - -#: ../../Zotlabs/Module/Connedit.php:752 -msgid "This connection's primary address is" -msgstr "Het primaire kanaaladres van deze connectie is" - -#: ../../Zotlabs/Module/Connedit.php:753 -msgid "Available locations:" -msgstr "Beschikbare locaties:" - -#: ../../Zotlabs/Module/Connedit.php:757 -msgid "" -"The permissions indicated on this page will be applied to all new " -"connections." -msgstr "Permissies die op deze pagina staan vermeld worden op alle nieuwe connecties toegepast." - -#: ../../Zotlabs/Module/Connedit.php:758 -msgid "Connection Tools" -msgstr "Hulpmiddelen" - -#: ../../Zotlabs/Module/Connedit.php:760 -msgid "Slide to adjust your degree of friendship" -msgstr "Schuif om te bepalen hoe goed je iemand kent en/of mag" - -#: ../../Zotlabs/Module/Connedit.php:761 ../../Zotlabs/Module/Rate.php:159 -#: ../../include/js_strings.php:20 -msgid "Rating" -msgstr "Beoordeling" - -#: ../../Zotlabs/Module/Connedit.php:762 -msgid "Slide to adjust your rating" -msgstr "Gebruik de schuif om je beoordeling te geven" - -#: ../../Zotlabs/Module/Connedit.php:763 ../../Zotlabs/Module/Connedit.php:768 -msgid "Optionally explain your rating" -msgstr "Verklaar jouw beoordeling (niet verplicht)" - -#: ../../Zotlabs/Module/Connedit.php:765 -msgid "Custom Filter" -msgstr "Berichtenfilter" - -#: ../../Zotlabs/Module/Connedit.php:766 -msgid "Only import posts with this text" -msgstr "Importeer alleen berichten met deze tekst" - -#: ../../Zotlabs/Module/Connedit.php:766 ../../Zotlabs/Module/Connedit.php:767 -msgid "" -"words one per line or #tags or /patterns/ or lang=xx, leave blank to import " -"all posts" -msgstr "woorden (ƩƩn per regel), #tags, /regex/ of talen (lang=iso639-1) - laat leeg om alle berichten te importeren" - -#: ../../Zotlabs/Module/Connedit.php:767 -msgid "Do not import posts with this text" -msgstr "Importeer geen berichten met deze tekst" - -#: ../../Zotlabs/Module/Connedit.php:769 -msgid "This information is public!" -msgstr "Deze informatie is openbaar!" - -#: ../../Zotlabs/Module/Connedit.php:774 -msgid "Connection Pending Approval" -msgstr "Connectie moet nog geaccepteerd worden" - -#: ../../Zotlabs/Module/Connedit.php:777 -msgid "inherited" -msgstr "geĆ«rfd" - -#: ../../Zotlabs/Module/Connedit.php:778 ../../Zotlabs/Module/Connect.php:98 -#: ../../Zotlabs/Module/Events.php:474 ../../Zotlabs/Module/Cal.php:338 -#: ../../Zotlabs/Module/Chat.php:196 ../../Zotlabs/Module/Chat.php:238 -#: ../../Zotlabs/Module/Group.php:85 ../../Zotlabs/Module/Appman.php:126 -#: ../../Zotlabs/Module/Pdledit.php:66 -#: ../../Zotlabs/Module/Filestorage.php:161 -#: ../../Zotlabs/Module/Profiles.php:687 ../../Zotlabs/Module/Import.php:560 -#: ../../Zotlabs/Module/Photos.php:675 ../../Zotlabs/Module/Photos.php:1050 -#: ../../Zotlabs/Module/Photos.php:1090 ../../Zotlabs/Module/Photos.php:1208 +#: ../../Zotlabs/Module/Thing.php:320 ../../Zotlabs/Module/Thing.php:370 +#: ../../Zotlabs/Module/Rate.php:170 ../../Zotlabs/Module/Connedit.php:783 +#: ../../Zotlabs/Module/Import.php:560 ../../Zotlabs/Module/Mail.php:370 +#: ../../Zotlabs/Module/Chat.php:196 ../../Zotlabs/Module/Chat.php:241 +#: ../../Zotlabs/Module/Appman.php:126 ../../Zotlabs/Module/Pdledit.php:66 +#: ../../Zotlabs/Module/Filestorage.php:165 +#: ../../Zotlabs/Module/Profiles.php:687 ../../Zotlabs/Module/Group.php:85 +#: ../../Zotlabs/Module/Mitem.php:243 #: ../../Zotlabs/Module/Import_items.php:122 #: ../../Zotlabs/Module/Invite.php:146 ../../Zotlabs/Module/Locs.php:121 -#: ../../Zotlabs/Module/Mail.php:370 ../../Zotlabs/Module/Mood.php:139 -#: ../../Zotlabs/Module/Mitem.php:235 ../../Zotlabs/Module/Admin.php:492 -#: ../../Zotlabs/Module/Admin.php:688 ../../Zotlabs/Module/Admin.php:771 -#: ../../Zotlabs/Module/Admin.php:1032 ../../Zotlabs/Module/Admin.php:1211 -#: ../../Zotlabs/Module/Admin.php:1421 ../../Zotlabs/Module/Admin.php:1648 -#: ../../Zotlabs/Module/Admin.php:1733 ../../Zotlabs/Module/Admin.php:2116 -#: ../../Zotlabs/Module/Poke.php:186 ../../Zotlabs/Module/Pconfig.php:107 -#: ../../Zotlabs/Module/Rate.php:170 ../../Zotlabs/Module/Settings.php:644 -#: ../../Zotlabs/Module/Settings.php:757 ../../Zotlabs/Module/Settings.php:806 -#: ../../Zotlabs/Module/Settings.php:832 ../../Zotlabs/Module/Settings.php:855 -#: ../../Zotlabs/Module/Settings.php:943 -#: ../../Zotlabs/Module/Settings.php:1129 ../../Zotlabs/Module/Setup.php:312 -#: ../../Zotlabs/Module/Setup.php:353 ../../Zotlabs/Module/Thing.php:316 -#: ../../Zotlabs/Module/Thing.php:362 ../../Zotlabs/Module/Sources.php:114 -#: ../../Zotlabs/Module/Sources.php:149 ../../Zotlabs/Module/Xchan.php:15 -#: ../../Zotlabs/Lib/ThreadItem.php:710 ../../include/widgets.php:763 -#: ../../include/js_strings.php:22 ../../view/theme/redbasic/php/config.php:99 +#: ../../Zotlabs/Module/Events.php:484 ../../Zotlabs/Module/Mood.php:139 +#: ../../Zotlabs/Module/Setup.php:312 ../../Zotlabs/Module/Setup.php:353 +#: ../../Zotlabs/Module/Admin.php:492 ../../Zotlabs/Module/Admin.php:688 +#: ../../Zotlabs/Module/Admin.php:771 ../../Zotlabs/Module/Admin.php:1032 +#: ../../Zotlabs/Module/Admin.php:1211 ../../Zotlabs/Module/Admin.php:1421 +#: ../../Zotlabs/Module/Admin.php:1648 ../../Zotlabs/Module/Admin.php:1733 +#: ../../Zotlabs/Module/Admin.php:2116 ../../Zotlabs/Module/Poke.php:186 +#: ../../Zotlabs/Module/Pconfig.php:107 ../../Zotlabs/Module/Cal.php:338 +#: ../../Zotlabs/Module/Connect.php:98 ../../Zotlabs/Module/Photos.php:679 +#: ../../Zotlabs/Module/Photos.php:1058 ../../Zotlabs/Module/Photos.php:1098 +#: ../../Zotlabs/Module/Photos.php:1216 ../../Zotlabs/Module/Sources.php:114 +#: ../../Zotlabs/Module/Sources.php:149 ../../Zotlabs/Module/Settings.php:682 +#: ../../Zotlabs/Module/Settings.php:795 ../../Zotlabs/Module/Settings.php:886 +#: ../../Zotlabs/Module/Settings.php:912 ../../Zotlabs/Module/Settings.php:935 +#: ../../Zotlabs/Module/Settings.php:1040 +#: ../../Zotlabs/Module/Settings.php:1229 ../../Zotlabs/Module/Xchan.php:15 +#: ../../Zotlabs/Lib/ThreadItem.php:711 ../../include/widgets.php:763 +#: ../../include/js_strings.php:22 +#: ../../view/theme/redbasic/php/config.php:106 msgid "Submit" msgstr "Opslaan" -#: ../../Zotlabs/Module/Connedit.php:779 +#: ../../Zotlabs/Module/Thing.php:353 +msgid "Add Thing to your Profile" +msgstr "Ding aan je profiel toevoegen" + +#: ../../Zotlabs/Module/Like.php:19 +msgid "Like/Dislike" +msgstr "Leuk/niet leuk" + +#: ../../Zotlabs/Module/Like.php:24 +msgid "This action is restricted to members." +msgstr "Deze actie kan alleen door $Projectname-leden worden uitgevoerd." + +#: ../../Zotlabs/Module/Like.php:25 +msgid "" +"Please login with your $Projectname ID or register as a new $Projectname member to continue." +msgstr "Je dient in te loggen met je $Projectname-account of een nieuw $Projectname-account aan te maken om verder te kunnen gaan." + +#: ../../Zotlabs/Module/Like.php:105 ../../Zotlabs/Module/Like.php:131 +#: ../../Zotlabs/Module/Like.php:169 +msgid "Invalid request." +msgstr "Ongeldig verzoek" + +#: ../../Zotlabs/Module/Like.php:117 ../../include/conversation.php:126 +msgid "channel" +msgstr "kanaal" + +#: ../../Zotlabs/Module/Like.php:146 +msgid "thing" +msgstr "ding" + +#: ../../Zotlabs/Module/Like.php:192 +msgid "Channel unavailable." +msgstr "Kanaal niet beschikbaar." + +#: ../../Zotlabs/Module/Like.php:240 +msgid "Previous action reversed." +msgstr "Vorige actie omgedraaid" + +#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 +#: ../../Zotlabs/Module/Tagger.php:47 ../../include/conversation.php:120 +#: ../../include/text.php:1945 +msgid "photo" +msgstr "foto" + +#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 +#: ../../include/conversation.php:148 ../../include/text.php:1951 +msgid "status" +msgstr "bericht" + +#: ../../Zotlabs/Module/Like.php:372 ../../Zotlabs/Module/Events.php:253 +#: ../../Zotlabs/Module/Tagger.php:51 ../../include/conversation.php:123 +#: ../../include/text.php:1948 ../../include/event.php:958 +msgid "event" +msgstr "gebeurtenis" + +#: ../../Zotlabs/Module/Like.php:419 ../../include/conversation.php:164 #, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s vindt %3$s van %2$s leuk" + +#: ../../Zotlabs/Module/Like.php:421 ../../include/conversation.php:167 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s vindt %3$s van %2$s niet leuk" + +#: ../../Zotlabs/Module/Like.php:423 +#, php-format +msgid "%1$s agrees with %2$s's %3$s" +msgstr "%1$s is het eens met %2$s's %3$s" + +#: ../../Zotlabs/Module/Like.php:425 +#, php-format +msgid "%1$s doesn't agree with %2$s's %3$s" +msgstr "%1$s is het niet eens met %2$s's %3$s" + +#: ../../Zotlabs/Module/Like.php:427 +#, php-format +msgid "%1$s abstains from a decision on %2$s's %3$s" +msgstr "%1$s onthoudt zich van een besluit over %2$s's %3$s" + +#: ../../Zotlabs/Module/Like.php:429 +#, php-format +msgid "%1$s is attending %2$s's %3$s" +msgstr "%1$s is aanwezig op %2$s's %3$s" + +#: ../../Zotlabs/Module/Like.php:431 +#, php-format +msgid "%1$s is not attending %2$s's %3$s" +msgstr "%1$s is niet aanwezig op %2$s's %3$s" + +#: ../../Zotlabs/Module/Like.php:433 +#, php-format +msgid "%1$s may attend %2$s's %3$s" +msgstr "%1$s is mogelijk aanwezig op %2$s's %3$s" + +#: ../../Zotlabs/Module/Like.php:538 +msgid "Action completed." +msgstr "Actie voltooid" + +#: ../../Zotlabs/Module/Like.php:539 +msgid "Thank you." +msgstr "Bedankt" + +#: ../../Zotlabs/Module/Wiki.php:20 ../../Zotlabs/Module/Chat.php:25 +#: ../../Zotlabs/Module/Channel.php:28 +msgid "You must be logged in to see this page." +msgstr "Je moet zijn ingelogd om deze pagina te kunnen bekijken." + +#: ../../Zotlabs/Module/Wiki.php:34 +msgid "Not found" +msgstr "Niet gevonden" + +#: ../../Zotlabs/Module/Wiki.php:97 ../../Zotlabs/Lib/Apps.php:219 +#: ../../include/conversation.php:1725 ../../include/conversation.php:1728 +#: ../../include/features.php:57 ../../include/nav.php:110 +msgid "Wiki" +msgstr "Wiki" + +#: ../../Zotlabs/Module/Wiki.php:98 +msgid "Sandbox" +msgstr "Zandbak" + +#: ../../Zotlabs/Module/Wiki.php:100 msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Kies het profiel dat je aan %s wil tonen wanneer hij/zij ingelogd jouw profiel wil bekijken." +"\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be" +" saved*.\"" +msgstr "\"# Wiki Sandbox\\n\\nWat er hier onder **edit** en **preview** staat *wordt niet opgeslagen*.\"" -#: ../../Zotlabs/Module/Connedit.php:781 -msgid "Their Settings" -msgstr "Hun instellingen" +#: ../../Zotlabs/Module/Wiki.php:169 +msgid "Revision Comparison" +msgstr "Revisies vergelijken" -#: ../../Zotlabs/Module/Connedit.php:782 -msgid "My Settings" -msgstr "Mijn instellingen" +#: ../../Zotlabs/Module/Wiki.php:170 +msgid "Revert" +msgstr "Ongedaan maken" -#: ../../Zotlabs/Module/Connedit.php:784 -msgid "Individual Permissions" -msgstr "Individuele permissies" +#: ../../Zotlabs/Module/Wiki.php:171 ../../Zotlabs/Module/Wiki.php:211 +#: ../../Zotlabs/Module/Fbrowser.php:66 ../../Zotlabs/Module/Fbrowser.php:88 +#: ../../Zotlabs/Module/Admin.php:1406 ../../Zotlabs/Module/Tagrm.php:15 +#: ../../Zotlabs/Module/Tagrm.php:138 ../../Zotlabs/Module/Settings.php:683 +#: ../../Zotlabs/Module/Settings.php:709 ../../include/conversation.php:1242 +#: ../../include/conversation.php:1289 +msgid "Cancel" +msgstr "Annuleren" -#: ../../Zotlabs/Module/Connedit.php:785 -msgid "" -"Some permissions may be inherited from your channel's privacy settings, which have higher " -"priority than individual settings. You can not change those" -" settings here." -msgstr "Sommige permissies worden mogelijk overgeĆ«rfd van de privacy-instellingen van jouw kanaal, die een hogere prioriteit hebben dan deze individuele instellingen. Je kan je deze overgeĆ«rfde permissies hier niet veranderen." +#: ../../Zotlabs/Module/Wiki.php:201 +msgid "Enter the name of your new wiki:" +msgstr "Vul de naam in van jouw nieuwe wiki:" -#: ../../Zotlabs/Module/Connedit.php:786 -msgid "" -"Some permissions may be inherited from your channel's privacy settings, which have higher " -"priority than individual settings. You can change those settings here but " -"they wont have any impact unless the inherited setting changes." -msgstr "Sommige permissies worden mogelijk overgeĆ«rfd van de privacy-instellingen van jouw kanaal, die een hogere prioriteit hebben dan deze individuele permissies. Je kan de permissies hier veranderen, maar die hebben geen effect, tenzij de overgeĆ«rfde permissies worden veranderd. " +#: ../../Zotlabs/Module/Wiki.php:202 +msgid "Enter the name of the new page:" +msgstr "Vul de naam in van de nieuwe pagina:" -#: ../../Zotlabs/Module/Connedit.php:787 -msgid "Last update:" -msgstr "Laatste wijziging:" +#: ../../Zotlabs/Module/Wiki.php:203 +msgid "Enter the new name:" +msgstr "Vul de nieuwe naam in:" -#: ../../Zotlabs/Module/Display.php:17 ../../Zotlabs/Module/Directory.php:63 -#: ../../Zotlabs/Module/Photos.php:520 ../../Zotlabs/Module/Ratings.php:86 +#: ../../Zotlabs/Module/Wiki.php:209 ../../include/conversation.php:1155 +msgid "Embed image from photo albums" +msgstr "Afbeelding uit een fotoalbum invoegen" + +#: ../../Zotlabs/Module/Wiki.php:210 ../../include/conversation.php:1241 +msgid "Embed an image from your albums" +msgstr "Afbeelding uit jouw albums invoegen" + +#: ../../Zotlabs/Module/Wiki.php:212 ../../include/conversation.php:1243 +#: ../../include/conversation.php:1288 +msgid "OK" +msgstr "OK" + +#: ../../Zotlabs/Module/Wiki.php:213 ../../include/conversation.php:1191 +msgid "Choose images to embed" +msgstr "Kies afbeeldingen om in te voegen" + +#: ../../Zotlabs/Module/Wiki.php:214 ../../include/conversation.php:1192 +msgid "Choose an album" +msgstr "Kies een album" + +#: ../../Zotlabs/Module/Wiki.php:215 ../../include/conversation.php:1193 +msgid "Choose a different album..." +msgstr "Kies een ander album..." + +#: ../../Zotlabs/Module/Wiki.php:216 ../../include/conversation.php:1194 +msgid "Error getting album list" +msgstr "Fout met ophalen albumlijst" + +#: ../../Zotlabs/Module/Wiki.php:217 ../../include/conversation.php:1195 +msgid "Error getting photo link" +msgstr "Fout met ophalen fotolink" + +#: ../../Zotlabs/Module/Wiki.php:218 ../../include/conversation.php:1196 +msgid "Error getting album" +msgstr "Fout met ophalen album" + +#: ../../Zotlabs/Module/Directory.php:63 ../../Zotlabs/Module/Display.php:17 +#: ../../Zotlabs/Module/Ratings.php:86 ../../Zotlabs/Module/Photos.php:520 #: ../../Zotlabs/Module/Search.php:17 #: ../../Zotlabs/Module/Viewconnections.php:23 msgid "Public access denied." msgstr "Openbare toegang geweigerd." -#: ../../Zotlabs/Module/Display.php:40 ../../Zotlabs/Module/Filestorage.php:32 -#: ../../Zotlabs/Module/Admin.php:164 ../../Zotlabs/Module/Admin.php:1255 -#: ../../Zotlabs/Module/Admin.php:1561 ../../Zotlabs/Module/Thing.php:89 -#: ../../Zotlabs/Module/Viewsrc.php:24 ../../include/items.php:3369 -msgid "Item not found." -msgstr "Item niet gevonden." - -#: ../../Zotlabs/Module/Id.php:13 -msgid "First Name" -msgstr "Voornaam" - -#: ../../Zotlabs/Module/Id.php:14 -msgid "Last Name" -msgstr "Achternaam" - -#: ../../Zotlabs/Module/Id.php:15 -msgid "Nickname" -msgstr "Bijnaam" - -#: ../../Zotlabs/Module/Id.php:16 -msgid "Full Name" -msgstr "Volledige naam" - -#: ../../Zotlabs/Module/Id.php:17 ../../Zotlabs/Module/Id.php:18 -#: ../../Zotlabs/Module/Admin.php:1035 ../../Zotlabs/Module/Admin.php:1047 -#: ../../include/network.php:2203 -msgid "Email" -msgstr "E-mail" - -#: ../../Zotlabs/Module/Id.php:19 ../../Zotlabs/Module/Id.php:20 -#: ../../Zotlabs/Module/Id.php:21 ../../Zotlabs/Lib/Apps.php:238 -msgid "Profile Photo" -msgstr "Profielfoto" - -#: ../../Zotlabs/Module/Id.php:22 -msgid "Profile Photo 16px" -msgstr "Profielfoto 16px" - -#: ../../Zotlabs/Module/Id.php:23 -msgid "Profile Photo 32px" -msgstr "Profielfoto 32px" - -#: ../../Zotlabs/Module/Id.php:24 -msgid "Profile Photo 48px" -msgstr "Profielfoto 48px" - -#: ../../Zotlabs/Module/Id.php:25 -msgid "Profile Photo 64px" -msgstr "Profielfoto 64px" - -#: ../../Zotlabs/Module/Id.php:26 -msgid "Profile Photo 80px" -msgstr "Profielfoto 80px" - -#: ../../Zotlabs/Module/Id.php:27 -msgid "Profile Photo 128px" -msgstr "Profielfoto 128px" - -#: ../../Zotlabs/Module/Id.php:28 -msgid "Timezone" -msgstr "Tijdzone" - -#: ../../Zotlabs/Module/Id.php:29 ../../Zotlabs/Module/Profiles.php:731 -msgid "Homepage URL" -msgstr "URL homepagina" - -#: ../../Zotlabs/Module/Id.php:30 ../../Zotlabs/Lib/Apps.php:236 -msgid "Language" -msgstr "Taal" - -#: ../../Zotlabs/Module/Id.php:31 -msgid "Birth Year" -msgstr "Geboortejaar" - -#: ../../Zotlabs/Module/Id.php:32 -msgid "Birth Month" -msgstr "Geboortemaand" - -#: ../../Zotlabs/Module/Id.php:33 -msgid "Birth Day" -msgstr "Geboortedag" - -#: ../../Zotlabs/Module/Id.php:34 -msgid "Birthdate" -msgstr "Geboortedatum" - -#: ../../Zotlabs/Module/Id.php:35 ../../Zotlabs/Module/Profiles.php:454 -msgid "Gender" -msgstr "Geslacht" - -#: ../../Zotlabs/Module/Id.php:108 ../../include/selectors.php:49 -#: ../../include/selectors.php:66 -msgid "Male" -msgstr "Man" - -#: ../../Zotlabs/Module/Id.php:110 ../../include/selectors.php:49 -#: ../../include/selectors.php:66 -msgid "Female" -msgstr "Vrouw" - -#: ../../Zotlabs/Module/Follow.php:34 -msgid "Channel added." -msgstr "Kanaal toegevoegd." - #: ../../Zotlabs/Module/Directory.php:243 #, php-format msgid "%d rating" @@ -915,13 +740,13 @@ msgstr "Status: " msgid "Homepage: " msgstr "Homepage: " -#: ../../Zotlabs/Module/Directory.php:306 ../../include/channel.php:1223 +#: ../../Zotlabs/Module/Directory.php:306 ../../include/channel.php:1207 msgid "Age:" msgstr "Leeftijd:" -#: ../../Zotlabs/Module/Directory.php:311 ../../include/channel.php:1066 -#: ../../include/event.php:52 ../../include/event.php:84 -#: ../../include/bb2diaspora.php:507 +#: ../../Zotlabs/Module/Directory.php:311 ../../include/bb2diaspora.php:507 +#: ../../include/channel.php:1049 ../../include/event.php:52 +#: ../../include/event.php:84 msgid "Location:" msgstr "Plaats:" @@ -929,18 +754,18 @@ msgstr "Plaats:" msgid "Description:" msgstr "Omschrijving:" -#: ../../Zotlabs/Module/Directory.php:322 ../../include/channel.php:1239 +#: ../../Zotlabs/Module/Directory.php:322 ../../include/channel.php:1223 msgid "Hometown:" msgstr "Oorspronkelijk uit:" -#: ../../Zotlabs/Module/Directory.php:324 ../../include/channel.php:1247 +#: ../../Zotlabs/Module/Directory.php:324 ../../include/channel.php:1231 msgid "About:" msgstr "Over:" #: ../../Zotlabs/Module/Directory.php:325 ../../Zotlabs/Module/Match.php:68 -#: ../../Zotlabs/Module/Suggest.php:56 ../../include/channel.php:1051 -#: ../../include/connections.php:78 ../../include/conversation.php:959 +#: ../../Zotlabs/Module/Suggest.php:56 ../../include/conversation.php:960 #: ../../include/widgets.php:147 ../../include/widgets.php:184 +#: ../../include/channel.php:1034 ../../include/connections.php:78 msgid "Connect" msgstr "Verbinden" @@ -1016,248 +841,27 @@ msgstr "Oud naar nieuw" msgid "No entries (some entries may be hidden)." msgstr "Niets gevonden (sommige kanalen kunnen verborgen zijn)." -#: ../../Zotlabs/Module/Connect.php:61 ../../Zotlabs/Module/Connect.php:109 -msgid "Continue" -msgstr "Ga verder" +#: ../../Zotlabs/Module/Rate.php:159 ../../Zotlabs/Module/Connedit.php:766 +#: ../../include/js_strings.php:20 +msgid "Rating" +msgstr "Beoordeling" -#: ../../Zotlabs/Module/Connect.php:90 -msgid "Premium Channel Setup" -msgstr "Instellen premiumkanaal " +#: ../../Zotlabs/Module/Rate.php:160 +msgid "Website:" +msgstr "Website:" -#: ../../Zotlabs/Module/Connect.php:92 -msgid "Enable premium channel connection restrictions" -msgstr "Restricties voor connecties van premiumkanaal toestaan" +#: ../../Zotlabs/Module/Rate.php:163 +#, php-format +msgid "Remote Channel [%s] (not yet known on this site)" +msgstr "Kanaal op afstand [%s] (nog niet op deze hub bekend)" -#: ../../Zotlabs/Module/Connect.php:93 -msgid "" -"Please enter your restrictions or conditions, such as paypal receipt, usage " -"guidelines, etc." -msgstr "Vul je restricties of voorwaarden in, zoals een paypal-afschrift, voorschriften voor leden, enz." +#: ../../Zotlabs/Module/Rate.php:164 +msgid "Rating (this information is public)" +msgstr "Beoordeling (deze informatie is openbaar)" -#: ../../Zotlabs/Module/Connect.php:95 ../../Zotlabs/Module/Connect.php:115 -msgid "" -"This channel may require additional steps or acknowledgement of the " -"following conditions prior to connecting:" -msgstr "Dit kanaal kan extra stappen of het accepteren van de volgende voorwaarden vereisen, voordat de connectie wordt geaccepteerd:" - -#: ../../Zotlabs/Module/Connect.php:96 -msgid "" -"Potential connections will then see the following text before proceeding:" -msgstr "Mogelijke connecties zullen dan de volgende tekst zien voordat ze verder kunnen:" - -#: ../../Zotlabs/Module/Connect.php:97 ../../Zotlabs/Module/Connect.php:118 -msgid "" -"By continuing, I certify that I have complied with any instructions provided" -" on this page." -msgstr "Door verder te gaan ga ik automatisch akkoord met alle voorwaarden en aanwijzingen op deze pagina." - -#: ../../Zotlabs/Module/Connect.php:106 -msgid "(No specific instructions have been provided by the channel owner.)" -msgstr "(Er zijn geen speciale voorwaarden en aanwijzingen door de kanaal-eigenaar verstrekt) " - -#: ../../Zotlabs/Module/Connect.php:114 -msgid "Restricted or Premium Channel" -msgstr "Beperkt of premiumkanaal" - -#: ../../Zotlabs/Module/Events.php:25 -msgid "Calendar entries imported." -msgstr "Agenda-items geĆÆmporteerd." - -#: ../../Zotlabs/Module/Events.php:27 -msgid "No calendar entries found." -msgstr "Geen agenda-items gevonden." - -#: ../../Zotlabs/Module/Events.php:104 -msgid "Event can not end before it has started." -msgstr "Gebeurtenis kan niet eindigen voordat het is begonnen" - -#: ../../Zotlabs/Module/Events.php:106 ../../Zotlabs/Module/Events.php:115 -#: ../../Zotlabs/Module/Events.php:135 -msgid "Unable to generate preview." -msgstr "Niet in staat om voorvertoning te genereren" - -#: ../../Zotlabs/Module/Events.php:113 -msgid "Event title and start time are required." -msgstr "Titel en begintijd van gebeurtenis zijn vereist." - -#: ../../Zotlabs/Module/Events.php:133 ../../Zotlabs/Module/Events.php:258 -msgid "Event not found." -msgstr "Gebeurtenis niet gevonden" - -#: ../../Zotlabs/Module/Events.php:253 ../../Zotlabs/Module/Like.php:372 -#: ../../Zotlabs/Module/Tagger.php:51 ../../include/conversation.php:123 -#: ../../include/text.php:1924 ../../include/event.php:951 -msgid "event" -msgstr "gebeurtenis" - -#: ../../Zotlabs/Module/Events.php:448 -msgid "Edit event title" -msgstr "Titel bewerken" - -#: ../../Zotlabs/Module/Events.php:448 -msgid "Event title" -msgstr "Titel" - -#: ../../Zotlabs/Module/Events.php:448 ../../Zotlabs/Module/Events.php:453 -#: ../../Zotlabs/Module/Appman.php:115 ../../Zotlabs/Module/Appman.php:116 -#: ../../Zotlabs/Module/Profiles.php:709 ../../Zotlabs/Module/Profiles.php:713 -#: ../../include/datetime.php:245 -msgid "Required" -msgstr "Vereist" - -#: ../../Zotlabs/Module/Events.php:450 -msgid "Categories (comma-separated list)" -msgstr "CategorieĆ«n (door komma's gescheiden lijst)" - -#: ../../Zotlabs/Module/Events.php:451 -msgid "Edit Category" -msgstr "Categorie" - -#: ../../Zotlabs/Module/Events.php:451 -msgid "Category" -msgstr "Categorie" - -#: ../../Zotlabs/Module/Events.php:454 -msgid "Edit start date and time" -msgstr "Begindatum en -tijd bewerken" - -#: ../../Zotlabs/Module/Events.php:454 -msgid "Start date and time" -msgstr "Begindatum en -tijd" - -#: ../../Zotlabs/Module/Events.php:455 ../../Zotlabs/Module/Events.php:458 -msgid "Finish date and time are not known or not relevant" -msgstr "Einddatum en -tijd zijn niet bekend of niet van toepassing" - -#: ../../Zotlabs/Module/Events.php:457 -msgid "Edit finish date and time" -msgstr "Einddatum en -tijd bewerken" - -#: ../../Zotlabs/Module/Events.php:457 -msgid "Finish date and time" -msgstr "Einddatum en -tijd" - -#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:460 -msgid "Adjust for viewer timezone" -msgstr "Aanpassen aan de tijdzone van wie deze gebeurtenis bekijkt" - -#: ../../Zotlabs/Module/Events.php:459 -msgid "" -"Important for events that happen in a particular place. Not practical for " -"global holidays." -msgstr "Belangrijk voor gebeurtenissen die op een bepaalde locatie plaatsvinden. Niet praktisch voor wereldwijde feestdagen." - -#: ../../Zotlabs/Module/Events.php:461 -msgid "Edit Description" -msgstr "Omschrijving bewerken" - -#: ../../Zotlabs/Module/Events.php:461 ../../Zotlabs/Module/Appman.php:117 -#: ../../Zotlabs/Module/Rbmark.php:101 -msgid "Description" -msgstr "Omschrijving" - -#: ../../Zotlabs/Module/Events.php:463 -msgid "Edit Location" -msgstr "Locatie bewerken" - -#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Profiles.php:477 -#: ../../Zotlabs/Module/Profiles.php:698 ../../Zotlabs/Module/Locs.php:117 -#: ../../Zotlabs/Module/Pubsites.php:41 ../../include/js_strings.php:25 -msgid "Location" -msgstr "Locatie" - -#: ../../Zotlabs/Module/Events.php:466 ../../Zotlabs/Module/Events.php:468 -msgid "Share this event" -msgstr "Deel deze gebeurtenis" - -#: ../../Zotlabs/Module/Events.php:469 ../../Zotlabs/Module/Photos.php:1091 -#: ../../Zotlabs/Module/Webpages.php:201 ../../Zotlabs/Lib/ThreadItem.php:719 -#: ../../include/page_widgets.php:43 ../../include/conversation.php:1198 -msgid "Preview" -msgstr "Voorvertoning" - -#: ../../Zotlabs/Module/Events.php:470 ../../include/conversation.php:1247 -msgid "Permission settings" -msgstr "Permissies" - -#: ../../Zotlabs/Module/Events.php:475 -msgid "Advanced Options" -msgstr "Geavanceerde opties" - -#: ../../Zotlabs/Module/Events.php:587 ../../Zotlabs/Module/Cal.php:259 -msgid "l, F j" -msgstr "l j F" - -#: ../../Zotlabs/Module/Events.php:609 -msgid "Edit event" -msgstr "Gebeurtenis bewerken" - -#: ../../Zotlabs/Module/Events.php:611 -msgid "Delete event" -msgstr "Gebeurtenis verwijderen" - -#: ../../Zotlabs/Module/Events.php:636 ../../Zotlabs/Module/Cal.php:308 -#: ../../include/text.php:1712 -msgid "Link to Source" -msgstr "Originele locatie" - -#: ../../Zotlabs/Module/Events.php:645 -msgid "calendar" -msgstr "agenda" - -#: ../../Zotlabs/Module/Events.php:664 ../../Zotlabs/Module/Cal.php:331 -msgid "Edit Event" -msgstr "Gebeurtenis bewerken" - -#: ../../Zotlabs/Module/Events.php:664 ../../Zotlabs/Module/Cal.php:331 -msgid "Create Event" -msgstr "Gebeurtenis aanmaken" - -#: ../../Zotlabs/Module/Events.php:665 ../../Zotlabs/Module/Events.php:674 -#: ../../Zotlabs/Module/Cal.php:332 ../../Zotlabs/Module/Cal.php:339 -#: ../../Zotlabs/Module/Photos.php:947 -msgid "Previous" -msgstr "Vorige" - -#: ../../Zotlabs/Module/Events.php:666 ../../Zotlabs/Module/Events.php:675 -#: ../../Zotlabs/Module/Cal.php:333 ../../Zotlabs/Module/Cal.php:340 -#: ../../Zotlabs/Module/Photos.php:956 ../../Zotlabs/Module/Setup.php:267 -msgid "Next" -msgstr "Volgende" - -#: ../../Zotlabs/Module/Events.php:667 ../../Zotlabs/Module/Cal.php:334 -msgid "Export" -msgstr "Exporteren" - -#: ../../Zotlabs/Module/Events.php:670 ../../Zotlabs/Module/Layouts.php:197 -#: ../../Zotlabs/Module/Pubsites.php:47 ../../Zotlabs/Module/Blocks.php:166 -#: ../../Zotlabs/Module/Webpages.php:200 ../../include/page_widgets.php:42 -msgid "View" -msgstr "Weergeven" - -#: ../../Zotlabs/Module/Events.php:671 -msgid "Month" -msgstr "Maand" - -#: ../../Zotlabs/Module/Events.php:672 -msgid "Week" -msgstr "Week" - -#: ../../Zotlabs/Module/Events.php:673 -msgid "Day" -msgstr "Dag" - -#: ../../Zotlabs/Module/Events.php:676 ../../Zotlabs/Module/Cal.php:341 -msgid "Today" -msgstr "Vandaag" - -#: ../../Zotlabs/Module/Events.php:707 -msgid "Event removed" -msgstr "Gebeurtenis verwijderd" - -#: ../../Zotlabs/Module/Events.php:710 -msgid "Failed to remove event" -msgstr "Verwijderen gebeurtenis mislukt" +#: ../../Zotlabs/Module/Rate.php:165 +msgid "Optionally explain your rating (this information is public)" +msgstr "Verklaar jouw beoordeling (niet verplicht, deze informatie is openbaar)" #: ../../Zotlabs/Module/Bookmarks.php:53 msgid "Bookmark added" @@ -1271,40 +875,51 @@ msgstr "Mijn bladwijzers" msgid "My Connections Bookmarks" msgstr "Bladwijzers van mijn connecties" -#: ../../Zotlabs/Module/Editpost.php:24 ../../Zotlabs/Module/Editlayout.php:79 -#: ../../Zotlabs/Module/Editwebpage.php:80 -#: ../../Zotlabs/Module/Editblock.php:79 ../../Zotlabs/Module/Editblock.php:95 -msgid "Item not found" -msgstr "Item niet gevonden" +#: ../../Zotlabs/Module/Item.php:180 +msgid "Unable to locate original post." +msgstr "Niet in staat om de originele locatie van het bericht te vinden. " -#: ../../Zotlabs/Module/Editpost.php:35 -msgid "Item is not editable" -msgstr "Item is niet te bewerken" +#: ../../Zotlabs/Module/Item.php:433 +msgid "Empty post discarded." +msgstr "Leeg bericht geannuleerd" -#: ../../Zotlabs/Module/Editpost.php:106 ../../Zotlabs/Module/Rpost.php:134 -msgid "Edit post" -msgstr "Bericht bewerken" +#: ../../Zotlabs/Module/Item.php:473 +msgid "Executable content type not permitted to this channel." +msgstr "Uitvoerbare bestanden zijn niet toegestaan op dit kanaal." + +#: ../../Zotlabs/Module/Item.php:858 +msgid "Duplicate post suppressed." +msgstr "Dubbel bericht tegengehouden." + +#: ../../Zotlabs/Module/Item.php:991 +msgid "System error. Post not saved." +msgstr "Systeemfout. Bericht niet opgeslagen." + +#: ../../Zotlabs/Module/Item.php:1112 +msgid "Unable to obtain post information from database." +msgstr "Niet in staat om informatie over dit bericht uit de database te verkrijgen." + +#: ../../Zotlabs/Module/Item.php:1119 +#, php-format +msgid "You have reached your limit of %1$.0f top level posts." +msgstr "Je hebt jouw limiet van %1$.0f berichten bereikt." + +#: ../../Zotlabs/Module/Item.php:1126 +#, php-format +msgid "You have reached your limit of %1$.0f webpages." +msgstr "Je hebt jouw limiet van %1$.0f webpagina's bereikt." #: ../../Zotlabs/Module/Fbrowser.php:29 ../../Zotlabs/Lib/Apps.php:222 -#: ../../include/nav.php:92 ../../include/conversation.php:1647 +#: ../../include/conversation.php:1662 ../../include/nav.php:94 msgid "Photos" msgstr "Foto's" -#: ../../Zotlabs/Module/Fbrowser.php:66 ../../Zotlabs/Module/Fbrowser.php:88 -#: ../../Zotlabs/Module/Admin.php:1406 ../../Zotlabs/Module/Settings.php:645 -#: ../../Zotlabs/Module/Settings.php:671 ../../Zotlabs/Module/Tagrm.php:15 -#: ../../Zotlabs/Module/Tagrm.php:138 ../../Zotlabs/Module/Wiki.php:166 -#: ../../Zotlabs/Module/Wiki.php:202 ../../include/conversation.php:1235 -#: ../../include/conversation.php:1274 -msgid "Cancel" -msgstr "Annuleren" - #: ../../Zotlabs/Module/Page.php:40 ../../Zotlabs/Module/Block.php:31 msgid "Invalid item." msgstr "Ongeldig item." -#: ../../Zotlabs/Module/Page.php:56 ../../Zotlabs/Module/Cal.php:62 -#: ../../Zotlabs/Module/Block.php:43 ../../Zotlabs/Module/Wall_upload.php:33 +#: ../../Zotlabs/Module/Page.php:56 ../../Zotlabs/Module/Block.php:43 +#: ../../Zotlabs/Module/Cal.php:62 ../../Zotlabs/Module/Wall_upload.php:33 msgid "Channel not found." msgstr "Kanaal niet gevonden." @@ -1328,11 +943,347 @@ msgstr "- kies map -" #: ../../Zotlabs/Module/Filer.php:53 ../../Zotlabs/Module/Admin.php:2033 #: ../../Zotlabs/Module/Admin.php:2053 ../../Zotlabs/Module/Rbmark.php:32 -#: ../../Zotlabs/Module/Rbmark.php:104 ../../include/text.php:926 -#: ../../include/text.php:938 ../../include/widgets.php:201 +#: ../../Zotlabs/Module/Rbmark.php:104 ../../include/widgets.php:201 +#: ../../include/text.php:926 ../../include/text.php:938 msgid "Save" msgstr "Opslaan" +#: ../../Zotlabs/Module/Connedit.php:80 +msgid "Could not access contact record." +msgstr "Kon geen toegang krijgen tot de connectie-gegevens." + +#: ../../Zotlabs/Module/Connedit.php:104 +msgid "Could not locate selected profile." +msgstr "Kon het gekozen profiel niet vinden." + +#: ../../Zotlabs/Module/Connedit.php:256 +msgid "Connection updated." +msgstr "Connectie bijgewerkt." + +#: ../../Zotlabs/Module/Connedit.php:258 +msgid "Failed to update connection record." +msgstr "Bijwerken van connectie-gegevens mislukt." + +#: ../../Zotlabs/Module/Connedit.php:308 +msgid "is now connected to" +msgstr "is nu verbonden met" + +#: ../../Zotlabs/Module/Connedit.php:408 ../../Zotlabs/Module/Connedit.php:690 +#: ../../Zotlabs/Module/Filestorage.php:160 +#: ../../Zotlabs/Module/Filestorage.php:168 +#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Mitem.php:162 +#: ../../Zotlabs/Module/Mitem.php:163 ../../Zotlabs/Module/Mitem.php:240 +#: ../../Zotlabs/Module/Mitem.php:241 ../../Zotlabs/Module/Events.php:462 +#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Events.php:472 +#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 +#: ../../Zotlabs/Module/Admin.php:459 ../../Zotlabs/Module/Api.php:85 +#: ../../Zotlabs/Module/Photos.php:664 ../../Zotlabs/Module/Removeme.php:63 +#: ../../Zotlabs/Module/Settings.php:673 ../../include/dir_fns.php:143 +#: ../../include/dir_fns.php:144 ../../include/dir_fns.php:145 +#: ../../view/theme/redbasic/php/config.php:111 +#: ../../view/theme/redbasic/php/config.php:136 ../../boot.php:1717 +msgid "No" +msgstr "Nee" + +#: ../../Zotlabs/Module/Connedit.php:408 +#: ../../Zotlabs/Module/Filestorage.php:160 +#: ../../Zotlabs/Module/Filestorage.php:168 +#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Mitem.php:162 +#: ../../Zotlabs/Module/Mitem.php:163 ../../Zotlabs/Module/Mitem.php:240 +#: ../../Zotlabs/Module/Mitem.php:241 ../../Zotlabs/Module/Events.php:462 +#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Events.php:472 +#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 +#: ../../Zotlabs/Module/Admin.php:461 ../../Zotlabs/Module/Api.php:84 +#: ../../Zotlabs/Module/Photos.php:664 ../../Zotlabs/Module/Removeme.php:63 +#: ../../Zotlabs/Module/Settings.php:673 ../../include/dir_fns.php:143 +#: ../../include/dir_fns.php:144 ../../include/dir_fns.php:145 +#: ../../view/theme/redbasic/php/config.php:111 +#: ../../view/theme/redbasic/php/config.php:136 ../../boot.php:1717 +msgid "Yes" +msgstr "Ja" + +#: ../../Zotlabs/Module/Connedit.php:440 +msgid "Could not access address book record." +msgstr "Kon geen toegang krijgen tot de record van de connectie." + +#: ../../Zotlabs/Module/Connedit.php:460 +msgid "Refresh failed - channel is currently unavailable." +msgstr "Vernieuwen mislukt - kanaal is momenteel niet beschikbaar" + +#: ../../Zotlabs/Module/Connedit.php:475 ../../Zotlabs/Module/Connedit.php:484 +#: ../../Zotlabs/Module/Connedit.php:493 ../../Zotlabs/Module/Connedit.php:502 +#: ../../Zotlabs/Module/Connedit.php:515 +msgid "Unable to set address book parameters." +msgstr "Niet in staat om de parameters van connecties in te stellen." + +#: ../../Zotlabs/Module/Connedit.php:538 +msgid "Connection has been removed." +msgstr "Connectie is verwijderd" + +#: ../../Zotlabs/Module/Connedit.php:554 ../../Zotlabs/Lib/Apps.php:221 +#: ../../include/conversation.php:958 ../../include/nav.php:88 +msgid "View Profile" +msgstr "Profiel weergeven" + +#: ../../Zotlabs/Module/Connedit.php:557 +#, php-format +msgid "View %s's profile" +msgstr "Profiel van %s weergeven" + +#: ../../Zotlabs/Module/Connedit.php:561 +msgid "Refresh Permissions" +msgstr "Permissies vernieuwen" + +#: ../../Zotlabs/Module/Connedit.php:564 +msgid "Fetch updated permissions" +msgstr "Aangepaste permissies ophalen" + +#: ../../Zotlabs/Module/Connedit.php:568 +msgid "Recent Activity" +msgstr "Recente activiteit/berichten" + +#: ../../Zotlabs/Module/Connedit.php:571 +msgid "View recent posts and comments" +msgstr "Recente berichten en reacties weergeven" + +#: ../../Zotlabs/Module/Connedit.php:575 ../../Zotlabs/Module/Admin.php:1041 +msgid "Unblock" +msgstr "Deblokkeren" + +#: ../../Zotlabs/Module/Connedit.php:575 ../../Zotlabs/Module/Admin.php:1040 +msgid "Block" +msgstr "Blokkeren" + +#: ../../Zotlabs/Module/Connedit.php:578 +msgid "Block (or Unblock) all communications with this connection" +msgstr "Blokkeer (of deblokkeer) alle communicatie met deze connectie" + +#: ../../Zotlabs/Module/Connedit.php:579 +msgid "This connection is blocked!" +msgstr "Deze connectie is geblokkeerd!" + +#: ../../Zotlabs/Module/Connedit.php:583 +msgid "Unignore" +msgstr "Niet meer negeren" + +#: ../../Zotlabs/Module/Connedit.php:583 +#: ../../Zotlabs/Module/Connections.php:277 +#: ../../Zotlabs/Module/Notifications.php:55 +msgid "Ignore" +msgstr "Negeren" + +#: ../../Zotlabs/Module/Connedit.php:586 +msgid "Ignore (or Unignore) all inbound communications from this connection" +msgstr "Negeer (of negeer niet meer) alle inkomende communicatie van deze connectie" + +#: ../../Zotlabs/Module/Connedit.php:587 +msgid "This connection is ignored!" +msgstr "Deze connectie wordt genegeerd!" + +#: ../../Zotlabs/Module/Connedit.php:591 +msgid "Unarchive" +msgstr "Niet meer archiveren" + +#: ../../Zotlabs/Module/Connedit.php:591 +msgid "Archive" +msgstr "Archiveren" + +#: ../../Zotlabs/Module/Connedit.php:594 +msgid "" +"Archive (or Unarchive) this connection - mark channel dead but keep content" +msgstr "Archiveer (of dearchiveer) deze connectie - markeer het kanaal als dood, maar bewaar de inhoud" + +#: ../../Zotlabs/Module/Connedit.php:595 +msgid "This connection is archived!" +msgstr "Deze connectie is gearchiveerd!" + +#: ../../Zotlabs/Module/Connedit.php:599 +msgid "Unhide" +msgstr "Niet meer verbergen" + +#: ../../Zotlabs/Module/Connedit.php:599 +msgid "Hide" +msgstr "Verbergen" + +#: ../../Zotlabs/Module/Connedit.php:602 +msgid "Hide or Unhide this connection from your other connections" +msgstr "Deze connectie verbergen (of niet meer verbergen) voor jouw andere connecties" + +#: ../../Zotlabs/Module/Connedit.php:603 +msgid "This connection is hidden!" +msgstr "Deze connectie is verborgen!" + +#: ../../Zotlabs/Module/Connedit.php:610 +msgid "Delete this connection" +msgstr "Deze connectie verwijderen" + +#: ../../Zotlabs/Module/Connedit.php:625 ../../include/widgets.php:493 +msgid "Me" +msgstr "Ik" + +#: ../../Zotlabs/Module/Connedit.php:626 ../../include/widgets.php:494 +msgid "Family" +msgstr "Familie" + +#: ../../Zotlabs/Module/Connedit.php:627 ../../Zotlabs/Module/Settings.php:429 +#: ../../Zotlabs/Module/Settings.php:433 ../../Zotlabs/Module/Settings.php:434 +#: ../../Zotlabs/Module/Settings.php:437 ../../Zotlabs/Module/Settings.php:448 +#: ../../include/selectors.php:123 ../../include/widgets.php:495 +#: ../../include/channel.php:402 ../../include/channel.php:403 +#: ../../include/channel.php:410 +msgid "Friends" +msgstr "Vrienden" + +#: ../../Zotlabs/Module/Connedit.php:628 ../../include/widgets.php:496 +msgid "Acquaintances" +msgstr "Kennissen" + +#: ../../Zotlabs/Module/Connedit.php:629 +#: ../../Zotlabs/Module/Connections.php:92 +#: ../../Zotlabs/Module/Connections.php:107 ../../include/widgets.php:497 +msgid "All" +msgstr "Alles" + +#: ../../Zotlabs/Module/Connedit.php:690 +msgid "Approve this connection" +msgstr "Deze connectie accepteren" + +#: ../../Zotlabs/Module/Connedit.php:690 +msgid "Accept connection to allow communication" +msgstr "Keur deze connectie goed om communicatie toe te staan" + +#: ../../Zotlabs/Module/Connedit.php:695 +msgid "Set Affinity" +msgstr "Verwantschapsfilter instellen" + +#: ../../Zotlabs/Module/Connedit.php:698 +msgid "Set Profile" +msgstr "Profiel instellen" + +#: ../../Zotlabs/Module/Connedit.php:701 +msgid "Set Affinity & Profile" +msgstr "Verwantschapsfilter en profiel instellen" + +#: ../../Zotlabs/Module/Connedit.php:750 +msgid "none" +msgstr "geen" + +#: ../../Zotlabs/Module/Connedit.php:754 ../../include/widgets.php:623 +msgid "Connection Default Permissions" +msgstr "Standaard permissies voor connecties" + +#: ../../Zotlabs/Module/Connedit.php:754 ../../include/items.php:3937 +#, php-format +msgid "Connection: %s" +msgstr "Connectie: %s" + +#: ../../Zotlabs/Module/Connedit.php:755 +msgid "Apply these permissions automatically" +msgstr "Deze permissies automatisch toepassen" + +#: ../../Zotlabs/Module/Connedit.php:755 +msgid "Connection requests will be approved without your interaction" +msgstr "Connectieverzoeken zullen automatisch worden geaccepteerd" + +#: ../../Zotlabs/Module/Connedit.php:757 +msgid "This connection's primary address is" +msgstr "Het primaire kanaaladres van deze connectie is" + +#: ../../Zotlabs/Module/Connedit.php:758 +msgid "Available locations:" +msgstr "Beschikbare locaties:" + +#: ../../Zotlabs/Module/Connedit.php:762 +msgid "" +"The permissions indicated on this page will be applied to all new " +"connections." +msgstr "Permissies die op deze pagina staan vermeld worden op alle nieuwe connecties toegepast." + +#: ../../Zotlabs/Module/Connedit.php:763 +msgid "Connection Tools" +msgstr "Hulpmiddelen" + +#: ../../Zotlabs/Module/Connedit.php:765 +msgid "Slide to adjust your degree of friendship" +msgstr "Schuif om te bepalen hoe goed je iemand kent en/of mag" + +#: ../../Zotlabs/Module/Connedit.php:767 +msgid "Slide to adjust your rating" +msgstr "Gebruik de schuif om je beoordeling te geven" + +#: ../../Zotlabs/Module/Connedit.php:768 ../../Zotlabs/Module/Connedit.php:773 +msgid "Optionally explain your rating" +msgstr "Verklaar jouw beoordeling (niet verplicht)" + +#: ../../Zotlabs/Module/Connedit.php:770 +msgid "Custom Filter" +msgstr "Berichtenfilter" + +#: ../../Zotlabs/Module/Connedit.php:771 +msgid "Only import posts with this text" +msgstr "Importeer alleen berichten met deze tekst" + +#: ../../Zotlabs/Module/Connedit.php:771 ../../Zotlabs/Module/Connedit.php:772 +msgid "" +"words one per line or #tags or /patterns/ or lang=xx, leave blank to import " +"all posts" +msgstr "woorden (ƩƩn per regel), #tags, /regex/ of talen (lang=iso639-1) - laat leeg om alle berichten te importeren" + +#: ../../Zotlabs/Module/Connedit.php:772 +msgid "Do not import posts with this text" +msgstr "Importeer geen berichten met deze tekst" + +#: ../../Zotlabs/Module/Connedit.php:774 +msgid "This information is public!" +msgstr "Deze informatie is openbaar!" + +#: ../../Zotlabs/Module/Connedit.php:779 +msgid "Connection Pending Approval" +msgstr "Connectie moet nog geaccepteerd worden" + +#: ../../Zotlabs/Module/Connedit.php:782 ../../Zotlabs/Module/Settings.php:882 +msgid "inherited" +msgstr "geĆ«rfd" + +#: ../../Zotlabs/Module/Connedit.php:784 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Kies het profiel dat je aan %s wil tonen wanneer hij/zij ingelogd jouw profiel wil bekijken." + +#: ../../Zotlabs/Module/Connedit.php:786 ../../Zotlabs/Module/Settings.php:879 +msgid "Their Settings" +msgstr "Hun instellingen" + +#: ../../Zotlabs/Module/Connedit.php:787 ../../Zotlabs/Module/Settings.php:880 +msgid "My Settings" +msgstr "Mijn instellingen" + +#: ../../Zotlabs/Module/Connedit.php:789 ../../Zotlabs/Module/Settings.php:884 +msgid "Individual Permissions" +msgstr "Individuele permissies" + +#: ../../Zotlabs/Module/Connedit.php:790 ../../Zotlabs/Module/Settings.php:885 +msgid "" +"Some permissions may be inherited from your channel's privacy settings, which have higher " +"priority than individual settings. You can not change those" +" settings here." +msgstr "Sommige permissies worden mogelijk overgeĆ«rfd van de privacy-instellingen van jouw kanaal, die een hogere prioriteit hebben dan deze individuele instellingen. Je kan je deze overgeĆ«rfde permissies hier niet veranderen." + +#: ../../Zotlabs/Module/Connedit.php:791 +msgid "" +"Some permissions may be inherited from your channel's privacy settings, which have higher " +"priority than individual settings. You can change those settings here but " +"they wont have any impact unless the inherited setting changes." +msgstr "Sommige permissies worden mogelijk overgeĆ«rfd van de privacy-instellingen van jouw kanaal, die een hogere prioriteit hebben dan deze individuele permissies. Je kan de permissies hier veranderen, maar die hebben geen effect, tenzij de overgeĆ«rfde permissies worden veranderd. " + +#: ../../Zotlabs/Module/Connedit.php:792 +msgid "Last update:" +msgstr "Laatste wijziging:" + #: ../../Zotlabs/Module/Connections.php:56 #: ../../Zotlabs/Module/Connections.php:161 #: ../../Zotlabs/Module/Connections.php:242 @@ -1359,7 +1310,7 @@ msgstr "Gearchiveerd" #: ../../Zotlabs/Module/Connections.php:76 #: ../../Zotlabs/Module/Connections.php:86 ../../Zotlabs/Module/Menu.php:116 -#: ../../include/conversation.php:1550 +#: ../../include/conversation.php:1565 msgid "New" msgstr "Nieuw" @@ -1447,14 +1398,14 @@ msgid "Recent activity" msgstr "Recente activiteit" #: ../../Zotlabs/Module/Connections.php:302 ../../Zotlabs/Lib/Apps.php:209 -#: ../../include/nav.php:188 ../../include/text.php:855 +#: ../../include/nav.php:190 ../../include/text.php:855 msgid "Connections" msgstr "Connecties" #: ../../Zotlabs/Module/Connections.php:306 ../../Zotlabs/Module/Search.php:44 -#: ../../Zotlabs/Lib/Apps.php:230 ../../include/nav.php:167 +#: ../../Zotlabs/Lib/Apps.php:230 ../../include/nav.php:169 #: ../../include/text.php:925 ../../include/text.php:937 -#: ../../include/acl_selectors.php:274 +#: ../../include/acl_selectors.php:179 msgid "Search" msgstr "Zoeken" @@ -1496,30 +1447,30 @@ msgstr "Uploaden afbeelding mislukt" msgid "Unable to process image." msgstr "Niet in staat om afbeelding te verwerken." -#: ../../Zotlabs/Module/Cover_photo.php:233 ../../include/items.php:4283 +#: ../../Zotlabs/Module/Cover_photo.php:233 ../../include/items.php:4285 msgid "female" msgstr "vrouw" -#: ../../Zotlabs/Module/Cover_photo.php:234 ../../include/items.php:4284 +#: ../../Zotlabs/Module/Cover_photo.php:234 ../../include/items.php:4286 #, php-format msgid "%1$s updated her %2$s" msgstr "%1$s heeft haar %2$s bijgewerkt" -#: ../../Zotlabs/Module/Cover_photo.php:235 ../../include/items.php:4285 +#: ../../Zotlabs/Module/Cover_photo.php:235 ../../include/items.php:4287 msgid "male" msgstr "man" -#: ../../Zotlabs/Module/Cover_photo.php:236 ../../include/items.php:4286 +#: ../../Zotlabs/Module/Cover_photo.php:236 ../../include/items.php:4288 #, php-format msgid "%1$s updated his %2$s" msgstr "%1$s heeft zijn %2$s bijgewerkt" -#: ../../Zotlabs/Module/Cover_photo.php:238 ../../include/items.php:4288 +#: ../../Zotlabs/Module/Cover_photo.php:238 ../../include/items.php:4290 #, php-format msgid "%1$s updated their %2$s" msgstr "De %2$s van %1$s is bijgewerkt" -#: ../../Zotlabs/Module/Cover_photo.php:240 ../../include/channel.php:1726 +#: ../../Zotlabs/Module/Cover_photo.php:240 ../../include/channel.php:1710 msgid "cover photo" msgstr "omslagfoto" @@ -1546,7 +1497,7 @@ msgstr "Omslagfoto uploaden" #: ../../Zotlabs/Module/Cover_photo.php:361 #: ../../Zotlabs/Module/Profile_photo.php:396 -#: ../../Zotlabs/Module/Settings.php:1080 +#: ../../Zotlabs/Module/Settings.php:1180 msgid "or" msgstr "of" @@ -1575,835 +1526,6 @@ msgstr "Snij de afbeelding zo uit dat deze optimaal wordt weergegeven." msgid "Done Editing" msgstr "Klaar met bewerken" -#: ../../Zotlabs/Module/Impel.php:41 ../../include/bbcode.php:192 -msgid "webpage" -msgstr "Webpagina" - -#: ../../Zotlabs/Module/Impel.php:46 ../../include/bbcode.php:198 -msgid "block" -msgstr "blok" - -#: ../../Zotlabs/Module/Impel.php:51 ../../include/bbcode.php:195 -msgid "layout" -msgstr "lay-out" - -#: ../../Zotlabs/Module/Impel.php:58 ../../include/bbcode.php:201 -msgid "menu" -msgstr "menu" - -#: ../../Zotlabs/Module/Impel.php:187 -#, php-format -msgid "%s element installed" -msgstr "%s onderdeel geĆÆnstalleerd" - -#: ../../Zotlabs/Module/Impel.php:190 -#, php-format -msgid "%s element installation failed" -msgstr "Installatie %s-element mislukt" - -#: ../../Zotlabs/Module/Cal.php:69 -msgid "Permissions denied." -msgstr "Permissies niet toegestaan" - -#: ../../Zotlabs/Module/Cal.php:337 -msgid "Import" -msgstr "Importeren" - -#: ../../Zotlabs/Module/Dirsearch.php:25 ../../Zotlabs/Module/Regdir.php:49 -msgid "This site is not a directory server" -msgstr "Deze hub is geen kanalengidshub (directoryserver)" - -#: ../../Zotlabs/Module/Dirsearch.php:33 -msgid "This directory server requires an access token" -msgstr "Deze kanalengidshub (directoryserver) heeft een toegangs-token nodig" - -#: ../../Zotlabs/Module/Chat.php:25 ../../Zotlabs/Module/Channel.php:28 -#: ../../Zotlabs/Module/Wiki.php:20 -msgid "You must be logged in to see this page." -msgstr "Je moet zijn ingelogd om deze pagina te kunnen bekijken." - -#: ../../Zotlabs/Module/Chat.php:181 -msgid "Room not found" -msgstr "Chatkanaal niet gevonden" - -#: ../../Zotlabs/Module/Chat.php:197 -msgid "Leave Room" -msgstr "Chatkanaal verlaten" - -#: ../../Zotlabs/Module/Chat.php:198 -msgid "Delete Room" -msgstr "Chatkanaal verwijderen" - -#: ../../Zotlabs/Module/Chat.php:199 -msgid "I am away right now" -msgstr "Ik ben momenteel afwezig" - -#: ../../Zotlabs/Module/Chat.php:200 -msgid "I am online" -msgstr "Ik ben online" - -#: ../../Zotlabs/Module/Chat.php:202 -msgid "Bookmark this room" -msgstr "Chatkanaal aan bladwijzers toevoegen" - -#: ../../Zotlabs/Module/Chat.php:205 ../../Zotlabs/Module/Mail.php:197 -#: ../../Zotlabs/Module/Mail.php:306 ../../include/conversation.php:1181 -msgid "Please enter a link URL:" -msgstr "Vul een URL in:" - -#: ../../Zotlabs/Module/Chat.php:206 ../../Zotlabs/Module/Mail.php:250 -#: ../../Zotlabs/Module/Mail.php:375 ../../Zotlabs/Lib/ThreadItem.php:722 -#: ../../include/conversation.php:1271 -msgid "Encrypt text" -msgstr "Tekst versleutelen" - -#: ../../Zotlabs/Module/Chat.php:207 ../../Zotlabs/Module/Editwebpage.php:146 -#: ../../Zotlabs/Module/Mail.php:244 ../../Zotlabs/Module/Mail.php:369 -#: ../../Zotlabs/Module/Editblock.php:111 ../../include/conversation.php:1146 -msgid "Insert web link" -msgstr "Weblink invoegen" - -#: ../../Zotlabs/Module/Chat.php:218 -msgid "Feature disabled." -msgstr "Functie uitgeschakeld." - -#: ../../Zotlabs/Module/Chat.php:232 -msgid "New Chatroom" -msgstr "Nieuw chatkanaal" - -#: ../../Zotlabs/Module/Chat.php:233 -msgid "Chatroom name" -msgstr "Naam chatkanaal" - -#: ../../Zotlabs/Module/Chat.php:234 -msgid "Expiration of chats (minutes)" -msgstr "Aantal minuten voordat chatberichten worden verwijderd" - -#: ../../Zotlabs/Module/Chat.php:235 ../../Zotlabs/Module/Filestorage.php:152 -#: ../../Zotlabs/Module/Photos.php:669 ../../Zotlabs/Module/Photos.php:1043 -#: ../../Zotlabs/Module/Thing.php:313 ../../Zotlabs/Module/Thing.php:359 -#: ../../include/acl_selectors.php:281 -msgid "Permissions" -msgstr "Permissies" - -#: ../../Zotlabs/Module/Chat.php:246 -#, php-format -msgid "%1$s's Chatrooms" -msgstr "Chatkanalen van %1$s" - -#: ../../Zotlabs/Module/Chat.php:251 -msgid "No chatrooms available" -msgstr "Geen chatkanalen beschikbaar" - -#: ../../Zotlabs/Module/Chat.php:252 ../../Zotlabs/Module/Profiles.php:778 -#: ../../Zotlabs/Module/Manage.php:143 -msgid "Create New" -msgstr "Nieuwe aanmaken" - -#: ../../Zotlabs/Module/Chat.php:255 -msgid "Expiration" -msgstr "Verloopt na" - -#: ../../Zotlabs/Module/Chat.php:256 -msgid "min" -msgstr "min" - -#: ../../Zotlabs/Module/Dreport.php:44 -msgid "Invalid message" -msgstr "Ongeldig bericht" - -#: ../../Zotlabs/Module/Dreport.php:76 -msgid "no results" -msgstr "geen resultaten" - -#: ../../Zotlabs/Module/Dreport.php:91 -msgid "channel sync processed" -msgstr "kanaalsync verwerkt" - -#: ../../Zotlabs/Module/Dreport.php:95 -msgid "queued" -msgstr "in wachtrij" - -#: ../../Zotlabs/Module/Dreport.php:99 -msgid "posted" -msgstr "verstuurd" - -#: ../../Zotlabs/Module/Dreport.php:103 -msgid "accepted for delivery" -msgstr "geaccepteerd om afgeleverd te worden" - -#: ../../Zotlabs/Module/Dreport.php:107 -msgid "updated" -msgstr "geüpdatet" - -#: ../../Zotlabs/Module/Dreport.php:110 -msgid "update ignored" -msgstr "update genegeerd" - -#: ../../Zotlabs/Module/Dreport.php:113 -msgid "permission denied" -msgstr "toegang geweigerd" - -#: ../../Zotlabs/Module/Dreport.php:117 -msgid "recipient not found" -msgstr "ontvanger niet gevonden" - -#: ../../Zotlabs/Module/Dreport.php:120 -msgid "mail recalled" -msgstr "PrivĆ©bericht ingetrokken" - -#: ../../Zotlabs/Module/Dreport.php:123 -msgid "duplicate mail received" -msgstr "dubbel privĆ©bericht ontvangen" - -#: ../../Zotlabs/Module/Dreport.php:126 -msgid "mail delivered" -msgstr "privĆ©bericht afgeleverd" - -#: ../../Zotlabs/Module/Dreport.php:146 -#, php-format -msgid "Delivery report for %1$s" -msgstr "Afleveringsrapport voor %1$s" - -#: ../../Zotlabs/Module/Dreport.php:149 -msgid "Options" -msgstr "Opties" - -#: ../../Zotlabs/Module/Dreport.php:150 -msgid "Redeliver" -msgstr "Opnieuw afleveren" - -#: ../../Zotlabs/Module/Editlayout.php:127 -#: ../../Zotlabs/Module/Layouts.php:128 ../../Zotlabs/Module/Layouts.php:188 -msgid "Layout Name" -msgstr "Naam lay-out" - -#: ../../Zotlabs/Module/Editlayout.php:128 -#: ../../Zotlabs/Module/Layouts.php:131 -msgid "Layout Description (Optional)" -msgstr "Lay-out-omschrijving (optioneel)" - -#: ../../Zotlabs/Module/Editlayout.php:136 -msgid "Edit Layout" -msgstr "Lay-out bewerken" - -#: ../../Zotlabs/Module/Editwebpage.php:142 -msgid "Page link" -msgstr "Paginalink" - -#: ../../Zotlabs/Module/Editwebpage.php:168 -msgid "Edit Webpage" -msgstr "Webpagina bewerken" - -#: ../../Zotlabs/Module/Group.php:24 -msgid "Privacy group created." -msgstr "Privacygroep aangemaakt" - -#: ../../Zotlabs/Module/Group.php:30 -msgid "Could not create privacy group." -msgstr "Kon privacygroep niet aanmaken" - -#: ../../Zotlabs/Module/Group.php:42 ../../Zotlabs/Module/Group.php:141 -#: ../../include/items.php:3902 -msgid "Privacy group not found." -msgstr "Privacygroep niet gevonden" - -#: ../../Zotlabs/Module/Group.php:58 -msgid "Privacy group updated." -msgstr "Privacygroep bijgewerkt" - -#: ../../Zotlabs/Module/Group.php:90 -msgid "Create a group of channels." -msgstr "Privacygroep met kanalen aanmaken" - -#: ../../Zotlabs/Module/Group.php:91 ../../Zotlabs/Module/Group.php:184 -msgid "Privacy group name: " -msgstr "Naam privacygroep: " - -#: ../../Zotlabs/Module/Group.php:93 ../../Zotlabs/Module/Group.php:187 -msgid "Members are visible to other channels" -msgstr "Kanalen in deze privacygroep zijn zichtbaar voor andere kanalen" - -#: ../../Zotlabs/Module/Group.php:111 -msgid "Privacy group removed." -msgstr "Privacygroep verwijderd." - -#: ../../Zotlabs/Module/Group.php:113 -msgid "Unable to remove privacy group." -msgstr "Verwijderen privacygroep mislukt" - -#: ../../Zotlabs/Module/Group.php:183 -msgid "Privacy group editor" -msgstr "Privacygroep bewerken" - -#: ../../Zotlabs/Module/Group.php:197 -msgid "Members" -msgstr "Kanalen" - -#: ../../Zotlabs/Module/Group.php:199 -msgid "All Connected Channels" -msgstr "Alle kanaalconnecties" - -#: ../../Zotlabs/Module/Group.php:231 -msgid "Click on a channel to add or remove." -msgstr "Klik op een kanaal om deze toe te voegen of te verwijderen." - -#: ../../Zotlabs/Module/Appman.php:37 ../../Zotlabs/Module/Appman.php:53 -msgid "App installed." -msgstr "App geĆÆnstalleerd" - -#: ../../Zotlabs/Module/Appman.php:46 -msgid "Malformed app." -msgstr "Misvormde app." - -#: ../../Zotlabs/Module/Appman.php:104 -msgid "Embed code" -msgstr "Insluitcode" - -#: ../../Zotlabs/Module/Appman.php:110 ../../include/widgets.php:107 -msgid "Edit App" -msgstr "App bewerken" - -#: ../../Zotlabs/Module/Appman.php:110 -msgid "Create App" -msgstr "App maken" - -#: ../../Zotlabs/Module/Appman.php:115 -msgid "Name of app" -msgstr "Naam van app" - -#: ../../Zotlabs/Module/Appman.php:116 -msgid "Location (URL) of app" -msgstr "Locatie (URL) van app" - -#: ../../Zotlabs/Module/Appman.php:118 -msgid "Photo icon URL" -msgstr "URL van pictogram" - -#: ../../Zotlabs/Module/Appman.php:118 -msgid "80 x 80 pixels - optional" -msgstr "80 x 80 pixels (optioneel)" - -#: ../../Zotlabs/Module/Appman.php:119 -msgid "Categories (optional, comma separated list)" -msgstr "CategorieĆ«n (optioneel, door komma's gescheiden lijst)" - -#: ../../Zotlabs/Module/Appman.php:120 -msgid "Version ID" -msgstr "Versie-ID" - -#: ../../Zotlabs/Module/Appman.php:121 -msgid "Price of app" -msgstr "Prijs van de app" - -#: ../../Zotlabs/Module/Appman.php:122 -msgid "Location (URL) to purchase app" -msgstr "Locatie (URL) om de app aan te schaffen" - -#: ../../Zotlabs/Module/Help.php:26 -msgid "Documentation Search" -msgstr "Zoek documentatie" - -#: ../../Zotlabs/Module/Help.php:67 ../../Zotlabs/Module/Help.php:73 -#: ../../Zotlabs/Module/Help.php:79 -msgid "Help:" -msgstr "Hulp:" - -#: ../../Zotlabs/Module/Help.php:85 ../../Zotlabs/Module/Help.php:90 -#: ../../Zotlabs/Module/Layouts.php:185 ../../Zotlabs/Lib/Apps.php:225 -#: ../../include/nav.php:161 -msgid "Help" -msgstr "Hulp" - -#: ../../Zotlabs/Module/Help.php:120 -msgid "$Projectname Documentation" -msgstr "$Projectname-documentatie" - -#: ../../Zotlabs/Module/Attach.php:13 -msgid "Item not available." -msgstr "Item is niet aanwezig." - -#: ../../Zotlabs/Module/Pdledit.php:18 -msgid "Layout updated." -msgstr "Lay-out bijgewerkt." - -#: ../../Zotlabs/Module/Pdledit.php:34 ../../Zotlabs/Module/Pdledit.php:61 -msgid "Edit System Page Description" -msgstr "Systeempagina's bewerken" - -#: ../../Zotlabs/Module/Pdledit.php:56 -msgid "Layout not found." -msgstr "Lay-out niet gevonden." - -#: ../../Zotlabs/Module/Pdledit.php:62 -msgid "Module Name:" -msgstr "Modulenaam:" - -#: ../../Zotlabs/Module/Pdledit.php:63 -msgid "Layout Help" -msgstr "Lay-out-hulp" - -#: ../../Zotlabs/Module/Ffsapi.php:12 -msgid "Share content from Firefox to $Projectname" -msgstr "Deel webpagina's vanuit Firefox met " - -#: ../../Zotlabs/Module/Ffsapi.php:15 -msgid "Activate the Firefox $Projectname provider" -msgstr "Activeer de $Projectname-service in Firefox" - -#: ../../Zotlabs/Module/Acl.php:312 -msgid "network" -msgstr "netwerk" - -#: ../../Zotlabs/Module/Acl.php:322 -msgid "RSS" -msgstr "RSS" - -#: ../../Zotlabs/Module/Filestorage.php:87 -msgid "Permission Denied." -msgstr "Toegang geweigerd" - -#: ../../Zotlabs/Module/Filestorage.php:103 -msgid "File not found." -msgstr "Bestand niet gevonden." - -#: ../../Zotlabs/Module/Filestorage.php:146 -msgid "Edit file permissions" -msgstr "Bestandsrechten bewerken" - -#: ../../Zotlabs/Module/Filestorage.php:155 -msgid "Set/edit permissions" -msgstr "Rechten instellen/bewerken" - -#: ../../Zotlabs/Module/Filestorage.php:156 -msgid "Include all files and sub folders" -msgstr "Toepassen op alle bestanden en submappen" - -#: ../../Zotlabs/Module/Filestorage.php:157 -msgid "Return to file list" -msgstr "Terugkeren naar bestandlijst " - -#: ../../Zotlabs/Module/Filestorage.php:159 -msgid "Copy/paste this code to attach file to a post" -msgstr "Kopieer/plak deze code om het bestand aan een bericht te koppelen" - -#: ../../Zotlabs/Module/Filestorage.php:160 -msgid "Copy/paste this URL to link file from a web page" -msgstr "Kopieer/plak deze URL om het bestand aan een externe webpagina te koppelen" - -#: ../../Zotlabs/Module/Filestorage.php:162 -msgid "Share this file" -msgstr "Dit bestand delen" - -#: ../../Zotlabs/Module/Filestorage.php:163 -msgid "Show URL to this file" -msgstr "Toon URL van dit bestand" - -#: ../../Zotlabs/Module/Filestorage.php:164 -msgid "Notify your contacts about this file" -msgstr "Jouw connecties over dit bestand berichten" - -#: ../../Zotlabs/Module/Layouts.php:183 ../../include/text.php:2240 -msgid "Layouts" -msgstr "Lay-outs" - -#: ../../Zotlabs/Module/Layouts.php:185 -msgid "Comanche page description language help" -msgstr "Hulp met de paginabeschrijvingstaal Comanche" - -#: ../../Zotlabs/Module/Layouts.php:189 -msgid "Layout Description" -msgstr "Lay-out-omschrijving" - -#: ../../Zotlabs/Module/Layouts.php:190 ../../Zotlabs/Module/Menu.php:114 -#: ../../Zotlabs/Module/Blocks.php:157 ../../Zotlabs/Module/Webpages.php:205 -#: ../../include/page_widgets.php:47 -msgid "Created" -msgstr "Aangemaakt" - -#: ../../Zotlabs/Module/Layouts.php:191 ../../Zotlabs/Module/Menu.php:115 -#: ../../Zotlabs/Module/Blocks.php:158 ../../Zotlabs/Module/Webpages.php:206 -#: ../../include/page_widgets.php:48 -msgid "Edited" -msgstr "Bewerkt" - -#: ../../Zotlabs/Module/Layouts.php:193 ../../Zotlabs/Module/Photos.php:1070 -#: ../../Zotlabs/Module/Blocks.php:161 ../../Zotlabs/Module/Webpages.php:195 -#: ../../include/conversation.php:1219 -msgid "Share" -msgstr "Delen" - -#: ../../Zotlabs/Module/Layouts.php:194 -msgid "Download PDL file" -msgstr "Download PDL-bestand" - -#: ../../Zotlabs/Module/Like.php:19 -msgid "Like/Dislike" -msgstr "Leuk/niet leuk" - -#: ../../Zotlabs/Module/Like.php:24 -msgid "This action is restricted to members." -msgstr "Deze actie kan alleen door $Projectname-leden worden uitgevoerd." - -#: ../../Zotlabs/Module/Like.php:25 -msgid "" -"Please login with your $Projectname ID or register as a new $Projectname member to continue." -msgstr "Je dient in te loggen met je $Projectname-account of een nieuw $Projectname-account aan te maken om verder te kunnen gaan." - -#: ../../Zotlabs/Module/Like.php:105 ../../Zotlabs/Module/Like.php:131 -#: ../../Zotlabs/Module/Like.php:169 -msgid "Invalid request." -msgstr "Ongeldig verzoek" - -#: ../../Zotlabs/Module/Like.php:117 ../../include/conversation.php:126 -msgid "channel" -msgstr "kanaal" - -#: ../../Zotlabs/Module/Like.php:146 -msgid "thing" -msgstr "ding" - -#: ../../Zotlabs/Module/Like.php:192 -msgid "Channel unavailable." -msgstr "Kanaal niet beschikbaar." - -#: ../../Zotlabs/Module/Like.php:240 -msgid "Previous action reversed." -msgstr "Vorige actie omgedraaid" - -#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 -#: ../../Zotlabs/Module/Tagger.php:47 ../../include/conversation.php:120 -#: ../../include/text.php:1921 -msgid "photo" -msgstr "foto" - -#: ../../Zotlabs/Module/Like.php:370 ../../Zotlabs/Module/Subthread.php:87 -#: ../../include/conversation.php:148 ../../include/text.php:1927 -msgid "status" -msgstr "bericht" - -#: ../../Zotlabs/Module/Like.php:419 ../../include/conversation.php:164 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s vindt %3$s van %2$s leuk" - -#: ../../Zotlabs/Module/Like.php:421 ../../include/conversation.php:167 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s vindt %3$s van %2$s niet leuk" - -#: ../../Zotlabs/Module/Like.php:423 -#, php-format -msgid "%1$s agrees with %2$s's %3$s" -msgstr "%1$s is het eens met %2$s's %3$s" - -#: ../../Zotlabs/Module/Like.php:425 -#, php-format -msgid "%1$s doesn't agree with %2$s's %3$s" -msgstr "%1$s is het niet eens met %2$s's %3$s" - -#: ../../Zotlabs/Module/Like.php:427 -#, php-format -msgid "%1$s abstains from a decision on %2$s's %3$s" -msgstr "%1$s onthoudt zich van een besluit over %2$s's %3$s" - -#: ../../Zotlabs/Module/Like.php:429 -#, php-format -msgid "%1$s is attending %2$s's %3$s" -msgstr "%1$s is aanwezig op %2$s's %3$s" - -#: ../../Zotlabs/Module/Like.php:431 -#, php-format -msgid "%1$s is not attending %2$s's %3$s" -msgstr "%1$s is niet aanwezig op %2$s's %3$s" - -#: ../../Zotlabs/Module/Like.php:433 -#, php-format -msgid "%1$s may attend %2$s's %3$s" -msgstr "%1$s is mogelijk aanwezig op %2$s's %3$s" - -#: ../../Zotlabs/Module/Like.php:536 -msgid "Action completed." -msgstr "Actie voltooid" - -#: ../../Zotlabs/Module/Like.php:537 -msgid "Thank you." -msgstr "Bedankt" - -#: ../../Zotlabs/Module/Profiles.php:24 ../../Zotlabs/Module/Profiles.php:189 -#: ../../Zotlabs/Module/Profiles.php:246 ../../Zotlabs/Module/Profiles.php:625 -msgid "Profile not found." -msgstr "Profiel niet gevonden." - -#: ../../Zotlabs/Module/Profiles.php:44 -msgid "Profile deleted." -msgstr "Profiel verwijderd." - -#: ../../Zotlabs/Module/Profiles.php:68 ../../Zotlabs/Module/Profiles.php:104 -msgid "Profile-" -msgstr "Profiel-" - -#: ../../Zotlabs/Module/Profiles.php:89 ../../Zotlabs/Module/Profiles.php:132 -msgid "New profile created." -msgstr "Nieuw profiel aangemaakt." - -#: ../../Zotlabs/Module/Profiles.php:110 -msgid "Profile unavailable to clone." -msgstr "Profiel niet beschikbaar om te klonen" - -#: ../../Zotlabs/Module/Profiles.php:151 -msgid "Profile unavailable to export." -msgstr "Geen profiel beschikbaar om te exporteren" - -#: ../../Zotlabs/Module/Profiles.php:256 -msgid "Profile Name is required." -msgstr "Profielnaam is vereist" - -#: ../../Zotlabs/Module/Profiles.php:427 -msgid "Marital Status" -msgstr "Huwelijke status" - -#: ../../Zotlabs/Module/Profiles.php:431 -msgid "Romantic Partner" -msgstr "Romantische partner" - -#: ../../Zotlabs/Module/Profiles.php:435 ../../Zotlabs/Module/Profiles.php:736 -msgid "Likes" -msgstr "Houdt van" - -#: ../../Zotlabs/Module/Profiles.php:439 ../../Zotlabs/Module/Profiles.php:737 -msgid "Dislikes" -msgstr "Houdt niet van" - -#: ../../Zotlabs/Module/Profiles.php:443 ../../Zotlabs/Module/Profiles.php:744 -msgid "Work/Employment" -msgstr "Werk/arbeid" - -#: ../../Zotlabs/Module/Profiles.php:446 -msgid "Religion" -msgstr "Religie" - -#: ../../Zotlabs/Module/Profiles.php:450 -msgid "Political Views" -msgstr "Politieke overtuigingen" - -#: ../../Zotlabs/Module/Profiles.php:458 -msgid "Sexual Preference" -msgstr "Seksuele voorkeur" - -#: ../../Zotlabs/Module/Profiles.php:462 -msgid "Homepage" -msgstr "Homepage" - -#: ../../Zotlabs/Module/Profiles.php:466 -msgid "Interests" -msgstr "Interesses" - -#: ../../Zotlabs/Module/Profiles.php:470 ../../Zotlabs/Module/Locs.php:118 -#: ../../Zotlabs/Module/Admin.php:1224 -msgid "Address" -msgstr "Kanaaladres" - -#: ../../Zotlabs/Module/Profiles.php:560 -msgid "Profile updated." -msgstr "Profiel bijgewerkt" - -#: ../../Zotlabs/Module/Profiles.php:644 -msgid "Hide your connections list from viewers of this profile" -msgstr "Laat de lijst met connecties niet aan bezoekers van dit profiel zien." - -#: ../../Zotlabs/Module/Profiles.php:686 -msgid "Edit Profile Details" -msgstr "Profiel bewerken" - -#: ../../Zotlabs/Module/Profiles.php:688 -msgid "View this profile" -msgstr "Profiel weergeven" - -#: ../../Zotlabs/Module/Profiles.php:689 ../../Zotlabs/Module/Profiles.php:771 -#: ../../include/channel.php:998 -msgid "Edit visibility" -msgstr "Zichtbaarheid bewerken" - -#: ../../Zotlabs/Module/Profiles.php:690 -msgid "Profile Tools" -msgstr "Hulpmiddelen" - -#: ../../Zotlabs/Module/Profiles.php:691 -msgid "Change cover photo" -msgstr "Omslagfoto wijzigen" - -#: ../../Zotlabs/Module/Profiles.php:692 ../../include/channel.php:969 -msgid "Change profile photo" -msgstr "Profielfoto veranderen" - -#: ../../Zotlabs/Module/Profiles.php:693 -msgid "Create a new profile using these settings" -msgstr "Een nieuw profiel aanmaken met dit profiel als basis" - -#: ../../Zotlabs/Module/Profiles.php:694 -msgid "Clone this profile" -msgstr "Dit profiel klonen" - -#: ../../Zotlabs/Module/Profiles.php:695 -msgid "Delete this profile" -msgstr "Dit profiel verwijderen" - -#: ../../Zotlabs/Module/Profiles.php:696 -msgid "Add profile things" -msgstr "Dingen aan je profiel toevoegen" - -#: ../../Zotlabs/Module/Profiles.php:697 ../../include/conversation.php:1541 -#: ../../include/widgets.php:105 -msgid "Personal" -msgstr "Persoonlijk" - -#: ../../Zotlabs/Module/Profiles.php:699 -msgid "Relation" -msgstr "Relatie" - -#: ../../Zotlabs/Module/Profiles.php:700 ../../include/datetime.php:48 -msgid "Miscellaneous" -msgstr "Diversen" - -#: ../../Zotlabs/Module/Profiles.php:702 -msgid "Import profile from file" -msgstr "Profiel vanuit bestand importeren" - -#: ../../Zotlabs/Module/Profiles.php:703 -msgid "Export profile to file" -msgstr "Profiel naar bestand exporteren" - -#: ../../Zotlabs/Module/Profiles.php:704 -msgid "Your gender" -msgstr "Jouw geslacht" - -#: ../../Zotlabs/Module/Profiles.php:705 -msgid "Marital status" -msgstr "Burgerlijke staat" - -#: ../../Zotlabs/Module/Profiles.php:706 -msgid "Sexual preference" -msgstr "Seksuele voorkeur" - -#: ../../Zotlabs/Module/Profiles.php:709 -msgid "Profile name" -msgstr "Profielnaam" - -#: ../../Zotlabs/Module/Profiles.php:711 -msgid "This is your default profile." -msgstr "Dit is jouw standaardprofiel" - -#: ../../Zotlabs/Module/Profiles.php:713 -msgid "Your full name" -msgstr "Jouw volledige naam" - -#: ../../Zotlabs/Module/Profiles.php:714 -msgid "Title/Description" -msgstr "Titel/omschrijving" - -#: ../../Zotlabs/Module/Profiles.php:717 -msgid "Street address" -msgstr "Straat en huisnummer" - -#: ../../Zotlabs/Module/Profiles.php:718 -msgid "Locality/City" -msgstr "Woonplaats" - -#: ../../Zotlabs/Module/Profiles.php:719 -msgid "Region/State" -msgstr "Provincie/gewest/deelstaat" - -#: ../../Zotlabs/Module/Profiles.php:720 -msgid "Postal/Zip code" -msgstr "Postcode" - -#: ../../Zotlabs/Module/Profiles.php:721 -msgid "Country" -msgstr "Land" - -#: ../../Zotlabs/Module/Profiles.php:726 -msgid "Who (if applicable)" -msgstr "Wie (wanneer van toepassing)" - -#: ../../Zotlabs/Module/Profiles.php:726 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "Voorbeelden: petra123, Petra Jansen, petra@voorbeeld.nl" - -#: ../../Zotlabs/Module/Profiles.php:727 -msgid "Since (date)" -msgstr "Sinds (datum)" - -#: ../../Zotlabs/Module/Profiles.php:730 -msgid "Tell us about yourself" -msgstr "Vertel ons iets over jezelf" - -#: ../../Zotlabs/Module/Profiles.php:732 -msgid "Hometown" -msgstr "Oorspronkelijk uit" - -#: ../../Zotlabs/Module/Profiles.php:733 -msgid "Political views" -msgstr "Politieke overtuigingen" - -#: ../../Zotlabs/Module/Profiles.php:734 -msgid "Religious views" -msgstr "Religieuze overtuigingen" - -#: ../../Zotlabs/Module/Profiles.php:735 -msgid "Keywords used in directory listings" -msgstr "Trefwoorden voor in de kanalengids" - -#: ../../Zotlabs/Module/Profiles.php:735 -msgid "Example: fishing photography software" -msgstr "Voorbeeld: muziek, fotografie, software" - -#: ../../Zotlabs/Module/Profiles.php:738 -msgid "Musical interests" -msgstr "Muzikale interesses" - -#: ../../Zotlabs/Module/Profiles.php:739 -msgid "Books, literature" -msgstr "Boeken/literatuur" - -#: ../../Zotlabs/Module/Profiles.php:740 -msgid "Television" -msgstr "Televisie" - -#: ../../Zotlabs/Module/Profiles.php:741 -msgid "Film/Dance/Culture/Entertainment" -msgstr "Film/dans/cultuur/entertainment" - -#: ../../Zotlabs/Module/Profiles.php:742 -msgid "Hobbies/Interests" -msgstr "Hobby's/interesses" - -#: ../../Zotlabs/Module/Profiles.php:743 -msgid "Love/Romance" -msgstr "Liefde/romantiek" - -#: ../../Zotlabs/Module/Profiles.php:745 -msgid "School/Education" -msgstr "School/opleiding" - -#: ../../Zotlabs/Module/Profiles.php:746 -msgid "Contact information and social networks" -msgstr "Contactinformatie en sociale netwerken" - -#: ../../Zotlabs/Module/Profiles.php:747 -msgid "My other channels" -msgstr "Mijn andere kanalen" - -#: ../../Zotlabs/Module/Profiles.php:767 ../../include/channel.php:994 -msgid "Profile Image" -msgstr "Profielfoto" - -#: ../../Zotlabs/Module/Profiles.php:777 ../../include/nav.php:88 -#: ../../include/channel.php:976 -msgid "Edit Profiles" -msgstr "Bewerk profielen" - #: ../../Zotlabs/Module/Import.php:33 #, php-format msgid "Your service plan only allows %d channels." @@ -2501,6 +1623,352 @@ msgid "" "only once and leave this page open until finished." msgstr "Dit proces kan enkele minuten in beslag nemen. Klik maar ƩƩn keer op opslaan en verlaat deze pagina niet alvorens het proces is voltooid." +#: ../../Zotlabs/Module/Mail.php:38 +msgid "Unable to lookup recipient." +msgstr "Niet in staat om ontvanger op te zoeken." + +#: ../../Zotlabs/Module/Mail.php:45 +msgid "Unable to communicate with requested channel." +msgstr "Niet in staat om met het aangevraagde kanaal te communiceren." + +#: ../../Zotlabs/Module/Mail.php:52 +msgid "Cannot verify requested channel." +msgstr "Kan opgevraagd kanaal niet verifieren" + +#: ../../Zotlabs/Module/Mail.php:70 +msgid "Selected channel has private message restrictions. Send failed." +msgstr "Gekozen kanaal heeft restricties voor privĆ©berichten. Verzenden mislukt." + +#: ../../Zotlabs/Module/Mail.php:135 +msgid "Messages" +msgstr "Berichten" + +#: ../../Zotlabs/Module/Mail.php:170 +msgid "Message recalled." +msgstr "Bericht ingetrokken." + +#: ../../Zotlabs/Module/Mail.php:183 +msgid "Conversation removed." +msgstr "Conversatie verwijderd" + +#: ../../Zotlabs/Module/Mail.php:197 ../../Zotlabs/Module/Mail.php:306 +#: ../../Zotlabs/Module/Chat.php:205 ../../include/conversation.php:1186 +msgid "Please enter a link URL:" +msgstr "Vul een URL in:" + +#: ../../Zotlabs/Module/Mail.php:198 ../../Zotlabs/Module/Mail.php:307 +msgid "Expires YYYY-MM-DD HH:MM" +msgstr "Verloopt op DD-MM-YYYY om HH:MM" + +#: ../../Zotlabs/Module/Mail.php:226 +msgid "Requested channel is not in this network" +msgstr "Opgevraagd kanaal is niet in dit netwerk beschikbaar" + +#: ../../Zotlabs/Module/Mail.php:234 +msgid "Send Private Message" +msgstr "PrivĆ©bericht versturen" + +#: ../../Zotlabs/Module/Mail.php:235 ../../Zotlabs/Module/Mail.php:360 +msgid "To:" +msgstr "Aan:" + +#: ../../Zotlabs/Module/Mail.php:238 ../../Zotlabs/Module/Mail.php:362 +msgid "Subject:" +msgstr "Onderwerp:" + +#: ../../Zotlabs/Module/Mail.php:241 ../../Zotlabs/Module/Invite.php:135 +msgid "Your message:" +msgstr "Jouw bericht:" + +#: ../../Zotlabs/Module/Mail.php:243 ../../Zotlabs/Module/Mail.php:368 +#: ../../include/conversation.php:1238 +msgid "Attach file" +msgstr "Bestand toevoegen" + +#: ../../Zotlabs/Module/Mail.php:244 ../../Zotlabs/Module/Mail.php:369 +#: ../../Zotlabs/Module/Editblock.php:111 +#: ../../Zotlabs/Module/Editwebpage.php:146 ../../Zotlabs/Module/Chat.php:207 +#: ../../include/conversation.php:1151 +msgid "Insert web link" +msgstr "Weblink invoegen" + +#: ../../Zotlabs/Module/Mail.php:245 +msgid "Send" +msgstr "Verzenden" + +#: ../../Zotlabs/Module/Mail.php:248 ../../Zotlabs/Module/Mail.php:373 +#: ../../include/conversation.php:1281 +msgid "Set expiration date" +msgstr "Verloopdatum instellen" + +#: ../../Zotlabs/Module/Mail.php:250 ../../Zotlabs/Module/Mail.php:375 +#: ../../Zotlabs/Module/Chat.php:206 ../../Zotlabs/Lib/ThreadItem.php:723 +#: ../../include/conversation.php:1286 +msgid "Encrypt text" +msgstr "Tekst versleutelen" + +#: ../../Zotlabs/Module/Mail.php:332 +msgid "Delete message" +msgstr "Bericht verwijderen" + +#: ../../Zotlabs/Module/Mail.php:333 +msgid "Delivery report" +msgstr "Afleveringsrapport" + +#: ../../Zotlabs/Module/Mail.php:334 +msgid "Recall message" +msgstr "Bericht intrekken" + +#: ../../Zotlabs/Module/Mail.php:336 +msgid "Message has been recalled." +msgstr "Bericht is ingetrokken." + +#: ../../Zotlabs/Module/Mail.php:353 +msgid "Delete Conversation" +msgstr "Verwijder conversatie" + +#: ../../Zotlabs/Module/Mail.php:355 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "Geen veilige communicatie beschikbaar. Mogelijk kan je reageren op de kanaalpagina van de afzender." + +#: ../../Zotlabs/Module/Mail.php:359 +msgid "Send Reply" +msgstr "Antwoord versturen" + +#: ../../Zotlabs/Module/Mail.php:364 +#, php-format +msgid "Your message for %s (%s):" +msgstr "Jouw privĆ©bericht aan %s (%s):" + +#: ../../Zotlabs/Module/Dirsearch.php:25 ../../Zotlabs/Module/Regdir.php:49 +msgid "This site is not a directory server" +msgstr "Deze hub is geen kanalengidshub (directoryserver)" + +#: ../../Zotlabs/Module/Dirsearch.php:33 +msgid "This directory server requires an access token" +msgstr "Deze kanalengidshub (directoryserver) heeft een toegangs-token nodig" + +#: ../../Zotlabs/Module/Editblock.php:79 ../../Zotlabs/Module/Editblock.php:95 +#: ../../Zotlabs/Module/Editlayout.php:79 +#: ../../Zotlabs/Module/Editwebpage.php:80 +#: ../../Zotlabs/Module/Editpost.php:24 +msgid "Item not found" +msgstr "Item niet gevonden" + +#: ../../Zotlabs/Module/Editblock.php:108 ../../Zotlabs/Module/Blocks.php:97 +#: ../../Zotlabs/Module/Blocks.php:155 +msgid "Block Name" +msgstr "Bloknaam" + +#: ../../Zotlabs/Module/Editblock.php:124 ../../include/conversation.php:1254 +msgid "Title (optional)" +msgstr "Titel (optioneel)" + +#: ../../Zotlabs/Module/Editblock.php:133 +msgid "Edit Block" +msgstr "Blok bewerken" + +#: ../../Zotlabs/Module/Editlayout.php:127 +#: ../../Zotlabs/Module/Layouts.php:128 ../../Zotlabs/Module/Layouts.php:188 +msgid "Layout Name" +msgstr "Naam lay-out" + +#: ../../Zotlabs/Module/Editlayout.php:128 +#: ../../Zotlabs/Module/Layouts.php:131 +msgid "Layout Description (Optional)" +msgstr "Lay-out-omschrijving (optioneel)" + +#: ../../Zotlabs/Module/Editlayout.php:136 +msgid "Edit Layout" +msgstr "Lay-out bewerken" + +#: ../../Zotlabs/Module/Editwebpage.php:142 +msgid "Page link" +msgstr "Paginalink" + +#: ../../Zotlabs/Module/Editwebpage.php:169 +msgid "Edit Webpage" +msgstr "Webpagina bewerken" + +#: ../../Zotlabs/Module/Chat.php:181 +msgid "Room not found" +msgstr "Chatkanaal niet gevonden" + +#: ../../Zotlabs/Module/Chat.php:197 +msgid "Leave Room" +msgstr "Chatkanaal verlaten" + +#: ../../Zotlabs/Module/Chat.php:198 +msgid "Delete Room" +msgstr "Chatkanaal verwijderen" + +#: ../../Zotlabs/Module/Chat.php:199 +msgid "I am away right now" +msgstr "Ik ben momenteel afwezig" + +#: ../../Zotlabs/Module/Chat.php:200 +msgid "I am online" +msgstr "Ik ben online" + +#: ../../Zotlabs/Module/Chat.php:202 +msgid "Bookmark this room" +msgstr "Chatkanaal aan bladwijzers toevoegen" + +#: ../../Zotlabs/Module/Chat.php:218 +msgid "Feature disabled." +msgstr "Functie uitgeschakeld." + +#: ../../Zotlabs/Module/Chat.php:231 +msgid "New Chatroom" +msgstr "Nieuw chatkanaal" + +#: ../../Zotlabs/Module/Chat.php:232 +msgid "Chatroom name" +msgstr "Naam chatkanaal" + +#: ../../Zotlabs/Module/Chat.php:233 +msgid "Expiration of chats (minutes)" +msgstr "Aantal minuten voordat chatberichten worden verwijderd" + +#: ../../Zotlabs/Module/Chat.php:249 +#, php-format +msgid "%1$s's Chatrooms" +msgstr "Chatkanalen van %1$s" + +#: ../../Zotlabs/Module/Chat.php:254 +msgid "No chatrooms available" +msgstr "Geen chatkanalen beschikbaar" + +#: ../../Zotlabs/Module/Chat.php:255 ../../Zotlabs/Module/Profiles.php:778 +#: ../../Zotlabs/Module/Manage.php:143 +msgid "Create New" +msgstr "Nieuwe aanmaken" + +#: ../../Zotlabs/Module/Chat.php:258 +msgid "Expiration" +msgstr "Verloopt na" + +#: ../../Zotlabs/Module/Chat.php:259 +msgid "min" +msgstr "min" + +#: ../../Zotlabs/Module/Appman.php:37 ../../Zotlabs/Module/Appman.php:53 +msgid "App installed." +msgstr "App geĆÆnstalleerd" + +#: ../../Zotlabs/Module/Appman.php:46 +msgid "Malformed app." +msgstr "Misvormde app." + +#: ../../Zotlabs/Module/Appman.php:104 +msgid "Embed code" +msgstr "Insluitcode" + +#: ../../Zotlabs/Module/Appman.php:110 ../../include/widgets.php:107 +msgid "Edit App" +msgstr "App bewerken" + +#: ../../Zotlabs/Module/Appman.php:110 +msgid "Create App" +msgstr "App maken" + +#: ../../Zotlabs/Module/Appman.php:115 +msgid "Name of app" +msgstr "Naam van app" + +#: ../../Zotlabs/Module/Appman.php:115 ../../Zotlabs/Module/Appman.php:116 +#: ../../Zotlabs/Module/Profiles.php:709 ../../Zotlabs/Module/Profiles.php:713 +#: ../../Zotlabs/Module/Events.php:452 ../../Zotlabs/Module/Events.php:457 +#: ../../include/datetime.php:245 +msgid "Required" +msgstr "Vereist" + +#: ../../Zotlabs/Module/Appman.php:116 +msgid "Location (URL) of app" +msgstr "Locatie (URL) van app" + +#: ../../Zotlabs/Module/Appman.php:117 ../../Zotlabs/Module/Events.php:465 +#: ../../Zotlabs/Module/Rbmark.php:101 +msgid "Description" +msgstr "Omschrijving" + +#: ../../Zotlabs/Module/Appman.php:118 +msgid "Photo icon URL" +msgstr "URL van pictogram" + +#: ../../Zotlabs/Module/Appman.php:118 +msgid "80 x 80 pixels - optional" +msgstr "80 x 80 pixels (optioneel)" + +#: ../../Zotlabs/Module/Appman.php:119 +msgid "Categories (optional, comma separated list)" +msgstr "CategorieĆ«n (optioneel, door komma's gescheiden lijst)" + +#: ../../Zotlabs/Module/Appman.php:120 +msgid "Version ID" +msgstr "Versie-ID" + +#: ../../Zotlabs/Module/Appman.php:121 +msgid "Price of app" +msgstr "Prijs van de app" + +#: ../../Zotlabs/Module/Appman.php:122 +msgid "Location (URL) to purchase app" +msgstr "Locatie (URL) om de app aan te schaffen" + +#: ../../Zotlabs/Module/Help.php:26 +msgid "Documentation Search" +msgstr "Zoek documentatie" + +#: ../../Zotlabs/Module/Help.php:67 ../../Zotlabs/Module/Help.php:73 +#: ../../Zotlabs/Module/Help.php:79 +msgid "Help:" +msgstr "Hulp:" + +#: ../../Zotlabs/Module/Help.php:85 ../../Zotlabs/Module/Help.php:90 +#: ../../Zotlabs/Module/Layouts.php:185 ../../Zotlabs/Lib/Apps.php:225 +#: ../../include/nav.php:163 +msgid "Help" +msgstr "Hulp" + +#: ../../Zotlabs/Module/Help.php:120 +msgid "$Projectname Documentation" +msgstr "$Projectname-documentatie" + +#: ../../Zotlabs/Module/Attach.php:13 +msgid "Item not available." +msgstr "Item is niet aanwezig." + +#: ../../Zotlabs/Module/Pdledit.php:18 +msgid "Layout updated." +msgstr "Lay-out bijgewerkt." + +#: ../../Zotlabs/Module/Pdledit.php:34 ../../Zotlabs/Module/Pdledit.php:61 +msgid "Edit System Page Description" +msgstr "Systeempagina's bewerken" + +#: ../../Zotlabs/Module/Pdledit.php:56 +msgid "Layout not found." +msgstr "Lay-out niet gevonden." + +#: ../../Zotlabs/Module/Pdledit.php:62 +msgid "Module Name:" +msgstr "Modulenaam:" + +#: ../../Zotlabs/Module/Pdledit.php:63 +msgid "Layout Help" +msgstr "Lay-out-hulp" + +#: ../../Zotlabs/Module/Ffsapi.php:12 +msgid "Share content from Firefox to $Projectname" +msgstr "Deel webpagina's vanuit Firefox met " + +#: ../../Zotlabs/Module/Ffsapi.php:15 +msgid "Activate the Firefox $Projectname provider" +msgstr "Activeer de $Projectname-service in Firefox" + #: ../../Zotlabs/Module/Home.php:74 ../../Zotlabs/Module/Home.php:82 #: ../../Zotlabs/Module/Siteinfo.php:48 msgid "$Projectname" @@ -2511,326 +1979,6 @@ msgstr "$Projectname" msgid "Welcome to %s" msgstr "Welkom op %s" -#: ../../Zotlabs/Module/Item.php:179 -msgid "Unable to locate original post." -msgstr "Niet in staat om de originele locatie van het bericht te vinden. " - -#: ../../Zotlabs/Module/Item.php:432 -msgid "Empty post discarded." -msgstr "Leeg bericht geannuleerd" - -#: ../../Zotlabs/Module/Item.php:472 -msgid "Executable content type not permitted to this channel." -msgstr "Uitvoerbare bestanden zijn niet toegestaan op dit kanaal." - -#: ../../Zotlabs/Module/Item.php:856 -msgid "Duplicate post suppressed." -msgstr "Dubbel bericht tegengehouden." - -#: ../../Zotlabs/Module/Item.php:989 -msgid "System error. Post not saved." -msgstr "Systeemfout. Bericht niet opgeslagen." - -#: ../../Zotlabs/Module/Item.php:1242 -msgid "Unable to obtain post information from database." -msgstr "Niet in staat om informatie over dit bericht uit de database te verkrijgen." - -#: ../../Zotlabs/Module/Item.php:1249 -#, php-format -msgid "You have reached your limit of %1$.0f top level posts." -msgstr "Je hebt jouw limiet van %1$.0f berichten bereikt." - -#: ../../Zotlabs/Module/Item.php:1256 -#, php-format -msgid "You have reached your limit of %1$.0f webpages." -msgstr "Je hebt jouw limiet van %1$.0f webpagina's bereikt." - -#: ../../Zotlabs/Module/Photos.php:82 -msgid "Page owner information could not be retrieved." -msgstr "Informatie over de pagina-eigenaar werd niet ontvangen." - -#: ../../Zotlabs/Module/Photos.php:97 ../../Zotlabs/Module/Photos.php:741 -#: ../../Zotlabs/Module/Profile_photo.php:115 -#: ../../Zotlabs/Module/Profile_photo.php:212 -#: ../../Zotlabs/Module/Profile_photo.php:311 -#: ../../include/photo/photo_driver.php:718 -msgid "Profile Photos" -msgstr "Profielfoto's" - -#: ../../Zotlabs/Module/Photos.php:103 ../../Zotlabs/Module/Photos.php:147 -msgid "Album not found." -msgstr "Album niet gevonden." - -#: ../../Zotlabs/Module/Photos.php:130 -msgid "Delete Album" -msgstr "Verwijder album" - -#: ../../Zotlabs/Module/Photos.php:151 -msgid "" -"Multiple storage folders exist with this album name, but within different " -"directories. Please remove the desired folder or folders using the Files " -"manager" -msgstr "Er bestaan meerdere submappen met deze albumnaam, maar verspreidt over verschillende mappen. Verwijder de gewenste map(pen) met de bestandsbeheerder." - -#: ../../Zotlabs/Module/Photos.php:208 ../../Zotlabs/Module/Photos.php:1051 -msgid "Delete Photo" -msgstr "Verwijder foto" - -#: ../../Zotlabs/Module/Photos.php:531 -msgid "No photos selected" -msgstr "Geen foto's geselecteerd" - -#: ../../Zotlabs/Module/Photos.php:580 -msgid "Access to this item is restricted." -msgstr "Toegang tot dit item is beperkt." - -#: ../../Zotlabs/Module/Photos.php:619 -#, php-format -msgid "%1$.2f MB of %2$.2f MB photo storage used." -msgstr "%1$.2f MB van %2$.2f MB aan foto-opslag gebruikt." - -#: ../../Zotlabs/Module/Photos.php:622 -#, php-format -msgid "%1$.2f MB photo storage used." -msgstr "%1$.2f MB aan foto-opslag gebruikt." - -#: ../../Zotlabs/Module/Photos.php:658 -msgid "Upload Photos" -msgstr "Foto's uploaden" - -#: ../../Zotlabs/Module/Photos.php:662 -msgid "Enter an album name" -msgstr "Vul een albumnaam in" - -#: ../../Zotlabs/Module/Photos.php:663 -msgid "or select an existing album (doubleclick)" -msgstr "of kies een bestaand album (dubbelklikken)" - -#: ../../Zotlabs/Module/Photos.php:664 -msgid "Create a status post for this upload" -msgstr "Plaats een bericht voor deze upload." - -#: ../../Zotlabs/Module/Photos.php:665 -msgid "Caption (optional):" -msgstr "Bijschrift (optioneel):" - -#: ../../Zotlabs/Module/Photos.php:666 -msgid "Description (optional):" -msgstr "Omschrijving (optioneel):" - -#: ../../Zotlabs/Module/Photos.php:693 -msgid "Album name could not be decoded" -msgstr "Albumnaam kon niet gedecodeerd worden" - -#: ../../Zotlabs/Module/Photos.php:741 -msgid "Contact Photos" -msgstr "Connectiefoto's" - -#: ../../Zotlabs/Module/Photos.php:764 -msgid "Show Newest First" -msgstr "Nieuwste eerst weergeven" - -#: ../../Zotlabs/Module/Photos.php:766 -msgid "Show Oldest First" -msgstr "Oudste eerst weergeven" - -#: ../../Zotlabs/Module/Photos.php:790 ../../Zotlabs/Module/Photos.php:1329 -#: ../../Zotlabs/Module/Embedphotos.php:141 ../../include/widgets.php:1593 -msgid "View Photo" -msgstr "Foto weergeven" - -#: ../../Zotlabs/Module/Photos.php:821 -#: ../../Zotlabs/Module/Embedphotos.php:157 ../../include/widgets.php:1610 -msgid "Edit Album" -msgstr "Album bewerken" - -#: ../../Zotlabs/Module/Photos.php:868 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Toegang geweigerd. Toegang tot dit item kan zijn beperkt." - -#: ../../Zotlabs/Module/Photos.php:870 -msgid "Photo not available" -msgstr "Foto niet aanwezig" - -#: ../../Zotlabs/Module/Photos.php:928 -msgid "Use as profile photo" -msgstr "Als profielfoto gebruiken" - -#: ../../Zotlabs/Module/Photos.php:929 -msgid "Use as cover photo" -msgstr "Als omslagfoto gebruiken" - -#: ../../Zotlabs/Module/Photos.php:936 -msgid "Private Photo" -msgstr "PrivĆ©foto" - -#: ../../Zotlabs/Module/Photos.php:951 -msgid "View Full Size" -msgstr "Volledige grootte weergeven" - -#: ../../Zotlabs/Module/Photos.php:996 ../../Zotlabs/Module/Admin.php:1437 -#: ../../Zotlabs/Module/Tagrm.php:137 -msgid "Remove" -msgstr "Verwijderen" - -#: ../../Zotlabs/Module/Photos.php:1030 -msgid "Edit photo" -msgstr "Foto bewerken" - -#: ../../Zotlabs/Module/Photos.php:1032 -msgid "Rotate CW (right)" -msgstr "Draai met de klok mee (naar rechts)" - -#: ../../Zotlabs/Module/Photos.php:1033 -msgid "Rotate CCW (left)" -msgstr "Draai tegen de klok in (naar links)" - -#: ../../Zotlabs/Module/Photos.php:1036 -msgid "Enter a new album name" -msgstr "Vul een nieuwe albumnaam in" - -#: ../../Zotlabs/Module/Photos.php:1037 -msgid "or select an existing one (doubleclick)" -msgstr "of kies een bestaand album (dubbelklikken)" - -#: ../../Zotlabs/Module/Photos.php:1040 -msgid "Caption" -msgstr "Bijschrift" - -#: ../../Zotlabs/Module/Photos.php:1042 -msgid "Add a Tag" -msgstr "Tag toevoegen" - -#: ../../Zotlabs/Module/Photos.php:1046 -msgid "Example: @bob, @Barbara_Jensen, @jim@example.com" -msgstr "Voorbeeld: @bob, @Barbara_Jansen, @jan@voorbeeld.nl" - -#: ../../Zotlabs/Module/Photos.php:1049 -msgid "Flag as adult in album view" -msgstr "Markeer als voor volwassenen in albumweergave" - -#: ../../Zotlabs/Module/Photos.php:1068 ../../Zotlabs/Lib/ThreadItem.php:261 -msgid "I like this (toggle)" -msgstr "Vind ik leuk" - -#: ../../Zotlabs/Module/Photos.php:1069 ../../Zotlabs/Lib/ThreadItem.php:262 -msgid "I don't like this (toggle)" -msgstr "Vind ik niet leuk" - -#: ../../Zotlabs/Module/Photos.php:1071 ../../Zotlabs/Lib/ThreadItem.php:397 -#: ../../include/conversation.php:743 -msgid "Please wait" -msgstr "Even wachten" - -#: ../../Zotlabs/Module/Photos.php:1087 ../../Zotlabs/Module/Photos.php:1205 -#: ../../Zotlabs/Lib/ThreadItem.php:707 -msgid "This is you" -msgstr "Dit ben jij" - -#: ../../Zotlabs/Module/Photos.php:1089 ../../Zotlabs/Module/Photos.php:1207 -#: ../../Zotlabs/Lib/ThreadItem.php:709 ../../include/js_strings.php:6 -msgid "Comment" -msgstr "Reactie" - -#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 -msgctxt "title" -msgid "Likes" -msgstr "vinden dit leuk" - -#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 -msgctxt "title" -msgid "Dislikes" -msgstr "vinden dit niet leuk" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Agree" -msgstr "eens" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Disagree" -msgstr "oneens" - -#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 -msgctxt "title" -msgid "Abstain" -msgstr "onthoudingen" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Attending" -msgstr "aanwezig" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Not attending" -msgstr "niet aanwezig" - -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 -msgctxt "title" -msgid "Might attend" -msgstr "mogelijk aanwezig" - -#: ../../Zotlabs/Module/Photos.php:1124 ../../Zotlabs/Module/Photos.php:1136 -#: ../../Zotlabs/Lib/ThreadItem.php:181 ../../Zotlabs/Lib/ThreadItem.php:193 -#: ../../include/conversation.php:1738 -msgid "View all" -msgstr "Toon alles" - -#: ../../Zotlabs/Module/Photos.php:1128 ../../Zotlabs/Lib/ThreadItem.php:185 -#: ../../include/taxonomy.php:403 ../../include/channel.php:1198 -#: ../../include/conversation.php:1762 -msgctxt "noun" -msgid "Like" -msgid_plural "Likes" -msgstr[0] "vindt dit leuk" -msgstr[1] "vinden dit leuk" - -#: ../../Zotlabs/Module/Photos.php:1133 ../../Zotlabs/Lib/ThreadItem.php:190 -#: ../../include/conversation.php:1765 -msgctxt "noun" -msgid "Dislike" -msgid_plural "Dislikes" -msgstr[0] "vindt dit niet leuk" -msgstr[1] "vinden dit niet leuk" - -#: ../../Zotlabs/Module/Photos.php:1233 -msgid "Photo Tools" -msgstr "Hulpmiddelen" - -#: ../../Zotlabs/Module/Photos.php:1242 -msgid "In This Photo:" -msgstr "Op deze foto:" - -#: ../../Zotlabs/Module/Photos.php:1247 -msgid "Map" -msgstr "Kaart" - -#: ../../Zotlabs/Module/Photos.php:1255 ../../Zotlabs/Lib/ThreadItem.php:386 -msgctxt "noun" -msgid "Likes" -msgstr "vinden dit leuk" - -#: ../../Zotlabs/Module/Photos.php:1256 ../../Zotlabs/Lib/ThreadItem.php:387 -msgctxt "noun" -msgid "Dislikes" -msgstr "vinden dit niet leuk" - -#: ../../Zotlabs/Module/Photos.php:1261 ../../Zotlabs/Lib/ThreadItem.php:392 -#: ../../include/acl_selectors.php:283 -msgid "Close" -msgstr "Sluiten" - -#: ../../Zotlabs/Module/Photos.php:1335 -msgid "View Album" -msgstr "Album weergeven" - -#: ../../Zotlabs/Module/Photos.php:1346 ../../Zotlabs/Module/Photos.php:1359 -#: ../../Zotlabs/Module/Photos.php:1360 -msgid "Recent Photos" -msgstr "Recente foto's" - #: ../../Zotlabs/Module/Lockview.php:75 msgid "Remote privacy information not available." msgstr "Privacy-informatie op afstand niet beschikbaar." @@ -2839,6 +1987,532 @@ msgstr "Privacy-informatie op afstand niet beschikbaar." msgid "Visible to:" msgstr "Zichtbaar voor:" +#: ../../Zotlabs/Module/Filestorage.php:87 +msgid "Permission Denied." +msgstr "Toegang geweigerd" + +#: ../../Zotlabs/Module/Filestorage.php:103 +msgid "File not found." +msgstr "Bestand niet gevonden." + +#: ../../Zotlabs/Module/Filestorage.php:146 +msgid "Edit file permissions" +msgstr "Bestandsrechten bewerken" + +#: ../../Zotlabs/Module/Filestorage.php:159 +msgid "Set/edit permissions" +msgstr "Rechten instellen/bewerken" + +#: ../../Zotlabs/Module/Filestorage.php:160 +msgid "Include all files and sub folders" +msgstr "Toepassen op alle bestanden en submappen" + +#: ../../Zotlabs/Module/Filestorage.php:161 +msgid "Return to file list" +msgstr "Terugkeren naar bestandlijst " + +#: ../../Zotlabs/Module/Filestorage.php:163 +msgid "Copy/paste this code to attach file to a post" +msgstr "Kopieer/plak deze code om het bestand aan een bericht te koppelen" + +#: ../../Zotlabs/Module/Filestorage.php:164 +msgid "Copy/paste this URL to link file from a web page" +msgstr "Kopieer/plak deze URL om het bestand aan een externe webpagina te koppelen" + +#: ../../Zotlabs/Module/Filestorage.php:166 +msgid "Share this file" +msgstr "Dit bestand delen" + +#: ../../Zotlabs/Module/Filestorage.php:167 +msgid "Show URL to this file" +msgstr "Toon URL van dit bestand" + +#: ../../Zotlabs/Module/Filestorage.php:168 +msgid "Notify your contacts about this file" +msgstr "Jouw connecties over dit bestand berichten" + +#: ../../Zotlabs/Module/Profiles.php:24 ../../Zotlabs/Module/Profiles.php:189 +#: ../../Zotlabs/Module/Profiles.php:246 ../../Zotlabs/Module/Profiles.php:625 +msgid "Profile not found." +msgstr "Profiel niet gevonden." + +#: ../../Zotlabs/Module/Profiles.php:44 +msgid "Profile deleted." +msgstr "Profiel verwijderd." + +#: ../../Zotlabs/Module/Profiles.php:68 ../../Zotlabs/Module/Profiles.php:104 +msgid "Profile-" +msgstr "Profiel-" + +#: ../../Zotlabs/Module/Profiles.php:89 ../../Zotlabs/Module/Profiles.php:132 +msgid "New profile created." +msgstr "Nieuw profiel aangemaakt." + +#: ../../Zotlabs/Module/Profiles.php:110 +msgid "Profile unavailable to clone." +msgstr "Profiel niet beschikbaar om te klonen" + +#: ../../Zotlabs/Module/Profiles.php:151 +msgid "Profile unavailable to export." +msgstr "Geen profiel beschikbaar om te exporteren" + +#: ../../Zotlabs/Module/Profiles.php:256 +msgid "Profile Name is required." +msgstr "Profielnaam is vereist" + +#: ../../Zotlabs/Module/Profiles.php:427 +msgid "Marital Status" +msgstr "Huwelijke status" + +#: ../../Zotlabs/Module/Profiles.php:431 +msgid "Romantic Partner" +msgstr "Romantische partner" + +#: ../../Zotlabs/Module/Profiles.php:435 ../../Zotlabs/Module/Profiles.php:736 +msgid "Likes" +msgstr "Houdt van" + +#: ../../Zotlabs/Module/Profiles.php:439 ../../Zotlabs/Module/Profiles.php:737 +msgid "Dislikes" +msgstr "Houdt niet van" + +#: ../../Zotlabs/Module/Profiles.php:443 ../../Zotlabs/Module/Profiles.php:744 +msgid "Work/Employment" +msgstr "Werk/arbeid" + +#: ../../Zotlabs/Module/Profiles.php:446 +msgid "Religion" +msgstr "Religie" + +#: ../../Zotlabs/Module/Profiles.php:450 +msgid "Political Views" +msgstr "Politieke overtuigingen" + +#: ../../Zotlabs/Module/Profiles.php:454 +msgid "Gender" +msgstr "Geslacht" + +#: ../../Zotlabs/Module/Profiles.php:458 +msgid "Sexual Preference" +msgstr "Seksuele voorkeur" + +#: ../../Zotlabs/Module/Profiles.php:462 +msgid "Homepage" +msgstr "Homepage" + +#: ../../Zotlabs/Module/Profiles.php:466 +msgid "Interests" +msgstr "Interesses" + +#: ../../Zotlabs/Module/Profiles.php:470 ../../Zotlabs/Module/Locs.php:118 +#: ../../Zotlabs/Module/Admin.php:1224 +msgid "Address" +msgstr "Kanaaladres" + +#: ../../Zotlabs/Module/Profiles.php:477 ../../Zotlabs/Module/Profiles.php:698 +#: ../../Zotlabs/Module/Locs.php:117 ../../Zotlabs/Module/Events.php:467 +#: ../../Zotlabs/Module/Pubsites.php:41 ../../include/js_strings.php:25 +msgid "Location" +msgstr "Locatie" + +#: ../../Zotlabs/Module/Profiles.php:560 +msgid "Profile updated." +msgstr "Profiel bijgewerkt" + +#: ../../Zotlabs/Module/Profiles.php:644 +msgid "Hide your connections list from viewers of this profile" +msgstr "Laat de lijst met connecties niet aan bezoekers van dit profiel zien." + +#: ../../Zotlabs/Module/Profiles.php:686 +msgid "Edit Profile Details" +msgstr "Profiel bewerken" + +#: ../../Zotlabs/Module/Profiles.php:688 +msgid "View this profile" +msgstr "Profiel weergeven" + +#: ../../Zotlabs/Module/Profiles.php:689 ../../Zotlabs/Module/Profiles.php:771 +#: ../../include/channel.php:981 +msgid "Edit visibility" +msgstr "Zichtbaarheid bewerken" + +#: ../../Zotlabs/Module/Profiles.php:690 +msgid "Profile Tools" +msgstr "Hulpmiddelen" + +#: ../../Zotlabs/Module/Profiles.php:691 +msgid "Change cover photo" +msgstr "Omslagfoto wijzigen" + +#: ../../Zotlabs/Module/Profiles.php:692 ../../include/channel.php:952 +msgid "Change profile photo" +msgstr "Profielfoto veranderen" + +#: ../../Zotlabs/Module/Profiles.php:693 +msgid "Create a new profile using these settings" +msgstr "Een nieuw profiel aanmaken met dit profiel als basis" + +#: ../../Zotlabs/Module/Profiles.php:694 +msgid "Clone this profile" +msgstr "Dit profiel klonen" + +#: ../../Zotlabs/Module/Profiles.php:695 +msgid "Delete this profile" +msgstr "Dit profiel verwijderen" + +#: ../../Zotlabs/Module/Profiles.php:696 +msgid "Add profile things" +msgstr "Dingen aan je profiel toevoegen" + +#: ../../Zotlabs/Module/Profiles.php:697 ../../include/conversation.php:1556 +#: ../../include/widgets.php:105 +msgid "Personal" +msgstr "Persoonlijk" + +#: ../../Zotlabs/Module/Profiles.php:699 +msgid "Relation" +msgstr "Relatie" + +#: ../../Zotlabs/Module/Profiles.php:700 ../../include/datetime.php:48 +msgid "Miscellaneous" +msgstr "Diversen" + +#: ../../Zotlabs/Module/Profiles.php:702 +msgid "Import profile from file" +msgstr "Profiel vanuit bestand importeren" + +#: ../../Zotlabs/Module/Profiles.php:703 +msgid "Export profile to file" +msgstr "Profiel naar bestand exporteren" + +#: ../../Zotlabs/Module/Profiles.php:704 +msgid "Your gender" +msgstr "Jouw geslacht" + +#: ../../Zotlabs/Module/Profiles.php:705 +msgid "Marital status" +msgstr "Burgerlijke staat" + +#: ../../Zotlabs/Module/Profiles.php:706 +msgid "Sexual preference" +msgstr "Seksuele voorkeur" + +#: ../../Zotlabs/Module/Profiles.php:709 +msgid "Profile name" +msgstr "Profielnaam" + +#: ../../Zotlabs/Module/Profiles.php:711 +msgid "This is your default profile." +msgstr "Dit is jouw standaardprofiel" + +#: ../../Zotlabs/Module/Profiles.php:713 +msgid "Your full name" +msgstr "Jouw volledige naam" + +#: ../../Zotlabs/Module/Profiles.php:714 +msgid "Title/Description" +msgstr "Titel/omschrijving" + +#: ../../Zotlabs/Module/Profiles.php:717 +msgid "Street address" +msgstr "Straat en huisnummer" + +#: ../../Zotlabs/Module/Profiles.php:718 +msgid "Locality/City" +msgstr "Woonplaats" + +#: ../../Zotlabs/Module/Profiles.php:719 +msgid "Region/State" +msgstr "Provincie/gewest/deelstaat" + +#: ../../Zotlabs/Module/Profiles.php:720 +msgid "Postal/Zip code" +msgstr "Postcode" + +#: ../../Zotlabs/Module/Profiles.php:721 +msgid "Country" +msgstr "Land" + +#: ../../Zotlabs/Module/Profiles.php:726 +msgid "Who (if applicable)" +msgstr "Wie (wanneer van toepassing)" + +#: ../../Zotlabs/Module/Profiles.php:726 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "Voorbeelden: petra123, Petra Jansen, petra@voorbeeld.nl" + +#: ../../Zotlabs/Module/Profiles.php:727 +msgid "Since (date)" +msgstr "Sinds (datum)" + +#: ../../Zotlabs/Module/Profiles.php:730 +msgid "Tell us about yourself" +msgstr "Vertel ons iets over jezelf" + +#: ../../Zotlabs/Module/Profiles.php:731 +msgid "Homepage URL" +msgstr "URL homepagina" + +#: ../../Zotlabs/Module/Profiles.php:732 +msgid "Hometown" +msgstr "Oorspronkelijk uit" + +#: ../../Zotlabs/Module/Profiles.php:733 +msgid "Political views" +msgstr "Politieke overtuigingen" + +#: ../../Zotlabs/Module/Profiles.php:734 +msgid "Religious views" +msgstr "Religieuze overtuigingen" + +#: ../../Zotlabs/Module/Profiles.php:735 +msgid "Keywords used in directory listings" +msgstr "Trefwoorden voor in de kanalengids" + +#: ../../Zotlabs/Module/Profiles.php:735 +msgid "Example: fishing photography software" +msgstr "Voorbeeld: muziek, fotografie, software" + +#: ../../Zotlabs/Module/Profiles.php:738 +msgid "Musical interests" +msgstr "Muzikale interesses" + +#: ../../Zotlabs/Module/Profiles.php:739 +msgid "Books, literature" +msgstr "Boeken/literatuur" + +#: ../../Zotlabs/Module/Profiles.php:740 +msgid "Television" +msgstr "Televisie" + +#: ../../Zotlabs/Module/Profiles.php:741 +msgid "Film/Dance/Culture/Entertainment" +msgstr "Film/dans/cultuur/entertainment" + +#: ../../Zotlabs/Module/Profiles.php:742 +msgid "Hobbies/Interests" +msgstr "Hobby's/interesses" + +#: ../../Zotlabs/Module/Profiles.php:743 +msgid "Love/Romance" +msgstr "Liefde/romantiek" + +#: ../../Zotlabs/Module/Profiles.php:745 +msgid "School/Education" +msgstr "School/opleiding" + +#: ../../Zotlabs/Module/Profiles.php:746 +msgid "Contact information and social networks" +msgstr "Contactinformatie en sociale netwerken" + +#: ../../Zotlabs/Module/Profiles.php:747 +msgid "My other channels" +msgstr "Mijn andere kanalen" + +#: ../../Zotlabs/Module/Profiles.php:767 ../../include/channel.php:977 +msgid "Profile Image" +msgstr "Profielfoto" + +#: ../../Zotlabs/Module/Profiles.php:777 ../../include/nav.php:90 +#: ../../include/channel.php:959 +msgid "Edit Profiles" +msgstr "Bewerk profielen" + +#: ../../Zotlabs/Module/Channel.php:40 +msgid "Posts and comments" +msgstr "Berichten en reacties" + +#: ../../Zotlabs/Module/Channel.php:41 +msgid "Only posts" +msgstr "Alleen berichten" + +#: ../../Zotlabs/Module/Channel.php:101 +msgid "Insufficient permissions. Request redirected to profile page." +msgstr "Onvoldoende permissies. Doorgestuurd naar profielpagina." + +#: ../../Zotlabs/Module/Group.php:24 +msgid "Privacy group created." +msgstr "Privacygroep aangemaakt" + +#: ../../Zotlabs/Module/Group.php:30 +msgid "Could not create privacy group." +msgstr "Kon privacygroep niet aanmaken" + +#: ../../Zotlabs/Module/Group.php:42 ../../Zotlabs/Module/Group.php:141 +#: ../../include/items.php:3904 +msgid "Privacy group not found." +msgstr "Privacygroep niet gevonden" + +#: ../../Zotlabs/Module/Group.php:58 +msgid "Privacy group updated." +msgstr "Privacygroep bijgewerkt" + +#: ../../Zotlabs/Module/Group.php:90 +msgid "Create a group of channels." +msgstr "Privacygroep met kanalen aanmaken" + +#: ../../Zotlabs/Module/Group.php:91 ../../Zotlabs/Module/Group.php:184 +msgid "Privacy group name: " +msgstr "Naam privacygroep: " + +#: ../../Zotlabs/Module/Group.php:93 ../../Zotlabs/Module/Group.php:187 +msgid "Members are visible to other channels" +msgstr "Kanalen in deze privacygroep zijn zichtbaar voor andere kanalen" + +#: ../../Zotlabs/Module/Group.php:111 +msgid "Privacy group removed." +msgstr "Privacygroep verwijderd." + +#: ../../Zotlabs/Module/Group.php:113 +msgid "Unable to remove privacy group." +msgstr "Verwijderen privacygroep mislukt" + +#: ../../Zotlabs/Module/Group.php:183 +msgid "Privacy group editor" +msgstr "Privacygroep bewerken" + +#: ../../Zotlabs/Module/Group.php:197 +msgid "Members" +msgstr "Kanalen" + +#: ../../Zotlabs/Module/Group.php:199 +msgid "All Connected Channels" +msgstr "Alle kanaalconnecties" + +#: ../../Zotlabs/Module/Group.php:231 +msgid "Click on a channel to add or remove." +msgstr "Klik op een kanaal om deze toe te voegen of te verwijderen." + +#: ../../Zotlabs/Module/Mitem.php:28 ../../Zotlabs/Module/Menu.php:144 +msgid "Menu not found." +msgstr "Menu niet gevonden." + +#: ../../Zotlabs/Module/Mitem.php:52 +msgid "Unable to create element." +msgstr "Niet in staat om onderdeel aan te maken." + +#: ../../Zotlabs/Module/Mitem.php:76 +msgid "Unable to update menu element." +msgstr "Menu-onderdeel kan niet worden geüpdatet." + +#: ../../Zotlabs/Module/Mitem.php:92 +msgid "Unable to add menu element." +msgstr "Menu-onderdeel kan niet worden toegevoegd." + +#: ../../Zotlabs/Module/Mitem.php:120 ../../Zotlabs/Module/Menu.php:166 +#: ../../Zotlabs/Module/Xchan.php:41 +msgid "Not found." +msgstr "Niet gevonden." + +#: ../../Zotlabs/Module/Mitem.php:153 ../../Zotlabs/Module/Mitem.php:230 +msgid "Menu Item Permissions" +msgstr "Permissies menu-item" + +#: ../../Zotlabs/Module/Mitem.php:154 ../../Zotlabs/Module/Mitem.php:231 +#: ../../Zotlabs/Module/Settings.php:1263 +msgid "(click to open/close)" +msgstr "(klik om te openen/sluiten)" + +#: ../../Zotlabs/Module/Mitem.php:160 ../../Zotlabs/Module/Mitem.php:176 +msgid "Link Name" +msgstr "Linknaam" + +#: ../../Zotlabs/Module/Mitem.php:161 ../../Zotlabs/Module/Mitem.php:239 +msgid "Link or Submenu Target" +msgstr "Linkdoel of submenu-doel" + +#: ../../Zotlabs/Module/Mitem.php:161 +msgid "Enter URL of the link or select a menu name to create a submenu" +msgstr "Geef de URL van de link of kies een menunaam om een submenu aan te maken" + +#: ../../Zotlabs/Module/Mitem.php:162 ../../Zotlabs/Module/Mitem.php:240 +msgid "Use magic-auth if available" +msgstr "Gebruik magic-auth wanneer beschikbaar" + +#: ../../Zotlabs/Module/Mitem.php:163 ../../Zotlabs/Module/Mitem.php:241 +msgid "Open link in new window" +msgstr "Open link in nieuw venster" + +#: ../../Zotlabs/Module/Mitem.php:164 ../../Zotlabs/Module/Mitem.php:242 +msgid "Order in list" +msgstr "Volgorde in lijst" + +#: ../../Zotlabs/Module/Mitem.php:164 ../../Zotlabs/Module/Mitem.php:242 +msgid "Higher numbers will sink to bottom of listing" +msgstr "Hogere nummers komen onderaan de lijst terecht" + +#: ../../Zotlabs/Module/Mitem.php:165 +msgid "Submit and finish" +msgstr "Opslaan en afsluiten" + +#: ../../Zotlabs/Module/Mitem.php:166 +msgid "Submit and continue" +msgstr "Opslaan en doorgaan" + +#: ../../Zotlabs/Module/Mitem.php:174 +msgid "Menu:" +msgstr "Menu:" + +#: ../../Zotlabs/Module/Mitem.php:177 +msgid "Link Target" +msgstr "Linkdoel" + +#: ../../Zotlabs/Module/Mitem.php:180 +msgid "Edit menu" +msgstr "Menu bewerken" + +#: ../../Zotlabs/Module/Mitem.php:183 +msgid "Edit element" +msgstr "Onderdeel bewerken" + +#: ../../Zotlabs/Module/Mitem.php:184 +msgid "Drop element" +msgstr "Onderdeel verwijderen" + +#: ../../Zotlabs/Module/Mitem.php:185 +msgid "New element" +msgstr "Nieuw element" + +#: ../../Zotlabs/Module/Mitem.php:186 +msgid "Edit this menu container" +msgstr "Deze menu-container bewerken" + +#: ../../Zotlabs/Module/Mitem.php:187 +msgid "Add menu element" +msgstr "Menu-element toevoegen" + +#: ../../Zotlabs/Module/Mitem.php:188 +msgid "Delete this menu item" +msgstr "Dit menu-item verwijderen" + +#: ../../Zotlabs/Module/Mitem.php:189 +msgid "Edit this menu item" +msgstr "Dit menu-item bewerken" + +#: ../../Zotlabs/Module/Mitem.php:206 +msgid "Menu item not found." +msgstr "Menu-item niet gevonden." + +#: ../../Zotlabs/Module/Mitem.php:219 +msgid "Menu item deleted." +msgstr "Menu-item verwijderd." + +#: ../../Zotlabs/Module/Mitem.php:221 +msgid "Menu item could not be deleted." +msgstr "Menu-item kon niet worden verwijderd." + +#: ../../Zotlabs/Module/Mitem.php:228 +msgid "Edit Menu Element" +msgstr "Menu-element bewerken" + +#: ../../Zotlabs/Module/Mitem.php:238 +msgid "Link text" +msgstr "Linktekst" + +#: ../../Zotlabs/Module/Follow.php:34 +msgid "Channel added." +msgstr "Kanaal toegevoegd." + #: ../../Zotlabs/Module/Import_items.php:104 msgid "Import completed" msgstr "Importeren voltooid" @@ -2893,10 +2567,6 @@ msgstr "Uitnodigingen verzenden" msgid "Enter email addresses, one per line:" msgstr "Voer e-mailadressen in, ƩƩn per regel:" -#: ../../Zotlabs/Module/Invite.php:135 ../../Zotlabs/Module/Mail.php:241 -msgid "Your message:" -msgstr "Jouw bericht:" - #: ../../Zotlabs/Module/Invite.php:136 msgid "Please join my community on $Projectname." msgstr "Hierbij nodig ik je uit om mij, en andere vrienden en kennissen, op $Projectname te vergezellen. Lees meer over $Projectname op http://hubzilla.org" @@ -2978,102 +2648,207 @@ msgstr "Gebruik dit formulier om de locatie te verwijderen wanneer de hub van de msgid "Hub not found." msgstr "Hub niet gevonden." -#: ../../Zotlabs/Module/Mail.php:38 -msgid "Unable to lookup recipient." -msgstr "Niet in staat om ontvanger op te zoeken." +#: ../../Zotlabs/Module/Impel.php:41 ../../include/bbcode.php:192 +msgid "webpage" +msgstr "Webpagina" -#: ../../Zotlabs/Module/Mail.php:45 -msgid "Unable to communicate with requested channel." -msgstr "Niet in staat om met het aangevraagde kanaal te communiceren." +#: ../../Zotlabs/Module/Impel.php:46 ../../include/bbcode.php:198 +msgid "block" +msgstr "blok" -#: ../../Zotlabs/Module/Mail.php:52 -msgid "Cannot verify requested channel." -msgstr "Kan opgevraagd kanaal niet verifieren" +#: ../../Zotlabs/Module/Impel.php:51 ../../include/bbcode.php:195 +msgid "layout" +msgstr "lay-out" -#: ../../Zotlabs/Module/Mail.php:70 -msgid "Selected channel has private message restrictions. Send failed." -msgstr "Gekozen kanaal heeft restricties voor privĆ©berichten. Verzenden mislukt." +#: ../../Zotlabs/Module/Impel.php:58 ../../include/bbcode.php:201 +msgid "menu" +msgstr "menu" -#: ../../Zotlabs/Module/Mail.php:135 -msgid "Messages" -msgstr "Berichten" - -#: ../../Zotlabs/Module/Mail.php:170 -msgid "Message recalled." -msgstr "Bericht ingetrokken." - -#: ../../Zotlabs/Module/Mail.php:183 -msgid "Conversation removed." -msgstr "Conversatie verwijderd" - -#: ../../Zotlabs/Module/Mail.php:198 ../../Zotlabs/Module/Mail.php:307 -msgid "Expires YYYY-MM-DD HH:MM" -msgstr "Verloopt op DD-MM-YYYY om HH:MM" - -#: ../../Zotlabs/Module/Mail.php:226 -msgid "Requested channel is not in this network" -msgstr "Opgevraagd kanaal is niet in dit netwerk beschikbaar" - -#: ../../Zotlabs/Module/Mail.php:234 -msgid "Send Private Message" -msgstr "PrivĆ©bericht versturen" - -#: ../../Zotlabs/Module/Mail.php:235 ../../Zotlabs/Module/Mail.php:360 -msgid "To:" -msgstr "Aan:" - -#: ../../Zotlabs/Module/Mail.php:238 ../../Zotlabs/Module/Mail.php:362 -msgid "Subject:" -msgstr "Onderwerp:" - -#: ../../Zotlabs/Module/Mail.php:243 ../../Zotlabs/Module/Mail.php:368 -#: ../../include/conversation.php:1231 -msgid "Attach file" -msgstr "Bestand toevoegen" - -#: ../../Zotlabs/Module/Mail.php:245 -msgid "Send" -msgstr "Verzenden" - -#: ../../Zotlabs/Module/Mail.php:248 ../../Zotlabs/Module/Mail.php:373 -#: ../../include/conversation.php:1266 -msgid "Set expiration date" -msgstr "Verloopdatum instellen" - -#: ../../Zotlabs/Module/Mail.php:332 -msgid "Delete message" -msgstr "Bericht verwijderen" - -#: ../../Zotlabs/Module/Mail.php:333 -msgid "Delivery report" -msgstr "Afleveringsrapport" - -#: ../../Zotlabs/Module/Mail.php:334 -msgid "Recall message" -msgstr "Bericht intrekken" - -#: ../../Zotlabs/Module/Mail.php:336 -msgid "Message has been recalled." -msgstr "Bericht is ingetrokken." - -#: ../../Zotlabs/Module/Mail.php:353 -msgid "Delete Conversation" -msgstr "Verwijder conversatie" - -#: ../../Zotlabs/Module/Mail.php:355 -msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "Geen veilige communicatie beschikbaar. Mogelijk kan je reageren op de kanaalpagina van de afzender." - -#: ../../Zotlabs/Module/Mail.php:359 -msgid "Send Reply" -msgstr "Antwoord versturen" - -#: ../../Zotlabs/Module/Mail.php:364 +#: ../../Zotlabs/Module/Impel.php:191 #, php-format -msgid "Your message for %s (%s):" -msgstr "Jouw privĆ©bericht aan %s (%s):" +msgid "%s element installed" +msgstr "%s onderdeel geĆÆnstalleerd" + +#: ../../Zotlabs/Module/Impel.php:194 +#, php-format +msgid "%s element installation failed" +msgstr "Installatie %s-element mislukt" + +#: ../../Zotlabs/Module/Events.php:25 +msgid "Calendar entries imported." +msgstr "Agenda-items geĆÆmporteerd." + +#: ../../Zotlabs/Module/Events.php:27 +msgid "No calendar entries found." +msgstr "Geen agenda-items gevonden." + +#: ../../Zotlabs/Module/Events.php:104 +msgid "Event can not end before it has started." +msgstr "Gebeurtenis kan niet eindigen voordat het is begonnen" + +#: ../../Zotlabs/Module/Events.php:106 ../../Zotlabs/Module/Events.php:115 +#: ../../Zotlabs/Module/Events.php:135 +msgid "Unable to generate preview." +msgstr "Niet in staat om voorvertoning te genereren" + +#: ../../Zotlabs/Module/Events.php:113 +msgid "Event title and start time are required." +msgstr "Titel en begintijd van gebeurtenis zijn vereist." + +#: ../../Zotlabs/Module/Events.php:133 ../../Zotlabs/Module/Events.php:258 +msgid "Event not found." +msgstr "Gebeurtenis niet gevonden" + +#: ../../Zotlabs/Module/Events.php:452 +msgid "Edit event title" +msgstr "Titel bewerken" + +#: ../../Zotlabs/Module/Events.php:452 +msgid "Event title" +msgstr "Titel" + +#: ../../Zotlabs/Module/Events.php:454 +msgid "Categories (comma-separated list)" +msgstr "CategorieĆ«n (door komma's gescheiden lijst)" + +#: ../../Zotlabs/Module/Events.php:455 +msgid "Edit Category" +msgstr "Categorie" + +#: ../../Zotlabs/Module/Events.php:455 +msgid "Category" +msgstr "Categorie" + +#: ../../Zotlabs/Module/Events.php:458 +msgid "Edit start date and time" +msgstr "Begindatum en -tijd bewerken" + +#: ../../Zotlabs/Module/Events.php:458 +msgid "Start date and time" +msgstr "Begindatum en -tijd" + +#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:462 +msgid "Finish date and time are not known or not relevant" +msgstr "Einddatum en -tijd zijn niet bekend of niet van toepassing" + +#: ../../Zotlabs/Module/Events.php:461 +msgid "Edit finish date and time" +msgstr "Einddatum en -tijd bewerken" + +#: ../../Zotlabs/Module/Events.php:461 +msgid "Finish date and time" +msgstr "Einddatum en -tijd" + +#: ../../Zotlabs/Module/Events.php:463 ../../Zotlabs/Module/Events.php:464 +msgid "Adjust for viewer timezone" +msgstr "Aanpassen aan de tijdzone van wie deze gebeurtenis bekijkt" + +#: ../../Zotlabs/Module/Events.php:463 +msgid "" +"Important for events that happen in a particular place. Not practical for " +"global holidays." +msgstr "Belangrijk voor gebeurtenissen die op een bepaalde locatie plaatsvinden. Niet praktisch voor wereldwijde feestdagen." + +#: ../../Zotlabs/Module/Events.php:465 +msgid "Edit Description" +msgstr "Omschrijving bewerken" + +#: ../../Zotlabs/Module/Events.php:467 +msgid "Edit Location" +msgstr "Locatie bewerken" + +#: ../../Zotlabs/Module/Events.php:470 ../../Zotlabs/Module/Events.php:472 +msgid "Share this event" +msgstr "Deel deze gebeurtenis" + +#: ../../Zotlabs/Module/Events.php:473 ../../Zotlabs/Module/Photos.php:1099 +#: ../../Zotlabs/Module/Webpages.php:224 ../../Zotlabs/Lib/ThreadItem.php:720 +#: ../../include/conversation.php:1205 ../../include/page_widgets.php:43 +msgid "Preview" +msgstr "Voorvertoning" + +#: ../../Zotlabs/Module/Events.php:474 ../../include/conversation.php:1258 +msgid "Permission settings" +msgstr "Permissies" + +#: ../../Zotlabs/Module/Events.php:485 +msgid "Advanced Options" +msgstr "Geavanceerde opties" + +#: ../../Zotlabs/Module/Events.php:597 ../../Zotlabs/Module/Cal.php:259 +msgid "l, F j" +msgstr "l j F" + +#: ../../Zotlabs/Module/Events.php:619 +msgid "Edit event" +msgstr "Gebeurtenis bewerken" + +#: ../../Zotlabs/Module/Events.php:621 +msgid "Delete event" +msgstr "Gebeurtenis verwijderen" + +#: ../../Zotlabs/Module/Events.php:646 ../../Zotlabs/Module/Cal.php:308 +#: ../../include/text.php:1716 +msgid "Link to Source" +msgstr "Originele locatie" + +#: ../../Zotlabs/Module/Events.php:655 +msgid "calendar" +msgstr "agenda" + +#: ../../Zotlabs/Module/Events.php:674 ../../Zotlabs/Module/Cal.php:331 +msgid "Edit Event" +msgstr "Gebeurtenis bewerken" + +#: ../../Zotlabs/Module/Events.php:674 ../../Zotlabs/Module/Cal.php:331 +msgid "Create Event" +msgstr "Gebeurtenis aanmaken" + +#: ../../Zotlabs/Module/Events.php:675 ../../Zotlabs/Module/Events.php:684 +#: ../../Zotlabs/Module/Cal.php:332 ../../Zotlabs/Module/Cal.php:339 +#: ../../Zotlabs/Module/Photos.php:951 +msgid "Previous" +msgstr "Vorige" + +#: ../../Zotlabs/Module/Events.php:676 ../../Zotlabs/Module/Events.php:685 +#: ../../Zotlabs/Module/Setup.php:267 ../../Zotlabs/Module/Cal.php:333 +#: ../../Zotlabs/Module/Cal.php:340 ../../Zotlabs/Module/Photos.php:960 +msgid "Next" +msgstr "Volgende" + +#: ../../Zotlabs/Module/Events.php:677 ../../Zotlabs/Module/Cal.php:334 +msgid "Export" +msgstr "Exporteren" + +#: ../../Zotlabs/Module/Events.php:680 ../../Zotlabs/Module/Blocks.php:166 +#: ../../Zotlabs/Module/Layouts.php:197 ../../Zotlabs/Module/Pubsites.php:47 +#: ../../Zotlabs/Module/Webpages.php:223 ../../include/page_widgets.php:42 +msgid "View" +msgstr "Weergeven" + +#: ../../Zotlabs/Module/Events.php:681 +msgid "Month" +msgstr "Maand" + +#: ../../Zotlabs/Module/Events.php:682 +msgid "Week" +msgstr "Week" + +#: ../../Zotlabs/Module/Events.php:683 +msgid "Day" +msgstr "Dag" + +#: ../../Zotlabs/Module/Events.php:686 ../../Zotlabs/Module/Cal.php:341 +msgid "Today" +msgstr "Vandaag" + +#: ../../Zotlabs/Module/Events.php:717 +msgid "Event removed" +msgstr "Gebeurtenis verwijderd" + +#: ../../Zotlabs/Module/Events.php:720 +msgid "Failed to remove event" +msgstr "Verwijderen gebeurtenis mislukt" #: ../../Zotlabs/Module/Manage.php:136 #: ../../Zotlabs/Module/New_channel.php:121 @@ -3086,7 +2861,7 @@ msgid "Create a new channel" msgstr "Nieuw kanaal aanmaken" #: ../../Zotlabs/Module/Manage.php:164 ../../Zotlabs/Lib/Apps.php:214 -#: ../../include/nav.php:208 +#: ../../include/nav.php:210 msgid "Channel Manager" msgstr "Kanaalbeheer" @@ -3120,103 +2895,6 @@ msgstr "%d nieuwe connectieverzoeken" msgid "Delegated Channel" msgstr "Uitbesteed kanaal" -#: ../../Zotlabs/Module/Menu.php:49 -msgid "Unable to update menu." -msgstr "Niet in staat om menu aan te passen" - -#: ../../Zotlabs/Module/Menu.php:60 -msgid "Unable to create menu." -msgstr "Niet in staat om menu aan te maken." - -#: ../../Zotlabs/Module/Menu.php:98 ../../Zotlabs/Module/Menu.php:110 -msgid "Menu Name" -msgstr "Menunaam" - -#: ../../Zotlabs/Module/Menu.php:98 -msgid "Unique name (not visible on webpage) - required" -msgstr "Unieke naam vereist (niet zichtbaar op webpagina)" - -#: ../../Zotlabs/Module/Menu.php:99 ../../Zotlabs/Module/Menu.php:111 -msgid "Menu Title" -msgstr "Menutitel" - -#: ../../Zotlabs/Module/Menu.php:99 -msgid "Visible on webpage - leave empty for no title" -msgstr "Zichtbaar op webpagina (leeg laten voor geen titel)" - -#: ../../Zotlabs/Module/Menu.php:100 -msgid "Allow Bookmarks" -msgstr "Bladwijzers toestaan" - -#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 -msgid "Menu may be used to store saved bookmarks" -msgstr "Menu kan gebruikt worden om bladwijzers in op te slaan" - -#: ../../Zotlabs/Module/Menu.php:101 ../../Zotlabs/Module/Menu.php:159 -msgid "Submit and proceed" -msgstr "Opslaan en doorgaan" - -#: ../../Zotlabs/Module/Menu.php:107 ../../include/text.php:2239 -msgid "Menus" -msgstr "Menu's" - -#: ../../Zotlabs/Module/Menu.php:117 -msgid "Bookmarks allowed" -msgstr "Bladwijzers toegestaan" - -#: ../../Zotlabs/Module/Menu.php:119 -msgid "Delete this menu" -msgstr "Menu verwijderen" - -#: ../../Zotlabs/Module/Menu.php:120 ../../Zotlabs/Module/Menu.php:154 -msgid "Edit menu contents" -msgstr "Bewerk de inhoud van het menu" - -#: ../../Zotlabs/Module/Menu.php:121 -msgid "Edit this menu" -msgstr "Dit menu bewerken" - -#: ../../Zotlabs/Module/Menu.php:136 -msgid "Menu could not be deleted." -msgstr "Menu kon niet verwijderd worden." - -#: ../../Zotlabs/Module/Menu.php:144 ../../Zotlabs/Module/Mitem.php:28 -msgid "Menu not found." -msgstr "Menu niet gevonden." - -#: ../../Zotlabs/Module/Menu.php:149 -msgid "Edit Menu" -msgstr "Menu bewerken" - -#: ../../Zotlabs/Module/Menu.php:153 -msgid "Add or remove entries to this menu" -msgstr "Items aan dit menu toevoegen of verwijder" - -#: ../../Zotlabs/Module/Menu.php:155 -msgid "Menu name" -msgstr "Naam van menu" - -#: ../../Zotlabs/Module/Menu.php:155 -msgid "Must be unique, only seen by you" -msgstr "Moet uniek zijn en is alleen zichtbaar voor jou." - -#: ../../Zotlabs/Module/Menu.php:156 -msgid "Menu title" -msgstr "Titel van menu" - -#: ../../Zotlabs/Module/Menu.php:156 -msgid "Menu title as seen by others" -msgstr "Titel van menu zoals anderen dat zien." - -#: ../../Zotlabs/Module/Menu.php:157 -msgid "Allow bookmarks" -msgstr "Bladwijzers toestaan" - -#: ../../Zotlabs/Module/Menu.php:166 ../../Zotlabs/Module/Mitem.php:120 -#: ../../Zotlabs/Module/Xchan.php:41 -msgid "Not found." -msgstr "Niet gevonden." - #: ../../Zotlabs/Module/Lostpass.php:19 msgid "No valid account found." msgstr "Geen geldige account gevonden." @@ -3241,7 +2919,7 @@ msgid "" "Password reset failed." msgstr "Het verzoek kon niet worden geverifieerd. (Mogelijk heb je al eerder een verzoek ingediend.) Opnieuw instellen van wachtwoord is mislukt." -#: ../../Zotlabs/Module/Lostpass.php:90 ../../boot.php:1712 +#: ../../Zotlabs/Module/Lostpass.php:90 ../../boot.php:1721 msgid "Password Reset" msgstr "Wachtwoord vergeten?" @@ -3304,33 +2982,105 @@ msgstr "Stemming" msgid "Set your current mood and tell your friends" msgstr "Noteer je huidige stemming en toon het aan je connecties" -#: ../../Zotlabs/Module/Network.php:94 -msgid "No such group" -msgstr "Collectie niet gevonden" +#: ../../Zotlabs/Module/Menu.php:49 +msgid "Unable to update menu." +msgstr "Niet in staat om menu aan te passen" -#: ../../Zotlabs/Module/Network.php:134 -msgid "No such channel" -msgstr "Niet zo'n kanaal" +#: ../../Zotlabs/Module/Menu.php:60 +msgid "Unable to create menu." +msgstr "Niet in staat om menu aan te maken." -#: ../../Zotlabs/Module/Network.php:139 -msgid "forum" -msgstr "forum" +#: ../../Zotlabs/Module/Menu.php:98 ../../Zotlabs/Module/Menu.php:110 +msgid "Menu Name" +msgstr "Menunaam" -#: ../../Zotlabs/Module/Network.php:151 -msgid "Search Results For:" -msgstr "Zoekresultaten voor:" +#: ../../Zotlabs/Module/Menu.php:98 +msgid "Unique name (not visible on webpage) - required" +msgstr "Unieke naam vereist (niet zichtbaar op webpagina)" -#: ../../Zotlabs/Module/Network.php:215 -msgid "Privacy group is empty" -msgstr "Privacygroep is leeg" +#: ../../Zotlabs/Module/Menu.php:99 ../../Zotlabs/Module/Menu.php:111 +msgid "Menu Title" +msgstr "Menutitel" -#: ../../Zotlabs/Module/Network.php:224 -msgid "Privacy group: " -msgstr "Privacygroep: " +#: ../../Zotlabs/Module/Menu.php:99 +msgid "Visible on webpage - leave empty for no title" +msgstr "Zichtbaar op webpagina (leeg laten voor geen titel)" -#: ../../Zotlabs/Module/Network.php:250 -msgid "Invalid connection." -msgstr "Ongeldige connectie." +#: ../../Zotlabs/Module/Menu.php:100 +msgid "Allow Bookmarks" +msgstr "Bladwijzers toestaan" + +#: ../../Zotlabs/Module/Menu.php:100 ../../Zotlabs/Module/Menu.php:157 +msgid "Menu may be used to store saved bookmarks" +msgstr "Menu kan gebruikt worden om bladwijzers in op te slaan" + +#: ../../Zotlabs/Module/Menu.php:101 ../../Zotlabs/Module/Menu.php:159 +msgid "Submit and proceed" +msgstr "Opslaan en doorgaan" + +#: ../../Zotlabs/Module/Menu.php:107 ../../include/text.php:2263 +msgid "Menus" +msgstr "Menu's" + +#: ../../Zotlabs/Module/Menu.php:114 ../../Zotlabs/Module/Blocks.php:157 +#: ../../Zotlabs/Module/Layouts.php:190 ../../Zotlabs/Module/Webpages.php:228 +#: ../../include/page_widgets.php:47 +msgid "Created" +msgstr "Aangemaakt" + +#: ../../Zotlabs/Module/Menu.php:115 ../../Zotlabs/Module/Blocks.php:158 +#: ../../Zotlabs/Module/Layouts.php:191 ../../Zotlabs/Module/Webpages.php:229 +#: ../../include/page_widgets.php:48 +msgid "Edited" +msgstr "Bewerkt" + +#: ../../Zotlabs/Module/Menu.php:117 +msgid "Bookmarks allowed" +msgstr "Bladwijzers toegestaan" + +#: ../../Zotlabs/Module/Menu.php:119 +msgid "Delete this menu" +msgstr "Menu verwijderen" + +#: ../../Zotlabs/Module/Menu.php:120 ../../Zotlabs/Module/Menu.php:154 +msgid "Edit menu contents" +msgstr "Bewerk de inhoud van het menu" + +#: ../../Zotlabs/Module/Menu.php:121 +msgid "Edit this menu" +msgstr "Dit menu bewerken" + +#: ../../Zotlabs/Module/Menu.php:136 +msgid "Menu could not be deleted." +msgstr "Menu kon niet verwijderd worden." + +#: ../../Zotlabs/Module/Menu.php:149 +msgid "Edit Menu" +msgstr "Menu bewerken" + +#: ../../Zotlabs/Module/Menu.php:153 +msgid "Add or remove entries to this menu" +msgstr "Items aan dit menu toevoegen of verwijder" + +#: ../../Zotlabs/Module/Menu.php:155 +msgid "Menu name" +msgstr "Naam van menu" + +#: ../../Zotlabs/Module/Menu.php:155 +msgid "Must be unique, only seen by you" +msgstr "Moet uniek zijn en is alleen zichtbaar voor jou." + +#: ../../Zotlabs/Module/Menu.php:156 +msgid "Menu title" +msgstr "Titel van menu" + +#: ../../Zotlabs/Module/Menu.php:156 +msgid "Menu title as seen by others" +msgstr "Titel van menu zoals anderen dat zien." + +#: ../../Zotlabs/Module/Menu.php:157 +msgid "Allow bookmarks" +msgstr "Bladwijzers toestaan" #: ../../Zotlabs/Module/Notify.php:57 #: ../../Zotlabs/Module/Notifications.php:98 @@ -3358,2444 +3108,11 @@ msgstr "is geĆÆnteresseerd in:" msgid "No matches" msgstr "Geen overeenkomsten" -#: ../../Zotlabs/Module/Channel.php:40 -msgid "Posts and comments" -msgstr "Berichten en reacties" - -#: ../../Zotlabs/Module/Channel.php:41 -msgid "Only posts" -msgstr "Alleen berichten" - -#: ../../Zotlabs/Module/Channel.php:101 -msgid "Insufficient permissions. Request redirected to profile page." -msgstr "Onvoldoende permissies. Doorgestuurd naar profielpagina." - -#: ../../Zotlabs/Module/Mitem.php:52 -msgid "Unable to create element." -msgstr "Niet in staat om onderdeel aan te maken." - -#: ../../Zotlabs/Module/Mitem.php:76 -msgid "Unable to update menu element." -msgstr "Menu-onderdeel kan niet worden geüpdatet." - -#: ../../Zotlabs/Module/Mitem.php:92 -msgid "Unable to add menu element." -msgstr "Menu-onderdeel kan niet worden toegevoegd." - -#: ../../Zotlabs/Module/Mitem.php:153 ../../Zotlabs/Module/Mitem.php:226 -msgid "Menu Item Permissions" -msgstr "Permissies menu-item" - -#: ../../Zotlabs/Module/Mitem.php:154 ../../Zotlabs/Module/Mitem.php:227 -#: ../../Zotlabs/Module/Settings.php:1163 -msgid "(click to open/close)" -msgstr "(klik om te openen/sluiten)" - -#: ../../Zotlabs/Module/Mitem.php:156 ../../Zotlabs/Module/Mitem.php:172 -msgid "Link Name" -msgstr "Linknaam" - -#: ../../Zotlabs/Module/Mitem.php:157 ../../Zotlabs/Module/Mitem.php:231 -msgid "Link or Submenu Target" -msgstr "Linkdoel of submenu-doel" - -#: ../../Zotlabs/Module/Mitem.php:157 -msgid "Enter URL of the link or select a menu name to create a submenu" -msgstr "Geef de URL van de link of kies een menunaam om een submenu aan te maken" - -#: ../../Zotlabs/Module/Mitem.php:158 ../../Zotlabs/Module/Mitem.php:232 -msgid "Use magic-auth if available" -msgstr "Gebruik magic-auth wanneer beschikbaar" - -#: ../../Zotlabs/Module/Mitem.php:159 ../../Zotlabs/Module/Mitem.php:233 -msgid "Open link in new window" -msgstr "Open link in nieuw venster" - -#: ../../Zotlabs/Module/Mitem.php:160 ../../Zotlabs/Module/Mitem.php:234 -msgid "Order in list" -msgstr "Volgorde in lijst" - -#: ../../Zotlabs/Module/Mitem.php:160 ../../Zotlabs/Module/Mitem.php:234 -msgid "Higher numbers will sink to bottom of listing" -msgstr "Hogere nummers komen onderaan de lijst terecht" - -#: ../../Zotlabs/Module/Mitem.php:161 -msgid "Submit and finish" -msgstr "Opslaan en afsluiten" - -#: ../../Zotlabs/Module/Mitem.php:162 -msgid "Submit and continue" -msgstr "Opslaan en doorgaan" - -#: ../../Zotlabs/Module/Mitem.php:170 -msgid "Menu:" -msgstr "Menu:" - -#: ../../Zotlabs/Module/Mitem.php:173 -msgid "Link Target" -msgstr "Linkdoel" - -#: ../../Zotlabs/Module/Mitem.php:176 -msgid "Edit menu" -msgstr "Menu bewerken" - -#: ../../Zotlabs/Module/Mitem.php:179 -msgid "Edit element" -msgstr "Onderdeel bewerken" - -#: ../../Zotlabs/Module/Mitem.php:180 -msgid "Drop element" -msgstr "Onderdeel verwijderen" - -#: ../../Zotlabs/Module/Mitem.php:181 -msgid "New element" -msgstr "Nieuw element" - -#: ../../Zotlabs/Module/Mitem.php:182 -msgid "Edit this menu container" -msgstr "Deze menu-container bewerken" - -#: ../../Zotlabs/Module/Mitem.php:183 -msgid "Add menu element" -msgstr "Menu-element toevoegen" - -#: ../../Zotlabs/Module/Mitem.php:184 -msgid "Delete this menu item" -msgstr "Dit menu-item verwijderen" - -#: ../../Zotlabs/Module/Mitem.php:185 -msgid "Edit this menu item" -msgstr "Dit menu-item bewerken" - -#: ../../Zotlabs/Module/Mitem.php:202 -msgid "Menu item not found." -msgstr "Menu-item niet gevonden." - -#: ../../Zotlabs/Module/Mitem.php:215 -msgid "Menu item deleted." -msgstr "Menu-item verwijderd." - -#: ../../Zotlabs/Module/Mitem.php:217 -msgid "Menu item could not be deleted." -msgstr "Menu-item kon niet worden verwijderd." - -#: ../../Zotlabs/Module/Mitem.php:224 -msgid "Edit Menu Element" -msgstr "Menu-element bewerken" - -#: ../../Zotlabs/Module/Mitem.php:230 -msgid "Link text" -msgstr "Linktekst" - -#: ../../Zotlabs/Module/Admin.php:77 -msgid "Theme settings updated." -msgstr "Thema-instellingen bijgewerkt." - -#: ../../Zotlabs/Module/Admin.php:197 -msgid "# Accounts" -msgstr "# accounts" - -#: ../../Zotlabs/Module/Admin.php:198 -msgid "# blocked accounts" -msgstr "# geblokkeerde accounts" - -#: ../../Zotlabs/Module/Admin.php:199 -msgid "# expired accounts" -msgstr "# verlopen accounts" - -#: ../../Zotlabs/Module/Admin.php:200 -msgid "# expiring accounts" -msgstr "# accounts die nog moeten verlopen" - -#: ../../Zotlabs/Module/Admin.php:211 -msgid "# Channels" -msgstr "# Kanalen" - -#: ../../Zotlabs/Module/Admin.php:212 -msgid "# primary" -msgstr "# primair" - -#: ../../Zotlabs/Module/Admin.php:213 -msgid "# clones" -msgstr "# klonen" - -#: ../../Zotlabs/Module/Admin.php:219 -msgid "Message queues" -msgstr "Berichtenwachtrij" - -#: ../../Zotlabs/Module/Admin.php:236 -msgid "Your software should be updated" -msgstr "Jouw software moet worden bijgewerkt " - -#: ../../Zotlabs/Module/Admin.php:241 ../../Zotlabs/Module/Admin.php:490 -#: ../../Zotlabs/Module/Admin.php:711 ../../Zotlabs/Module/Admin.php:755 -#: ../../Zotlabs/Module/Admin.php:1030 ../../Zotlabs/Module/Admin.php:1209 -#: ../../Zotlabs/Module/Admin.php:1329 ../../Zotlabs/Module/Admin.php:1419 -#: ../../Zotlabs/Module/Admin.php:1612 ../../Zotlabs/Module/Admin.php:1646 -#: ../../Zotlabs/Module/Admin.php:1731 -msgid "Administration" -msgstr "Beheer" - -#: ../../Zotlabs/Module/Admin.php:242 -msgid "Summary" -msgstr "Samenvatting" - -#: ../../Zotlabs/Module/Admin.php:245 -msgid "Registered accounts" -msgstr "Geregistreerde accounts" - -#: ../../Zotlabs/Module/Admin.php:246 ../../Zotlabs/Module/Admin.php:715 -msgid "Pending registrations" -msgstr "Accounts die op goedkeuring wachten" - -#: ../../Zotlabs/Module/Admin.php:247 -msgid "Registered channels" -msgstr "Geregistreerde kanalen" - -#: ../../Zotlabs/Module/Admin.php:248 ../../Zotlabs/Module/Admin.php:716 -msgid "Active plugins" -msgstr "Ingeschakelde plugins" - -#: ../../Zotlabs/Module/Admin.php:249 -msgid "Version" -msgstr "Versie" - -#: ../../Zotlabs/Module/Admin.php:250 -msgid "Repository version (master)" -msgstr "Versie repository (master)" - -#: ../../Zotlabs/Module/Admin.php:251 -msgid "Repository version (dev)" -msgstr "Versie repository (dev)" - -#: ../../Zotlabs/Module/Admin.php:373 -msgid "Site settings updated." -msgstr "Hub-instellingen bijgewerkt." - -#: ../../Zotlabs/Module/Admin.php:400 ../../include/text.php:2829 -msgid "Default" -msgstr "Standaard" - -#: ../../Zotlabs/Module/Admin.php:410 ../../Zotlabs/Module/Settings.php:899 -msgid "mobile" -msgstr "mobiel" - -#: ../../Zotlabs/Module/Admin.php:412 -msgid "experimental" -msgstr "experimenteel" - -#: ../../Zotlabs/Module/Admin.php:414 -msgid "unsupported" -msgstr "Niet ondersteund" - -#: ../../Zotlabs/Module/Admin.php:460 -msgid "Yes - with approval" -msgstr "Ja - met goedkeuring" - -#: ../../Zotlabs/Module/Admin.php:466 -msgid "My site is not a public server" -msgstr "Mijn $Projectname-hub is niet openbaar" - -#: ../../Zotlabs/Module/Admin.php:467 -msgid "My site has paid access only" -msgstr "Mijn $Projectname-hub kent alleen betaalde toegang" - -#: ../../Zotlabs/Module/Admin.php:468 -msgid "My site has free access only" -msgstr "Mijn $Projectname-hub kent alleen gratis toegang" - -#: ../../Zotlabs/Module/Admin.php:469 -msgid "My site offers free accounts with optional paid upgrades" -msgstr "Mijn $Projectname-hub biedt gratis accounts aan met betaalde uitbreidingen als optie" - -#: ../../Zotlabs/Module/Admin.php:491 ../../include/widgets.php:1476 -msgid "Site" -msgstr "Hub-instellingen" - -#: ../../Zotlabs/Module/Admin.php:493 ../../Zotlabs/Module/Register.php:245 -msgid "Registration" -msgstr "Registratie" - -#: ../../Zotlabs/Module/Admin.php:494 -msgid "File upload" -msgstr "Bestand uploaden" - -#: ../../Zotlabs/Module/Admin.php:495 -msgid "Policies" -msgstr "Beleid" - -#: ../../Zotlabs/Module/Admin.php:496 ../../include/contact_widgets.php:16 -msgid "Advanced" -msgstr "Geavanceerd" - -#: ../../Zotlabs/Module/Admin.php:500 -msgid "Site name" -msgstr "Naam van deze $Projectname-hub" - -#: ../../Zotlabs/Module/Admin.php:501 -msgid "Banner/Logo" -msgstr "Banner/logo" - -#: ../../Zotlabs/Module/Admin.php:502 -msgid "Administrator Information" -msgstr "Informatie over de beheerder van deze hub" - -#: ../../Zotlabs/Module/Admin.php:502 -msgid "" -"Contact information for site administrators. Displayed on siteinfo page. " -"BBCode can be used here" -msgstr "Contactinformatie voor hub-beheerders. Getoond op pagina met hub-informatie. Er kan hier bbcode gebruikt worden." - -#: ../../Zotlabs/Module/Admin.php:503 -msgid "System language" -msgstr "Standaardtaal" - -#: ../../Zotlabs/Module/Admin.php:504 -msgid "System theme" -msgstr "Standaardthema" - -#: ../../Zotlabs/Module/Admin.php:504 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "Standaardthema voor $Projectname-hub (kan door lid veranderd worden) - verander thema-instellingen" - -#: ../../Zotlabs/Module/Admin.php:505 -msgid "Mobile system theme" -msgstr "Standaardthema voor mobiel" - -#: ../../Zotlabs/Module/Admin.php:505 -msgid "Theme for mobile devices" -msgstr "Thema voor mobiele apparaten" - -#: ../../Zotlabs/Module/Admin.php:507 -msgid "Allow Feeds as Connections" -msgstr "Sta feeds toe als connecties" - -#: ../../Zotlabs/Module/Admin.php:507 -msgid "(Heavy system resource usage)" -msgstr "(sterk negatieve invloed op systeembronnen hub)" - -#: ../../Zotlabs/Module/Admin.php:508 -msgid "Maximum image size" -msgstr "Maximale grootte van afbeeldingen" - -#: ../../Zotlabs/Module/Admin.php:508 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "Maximale grootte in bytes voor afbeeldingen die worden geüpload. Standaard is 0, wat geen limiet betekend." - -#: ../../Zotlabs/Module/Admin.php:509 -msgid "Does this site allow new member registration?" -msgstr "Staat deze hub nieuwe accounts toe?" - -#: ../../Zotlabs/Module/Admin.php:510 -msgid "Invitation only" -msgstr "Alleen op uitnodiging" - -#: ../../Zotlabs/Module/Admin.php:510 -msgid "" -"Only allow new member registrations with an invitation code. Above register " -"policy must be set to Yes." -msgstr "Sta alleen nieuwe registraties toe van mensen die een uitnodigingscode hebben. Bovenstaand accountbeleid moet op Ja staan." - -#: ../../Zotlabs/Module/Admin.php:511 -msgid "Which best describes the types of account offered by this hub?" -msgstr "Wat voor soort accounts biedt deze $Projectname-hub aan? Kies wat het meest in de buurt komt." - -#: ../../Zotlabs/Module/Admin.php:512 -msgid "Register text" -msgstr "Tekst tijdens registratie" - -#: ../../Zotlabs/Module/Admin.php:512 -msgid "Will be displayed prominently on the registration page." -msgstr "Tekst dat op de pagina voor het registreren van nieuwe accounts wordt getoond." - -#: ../../Zotlabs/Module/Admin.php:513 -msgid "Site homepage to show visitors (default: login box)" -msgstr "Homepagina van deze hub die aan bezoekers wordt getoond (standaard: inlogformulier)" - -#: ../../Zotlabs/Module/Admin.php:513 -msgid "" -"example: 'public' to show public stream, 'page/sys/home' to show a system " -"webpage called 'home' or 'include:home.html' to include a file." -msgstr "voorbeeld: 'public' om de openbare stream te tonen, 'page/sys/home' om de webpagina 'home' van het systeemkanaal te tonen of 'include:home.html' om een gewoon bestand te gebruiken." - -#: ../../Zotlabs/Module/Admin.php:514 -msgid "Preserve site homepage URL" -msgstr "Behoudt de URL van de hub (/)" - -#: ../../Zotlabs/Module/Admin.php:514 -msgid "" -"Present the site homepage in a frame at the original location instead of " -"redirecting" -msgstr "Toon de homepagina van de hub in een frame op de oorspronkelijke locatie (/), i.p.v. een doorverwijzing naar een andere locatie (bv. .../home.html)" - -#: ../../Zotlabs/Module/Admin.php:515 -msgid "Accounts abandoned after x days" -msgstr "Accounts als verlaten beschouwen na zoveel aantal dagen:" - -#: ../../Zotlabs/Module/Admin.php:515 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "Zal geen systeembronnen verspillen door polling van externe hubs voor verlaten accounts. Vul 0 in voor geen tijdslimiet." - -#: ../../Zotlabs/Module/Admin.php:516 -msgid "Allowed friend domains" -msgstr "Toegestane domeinen" - -#: ../../Zotlabs/Module/Admin.php:516 -msgid "" -"Comma separated list of domains which are allowed to establish friendships " -"with this site. Wildcards are accepted. Empty to allow any domains" -msgstr "Komma-gescheiden lijst van domeinen waarvan kanalen connecties kunnen aangaan met kanalen op deze $Projectname-hub. Wildcards zijn toegestaan.\nLaat leeg om alle domeinen toe te laten." - -#: ../../Zotlabs/Module/Admin.php:517 -msgid "Allowed email domains" -msgstr "Toegestane e-maildomeinen" - -#: ../../Zotlabs/Module/Admin.php:517 -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 "Door komma's gescheiden lijst met e-maildomeinen waarvan e-mailadressen op deze hub mogen registeren. Wildcards zijn toegestaan. Laat leeg om alle domeinen toe te laten." - -#: ../../Zotlabs/Module/Admin.php:518 -msgid "Not allowed email domains" -msgstr "Niet toegestane e-maildomeinen" - -#: ../../Zotlabs/Module/Admin.php:518 -msgid "" -"Comma separated list of domains which are not allowed in email addresses for" -" registrations to this site. Wildcards are accepted. Empty to allow any " -"domains, unless allowed domains have been defined." -msgstr "Door komma's gescheiden lijst met e-maildomeinen waarvan e-mailadressen niet op deze hub mogen registeren. Wildcards zijn toegestaan. Laat leeg om alle domeinen toe te staan, tenzij er toegestane domeinen zijn ingesteld. " - -#: ../../Zotlabs/Module/Admin.php:519 -msgid "Verify Email Addresses" -msgstr "E-mailadres verifieren" - -#: ../../Zotlabs/Module/Admin.php:519 -msgid "" -"Check to verify email addresses used in account registration (recommended)." -msgstr "Inschakelen om e-mailadressen te verifiĆ«ren die tijdens de accountregistratie worden gebruikt (aanbevolen)." - -#: ../../Zotlabs/Module/Admin.php:520 -msgid "Force publish" -msgstr "Dwing kanaalvermelding af" - -#: ../../Zotlabs/Module/Admin.php:520 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "Vink dit aan om af te dwingen dat alle kanalen op deze hub in de kanalengids worden vermeld." - -#: ../../Zotlabs/Module/Admin.php:521 -msgid "Import Public Streams" -msgstr "Openbare streams importeren" - -#: ../../Zotlabs/Module/Admin.php:521 -msgid "" -"Import and allow access to public content pulled from other sites. Warning: " -"this content is unmoderated." -msgstr "Toegang verlenen tot openbare berichten die vanuit andere hubs worden geĆÆmporteerd. Waarschuwing: de inhoud van deze berichten wordt niet gemodereerd." - -#: ../../Zotlabs/Module/Admin.php:522 -msgid "Login on Homepage" -msgstr "Inlogformulier op de homepagina" - -#: ../../Zotlabs/Module/Admin.php:522 -msgid "" -"Present a login box to visitors on the home page if no other content has " -"been configured." -msgstr "Toon een inlogformulier voor bezoekers op de homepagina wanneer geen andere inhoud is geconfigureerd. " - -#: ../../Zotlabs/Module/Admin.php:523 -msgid "Enable context help" -msgstr "Schakel contextuele hulp in" - -#: ../../Zotlabs/Module/Admin.php:523 -msgid "" -"Display contextual help for the current page when the help button is " -"pressed." -msgstr "Toon hulp en documentatie voor de op dat moment getoonde pagina, wanneer op de hulp-knop wordt geklikt." - -#: ../../Zotlabs/Module/Admin.php:525 -msgid "Directory Server URL" -msgstr "Server-URL voor de kanalengids" - -#: ../../Zotlabs/Module/Admin.php:525 -msgid "Default directory server" -msgstr "Standaardserver voor de kanalengids" - -#: ../../Zotlabs/Module/Admin.php:527 -msgid "Proxy user" -msgstr "Gebruikersnaam proxy" - -#: ../../Zotlabs/Module/Admin.php:528 -msgid "Proxy URL" -msgstr "Proxy-URL" - -#: ../../Zotlabs/Module/Admin.php:529 -msgid "Network timeout" -msgstr "Netwerktimeout" - -#: ../../Zotlabs/Module/Admin.php:529 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "Waarde is in seconden. Zet op 0 voor onbeperkt (niet aanbevolen)" - -#: ../../Zotlabs/Module/Admin.php:530 -msgid "Delivery interval" -msgstr "Afleveringsinterval" - -#: ../../Zotlabs/Module/Admin.php:530 -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 "Vertraag de achtergrondprocessen voor het afleveren met een aantal seconden om de systeembelasting te verminderen. Aanbevolen: 4-5 voor shared hosts, 2-3 voor virtual private servers (VPS) en 0-1 voor grote dedicated servers." - -#: ../../Zotlabs/Module/Admin.php:531 -msgid "Deliveries per process" -msgstr "Leveringen per serverproces" - -#: ../../Zotlabs/Module/Admin.php:531 -msgid "" -"Number of deliveries to attempt in a single operating system process. Adjust" -" if necessary to tune system performance. Recommend: 1-5." -msgstr "Aantal leveringen die aan ƩƩn serverproces worden meegegeven. Pas dit aan wanneer het nodig is om systeemprestaties te verbeteren. Aangeraden: 1-5" - -#: ../../Zotlabs/Module/Admin.php:532 -msgid "Poll interval" -msgstr "Poll-interval" - -#: ../../Zotlabs/Module/Admin.php:532 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "De achtergrondprocessen voor het afleveren met zoveel seconden vertragen om de systeembelasting te verminderen. 0 om de afleveringsinterval te gebruiken." - -#: ../../Zotlabs/Module/Admin.php:533 -msgid "Maximum Load Average" -msgstr "Maximaal gemiddelde systeembelasting" - -#: ../../Zotlabs/Module/Admin.php:533 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "Maximale systeembelasting voordat de afleverings- en polllingsprocessen worden uitgesteld. Standaard is 50." - -#: ../../Zotlabs/Module/Admin.php:534 -msgid "Expiration period in days for imported (grid/network) content" -msgstr "Aantal dagen waarna geĆÆmporteerde inhoud uit iemands grid/netwerk-pagina wordt verwijderd." - -#: ../../Zotlabs/Module/Admin.php:534 -msgid "0 for no expiration of imported content" -msgstr "Dit geldt alleen voor inhoud van andere kanalen, dus niet voor iemands eigen kanaal. 0 voor het niet verwijderen van geĆÆmporteerde inhoud." - -#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 -#: ../../Zotlabs/Module/Settings.php:823 -msgid "Off" -msgstr "Uit" - -#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 -#: ../../Zotlabs/Module/Settings.php:823 -msgid "On" -msgstr "Aan" - -#: ../../Zotlabs/Module/Admin.php:678 -#, php-format -msgid "Lock feature %s" -msgstr " Vergrendel de functie '%s'" - -#: ../../Zotlabs/Module/Admin.php:686 -msgid "Manage Additional Features" -msgstr "Beheer - Extra functies" - -#: ../../Zotlabs/Module/Admin.php:703 -msgid "No server found" -msgstr "Geen hub gevonden" - -#: ../../Zotlabs/Module/Admin.php:710 ../../Zotlabs/Module/Admin.php:1046 -msgid "ID" -msgstr "ID" - -#: ../../Zotlabs/Module/Admin.php:710 -msgid "for channel" -msgstr "voor kanaal" - -#: ../../Zotlabs/Module/Admin.php:710 -msgid "on server" -msgstr "op hub" - -#: ../../Zotlabs/Module/Admin.php:712 -msgid "Server" -msgstr "Hubbeheer" - -#: ../../Zotlabs/Module/Admin.php:746 -msgid "" -"By default, unfiltered HTML is allowed in embedded media. This is inherently" -" insecure." -msgstr "Standaard is ongefilterde HTML in ingesloten (embedded) media toegestaan. Dit is inherent onveilig." - -#: ../../Zotlabs/Module/Admin.php:749 -msgid "" -"The recommended setting is to only allow unfiltered HTML from the following " -"sites:" -msgstr "Het wordt aanbevolen om alleen ongefilterde HTML van de volgende websites toe te staan:" - -#: ../../Zotlabs/Module/Admin.php:750 -msgid "" -"https://youtube.com/
https://www.youtube.com/
https://youtu.be/https://vimeo.com/
https://soundcloud.com/
" -msgstr "https://youtube.com/
https://www.youtube.com/
https://youtu.be/
https://vimeo.com/
https://soundcloud.com/
" - -#: ../../Zotlabs/Module/Admin.php:751 -msgid "" -"All other embedded content will be filtered, unless " -"embedded content from that site is explicitly blocked." -msgstr "Alle andere ingesloten (embedded) inhoud wordt gefilterd, tenzij ingesloten (embedded) inhoud van een website expliciet wordt geblokkeerd." - -#: ../../Zotlabs/Module/Admin.php:756 ../../include/widgets.php:1479 -msgid "Security" -msgstr "Beveiliging" - -#: ../../Zotlabs/Module/Admin.php:758 -msgid "Block public" -msgstr "Openbare toegang blokkeren" - -#: ../../Zotlabs/Module/Admin.php:758 -msgid "" -"Check to block public access to all otherwise public personal pages on this " -"site unless you are currently authenticated." -msgstr "Vink dit aan om alle normaliter openbare persoonlijke pagina's op deze hub alleen toegankelijk te maken voor leden die zich hebben geauthenticeerd." - -#: ../../Zotlabs/Module/Admin.php:759 -msgid "Set \"Transport Security\" HTTP header" -msgstr "\"Transport Security\" HTTP-header inschakelen" - -#: ../../Zotlabs/Module/Admin.php:760 -msgid "Set \"Content Security Policy\" HTTP header" -msgstr " \"Content Security Policy\" HTTP-header inschakelen" - -#: ../../Zotlabs/Module/Admin.php:761 -msgid "Allow communications only from these sites" -msgstr "Alleen communicatie met deze hubs toestaan" - -#: ../../Zotlabs/Module/Admin.php:761 -msgid "" -"One site per line. Leave empty to allow communication from anywhere by " -"default" -msgstr "EƩn hub per regel. Laat leeg om communicatie standaard met alle hubs toe te staan" - -#: ../../Zotlabs/Module/Admin.php:762 -msgid "Block communications from these sites" -msgstr "Communicatie met deze hubs blokkeren" - -#: ../../Zotlabs/Module/Admin.php:763 -msgid "Allow communications only from these channels" -msgstr "Sta alleen communicatie toe met deze kanalen" - -#: ../../Zotlabs/Module/Admin.php:763 -msgid "" -"One channel (hash) per line. Leave empty to allow from any channel by " -"default" -msgstr "EƩn kanaal (hash) per regel. Laat leeg om communicatie standaard met alle kanalen toe te staan" - -#: ../../Zotlabs/Module/Admin.php:764 -msgid "Block communications from these channels" -msgstr "Communicatie met deze kanalen blokkeren" - -#: ../../Zotlabs/Module/Admin.php:765 -msgid "Only allow embeds from secure (SSL) websites and links." -msgstr "Alleen ingesloten (embedded) inhoud van veilige (SSL) websites en links toestaan." - -#: ../../Zotlabs/Module/Admin.php:766 -msgid "Allow unfiltered embedded HTML content only from these domains" -msgstr "Alleen ongefilterde ingesloten (embedded) HTML van deze websites toestaan" - -#: ../../Zotlabs/Module/Admin.php:766 -msgid "One site per line. By default embedded content is filtered." -msgstr "EƩn website per regel. Standaard wordt ingesloten (embedded) inhoud gefilterd." - -#: ../../Zotlabs/Module/Admin.php:767 -msgid "Block embedded HTML from these domains" -msgstr "Ingesloten (embedded) HTML vanaf deze domeinen blokkeren" - -#: ../../Zotlabs/Module/Admin.php:785 -msgid "Update has been marked successful" -msgstr "Update is als succesvol gemarkeerd" - -#: ../../Zotlabs/Module/Admin.php:795 -#, php-format -msgid "Executing %s failed. Check system logs." -msgstr "Uitvoeren van %s is mislukt. Controleer systeemlogboek." - -#: ../../Zotlabs/Module/Admin.php:798 -#, php-format -msgid "Update %s was successfully applied." -msgstr "Update %s was geslaagd." - -#: ../../Zotlabs/Module/Admin.php:802 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "Update %s gaf geen melding. Het is daarom niet bekend of deze geslaagd is." - -#: ../../Zotlabs/Module/Admin.php:805 -#, php-format -msgid "Update function %s could not be found." -msgstr "Update-functie %s kon niet gevonden worden." - -#: ../../Zotlabs/Module/Admin.php:821 -msgid "No failed updates." -msgstr "Geen mislukte updates." - -#: ../../Zotlabs/Module/Admin.php:825 -msgid "Failed Updates" -msgstr "Mislukte updates" - -#: ../../Zotlabs/Module/Admin.php:827 -msgid "Mark success (if update was manually applied)" -msgstr "Markeer als geslaagd (wanneer de update handmatig was uitgevoerd)" - -#: ../../Zotlabs/Module/Admin.php:828 -msgid "Attempt to execute this update step automatically" -msgstr "Poging om deze stap van de update automatisch uit te voeren." - -#: ../../Zotlabs/Module/Admin.php:859 -msgid "Queue Statistics" -msgstr "Wachtrij-statistieken" - -#: ../../Zotlabs/Module/Admin.php:860 -msgid "Total Entries" -msgstr "Aantal vermeldingen" - -#: ../../Zotlabs/Module/Admin.php:861 -msgid "Priority" -msgstr "Prioriteit" - -#: ../../Zotlabs/Module/Admin.php:862 -msgid "Destination URL" -msgstr "Doel-URL" - -#: ../../Zotlabs/Module/Admin.php:863 -msgid "Mark hub permanently offline" -msgstr "Hub als permanent offline markeren" - -#: ../../Zotlabs/Module/Admin.php:864 -msgid "Empty queue for this hub" -msgstr "Berichtenwachtrij voor deze hub legen" - -#: ../../Zotlabs/Module/Admin.php:865 -msgid "Last known contact" -msgstr "Voor het laatst contact" - -#: ../../Zotlabs/Module/Admin.php:901 -#, php-format -msgid "%s account blocked/unblocked" -msgid_plural "%s account blocked/unblocked" -msgstr[0] "%s account geblokkeerd/gedeblokkeerd" -msgstr[1] "%s accounts geblokkeerd/gedeblokkeerd" - -#: ../../Zotlabs/Module/Admin.php:908 -#, php-format -msgid "%s account deleted" -msgid_plural "%s accounts deleted" -msgstr[0] "%s account verwijderd" -msgstr[1] "%s accounts verwijderd" - -#: ../../Zotlabs/Module/Admin.php:944 -msgid "Account not found" -msgstr "Account niet gevonden" - -#: ../../Zotlabs/Module/Admin.php:955 -#, php-format -msgid "Account '%s' deleted" -msgstr "Account '%s' verwijderd" - -#: ../../Zotlabs/Module/Admin.php:963 -#, php-format -msgid "Account '%s' blocked" -msgstr "Account '%s' geblokkeerd" - -#: ../../Zotlabs/Module/Admin.php:971 -#, php-format -msgid "Account '%s' unblocked" -msgstr "Account '%s' gedeblokkeerd" - -#: ../../Zotlabs/Module/Admin.php:1031 ../../Zotlabs/Module/Admin.php:1044 -#: ../../include/widgets.php:1477 -msgid "Accounts" -msgstr "Accounts" - -#: ../../Zotlabs/Module/Admin.php:1033 ../../Zotlabs/Module/Admin.php:1212 -msgid "select all" -msgstr "alles selecteren" - -#: ../../Zotlabs/Module/Admin.php:1034 -msgid "Registrations waiting for confirm" -msgstr "Accounts die op goedkeuring wachten" - -#: ../../Zotlabs/Module/Admin.php:1035 -msgid "Request date" -msgstr "Tijd/datum verzoek" - -#: ../../Zotlabs/Module/Admin.php:1036 -msgid "No registrations." -msgstr "Geen verzoeken." - -#: ../../Zotlabs/Module/Admin.php:1038 -msgid "Deny" -msgstr "Afkeuren" - -#: ../../Zotlabs/Module/Admin.php:1048 ../../include/group.php:267 -msgid "All Channels" -msgstr "Alle kanalen" - -#: ../../Zotlabs/Module/Admin.php:1049 -msgid "Register date" -msgstr "Geregistreerd" - -#: ../../Zotlabs/Module/Admin.php:1050 -msgid "Last login" -msgstr "Laatste keer ingelogd" - -#: ../../Zotlabs/Module/Admin.php:1051 -msgid "Expires" -msgstr "Verloopt" - -#: ../../Zotlabs/Module/Admin.php:1052 -msgid "Service Class" -msgstr "Abonnementen" - -#: ../../Zotlabs/Module/Admin.php:1054 -msgid "" -"Selected accounts will be deleted!\\n\\nEverything these accounts had posted" -" on this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Geselecteerde accounts (met bijbehorende kanalen) worden verwijderd!\\n\\nAlles wat deze accounts op deze hub hebben gepubliceerd wordt definitief verwijderd!\\n\\Weet je het zeker?" - -#: ../../Zotlabs/Module/Admin.php:1055 -msgid "" -"The account {0} will be deleted!\\n\\nEverything this account has posted on " -"this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Account {0} (met bijbehorende kanalen) wordt verwijderd !\\n\\nAlles wat dit account op deze hub heeft gepubliceerd wordt definitief verwijderd!\\n\\nWeet je het zeker?" - -#: ../../Zotlabs/Module/Admin.php:1091 -#, php-format -msgid "%s channel censored/uncensored" -msgid_plural "%s channels censored/uncensored" -msgstr[0] "%s kanaal gecensureerd/ongecensureerd" -msgstr[1] "%s kanalen gecensureerd/ongecensureerd" - -#: ../../Zotlabs/Module/Admin.php:1100 -#, php-format -msgid "%s channel code allowed/disallowed" -msgid_plural "%s channels code allowed/disallowed" -msgstr[0] "Scripts toegestaan/niet toegestaan voor %s kanaal" -msgstr[1] "Scripts toegestaan/niet toegestaan voor %s kanalen" - -#: ../../Zotlabs/Module/Admin.php:1106 -#, php-format -msgid "%s channel deleted" -msgid_plural "%s channels deleted" -msgstr[0] "%s kanaal verwijderd" -msgstr[1] "%s kanalen verwijderd" - -#: ../../Zotlabs/Module/Admin.php:1126 -msgid "Channel not found" -msgstr "Kanaal niet gevonden" - -#: ../../Zotlabs/Module/Admin.php:1136 -#, php-format -msgid "Channel '%s' deleted" -msgstr "Kanaal '%s' verwijderd" - -#: ../../Zotlabs/Module/Admin.php:1148 -#, php-format -msgid "Channel '%s' censored" -msgstr "Kanaal '%s' gecensureerd" - -#: ../../Zotlabs/Module/Admin.php:1148 -#, php-format -msgid "Channel '%s' uncensored" -msgstr "Kanaal '%s' ongecensureerd" - -#: ../../Zotlabs/Module/Admin.php:1159 -#, php-format -msgid "Channel '%s' code allowed" -msgstr "Scripts toegestaan voor kanaal '%s'" - -#: ../../Zotlabs/Module/Admin.php:1159 -#, php-format -msgid "Channel '%s' code disallowed" -msgstr "Scripts niet toegestaan voor kanaal '%s'" - -#: ../../Zotlabs/Module/Admin.php:1210 ../../include/widgets.php:1478 -msgid "Channels" -msgstr "Kanalen" - -#: ../../Zotlabs/Module/Admin.php:1214 -msgid "Censor" -msgstr "Censureren" - -#: ../../Zotlabs/Module/Admin.php:1215 -msgid "Uncensor" -msgstr "Niet censureren" - -#: ../../Zotlabs/Module/Admin.php:1216 -msgid "Allow Code" -msgstr "Scripts toestaan" - -#: ../../Zotlabs/Module/Admin.php:1217 -msgid "Disallow Code" -msgstr "Scripts niet toestaan" - -#: ../../Zotlabs/Module/Admin.php:1218 ../../include/conversation.php:1626 -msgid "Channel" -msgstr "Kanaal" - -#: ../../Zotlabs/Module/Admin.php:1222 -msgid "UID" -msgstr "UID" - -#: ../../Zotlabs/Module/Admin.php:1226 -msgid "" -"Selected channels will be deleted!\\n\\nEverything that was posted in these " -"channels on this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Geselecteerde kanalen worden verwijderd!\\n\\nAlles wat in deze kanalen op deze hub werd gepubliceerd wordt definitief verwijderd!\\n\\nWeet je het zeker?" - -#: ../../Zotlabs/Module/Admin.php:1227 -msgid "" -"The channel {0} will be deleted!\\n\\nEverything that was posted in this " -"channel on this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Kanaal {0} wordt verwijderd!\\n\\nAlles wat in dit kanaal op deze hub werd gepubliceerd wordt definitief verwijderd!\\n\\nWeet je het zeker?" - -#: ../../Zotlabs/Module/Admin.php:1284 -#, php-format -msgid "Plugin %s disabled." -msgstr "Plugin %s uitgeschakeld." - -#: ../../Zotlabs/Module/Admin.php:1288 -#, php-format -msgid "Plugin %s enabled." -msgstr "Plugin %s ingeschakeld" - -#: ../../Zotlabs/Module/Admin.php:1298 ../../Zotlabs/Module/Admin.php:1585 -msgid "Disable" -msgstr "Uitschakelen" - -#: ../../Zotlabs/Module/Admin.php:1301 ../../Zotlabs/Module/Admin.php:1587 -msgid "Enable" -msgstr "Inschakelen" - -#: ../../Zotlabs/Module/Admin.php:1330 ../../Zotlabs/Module/Admin.php:1420 -#: ../../include/widgets.php:1481 -msgid "Plugins" -msgstr "Plugins" - -#: ../../Zotlabs/Module/Admin.php:1331 ../../Zotlabs/Module/Admin.php:1614 -msgid "Toggle" -msgstr "Omschakelen" - -#: ../../Zotlabs/Module/Admin.php:1332 ../../Zotlabs/Module/Admin.php:1615 -#: ../../Zotlabs/Lib/Apps.php:216 ../../include/nav.php:210 -#: ../../include/widgets.php:647 -msgid "Settings" -msgstr "Instellingen" - -#: ../../Zotlabs/Module/Admin.php:1339 ../../Zotlabs/Module/Admin.php:1624 -msgid "Author: " -msgstr "Auteur: " - -#: ../../Zotlabs/Module/Admin.php:1340 ../../Zotlabs/Module/Admin.php:1625 -msgid "Maintainer: " -msgstr "Beheerder: " - -#: ../../Zotlabs/Module/Admin.php:1341 -msgid "Minimum project version: " -msgstr "Minimum versie Hubzilla: " - -#: ../../Zotlabs/Module/Admin.php:1342 -msgid "Maximum project version: " -msgstr "Maximum versie Hubzilla:" - -#: ../../Zotlabs/Module/Admin.php:1343 -msgid "Minimum PHP version: " -msgstr "Minimum versie PHP: " - -#: ../../Zotlabs/Module/Admin.php:1344 -msgid "Requires: " -msgstr "Vereist: " - -#: ../../Zotlabs/Module/Admin.php:1345 ../../Zotlabs/Module/Admin.php:1425 -msgid "Disabled - version incompatibility" -msgstr "Uitgeschakeld - versie is incompatibel" - -#: ../../Zotlabs/Module/Admin.php:1394 -msgid "Enter the public git repository URL of the plugin repo." -msgstr "Vul de openbare Git-URL in van de plugin-repository." - -#: ../../Zotlabs/Module/Admin.php:1395 -msgid "Plugin repo git URL" -msgstr "Git-URL plugin-repository" - -#: ../../Zotlabs/Module/Admin.php:1396 -msgid "Custom repo name" -msgstr "Handmatige repository-naam" - -#: ../../Zotlabs/Module/Admin.php:1396 -msgid "(optional)" -msgstr "(optioneel)" - -#: ../../Zotlabs/Module/Admin.php:1397 -msgid "Download Plugin Repo" -msgstr "Plugin-repository downloaden" - -#: ../../Zotlabs/Module/Admin.php:1404 -msgid "Install new repo" -msgstr "Nieuwe repository installeren" - -#: ../../Zotlabs/Module/Admin.php:1405 ../../Zotlabs/Lib/Apps.php:334 -msgid "Install" -msgstr "Installeren" - -#: ../../Zotlabs/Module/Admin.php:1427 -msgid "Manage Repos" -msgstr "Repositories beheren" - -#: ../../Zotlabs/Module/Admin.php:1428 -msgid "Installed Plugin Repositories" -msgstr "Toegevoegde plugin-repositories" - -#: ../../Zotlabs/Module/Admin.php:1429 -msgid "Install a New Plugin Repository" -msgstr "Nieuwe plugin-repository toevoegen" - -#: ../../Zotlabs/Module/Admin.php:1435 ../../Zotlabs/Module/Settings.php:72 -#: ../../Zotlabs/Module/Settings.php:670 ../../Zotlabs/Lib/Apps.php:334 -msgid "Update" -msgstr "Bijwerken" - -#: ../../Zotlabs/Module/Admin.php:1436 -msgid "Switch branch" -msgstr "Branch veranderen" - -#: ../../Zotlabs/Module/Admin.php:1550 -msgid "No themes found." -msgstr "Geen thema's gevonden" - -#: ../../Zotlabs/Module/Admin.php:1606 -msgid "Screenshot" -msgstr "Schermafdruk" - -#: ../../Zotlabs/Module/Admin.php:1613 ../../Zotlabs/Module/Admin.php:1647 -#: ../../include/widgets.php:1482 -msgid "Themes" -msgstr "Thema's" - -#: ../../Zotlabs/Module/Admin.php:1652 -msgid "[Experimental]" -msgstr "[Experimenteel]" - -#: ../../Zotlabs/Module/Admin.php:1653 -msgid "[Unsupported]" -msgstr "[Niet ondersteund]" - -#: ../../Zotlabs/Module/Admin.php:1677 -msgid "Log settings updated." -msgstr "Logboek-instellingen bijgewerkt." - -#: ../../Zotlabs/Module/Admin.php:1732 ../../include/widgets.php:1503 -#: ../../include/widgets.php:1513 -msgid "Logs" -msgstr "Logboeken" - -#: ../../Zotlabs/Module/Admin.php:1734 -msgid "Clear" -msgstr "Leegmaken" - -#: ../../Zotlabs/Module/Admin.php:1740 -msgid "Debugging" -msgstr "Debuggen" - -#: ../../Zotlabs/Module/Admin.php:1741 -msgid "Log file" -msgstr "Logbestand" - -#: ../../Zotlabs/Module/Admin.php:1741 -msgid "" -"Must be writable by web server. Relative to your top-level webserver " -"directory." -msgstr "Moet door de webserver beschrijfbaar zijn. Relatief ten opzichte van de bovenste map van je $Projectname-installatie." - -#: ../../Zotlabs/Module/Admin.php:1742 -msgid "Log level" -msgstr "Logniveau" - -#: ../../Zotlabs/Module/Admin.php:2028 -msgid "New Profile Field" -msgstr "Nieuw profielveld" - -#: ../../Zotlabs/Module/Admin.php:2029 ../../Zotlabs/Module/Admin.php:2049 -msgid "Field nickname" -msgstr "Bijnaam voor veld" - -#: ../../Zotlabs/Module/Admin.php:2029 ../../Zotlabs/Module/Admin.php:2049 -msgid "System name of field" -msgstr "Systeemnaam voor veld" - -#: ../../Zotlabs/Module/Admin.php:2030 ../../Zotlabs/Module/Admin.php:2050 -msgid "Input type" -msgstr "Invoertype" - -#: ../../Zotlabs/Module/Admin.php:2031 ../../Zotlabs/Module/Admin.php:2051 -msgid "Field Name" -msgstr "Veldnaam" - -#: ../../Zotlabs/Module/Admin.php:2031 ../../Zotlabs/Module/Admin.php:2051 -msgid "Label on profile pages" -msgstr "Tekstlabel voor op profielpagina's" - -#: ../../Zotlabs/Module/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 -msgid "Help text" -msgstr "Helptekst" - -#: ../../Zotlabs/Module/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 -msgid "Additional info (optional)" -msgstr "Extra informatie (optioneel)" - -#: ../../Zotlabs/Module/Admin.php:2042 -msgid "Field definition not found" -msgstr "Velddefinitie niet gevonden" - -#: ../../Zotlabs/Module/Admin.php:2048 -msgid "Edit Profile Field" -msgstr "Profielveld bewerken" - -#: ../../Zotlabs/Module/Admin.php:2106 ../../include/widgets.php:1484 -msgid "Profile Fields" -msgstr "Profielvelden" - -#: ../../Zotlabs/Module/Admin.php:2107 -msgid "Basic Profile Fields" -msgstr "Standaard profielvelden" - -#: ../../Zotlabs/Module/Admin.php:2108 -msgid "Advanced Profile Fields" -msgstr "Geavanceerde profielvelden" - -#: ../../Zotlabs/Module/Admin.php:2108 -msgid "(In addition to basic fields)" -msgstr "(als toevoeging op de standaard velden)" - -#: ../../Zotlabs/Module/Admin.php:2110 -msgid "All available fields" -msgstr "Alle beschikbare velden" - -#: ../../Zotlabs/Module/Admin.php:2111 -msgid "Custom Fields" -msgstr "Extra (handmatig toegevoegde) velden" - -#: ../../Zotlabs/Module/Admin.php:2115 -msgid "Create Custom Field" -msgstr "Extra velden aanmaken" - -#: ../../Zotlabs/Module/New_channel.php:128 -#: ../../Zotlabs/Module/Register.php:231 -msgid "Name or caption" -msgstr "Naam" - -#: ../../Zotlabs/Module/New_channel.php:128 -#: ../../Zotlabs/Module/Register.php:231 -msgid "Examples: \"Bob Jameson\", \"Lisa and her Horses\", \"Soccer\", \"Aviation Group\"" -msgstr "Voorbeelden: \"Jan Pietersen\", \"Willems weblog\", \"Computerforum\"" - -#: ../../Zotlabs/Module/New_channel.php:130 -#: ../../Zotlabs/Module/Register.php:233 -msgid "Choose a short nickname" -msgstr "Korte bijnaam" - -#: ../../Zotlabs/Module/New_channel.php:130 -#: ../../Zotlabs/Module/Register.php:233 -#, php-format -msgid "" -"Your nickname will be used to create an easy to remember channel address " -"e.g. nickname%s" -msgstr "Deze bijnaam wordt gebruikt om een makkelijk te onthouden kanaaladres van jouw kanaal aan te maken, die je dan met anderen kunt delen. Bijvoorbeeld: bijnaam%s" - -#: ../../Zotlabs/Module/New_channel.php:132 -#: ../../Zotlabs/Module/Register.php:235 -msgid "Channel role and privacy" -msgstr "Kanaaltype en privacy" - -#: ../../Zotlabs/Module/New_channel.php:132 -#: ../../Zotlabs/Module/Register.php:235 -msgid "Select a channel role with your privacy requirements." -msgstr "Kies een kanaaltype met het door jou gewenste privacyniveau." - -#: ../../Zotlabs/Module/New_channel.php:132 -#: ../../Zotlabs/Module/Register.php:235 -msgid "Read more about roles" -msgstr "Lees meer over kanaaltypes" - -#: ../../Zotlabs/Module/New_channel.php:135 -msgid "Create Channel" -msgstr "Kanaal aanmaken" - -#: ../../Zotlabs/Module/New_channel.php:136 -msgid "" -"A channel is your identity on this network. It can represent a person, a " -"blog, or a forum to name a few. Channels can make connections with other " -"channels to share information with highly detailed permissions." -msgstr "Een kanaal is jouw identiteit in dit netwerk. Het kan bijvoorbeeld een persoon, een blog of een forum vertegenwoordigen. Door met elkaar te verbinden kunnen kanalen, met behulp van uitgebreide permissies, informatie uitwisselen." - -#: ../../Zotlabs/Module/New_channel.php:137 -msgid "" -"or import an existing channel from another location." -msgstr "Of importeer een bestaand kanaal vanaf een andere locatie" - -#: ../../Zotlabs/Module/Ping.php:265 -msgid "sent you a private message" -msgstr "stuurde jou een privƩbericht" - -#: ../../Zotlabs/Module/Ping.php:313 -msgid "added your channel" -msgstr "voegde jouw kanaal toe" - -#: ../../Zotlabs/Module/Ping.php:323 -msgid "g A l F d" -msgstr "G:i, l d F" - -#: ../../Zotlabs/Module/Ping.php:346 -msgid "[today]" -msgstr "[vandaag]" - -#: ../../Zotlabs/Module/Ping.php:355 -msgid "posted an event" -msgstr "plaatste een gebeurtenis" - -#: ../../Zotlabs/Module/Notifications.php:30 -msgid "Invalid request identifier." -msgstr "Ongeldige verzoek identificator (request identifier)" - -#: ../../Zotlabs/Module/Notifications.php:39 -msgid "Discard" -msgstr "Annuleren" - -#: ../../Zotlabs/Module/Notifications.php:103 ../../include/nav.php:193 -msgid "Mark all system notifications seen" -msgstr "Markeer alle systeemnotificaties als bekeken" - -#: ../../Zotlabs/Module/Poke.php:168 ../../Zotlabs/Lib/Apps.php:228 -#: ../../include/conversation.php:963 -msgid "Poke" -msgstr "Aanstoten" - -#: ../../Zotlabs/Module/Poke.php:169 -msgid "Poke somebody" -msgstr "Iemand aanstoten" - -#: ../../Zotlabs/Module/Poke.php:172 -msgid "Poke/Prod" -msgstr "Aanstoten/porren" - -#: ../../Zotlabs/Module/Poke.php:173 -msgid "Poke, prod or do other things to somebody" -msgstr "Iemand bijvoorbeeld aanstoten of poren" - -#: ../../Zotlabs/Module/Poke.php:180 -msgid "Recipient" -msgstr "Ontvanger" - -#: ../../Zotlabs/Module/Poke.php:181 -msgid "Choose what you wish to do to recipient" -msgstr "Kies wat je met de ontvanger wil doen" - -#: ../../Zotlabs/Module/Poke.php:184 ../../Zotlabs/Module/Poke.php:185 -msgid "Make this post private" -msgstr "Maak dit bericht privƩ" - -#: ../../Zotlabs/Module/Oexchange.php:27 -msgid "Unable to find your hub." -msgstr "Niet in staat om je hub te vinden" - -#: ../../Zotlabs/Module/Oexchange.php:41 -msgid "Post successful." -msgstr "Verzenden bericht geslaagd." - -#: ../../Zotlabs/Module/Openid.php:30 -msgid "OpenID protocol error. No ID returned." -msgstr "OpenID-protocolfout. Geen ID terugontvangen." - -#: ../../Zotlabs/Module/Openid.php:193 ../../include/auth.php:285 -msgid "Login failed." -msgstr "Inloggen mislukt." - -#: ../../Zotlabs/Module/Profperm.php:34 ../../Zotlabs/Module/Profperm.php:63 -msgid "Invalid profile identifier." -msgstr "Ongeldige profiel-identificator" - -#: ../../Zotlabs/Module/Profperm.php:115 -msgid "Profile Visibility Editor" -msgstr "Zichtbaarheid profiel " - -#: ../../Zotlabs/Module/Profperm.php:117 ../../include/channel.php:1290 -msgid "Profile" -msgstr "Profiel" - -#: ../../Zotlabs/Module/Profperm.php:119 -msgid "Click on a contact to add or remove." -msgstr "Klik op een connectie om deze toe te voegen of te verwijderen" - -#: ../../Zotlabs/Module/Profperm.php:128 -msgid "Visible To" -msgstr "Zichtbaar voor" - -#: ../../Zotlabs/Module/Pconfig.php:26 ../../Zotlabs/Module/Pconfig.php:59 -msgid "This setting requires special processing and editing has been blocked." -msgstr "Deze instelling vereist een speciaal proces en bewerken is geblokkeerd." - -#: ../../Zotlabs/Module/Pconfig.php:48 -msgid "Configuration Editor" -msgstr "Configuratiebewerker" - -#: ../../Zotlabs/Module/Pconfig.php:49 -msgid "" -"Warning: Changing some settings could render your channel inoperable. Please" -" leave this page unless you are comfortable with and knowledgeable about how" -" to correctly use this feature." -msgstr "Waarschuwing: het veranderen van sommige instellingen kunnen jouw kanaal onklaar maken. Verlaat deze pagina, tenzij je weet waar je mee bezig bent en voldoende kennis bezit over hoe je deze functies moet gebruiken. " - #: ../../Zotlabs/Module/Probe.php:28 ../../Zotlabs/Module/Probe.php:32 #, php-format msgid "Fetching URL returns error: %1$s" msgstr "Ophalen URL gaf een foutmelding terug: %1$s" -#: ../../Zotlabs/Module/Siteinfo.php:19 -#, php-format -msgid "Version %s" -msgstr "Versie %s" - -#: ../../Zotlabs/Module/Siteinfo.php:34 -msgid "Installed plugins/addons/apps:" -msgstr "Ingeschakelde plugins en apps:" - -#: ../../Zotlabs/Module/Siteinfo.php:36 -msgid "No installed plugins/addons/apps" -msgstr "Geen ingeschakelde plugins en apps" - -#: ../../Zotlabs/Module/Siteinfo.php:49 -msgid "" -"This is a hub of $Projectname - a global cooperative network of " -"decentralized privacy enhanced websites." -msgstr "Dit is een $Projectname-hub - $Projectname is een wereldwijd coƶperatief netwerk van gedecentraliseerde websites (hubs) met verbeterde privacy." - -#: ../../Zotlabs/Module/Siteinfo.php:51 -msgid "Tag: " -msgstr "Tag: " - -#: ../../Zotlabs/Module/Siteinfo.php:53 -msgid "Last background fetch: " -msgstr "Meest recente achtergrond-fetch:" - -#: ../../Zotlabs/Module/Siteinfo.php:55 -msgid "Current load average: " -msgstr "Gemiddelde systeembelasting is nu:" - -#: ../../Zotlabs/Module/Siteinfo.php:58 -msgid "Running at web location" -msgstr "Draaiend op weblocatie" - -#: ../../Zotlabs/Module/Siteinfo.php:59 -msgid "" -"Please visit hubzilla.org to learn more " -"about $Projectname." -msgstr "Bezoek hubzilla.org " - -#: ../../Zotlabs/Module/Siteinfo.php:60 -msgid "Bug reports and issues: please visit" -msgstr "Bugrapporten en andere kwesties: bezoek" - -#: ../../Zotlabs/Module/Siteinfo.php:62 -msgid "$projectname issues" -msgstr "$projectname-issues" - -#: ../../Zotlabs/Module/Siteinfo.php:63 -msgid "" -"Suggestions, praise, etc. - please email \"redmatrix\" at librelist - dot " -"com" -msgstr "Voorstellen, lofbetuigingen, enz. - e-mail \"redmatrix\" at librelist - dot com" - -#: ../../Zotlabs/Module/Siteinfo.php:65 -msgid "Site Administrators" -msgstr "Hubbeheerders: " - -#: ../../Zotlabs/Module/Rmagic.php:44 -msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "We hebben een probleem ontdekt tijdens het inloggen met de OpenID die je hebt verstrekt. Controleer de ID op typefouten." - -#: ../../Zotlabs/Module/Rmagic.php:44 -msgid "The error message was:" -msgstr "Het foutbericht was:" - -#: ../../Zotlabs/Module/Rmagic.php:48 -msgid "Authentication failed." -msgstr "Authenticatie mislukt." - -#: ../../Zotlabs/Module/Rmagic.php:88 -msgid "Remote Authentication" -msgstr "Authenticatie op afstand" - -#: ../../Zotlabs/Module/Rmagic.php:89 -msgid "Enter your channel address (e.g. channel@example.com)" -msgstr "Vul jouw kanaaladres in (bijv. channel@example.com)" - -#: ../../Zotlabs/Module/Rmagic.php:90 -msgid "Authenticate" -msgstr "Authenticeren" - -#: ../../Zotlabs/Module/Pubsites.php:22 ../../include/widgets.php:1337 -msgid "Public Hubs" -msgstr "Openbare hubs" - -#: ../../Zotlabs/Module/Pubsites.php:25 -msgid "" -"The listed hubs allow public registration for the $Projectname network. All " -"hubs in the network are interlinked so membership on any of them conveys " -"membership in the network as a whole. Some hubs may require subscription or " -"provide tiered service plans. The hub itself may provide " -"additional details." -msgstr "Op de hier weergegeven hubs kan iedereen zich voor het $Projectname-netwerk aanmelden. Alle hubs in het netwerk zijn met elkaar verbonden, dus maakt het qua lidmaatschap niet uit waar je je aanmeldt. Op sommige hubs heb je eerst goedkeuring nodig en sommige hubs vereisen een financiƫle tegemoetkoming voor bepaalde uitbreidingen. Mogelijk wordt hierover op de hub zelf meer informatie gegeven." - -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Hub URL" -msgstr "Hub-URL" - -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Access Type" -msgstr "Toegangs-
 type" - -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Registration Policy" -msgstr "Registratie-
 beleid" - -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Stats" -msgstr "Stats" - -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Software" -msgstr "Software" - -#: ../../Zotlabs/Module/Pubsites.php:31 ../../Zotlabs/Module/Ratings.php:103 -#: ../../include/conversation.php:962 -msgid "Ratings" -msgstr "Beoordelingen" - -#: ../../Zotlabs/Module/Pubsites.php:38 -msgid "Rate" -msgstr "Beoordeel" - -#: ../../Zotlabs/Module/Profile_photo.php:186 -msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Vernieuw de pagina met shift+R of shift+F5, of leeg je browserbuffer, wanneer de nieuwe foto niet meteen wordt weergegeven." - -#: ../../Zotlabs/Module/Profile_photo.php:389 -msgid "Upload Profile Photo" -msgstr "Profielfoto uploaden" - -#: ../../Zotlabs/Module/Blocks.php:97 ../../Zotlabs/Module/Blocks.php:155 -#: ../../Zotlabs/Module/Editblock.php:108 -msgid "Block Name" -msgstr "Bloknaam" - -#: ../../Zotlabs/Module/Blocks.php:154 ../../include/text.php:2238 -msgid "Blocks" -msgstr "Blokken" - -#: ../../Zotlabs/Module/Blocks.php:156 -msgid "Block Title" -msgstr "Bloktitel" - -#: ../../Zotlabs/Module/Rate.php:160 -msgid "Website:" -msgstr "Website:" - -#: ../../Zotlabs/Module/Rate.php:163 -#, php-format -msgid "Remote Channel [%s] (not yet known on this site)" -msgstr "Kanaal op afstand [%s] (nog niet op deze hub bekend)" - -#: ../../Zotlabs/Module/Rate.php:164 -msgid "Rating (this information is public)" -msgstr "Beoordeling (deze informatie is openbaar)" - -#: ../../Zotlabs/Module/Rate.php:165 -msgid "Optionally explain your rating (this information is public)" -msgstr "Verklaar jouw beoordeling (niet verplicht, deze informatie is openbaar)" - -#: ../../Zotlabs/Module/Ratings.php:73 -msgid "No ratings" -msgstr "Geen beoordelingen" - -#: ../../Zotlabs/Module/Ratings.php:104 -msgid "Rating: " -msgstr "Beoordeling: " - -#: ../../Zotlabs/Module/Ratings.php:105 -msgid "Website: " -msgstr "Website: " - -#: ../../Zotlabs/Module/Ratings.php:107 -msgid "Description: " -msgstr "Omschrijving: " - -#: ../../Zotlabs/Module/Apps.php:47 ../../include/nav.php:165 -#: ../../include/widgets.php:102 -msgid "Apps" -msgstr "Apps" - -#: ../../Zotlabs/Module/Editblock.php:124 ../../include/conversation.php:1243 -msgid "Title (optional)" -msgstr "Titel (optioneel)" - -#: ../../Zotlabs/Module/Editblock.php:133 -msgid "Edit Block" -msgstr "Blok bewerken" - -#: ../../Zotlabs/Module/Common.php:14 -msgid "No channel." -msgstr "Geen kanaal." - -#: ../../Zotlabs/Module/Common.php:43 -msgid "Common connections" -msgstr "Veel voorkomende connecties" - -#: ../../Zotlabs/Module/Common.php:48 -msgid "No connections in common." -msgstr "Geen gemeenschappelijke connecties." - -#: ../../Zotlabs/Module/Rbmark.php:94 -msgid "Select a bookmark folder" -msgstr "Kies een bladwijzermap" - -#: ../../Zotlabs/Module/Rbmark.php:99 -msgid "Save Bookmark" -msgstr "Bladwijzer opslaan" - -#: ../../Zotlabs/Module/Rbmark.php:100 -msgid "URL of bookmark" -msgstr "URL van bladwijzer" - -#: ../../Zotlabs/Module/Rbmark.php:105 -msgid "Or enter new bookmark folder name" -msgstr "Of geef de naam op van een nieuwe bladwijzermap" - -#: ../../Zotlabs/Module/Register.php:49 -msgid "Maximum daily site registrations exceeded. Please try again tomorrow." -msgstr "Maximum toegestane dagelijkse registraties op deze $Projectname-hub bereikt. Probeer het morgen (UTC) nogmaals." - -#: ../../Zotlabs/Module/Register.php:55 -msgid "" -"Please indicate acceptance of the Terms of Service. Registration failed." -msgstr "Registratie mislukt. De gebruiksvoorwaarden dienen wel geaccepteerd te worden." - -#: ../../Zotlabs/Module/Register.php:89 -msgid "Passwords do not match." -msgstr "Wachtwoorden komen niet met elkaar overeen." - -#: ../../Zotlabs/Module/Register.php:131 -msgid "" -"Registration successful. Please check your email for validation " -"instructions." -msgstr "Registratie geslaagd. Controleer je e-mail voor instructies." - -#: ../../Zotlabs/Module/Register.php:137 -msgid "Your registration is pending approval by the site owner." -msgstr "Jouw accountregistratie wacht op goedkeuring van de beheerder van deze $Projectname-hub." - -#: ../../Zotlabs/Module/Register.php:140 -msgid "Your registration can not be processed." -msgstr "Jouw registratie kan niet verwerkt worden." - -#: ../../Zotlabs/Module/Register.php:184 -msgid "Registration on this hub is disabled." -msgstr "Registreren van nieuwe accounts is op deze hub uitgeschakeld." - -#: ../../Zotlabs/Module/Register.php:193 -msgid "Registration on this hub is by approval only." -msgstr "Registraties op deze hub moeten eerst worden goedgekeurd." - -#: ../../Zotlabs/Module/Register.php:194 -msgid "Register at another affiliated hub." -msgstr "Registreer op een andere hub." - -#: ../../Zotlabs/Module/Register.php:204 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "Deze $Projectname-hub heeft het maximum aantal dagelijks toegestane registraties bereikt. Probeer het morgen (UTC) nogmaals." - -#: ../../Zotlabs/Module/Register.php:215 -msgid "Terms of Service" -msgstr "Gebruiksvoorwaarden" - -#: ../../Zotlabs/Module/Register.php:221 -#, php-format -msgid "I accept the %s for this website" -msgstr "Ik accepteer de %s van deze $Projectname-hub" - -#: ../../Zotlabs/Module/Register.php:223 -#, php-format -msgid "I am over 13 years of age and accept the %s for this website" -msgstr "Ik ben 13 jaar of ouder en accepteer de %s van deze $Projectname-hub" - -#: ../../Zotlabs/Module/Register.php:227 -msgid "Your email address" -msgstr "Jouw e-mailadres" - -#: ../../Zotlabs/Module/Register.php:228 -msgid "Choose a password" -msgstr "Geef een wachtwoord op" - -#: ../../Zotlabs/Module/Register.php:229 -msgid "Please re-enter your password" -msgstr "Geef het wachtwoord opnieuw op" - -#: ../../Zotlabs/Module/Register.php:230 -msgid "Please enter your invitation code" -msgstr "Vul jouw uitnodigingscode in" - -#: ../../Zotlabs/Module/Register.php:236 -msgid "no" -msgstr "Nee" - -#: ../../Zotlabs/Module/Register.php:236 -msgid "yes" -msgstr "Ja" - -#: ../../Zotlabs/Module/Register.php:250 -msgid "Membership on this site is by invitation only." -msgstr "Registreren op deze $Projectname-hub kan alleen op uitnodiging." - -#: ../../Zotlabs/Module/Register.php:262 ../../include/nav.php:149 -#: ../../boot.php:1686 -msgid "Register" -msgstr "Registreren" - -#: ../../Zotlabs/Module/Register.php:263 -msgid "" -"This site may require email verification after submitting this form. If you " -"are returned to a login page, please check your email for instructions." -msgstr "Mogelijk moet op deze hub eerst jouw e-mail geverifieerd worden. Wanneer je na het indienen van dit formulier op de inlogpagina terecht komt, dan dien je jouw e-mail te controleren voor instructies. Controleer eventueel ook jouw spamfolder." - -#: ../../Zotlabs/Module/Regmod.php:15 -msgid "Please login." -msgstr "Inloggen." - -#: ../../Zotlabs/Module/Removeaccount.php:35 -msgid "" -"Account removals are not allowed within 48 hours of changing the account " -"password." -msgstr "Het verwijderen van een account is niet toegestaan binnen 48 uur nadat het wachtwoord is veranderd." - -#: ../../Zotlabs/Module/Removeaccount.php:57 -msgid "Remove This Account" -msgstr "Verwijder dit account" - -#: ../../Zotlabs/Module/Removeaccount.php:58 -#: ../../Zotlabs/Module/Removeme.php:61 -msgid "WARNING: " -msgstr "WAARSCHUWING: " - -#: ../../Zotlabs/Module/Removeaccount.php:58 -msgid "" -"This account and all its channels will be completely removed from the " -"network. " -msgstr "Dit account en al zijn kanalen worden volledig uit het $Projectname-netwerk verwijderd." - -#: ../../Zotlabs/Module/Removeaccount.php:58 -#: ../../Zotlabs/Module/Removeme.php:61 -msgid "This action is permanent and can not be undone!" -msgstr "Deze handeling is van permanente aard en kan niet meer worden teruggedraaid!" - -#: ../../Zotlabs/Module/Removeaccount.php:59 -#: ../../Zotlabs/Module/Removeme.php:62 -msgid "Please enter your password for verification:" -msgstr "Vul je wachtwoord in ter verificatie:" - -#: ../../Zotlabs/Module/Removeaccount.php:60 -msgid "" -"Remove this account, all its channels and all its channel clones from the " -"network" -msgstr "Dit account, al zijn kanalen en alle klonen van zijn kanalen uit het $Projectname-netwerk verwijderen" - -#: ../../Zotlabs/Module/Removeaccount.php:60 -msgid "" -"By default only the instances of the channels located on this hub will be " -"removed from the network" -msgstr "Standaard worden alleen de kanalen die zich op deze hub bevinden uit het $Projectname-netwerk verwijderd" - -#: ../../Zotlabs/Module/Removeaccount.php:61 -#: ../../Zotlabs/Module/Settings.php:759 -msgid "Remove Account" -msgstr "Account verwijderen" - -#: ../../Zotlabs/Module/Removeme.php:35 -msgid "" -"Channel removals are not allowed within 48 hours of changing the account " -"password." -msgstr "Het verwijderen van een kanaal is niet toegestaan binnen 48 uur nadat het wachtwoord van het account is veranderd." - -#: ../../Zotlabs/Module/Removeme.php:60 -msgid "Remove This Channel" -msgstr "Verwijder dit kanaal" - -#: ../../Zotlabs/Module/Removeme.php:61 -msgid "This channel will be completely removed from the network. " -msgstr "Dit kanaal wordt volledig uit het $Projectname-netwerk verwijderd." - -#: ../../Zotlabs/Module/Removeme.php:63 -msgid "Remove this channel and all its clones from the network" -msgstr "Dit kanaal en alle klonen hiervan uit het $Projectname-netwerk verwijderen" - -#: ../../Zotlabs/Module/Removeme.php:63 -msgid "" -"By default only the instance of the channel located on this hub will be " -"removed from the network" -msgstr "Standaard wordt alleen het kanaal dat zich op deze hub bevindt uit het $Projectname-netwerk verwijderd" - -#: ../../Zotlabs/Module/Removeme.php:64 ../../Zotlabs/Module/Settings.php:1219 -msgid "Remove Channel" -msgstr "Kanaal verwijderen" - -#: ../../Zotlabs/Module/Uexport.php:55 ../../Zotlabs/Module/Uexport.php:56 -msgid "Export Channel" -msgstr "Kanaal exporteren" - -#: ../../Zotlabs/Module/Uexport.php:57 -msgid "" -"Export your basic channel information to a file. This acts as a backup of " -"your connections, permissions, profile and basic data, which can be used to " -"import your data to a new server hub, but does not contain your content." -msgstr "Exporteer de basisinformatie van jouw kanaal naar een bestand. Dit fungeert als een back-up van jouw connecties, permissies, profiel en basisgegevens, die gebruikt kan worden om op een nieuwe hub jouw gegevens te importeren. Deze back-up bevat echter niet de inhoud van jouw kanaal." - -#: ../../Zotlabs/Module/Uexport.php:58 -msgid "Export Content" -msgstr "Inhoud exporteren" - -#: ../../Zotlabs/Module/Uexport.php:59 -msgid "" -"Export your channel information and recent content to a JSON backup that can" -" be restored or imported to another server hub. This backs up all of your " -"connections, permissions, profile data and several months of posts. This " -"file may be VERY large. Please be patient - it may take several minutes for" -" this download to begin." -msgstr "Exporteer informatie en recente inhoud van jouw kanaal naar een JSON-back-up, wat kan worden gebruikt om jouw kanaal te herstellen of te importeren op een andere hub. Dit slaat al jouw connecties, permissies, profielgegevens en enkele maanden aan inhoud van jouw kanaal op. Dit bestand kan ZEER groot worden. Wees geduldig - het kan enkele minuten duren voordat de download begint." - -#: ../../Zotlabs/Module/Uexport.php:60 -msgid "Export your posts from a given year." -msgstr "Exporteer jouw berichten uit een bepaald jaar." - -#: ../../Zotlabs/Module/Uexport.php:62 -msgid "" -"You may also export your posts and conversations for a particular year or " -"month. Adjust the date in your browser location bar to select other dates. " -"If the export fails (possibly due to memory exhaustion on your server hub), " -"please try again selecting a more limited date range." -msgstr "Je kan ook berichten en conversaties uit een bepaald jaar of van een bepaalde maand exporteren. Verander de datum in de adresbalk van jouw webbrowser om andere jaren en maanden te selecteren. Wanneer het exporteren mislukt (waarschijnlijk door een gebrek aan beschikbaar servergeheugen), probeer het dan nogmaals met een beperkter tijdvak." - -#: ../../Zotlabs/Module/Uexport.php:63 -#, php-format -msgid "" -"To select all posts for a given year, such as this year, visit %2$s" -msgstr "Bezoek %2$s om alle berichten van bijvoorbeeld dit jaar te selecteren. " - -#: ../../Zotlabs/Module/Uexport.php:64 -#, php-format -msgid "" -"To select all posts for a given month, such as January of this year, visit " -"%2$s" -msgstr "Bezoek %2$s om alle berichten van bijvoorbeeld januari dit jaar te selecteren." - -#: ../../Zotlabs/Module/Uexport.php:65 -#, php-format -msgid "" -"These content files may be imported or restored by visiting %2$s on any site containing your channel. For best results" -" please import or restore these in date order (oldest first)." -msgstr "Deze back-up-bestanden kunnen geĆÆmporteerd of hersteld worden door op jouw hub en met jouw kanaal %2$s te bezoeken. Voor het beste resultaat kan je de bestanden in chronologische volgorde importeren of herstellen." - -#: ../../Zotlabs/Module/Search.php:216 -#, php-format -msgid "Items tagged with: %s" -msgstr "Items getagd met %s" - -#: ../../Zotlabs/Module/Search.php:218 -#, php-format -msgid "Search results for: %s" -msgstr "Zoekresultaten voor %s" - -#: ../../Zotlabs/Module/Service_limits.php:23 -msgid "No service class restrictions found." -msgstr "Geen abonnementsbeperkingen gevonden." - -#: ../../Zotlabs/Module/Settings.php:64 -msgid "Name is required" -msgstr "Naam is vereist" - -#: ../../Zotlabs/Module/Settings.php:68 -msgid "Key and Secret are required" -msgstr "Key en secret zijn vereist" - -#: ../../Zotlabs/Module/Settings.php:138 -#, php-format -msgid "This channel is limited to %d tokens" -msgstr "Dit kanaal heeft een limiet van %d tokens" - -#: ../../Zotlabs/Module/Settings.php:144 -msgid "Name and Password are required." -msgstr "Naam en wachtwoord zijn vereist" - -#: ../../Zotlabs/Module/Settings.php:168 -msgid "Token saved." -msgstr "Token opgeslagen." - -#: ../../Zotlabs/Module/Settings.php:274 -msgid "Not valid email." -msgstr "Geen geldig e-mailadres." - -#: ../../Zotlabs/Module/Settings.php:277 -msgid "Protected email address. Cannot change to that email." -msgstr "Beschermd e-mailadres. Kan dat e-mailadres niet gebruiken." - -#: ../../Zotlabs/Module/Settings.php:286 -msgid "System failure storing new email. Please try again." -msgstr "Systeemfout opslaan van nieuwe e-mail. Probeer het nog een keer." - -#: ../../Zotlabs/Module/Settings.php:303 -msgid "Password verification failed." -msgstr "Wachtwoordverificatie mislukt" - -#: ../../Zotlabs/Module/Settings.php:310 -msgid "Passwords do not match. Password unchanged." -msgstr "Wachtwoorden komen niet overeen. Wachtwoord onveranderd." - -#: ../../Zotlabs/Module/Settings.php:314 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "Lege wachtwoorden zijn niet toegestaan. Wachtwoord onveranderd." - -#: ../../Zotlabs/Module/Settings.php:328 -msgid "Password changed." -msgstr "Wachtwoord veranderd." - -#: ../../Zotlabs/Module/Settings.php:330 -msgid "Password update failed. Please try again." -msgstr "Bijwerken wachtwoord mislukt. Probeer opnieuw." - -#: ../../Zotlabs/Module/Settings.php:579 -msgid "Settings updated." -msgstr "Instellingen bijgewerkt." - -#: ../../Zotlabs/Module/Settings.php:643 ../../Zotlabs/Module/Settings.php:669 -#: ../../Zotlabs/Module/Settings.php:705 -msgid "Add application" -msgstr "Applicatie toevoegen" - -#: ../../Zotlabs/Module/Settings.php:646 -msgid "Name of application" -msgstr "Naam van applicatie" - -#: ../../Zotlabs/Module/Settings.php:647 ../../Zotlabs/Module/Settings.php:673 -msgid "Consumer Key" -msgstr "Consumer key" - -#: ../../Zotlabs/Module/Settings.php:647 ../../Zotlabs/Module/Settings.php:648 -msgid "Automatically generated - change if desired. Max length 20" -msgstr "Automatische gegenereerd - verander wanneer gewenst. Maximale lengte is 20" - -#: ../../Zotlabs/Module/Settings.php:648 ../../Zotlabs/Module/Settings.php:674 -msgid "Consumer Secret" -msgstr "Consumer secret" - -#: ../../Zotlabs/Module/Settings.php:649 ../../Zotlabs/Module/Settings.php:675 -msgid "Redirect" -msgstr "Redirect/doorverwijzing" - -#: ../../Zotlabs/Module/Settings.php:649 -msgid "" -"Redirect URI - leave blank unless your application specifically requires " -"this" -msgstr "URI voor redirect - laat leeg, behalve wanneer de applicatie dit vereist" - -#: ../../Zotlabs/Module/Settings.php:650 ../../Zotlabs/Module/Settings.php:676 -msgid "Icon url" -msgstr "Pictogram-URL" - -#: ../../Zotlabs/Module/Settings.php:650 ../../Zotlabs/Module/Sources.php:112 -#: ../../Zotlabs/Module/Sources.php:147 -msgid "Optional" -msgstr "Optioneel" - -#: ../../Zotlabs/Module/Settings.php:661 -msgid "Application not found." -msgstr "Applicatie niet gevonden." - -#: ../../Zotlabs/Module/Settings.php:704 -msgid "Connected Apps" -msgstr "Verbonden applicaties" - -#: ../../Zotlabs/Module/Settings.php:708 -msgid "Client key starts with" -msgstr "Client key begint met" - -#: ../../Zotlabs/Module/Settings.php:709 -msgid "No name" -msgstr "Geen naam" - -#: ../../Zotlabs/Module/Settings.php:710 -msgid "Remove authorization" -msgstr "Autorisatie verwijderen" - -#: ../../Zotlabs/Module/Settings.php:723 -msgid "No feature settings configured" -msgstr "Geen plugin-instellingen aanwezig" - -#: ../../Zotlabs/Module/Settings.php:730 -msgid "Feature/Addon Settings" -msgstr "Plugin-instellingen" - -#: ../../Zotlabs/Module/Settings.php:753 -msgid "Account Settings" -msgstr "Account-instellingen" - -#: ../../Zotlabs/Module/Settings.php:754 -msgid "Current Password" -msgstr "Huidig wachtwoord" - -#: ../../Zotlabs/Module/Settings.php:755 -msgid "Enter New Password" -msgstr "Nieuw wachtwoord invoeren" - -#: ../../Zotlabs/Module/Settings.php:756 -msgid "Confirm New Password" -msgstr "Nieuw wachtwoord bevestigen" - -#: ../../Zotlabs/Module/Settings.php:756 -msgid "Leave password fields blank unless changing" -msgstr "Laat de wachtwoordvelden leeg, behalve wanneer je deze wil veranderen" - -#: ../../Zotlabs/Module/Settings.php:758 -#: ../../Zotlabs/Module/Settings.php:1136 -msgid "Email Address:" -msgstr "E-mailadres:" - -#: ../../Zotlabs/Module/Settings.php:760 -msgid "Remove this account including all its channels" -msgstr "Dit account en al zijn kanalen verwijderen" - -#: ../../Zotlabs/Module/Settings.php:789 -msgid "" -"Use this form to create temporary access identifiers to share things with " -"non-members. These identities may be used in Access Control Lists and " -"visitors may login using these credentials to access the private content." -msgstr "Gebruik dit formulier om tijdelijke identiteiten aan te maken, waarmee je bepaalde informatie met niet-leden kan delen. Deze identiteiten kunnen onder Permissies (handmatige selectie) worden gebruikt. Gasten kunnen inloggen met onderstaande gegevens om zo toegang te krijgen tot de privĆ©inhoud." - -#: ../../Zotlabs/Module/Settings.php:791 -msgid "" -"You may also provide dropbox style access links to friends and " -"associates by adding the Login Password to any specific site URL as shown. " -"Examples:" -msgstr "Je kan ook dropbox-achtige links aan mensen geven door bovenstaand wachtwoord op onderstaande manier aan een hub-URL toe te voegen. Voorbeelden:" - -#: ../../Zotlabs/Module/Settings.php:796 ../../include/widgets.php:614 -msgid "Guest Access Tokens" -msgstr "Gasttoegang" - -#: ../../Zotlabs/Module/Settings.php:803 -msgid "Login Name" -msgstr "Inlognaam" - -#: ../../Zotlabs/Module/Settings.php:804 -msgid "Login Password" -msgstr "Wachtwoord:" - -#: ../../Zotlabs/Module/Settings.php:805 -msgid "Expires (yyyy-mm-dd)" -msgstr "Geldig t/m (yyyy-mm-dd)" - -#: ../../Zotlabs/Module/Settings.php:830 -msgid "Additional Features" -msgstr "Extra functies" - -#: ../../Zotlabs/Module/Settings.php:854 -msgid "Connector Settings" -msgstr "Instellingen externe koppelingen" - -#: ../../Zotlabs/Module/Settings.php:893 -msgid "No special theme for mobile devices" -msgstr "Geen speciaal thema voor mobiele apparaten" - -#: ../../Zotlabs/Module/Settings.php:896 -#, php-format -msgid "%s - (Experimental)" -msgstr "%s - (experimenteel)" - -#: ../../Zotlabs/Module/Settings.php:938 -msgid "Display Settings" -msgstr "Weergave-instellingen" - -#: ../../Zotlabs/Module/Settings.php:939 -msgid "Theme Settings" -msgstr "Thema-instellingen" - -#: ../../Zotlabs/Module/Settings.php:940 -msgid "Custom Theme Settings" -msgstr "Handmatige thema-instellingen" - -#: ../../Zotlabs/Module/Settings.php:941 -msgid "Content Settings" -msgstr "Inhoudsinstellingen" - -#: ../../Zotlabs/Module/Settings.php:947 -msgid "Display Theme:" -msgstr "Gebruik thema:" - -#: ../../Zotlabs/Module/Settings.php:948 -msgid "Mobile Theme:" -msgstr "Mobiel thema:" - -#: ../../Zotlabs/Module/Settings.php:949 -msgid "Preload images before rendering the page" -msgstr "Afbeeldingen laden voordat de pagina wordt weergegeven" - -#: ../../Zotlabs/Module/Settings.php:949 -msgid "" -"The subjective page load time will be longer but the page will be ready when" -" displayed" -msgstr "De laadtijd van een pagina lijkt langer, maar de pagina is wel meteen helemaal geladen wanneer deze wordt weergeven" - -#: ../../Zotlabs/Module/Settings.php:950 -msgid "Enable user zoom on mobile devices" -msgstr "Inzoomen op smartphones en tablets toestaan" - -#: ../../Zotlabs/Module/Settings.php:951 -msgid "Update browser every xx seconds" -msgstr "Ververs de webbrowser om de zoveel seconde" - -#: ../../Zotlabs/Module/Settings.php:951 -msgid "Minimum of 10 seconds, no maximum" -msgstr "Minimaal 10 seconde, geen maximum" - -#: ../../Zotlabs/Module/Settings.php:952 -msgid "Maximum number of conversations to load at any time:" -msgstr "Maximaal aantal conversaties die per keer geladen worden:" - -#: ../../Zotlabs/Module/Settings.php:952 -msgid "Maximum of 100 items" -msgstr "Maximaal 100 conversaties" - -#: ../../Zotlabs/Module/Settings.php:953 -msgid "Show emoticons (smilies) as images" -msgstr "Toon emoticons (smilies) als afbeeldingen" - -#: ../../Zotlabs/Module/Settings.php:954 -msgid "Link post titles to source" -msgstr "Berichtkoppen naar originele locatie linken" - -#: ../../Zotlabs/Module/Settings.php:955 -msgid "System Page Layout Editor - (advanced)" -msgstr "Lay-out bewerken van systeempagina's (geavanceerd)" - -#: ../../Zotlabs/Module/Settings.php:958 -msgid "Use blog/list mode on channel page" -msgstr "Gebruik blog/lijst-modus op kanaalpagina" - -#: ../../Zotlabs/Module/Settings.php:958 ../../Zotlabs/Module/Settings.php:959 -msgid "(comments displayed separately)" -msgstr "(reacties worden afzonderlijk weergeven)" - -#: ../../Zotlabs/Module/Settings.php:959 -msgid "Use blog/list mode on grid page" -msgstr "Gebruik blog/lijst-modus op gridpagina" - -#: ../../Zotlabs/Module/Settings.php:960 -msgid "Channel page max height of content (in pixels)" -msgstr "Maximale hoogte berichtinhoud op kanaalpagina (in pixels)" - -#: ../../Zotlabs/Module/Settings.php:960 ../../Zotlabs/Module/Settings.php:961 -msgid "click to expand content exceeding this height" -msgstr "klik om inhoud uit te klappen die deze hoogte overschrijdt" - -#: ../../Zotlabs/Module/Settings.php:961 -msgid "Grid page max height of content (in pixels)" -msgstr "Maximale hoogte berichtinhoud op gridpagina (in pixels)" - -#: ../../Zotlabs/Module/Settings.php:990 -msgid "Nobody except yourself" -msgstr "Niemand, behalve jezelf" - -#: ../../Zotlabs/Module/Settings.php:991 -msgid "Only those you specifically allow" -msgstr "Alleen connecties met uitdrukkelijke toestemming" - -#: ../../Zotlabs/Module/Settings.php:992 -msgid "Approved connections" -msgstr "Geaccepteerde connecties" - -#: ../../Zotlabs/Module/Settings.php:993 -msgid "Any connections" -msgstr "Alle connecties" - -#: ../../Zotlabs/Module/Settings.php:994 -msgid "Anybody on this website" -msgstr "Iedereen op deze hub" - -#: ../../Zotlabs/Module/Settings.php:995 -msgid "Anybody in this network" -msgstr "Iedereen in dit netwerk" - -#: ../../Zotlabs/Module/Settings.php:996 -msgid "Anybody authenticated" -msgstr "Geauthenticeerd" - -#: ../../Zotlabs/Module/Settings.php:997 -msgid "Anybody on the internet" -msgstr "Iedereen op het internet" - -#: ../../Zotlabs/Module/Settings.php:1071 -msgid "Publish your default profile in the network directory" -msgstr "Publiceer je standaardprofiel in de kanalengids" - -#: ../../Zotlabs/Module/Settings.php:1076 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "Sta ons toe om jouw kanaal als mogelijke connectie voor te stellen aan nieuwe kanalen" - -#: ../../Zotlabs/Module/Settings.php:1085 -msgid "Your channel address is" -msgstr "Jouw kanaaladres is" - -#: ../../Zotlabs/Module/Settings.php:1127 -msgid "Channel Settings" -msgstr "Kanaal-instellingen" - -#: ../../Zotlabs/Module/Settings.php:1134 -msgid "Basic Settings" -msgstr "Basis-instellingen" - -#: ../../Zotlabs/Module/Settings.php:1135 ../../include/channel.php:1180 -msgid "Full Name:" -msgstr "Volledige naam:" - -#: ../../Zotlabs/Module/Settings.php:1137 -msgid "Your Timezone:" -msgstr "Jouw tijdzone:" - -#: ../../Zotlabs/Module/Settings.php:1138 -msgid "Default Post Location:" -msgstr "Standaardlocatie bericht:" - -#: ../../Zotlabs/Module/Settings.php:1138 -msgid "Geographical location to display on your posts" -msgstr "Geografische locatie die bij het bericht moet worden vermeld" - -#: ../../Zotlabs/Module/Settings.php:1139 -msgid "Use Browser Location:" -msgstr "Locatie van webbrowser gebruiken:" - -#: ../../Zotlabs/Module/Settings.php:1141 -msgid "Adult Content" -msgstr "Inhoud voor volwassenen" - -#: ../../Zotlabs/Module/Settings.php:1141 -msgid "" -"This channel frequently or regularly publishes adult content. (Please tag " -"any adult material and/or nudity with #NSFW)" -msgstr "Dit kanaal publiceert regelmatig of vaak materiaal dat alleen geschikt is voor volwassenen. (Gebruik de tag #NSFW in berichten met een seksueel getinte inhoud of ander voor minderjarigen ongeschikt materiaal)" - -#: ../../Zotlabs/Module/Settings.php:1143 -msgid "Security and Privacy Settings" -msgstr "Veiligheids- en privacy-instellingen" - -#: ../../Zotlabs/Module/Settings.php:1146 -msgid "Your permissions are already configured. Click to view/adjust" -msgstr "Jouw permissies zijn al ingesteld. Klik om ze te bekijken of aan te passen." - -#: ../../Zotlabs/Module/Settings.php:1148 -msgid "Hide my online presence" -msgstr "Verberg mijn aanwezigheid" - -#: ../../Zotlabs/Module/Settings.php:1148 -msgid "Prevents displaying in your profile that you are online" -msgstr "Voorkomt dat op je kanaalpagina te zien valt dat je momenteel op $Projectname aanwezig bent" - -#: ../../Zotlabs/Module/Settings.php:1150 -msgid "Simple Privacy Settings:" -msgstr "Eenvoudige privacy-instellingen:" - -#: ../../Zotlabs/Module/Settings.php:1151 -msgid "" -"Very Public - extremely permissive (should be used with caution)" -msgstr "Zeer openbaar (kanaal staat volledig open - moet met grote zorgvuldigheid gebruikt worden)" - -#: ../../Zotlabs/Module/Settings.php:1152 -msgid "" -"Typical - default public, privacy when desired (similar to social " -"network permissions but with improved privacy)" -msgstr "Normaal (standaard openbaar, maar privacy wanneer noodzakelijk - vergelijkbaar met die van sociale netwerken, maar met verbeterde privacy)" - -#: ../../Zotlabs/Module/Settings.php:1153 -msgid "Private - default private, never open or public" -msgstr "PrivĆ© (standaard privĆ© en nooit openbaar)" - -#: ../../Zotlabs/Module/Settings.php:1154 -msgid "Blocked - default blocked to/from everybody" -msgstr "Geblokkeerd (standaard geblokkeerd naar/van iedereen)" - -#: ../../Zotlabs/Module/Settings.php:1156 -msgid "Allow others to tag your posts" -msgstr "Anderen toestaan om je berichten te taggen" - -#: ../../Zotlabs/Module/Settings.php:1156 -msgid "" -"Often used by the community to retro-actively flag inappropriate content" -msgstr "Vaak in groepen/forums gebruikt om met terugwerkende kracht ongepast materiaal te markeren" - -#: ../../Zotlabs/Module/Settings.php:1158 -msgid "Advanced Privacy Settings" -msgstr "Geavanceerde privacy-instellingen" - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "Expire other channel content after this many days" -msgstr "Inhoud van andere kanalen na zoveel aantal dagen laten verlopen:" - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "0 or blank to use the website limit." -msgstr "0 of leeg om het standaard aantal dagen van deze hub te gebruiken." - -#: ../../Zotlabs/Module/Settings.php:1160 -#, php-format -msgid "This website expires after %d days." -msgstr "Deze hub laat de inhoud van andere kanalen na %d dagen verlopen." - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "This website does not expire imported content." -msgstr "Deze hub laat de inhoud van andere kanalen niet verlopen." - -#: ../../Zotlabs/Module/Settings.php:1160 -msgid "The website limit takes precedence if lower than your limit." -msgstr "Wanneer de standaard aantal dagen van deze hub lager ligt dan jouw aantal, dan heeft de limiet van deze hub voorrang." - -#: ../../Zotlabs/Module/Settings.php:1161 -msgid "Maximum Friend Requests/Day:" -msgstr "Maximum aantal connectieverzoeken per dag:" - -#: ../../Zotlabs/Module/Settings.php:1161 -msgid "May reduce spam activity" -msgstr "Kan eventuele spam verminderen" - -#: ../../Zotlabs/Module/Settings.php:1162 -msgid "Default Post and Publish Permissions" -msgstr "Standaard permissies voor nieuwe berichten en publicaties" - -#: ../../Zotlabs/Module/Settings.php:1164 -msgid "Use my default audience setting for the type of object published" -msgstr "Gebruik mijn standaard privacy-instelling voor dit type publicatie" - -#: ../../Zotlabs/Module/Settings.php:1167 -msgid "Channel permissions category:" -msgstr "Kanaaltype en -permissies:" - -#: ../../Zotlabs/Module/Settings.php:1173 -msgid "Maximum private messages per day from unknown people:" -msgstr "Maximum aantal privĆ©-berichten per dag van onbekende personen:" - -#: ../../Zotlabs/Module/Settings.php:1173 -msgid "Useful to reduce spamming" -msgstr "Kan eventuele spam verminderen" - -#: ../../Zotlabs/Module/Settings.php:1176 -msgid "Notification Settings" -msgstr "Notificatie-instellingen" - -#: ../../Zotlabs/Module/Settings.php:1177 -msgid "By default post a status message when:" -msgstr "Plaats automatisch een bericht wanneer:" - -#: ../../Zotlabs/Module/Settings.php:1178 -msgid "accepting a friend request" -msgstr "Een connectieverzoek wordt geaccepteerd" - -#: ../../Zotlabs/Module/Settings.php:1179 -msgid "joining a forum/community" -msgstr "Je lid wordt van een forum/groep" - -#: ../../Zotlabs/Module/Settings.php:1180 -msgid "making an interesting profile change" -msgstr "Er sprake is van een interessante profielwijziging" - -#: ../../Zotlabs/Module/Settings.php:1181 -msgid "Send a notification email when:" -msgstr "Verzend een notificatie per e-mail wanneer:" - -#: ../../Zotlabs/Module/Settings.php:1182 -msgid "You receive a connection request" -msgstr "Je een connectieverzoek ontvangt" - -#: ../../Zotlabs/Module/Settings.php:1183 -msgid "Your connections are confirmed" -msgstr "Jouw connecties zijn bevestigd" - -#: ../../Zotlabs/Module/Settings.php:1184 -msgid "Someone writes on your profile wall" -msgstr "Iemand iets op jouw kanaal heeft geschreven" - -#: ../../Zotlabs/Module/Settings.php:1185 -msgid "Someone writes a followup comment" -msgstr "Iemand een reactie schrijft" - -#: ../../Zotlabs/Module/Settings.php:1186 -msgid "You receive a private message" -msgstr "Je een privĆ©-bericht ontvangt" - -#: ../../Zotlabs/Module/Settings.php:1187 -msgid "You receive a friend suggestion" -msgstr "Je een kanaalvoorstel ontvangt" - -#: ../../Zotlabs/Module/Settings.php:1188 -msgid "You are tagged in a post" -msgstr "Je expliciet in een bericht bent genoemd" - -#: ../../Zotlabs/Module/Settings.php:1189 -msgid "You are poked/prodded/etc. in a post" -msgstr "Je bent in een bericht aangestoten/gepord/etc." - -#: ../../Zotlabs/Module/Settings.php:1192 -msgid "Show visual notifications including:" -msgstr "Toon de volgende zichtbare notificaties:" - -#: ../../Zotlabs/Module/Settings.php:1194 -msgid "Unseen grid activity" -msgstr "Niet bekeken grid-activiteit" - -#: ../../Zotlabs/Module/Settings.php:1195 -msgid "Unseen channel activity" -msgstr "Niet bekeken kanaal-activiteit" - -#: ../../Zotlabs/Module/Settings.php:1196 -msgid "Unseen private messages" -msgstr "Niet bekeken privĆ©berichten" - -#: ../../Zotlabs/Module/Settings.php:1196 -#: ../../Zotlabs/Module/Settings.php:1201 -#: ../../Zotlabs/Module/Settings.php:1202 -#: ../../Zotlabs/Module/Settings.php:1203 -msgid "Recommended" -msgstr "Aanbevolen" - -#: ../../Zotlabs/Module/Settings.php:1197 -msgid "Upcoming events" -msgstr "Aankomende gebeurtenissen" - -#: ../../Zotlabs/Module/Settings.php:1198 -msgid "Events today" -msgstr "Gebeurtenissen van vandaag" - -#: ../../Zotlabs/Module/Settings.php:1199 -msgid "Upcoming birthdays" -msgstr "Aankomende verjaardagen" - -#: ../../Zotlabs/Module/Settings.php:1199 -msgid "Not available in all themes" -msgstr "Niet in alle thema's beschikbaar" - -#: ../../Zotlabs/Module/Settings.php:1200 -msgid "System (personal) notifications" -msgstr "(Persoonlijke) systeemnotificaties" - -#: ../../Zotlabs/Module/Settings.php:1201 -msgid "System info messages" -msgstr "Systeemmededelingen" - -#: ../../Zotlabs/Module/Settings.php:1202 -msgid "System critical alerts" -msgstr "Kritische systeemwaarschuwingen" - -#: ../../Zotlabs/Module/Settings.php:1203 -msgid "New connections" -msgstr "Nieuwe connecties" - -#: ../../Zotlabs/Module/Settings.php:1204 -msgid "System Registrations" -msgstr "Nieuwe accountregistraties op deze hub" - -#: ../../Zotlabs/Module/Settings.php:1205 -msgid "" -"Also show new wall posts, private messages and connections under Notices" -msgstr "Toon tevens nieuwe kanaalberichten, privĆ©berichten en connecties onder Notificaties" - -#: ../../Zotlabs/Module/Settings.php:1207 -msgid "Notify me of events this many days in advance" -msgstr "Herinner mij zoveel dagen van te voren aan gebeurtenissen" - -#: ../../Zotlabs/Module/Settings.php:1207 -msgid "Must be greater than 0" -msgstr "Moet hoger dan 0 zijn" - -#: ../../Zotlabs/Module/Settings.php:1209 -msgid "Advanced Account/Page Type Settings" -msgstr "Instellingen geavanceerd account/paginatype" - -#: ../../Zotlabs/Module/Settings.php:1210 -msgid "Change the behaviour of this account for special situations" -msgstr "Verander het gedrag van dit account voor speciale situaties" - -#: ../../Zotlabs/Module/Settings.php:1213 -msgid "" -"Please enable expert mode (in Settings > " -"Additional features) to adjust!" -msgstr "Schakel de expertmodus in (in Instellingen > Extra functies) om aan te kunnen passen!" - -#: ../../Zotlabs/Module/Settings.php:1214 -msgid "Miscellaneous Settings" -msgstr "Diverse instellingen" - -#: ../../Zotlabs/Module/Settings.php:1215 -msgid "Default photo upload folder" -msgstr "Standaard fotoalbum voor uploads" - -#: ../../Zotlabs/Module/Settings.php:1215 -#: ../../Zotlabs/Module/Settings.php:1216 -msgid "%Y - current year, %m - current month" -msgstr "%Y - dit jaar, %m - deze maand" - -#: ../../Zotlabs/Module/Settings.php:1216 -msgid "Default file upload folder" -msgstr "Standaard bestandsmap voor uploads" - -#: ../../Zotlabs/Module/Settings.php:1218 -msgid "Personal menu to display in your channel pages" -msgstr "Persoonlijk menu om op je kanaalpagina's weer te geven" - -#: ../../Zotlabs/Module/Settings.php:1220 -msgid "Remove this channel." -msgstr "Verwijder dit kanaal." - -#: ../../Zotlabs/Module/Settings.php:1221 -msgid "Firefox Share $Projectname provider" -msgstr "$Projectname-service voor Firefox Share" - -#: ../../Zotlabs/Module/Settings.php:1222 -msgid "Start calendar week on monday" -msgstr "Begin in de agenda de week op maandag" - #: ../../Zotlabs/Module/Setup.php:179 msgid "$Projectname Server - Setup" msgstr "$Projectname Hub - Setup" @@ -6224,6 +3541,2072 @@ msgid "" "poller." msgstr "IMPORTANT: You will need to [manually] setup a scheduled task for the poller." +#: ../../Zotlabs/Module/Admin.php:77 +msgid "Theme settings updated." +msgstr "Thema-instellingen bijgewerkt." + +#: ../../Zotlabs/Module/Admin.php:197 +msgid "# Accounts" +msgstr "# accounts" + +#: ../../Zotlabs/Module/Admin.php:198 +msgid "# blocked accounts" +msgstr "# geblokkeerde accounts" + +#: ../../Zotlabs/Module/Admin.php:199 +msgid "# expired accounts" +msgstr "# verlopen accounts" + +#: ../../Zotlabs/Module/Admin.php:200 +msgid "# expiring accounts" +msgstr "# accounts die nog moeten verlopen" + +#: ../../Zotlabs/Module/Admin.php:211 +msgid "# Channels" +msgstr "# Kanalen" + +#: ../../Zotlabs/Module/Admin.php:212 +msgid "# primary" +msgstr "# primair" + +#: ../../Zotlabs/Module/Admin.php:213 +msgid "# clones" +msgstr "# klonen" + +#: ../../Zotlabs/Module/Admin.php:219 +msgid "Message queues" +msgstr "Berichtenwachtrij" + +#: ../../Zotlabs/Module/Admin.php:236 +msgid "Your software should be updated" +msgstr "Jouw software moet worden bijgewerkt " + +#: ../../Zotlabs/Module/Admin.php:241 ../../Zotlabs/Module/Admin.php:490 +#: ../../Zotlabs/Module/Admin.php:711 ../../Zotlabs/Module/Admin.php:755 +#: ../../Zotlabs/Module/Admin.php:1030 ../../Zotlabs/Module/Admin.php:1209 +#: ../../Zotlabs/Module/Admin.php:1329 ../../Zotlabs/Module/Admin.php:1419 +#: ../../Zotlabs/Module/Admin.php:1612 ../../Zotlabs/Module/Admin.php:1646 +#: ../../Zotlabs/Module/Admin.php:1731 +msgid "Administration" +msgstr "Beheer" + +#: ../../Zotlabs/Module/Admin.php:242 +msgid "Summary" +msgstr "Samenvatting" + +#: ../../Zotlabs/Module/Admin.php:245 +msgid "Registered accounts" +msgstr "Geregistreerde accounts" + +#: ../../Zotlabs/Module/Admin.php:246 ../../Zotlabs/Module/Admin.php:715 +msgid "Pending registrations" +msgstr "Accounts die op goedkeuring wachten" + +#: ../../Zotlabs/Module/Admin.php:247 +msgid "Registered channels" +msgstr "Geregistreerde kanalen" + +#: ../../Zotlabs/Module/Admin.php:248 ../../Zotlabs/Module/Admin.php:716 +msgid "Active plugins" +msgstr "Ingeschakelde plugins" + +#: ../../Zotlabs/Module/Admin.php:249 +msgid "Version" +msgstr "Versie" + +#: ../../Zotlabs/Module/Admin.php:250 +msgid "Repository version (master)" +msgstr "Versie repository (master)" + +#: ../../Zotlabs/Module/Admin.php:251 +msgid "Repository version (dev)" +msgstr "Versie repository (dev)" + +#: ../../Zotlabs/Module/Admin.php:373 +msgid "Site settings updated." +msgstr "Hub-instellingen bijgewerkt." + +#: ../../Zotlabs/Module/Admin.php:400 ../../include/text.php:2888 +msgid "Default" +msgstr "Standaard" + +#: ../../Zotlabs/Module/Admin.php:410 ../../Zotlabs/Module/Settings.php:987 +msgid "mobile" +msgstr "mobiel" + +#: ../../Zotlabs/Module/Admin.php:412 +msgid "experimental" +msgstr "experimenteel" + +#: ../../Zotlabs/Module/Admin.php:414 +msgid "unsupported" +msgstr "Niet ondersteund" + +#: ../../Zotlabs/Module/Admin.php:460 +msgid "Yes - with approval" +msgstr "Ja - met goedkeuring" + +#: ../../Zotlabs/Module/Admin.php:466 +msgid "My site is not a public server" +msgstr "Mijn $Projectname-hub is niet openbaar" + +#: ../../Zotlabs/Module/Admin.php:467 +msgid "My site has paid access only" +msgstr "Mijn $Projectname-hub kent alleen betaalde toegang" + +#: ../../Zotlabs/Module/Admin.php:468 +msgid "My site has free access only" +msgstr "Mijn $Projectname-hub kent alleen gratis toegang" + +#: ../../Zotlabs/Module/Admin.php:469 +msgid "My site offers free accounts with optional paid upgrades" +msgstr "Mijn $Projectname-hub biedt gratis accounts aan met betaalde uitbreidingen als optie" + +#: ../../Zotlabs/Module/Admin.php:491 ../../include/widgets.php:1490 +msgid "Site" +msgstr "Hub-instellingen" + +#: ../../Zotlabs/Module/Admin.php:493 ../../Zotlabs/Module/Register.php:248 +msgid "Registration" +msgstr "Registratie" + +#: ../../Zotlabs/Module/Admin.php:494 +msgid "File upload" +msgstr "Bestand uploaden" + +#: ../../Zotlabs/Module/Admin.php:495 +msgid "Policies" +msgstr "Beleid" + +#: ../../Zotlabs/Module/Admin.php:496 ../../include/contact_widgets.php:16 +msgid "Advanced" +msgstr "Geavanceerd" + +#: ../../Zotlabs/Module/Admin.php:500 +msgid "Site name" +msgstr "Naam van deze $Projectname-hub" + +#: ../../Zotlabs/Module/Admin.php:501 +msgid "Banner/Logo" +msgstr "Banner/logo" + +#: ../../Zotlabs/Module/Admin.php:502 +msgid "Administrator Information" +msgstr "Informatie over de beheerder van deze hub" + +#: ../../Zotlabs/Module/Admin.php:502 +msgid "" +"Contact information for site administrators. Displayed on siteinfo page. " +"BBCode can be used here" +msgstr "Contactinformatie voor hub-beheerders. Getoond op pagina met hub-informatie. Er kan hier bbcode gebruikt worden." + +#: ../../Zotlabs/Module/Admin.php:503 +msgid "System language" +msgstr "Standaardtaal" + +#: ../../Zotlabs/Module/Admin.php:504 +msgid "System theme" +msgstr "Standaardthema" + +#: ../../Zotlabs/Module/Admin.php:504 +msgid "" +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "Standaardthema voor $Projectname-hub (kan door lid veranderd worden) - verander thema-instellingen" + +#: ../../Zotlabs/Module/Admin.php:505 +msgid "Mobile system theme" +msgstr "Standaardthema voor mobiel" + +#: ../../Zotlabs/Module/Admin.php:505 +msgid "Theme for mobile devices" +msgstr "Thema voor mobiele apparaten" + +#: ../../Zotlabs/Module/Admin.php:507 +msgid "Allow Feeds as Connections" +msgstr "Sta feeds toe als connecties" + +#: ../../Zotlabs/Module/Admin.php:507 +msgid "(Heavy system resource usage)" +msgstr "(sterk negatieve invloed op systeembronnen hub)" + +#: ../../Zotlabs/Module/Admin.php:508 +msgid "Maximum image size" +msgstr "Maximale grootte van afbeeldingen" + +#: ../../Zotlabs/Module/Admin.php:508 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "Maximale grootte in bytes voor afbeeldingen die worden geüpload. Standaard is 0, wat geen limiet betekend." + +#: ../../Zotlabs/Module/Admin.php:509 +msgid "Does this site allow new member registration?" +msgstr "Staat deze hub nieuwe accounts toe?" + +#: ../../Zotlabs/Module/Admin.php:510 +msgid "Invitation only" +msgstr "Alleen op uitnodiging" + +#: ../../Zotlabs/Module/Admin.php:510 +msgid "" +"Only allow new member registrations with an invitation code. Above register " +"policy must be set to Yes." +msgstr "Sta alleen nieuwe registraties toe van mensen die een uitnodigingscode hebben. Bovenstaand accountbeleid moet op Ja staan." + +#: ../../Zotlabs/Module/Admin.php:511 +msgid "Which best describes the types of account offered by this hub?" +msgstr "Wat voor soort accounts biedt deze $Projectname-hub aan? Kies wat het meest in de buurt komt." + +#: ../../Zotlabs/Module/Admin.php:512 +msgid "Register text" +msgstr "Tekst tijdens registratie" + +#: ../../Zotlabs/Module/Admin.php:512 +msgid "Will be displayed prominently on the registration page." +msgstr "Tekst dat op de pagina voor het registreren van nieuwe accounts wordt getoond." + +#: ../../Zotlabs/Module/Admin.php:513 +msgid "Site homepage to show visitors (default: login box)" +msgstr "Homepagina van deze hub die aan bezoekers wordt getoond (standaard: inlogformulier)" + +#: ../../Zotlabs/Module/Admin.php:513 +msgid "" +"example: 'public' to show public stream, 'page/sys/home' to show a system " +"webpage called 'home' or 'include:home.html' to include a file." +msgstr "voorbeeld: 'public' om de openbare stream te tonen, 'page/sys/home' om de webpagina 'home' van het systeemkanaal te tonen of 'include:home.html' om een gewoon bestand te gebruiken." + +#: ../../Zotlabs/Module/Admin.php:514 +msgid "Preserve site homepage URL" +msgstr "Behoudt de URL van de hub (/)" + +#: ../../Zotlabs/Module/Admin.php:514 +msgid "" +"Present the site homepage in a frame at the original location instead of " +"redirecting" +msgstr "Toon de homepagina van de hub in een frame op de oorspronkelijke locatie (/), i.p.v. een doorverwijzing naar een andere locatie (bv. .../home.html)" + +#: ../../Zotlabs/Module/Admin.php:515 +msgid "Accounts abandoned after x days" +msgstr "Accounts als verlaten beschouwen na zoveel aantal dagen:" + +#: ../../Zotlabs/Module/Admin.php:515 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "Zal geen systeembronnen verspillen door polling van externe hubs voor verlaten accounts. Vul 0 in voor geen tijdslimiet." + +#: ../../Zotlabs/Module/Admin.php:516 +msgid "Allowed friend domains" +msgstr "Toegestane domeinen" + +#: ../../Zotlabs/Module/Admin.php:516 +msgid "" +"Comma separated list of domains which are allowed to establish friendships " +"with this site. Wildcards are accepted. Empty to allow any domains" +msgstr "Komma-gescheiden lijst van domeinen waarvan kanalen connecties kunnen aangaan met kanalen op deze $Projectname-hub. Wildcards zijn toegestaan.\nLaat leeg om alle domeinen toe te laten." + +#: ../../Zotlabs/Module/Admin.php:517 +msgid "Allowed email domains" +msgstr "Toegestane e-maildomeinen" + +#: ../../Zotlabs/Module/Admin.php:517 +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 "Door komma's gescheiden lijst met e-maildomeinen waarvan e-mailadressen op deze hub mogen registeren. Wildcards zijn toegestaan. Laat leeg om alle domeinen toe te laten." + +#: ../../Zotlabs/Module/Admin.php:518 +msgid "Not allowed email domains" +msgstr "Niet toegestane e-maildomeinen" + +#: ../../Zotlabs/Module/Admin.php:518 +msgid "" +"Comma separated list of domains which are not allowed in email addresses for" +" registrations to this site. Wildcards are accepted. Empty to allow any " +"domains, unless allowed domains have been defined." +msgstr "Door komma's gescheiden lijst met e-maildomeinen waarvan e-mailadressen niet op deze hub mogen registeren. Wildcards zijn toegestaan. Laat leeg om alle domeinen toe te staan, tenzij er toegestane domeinen zijn ingesteld. " + +#: ../../Zotlabs/Module/Admin.php:519 +msgid "Verify Email Addresses" +msgstr "E-mailadres verifieren" + +#: ../../Zotlabs/Module/Admin.php:519 +msgid "" +"Check to verify email addresses used in account registration (recommended)." +msgstr "Inschakelen om e-mailadressen te verifiĆ«ren die tijdens de accountregistratie worden gebruikt (aanbevolen)." + +#: ../../Zotlabs/Module/Admin.php:520 +msgid "Force publish" +msgstr "Dwing kanaalvermelding af" + +#: ../../Zotlabs/Module/Admin.php:520 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "Vink dit aan om af te dwingen dat alle kanalen op deze hub in de kanalengids worden vermeld." + +#: ../../Zotlabs/Module/Admin.php:521 +msgid "Import Public Streams" +msgstr "Openbare streams importeren" + +#: ../../Zotlabs/Module/Admin.php:521 +msgid "" +"Import and allow access to public content pulled from other sites. Warning: " +"this content is unmoderated." +msgstr "Toegang verlenen tot openbare berichten die vanuit andere hubs worden geĆÆmporteerd. Waarschuwing: de inhoud van deze berichten wordt niet gemodereerd." + +#: ../../Zotlabs/Module/Admin.php:522 +msgid "Login on Homepage" +msgstr "Inlogformulier op de homepagina" + +#: ../../Zotlabs/Module/Admin.php:522 +msgid "" +"Present a login box to visitors on the home page if no other content has " +"been configured." +msgstr "Toon een inlogformulier voor bezoekers op de homepagina wanneer geen andere inhoud is geconfigureerd. " + +#: ../../Zotlabs/Module/Admin.php:523 +msgid "Enable context help" +msgstr "Schakel contextuele hulp in" + +#: ../../Zotlabs/Module/Admin.php:523 +msgid "" +"Display contextual help for the current page when the help button is " +"pressed." +msgstr "Toon hulp en documentatie voor de op dat moment getoonde pagina, wanneer op de hulp-knop wordt geklikt." + +#: ../../Zotlabs/Module/Admin.php:525 +msgid "Directory Server URL" +msgstr "Server-URL voor de kanalengids" + +#: ../../Zotlabs/Module/Admin.php:525 +msgid "Default directory server" +msgstr "Standaardserver voor de kanalengids" + +#: ../../Zotlabs/Module/Admin.php:527 +msgid "Proxy user" +msgstr "Gebruikersnaam proxy" + +#: ../../Zotlabs/Module/Admin.php:528 +msgid "Proxy URL" +msgstr "Proxy-URL" + +#: ../../Zotlabs/Module/Admin.php:529 +msgid "Network timeout" +msgstr "Netwerktimeout" + +#: ../../Zotlabs/Module/Admin.php:529 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "Waarde is in seconden. Zet op 0 voor onbeperkt (niet aanbevolen)" + +#: ../../Zotlabs/Module/Admin.php:530 +msgid "Delivery interval" +msgstr "Afleveringsinterval" + +#: ../../Zotlabs/Module/Admin.php:530 +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 "Vertraag de achtergrondprocessen voor het afleveren met een aantal seconden om de systeembelasting te verminderen. Aanbevolen: 4-5 voor shared hosts, 2-3 voor virtual private servers (VPS) en 0-1 voor grote dedicated servers." + +#: ../../Zotlabs/Module/Admin.php:531 +msgid "Deliveries per process" +msgstr "Leveringen per serverproces" + +#: ../../Zotlabs/Module/Admin.php:531 +msgid "" +"Number of deliveries to attempt in a single operating system process. Adjust" +" if necessary to tune system performance. Recommend: 1-5." +msgstr "Aantal leveringen die aan ƩƩn serverproces worden meegegeven. Pas dit aan wanneer het nodig is om systeemprestaties te verbeteren. Aangeraden: 1-5" + +#: ../../Zotlabs/Module/Admin.php:532 +msgid "Poll interval" +msgstr "Poll-interval" + +#: ../../Zotlabs/Module/Admin.php:532 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "De achtergrondprocessen voor het afleveren met zoveel seconden vertragen om de systeembelasting te verminderen. 0 om de afleveringsinterval te gebruiken." + +#: ../../Zotlabs/Module/Admin.php:533 +msgid "Maximum Load Average" +msgstr "Maximaal gemiddelde systeembelasting" + +#: ../../Zotlabs/Module/Admin.php:533 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "Maximale systeembelasting voordat de afleverings- en polllingsprocessen worden uitgesteld. Standaard is 50." + +#: ../../Zotlabs/Module/Admin.php:534 +msgid "Expiration period in days for imported (grid/network) content" +msgstr "Aantal dagen waarna geĆÆmporteerde inhoud uit iemands grid/netwerk-pagina wordt verwijderd." + +#: ../../Zotlabs/Module/Admin.php:534 +msgid "0 for no expiration of imported content" +msgstr "Dit geldt alleen voor inhoud van andere kanalen, dus niet voor iemands eigen kanaal. 0 voor het niet verwijderen van geĆÆmporteerde inhoud." + +#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 +#: ../../Zotlabs/Module/Settings.php:903 +msgid "Off" +msgstr "Uit" + +#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 +#: ../../Zotlabs/Module/Settings.php:903 +msgid "On" +msgstr "Aan" + +#: ../../Zotlabs/Module/Admin.php:678 +#, php-format +msgid "Lock feature %s" +msgstr " Vergrendel de functie '%s'" + +#: ../../Zotlabs/Module/Admin.php:686 +msgid "Manage Additional Features" +msgstr "Beheer - Extra functies" + +#: ../../Zotlabs/Module/Admin.php:703 +msgid "No server found" +msgstr "Geen hub gevonden" + +#: ../../Zotlabs/Module/Admin.php:710 ../../Zotlabs/Module/Admin.php:1046 +msgid "ID" +msgstr "ID" + +#: ../../Zotlabs/Module/Admin.php:710 +msgid "for channel" +msgstr "voor kanaal" + +#: ../../Zotlabs/Module/Admin.php:710 +msgid "on server" +msgstr "op hub" + +#: ../../Zotlabs/Module/Admin.php:712 +msgid "Server" +msgstr "Hubbeheer" + +#: ../../Zotlabs/Module/Admin.php:746 +msgid "" +"By default, unfiltered HTML is allowed in embedded media. This is inherently" +" insecure." +msgstr "Standaard is ongefilterde HTML in ingesloten (embedded) media toegestaan. Dit is inherent onveilig." + +#: ../../Zotlabs/Module/Admin.php:749 +msgid "" +"The recommended setting is to only allow unfiltered HTML from the following " +"sites:" +msgstr "Het wordt aanbevolen om alleen ongefilterde HTML van de volgende websites toe te staan:" + +#: ../../Zotlabs/Module/Admin.php:750 +msgid "" +"https://youtube.com/
https://www.youtube.com/
https://youtu.be/https://vimeo.com/
https://soundcloud.com/
" +msgstr "https://youtube.com/
https://www.youtube.com/
https://youtu.be/
https://vimeo.com/
https://soundcloud.com/
" + +#: ../../Zotlabs/Module/Admin.php:751 +msgid "" +"All other embedded content will be filtered, unless " +"embedded content from that site is explicitly blocked." +msgstr "Alle andere ingesloten (embedded) inhoud wordt gefilterd, tenzij ingesloten (embedded) inhoud van een website expliciet wordt geblokkeerd." + +#: ../../Zotlabs/Module/Admin.php:756 ../../include/widgets.php:1493 +msgid "Security" +msgstr "Beveiliging" + +#: ../../Zotlabs/Module/Admin.php:758 +msgid "Block public" +msgstr "Openbare toegang blokkeren" + +#: ../../Zotlabs/Module/Admin.php:758 +msgid "" +"Check to block public access to all otherwise public personal pages on this " +"site unless you are currently authenticated." +msgstr "Vink dit aan om alle normaliter openbare persoonlijke pagina's op deze hub alleen toegankelijk te maken voor leden die zich hebben geauthenticeerd." + +#: ../../Zotlabs/Module/Admin.php:759 +msgid "Set \"Transport Security\" HTTP header" +msgstr "\"Transport Security\" HTTP-header inschakelen" + +#: ../../Zotlabs/Module/Admin.php:760 +msgid "Set \"Content Security Policy\" HTTP header" +msgstr " \"Content Security Policy\" HTTP-header inschakelen" + +#: ../../Zotlabs/Module/Admin.php:761 +msgid "Allow communications only from these sites" +msgstr "Alleen communicatie met deze hubs toestaan" + +#: ../../Zotlabs/Module/Admin.php:761 +msgid "" +"One site per line. Leave empty to allow communication from anywhere by " +"default" +msgstr "EƩn hub per regel. Laat leeg om communicatie standaard met alle hubs toe te staan" + +#: ../../Zotlabs/Module/Admin.php:762 +msgid "Block communications from these sites" +msgstr "Communicatie met deze hubs blokkeren" + +#: ../../Zotlabs/Module/Admin.php:763 +msgid "Allow communications only from these channels" +msgstr "Sta alleen communicatie toe met deze kanalen" + +#: ../../Zotlabs/Module/Admin.php:763 +msgid "" +"One channel (hash) per line. Leave empty to allow from any channel by " +"default" +msgstr "EƩn kanaal (hash) per regel. Laat leeg om communicatie standaard met alle kanalen toe te staan" + +#: ../../Zotlabs/Module/Admin.php:764 +msgid "Block communications from these channels" +msgstr "Communicatie met deze kanalen blokkeren" + +#: ../../Zotlabs/Module/Admin.php:765 +msgid "Only allow embeds from secure (SSL) websites and links." +msgstr "Alleen ingesloten (embedded) inhoud van veilige (SSL) websites en links toestaan." + +#: ../../Zotlabs/Module/Admin.php:766 +msgid "Allow unfiltered embedded HTML content only from these domains" +msgstr "Alleen ongefilterde ingesloten (embedded) HTML van deze websites toestaan" + +#: ../../Zotlabs/Module/Admin.php:766 +msgid "One site per line. By default embedded content is filtered." +msgstr "EƩn website per regel. Standaard wordt ingesloten (embedded) inhoud gefilterd." + +#: ../../Zotlabs/Module/Admin.php:767 +msgid "Block embedded HTML from these domains" +msgstr "Ingesloten (embedded) HTML vanaf deze domeinen blokkeren" + +#: ../../Zotlabs/Module/Admin.php:785 +msgid "Update has been marked successful" +msgstr "Update is als succesvol gemarkeerd" + +#: ../../Zotlabs/Module/Admin.php:795 +#, php-format +msgid "Executing %s failed. Check system logs." +msgstr "Uitvoeren van %s is mislukt. Controleer systeemlogboek." + +#: ../../Zotlabs/Module/Admin.php:798 +#, php-format +msgid "Update %s was successfully applied." +msgstr "Update %s was geslaagd." + +#: ../../Zotlabs/Module/Admin.php:802 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "Update %s gaf geen melding. Het is daarom niet bekend of deze geslaagd is." + +#: ../../Zotlabs/Module/Admin.php:805 +#, php-format +msgid "Update function %s could not be found." +msgstr "Update-functie %s kon niet gevonden worden." + +#: ../../Zotlabs/Module/Admin.php:821 +msgid "No failed updates." +msgstr "Geen mislukte updates." + +#: ../../Zotlabs/Module/Admin.php:825 +msgid "Failed Updates" +msgstr "Mislukte updates" + +#: ../../Zotlabs/Module/Admin.php:827 +msgid "Mark success (if update was manually applied)" +msgstr "Markeer als geslaagd (wanneer de update handmatig was uitgevoerd)" + +#: ../../Zotlabs/Module/Admin.php:828 +msgid "Attempt to execute this update step automatically" +msgstr "Poging om deze stap van de update automatisch uit te voeren." + +#: ../../Zotlabs/Module/Admin.php:859 +msgid "Queue Statistics" +msgstr "Wachtrij-statistieken" + +#: ../../Zotlabs/Module/Admin.php:860 +msgid "Total Entries" +msgstr "Aantal vermeldingen" + +#: ../../Zotlabs/Module/Admin.php:861 +msgid "Priority" +msgstr "Prioriteit" + +#: ../../Zotlabs/Module/Admin.php:862 +msgid "Destination URL" +msgstr "Doel-URL" + +#: ../../Zotlabs/Module/Admin.php:863 +msgid "Mark hub permanently offline" +msgstr "Hub als permanent offline markeren" + +#: ../../Zotlabs/Module/Admin.php:864 +msgid "Empty queue for this hub" +msgstr "Berichtenwachtrij voor deze hub legen" + +#: ../../Zotlabs/Module/Admin.php:865 +msgid "Last known contact" +msgstr "Voor het laatst contact" + +#: ../../Zotlabs/Module/Admin.php:901 +#, php-format +msgid "%s account blocked/unblocked" +msgid_plural "%s account blocked/unblocked" +msgstr[0] "%s account geblokkeerd/gedeblokkeerd" +msgstr[1] "%s accounts geblokkeerd/gedeblokkeerd" + +#: ../../Zotlabs/Module/Admin.php:908 +#, php-format +msgid "%s account deleted" +msgid_plural "%s accounts deleted" +msgstr[0] "%s account verwijderd" +msgstr[1] "%s accounts verwijderd" + +#: ../../Zotlabs/Module/Admin.php:944 +msgid "Account not found" +msgstr "Account niet gevonden" + +#: ../../Zotlabs/Module/Admin.php:955 +#, php-format +msgid "Account '%s' deleted" +msgstr "Account '%s' verwijderd" + +#: ../../Zotlabs/Module/Admin.php:963 +#, php-format +msgid "Account '%s' blocked" +msgstr "Account '%s' geblokkeerd" + +#: ../../Zotlabs/Module/Admin.php:971 +#, php-format +msgid "Account '%s' unblocked" +msgstr "Account '%s' gedeblokkeerd" + +#: ../../Zotlabs/Module/Admin.php:1031 ../../Zotlabs/Module/Admin.php:1044 +#: ../../include/widgets.php:1491 +msgid "Accounts" +msgstr "Accounts" + +#: ../../Zotlabs/Module/Admin.php:1033 ../../Zotlabs/Module/Admin.php:1212 +msgid "select all" +msgstr "alles selecteren" + +#: ../../Zotlabs/Module/Admin.php:1034 +msgid "Registrations waiting for confirm" +msgstr "Accounts die op goedkeuring wachten" + +#: ../../Zotlabs/Module/Admin.php:1035 +msgid "Request date" +msgstr "Tijd/datum verzoek" + +#: ../../Zotlabs/Module/Admin.php:1035 ../../Zotlabs/Module/Admin.php:1047 +#: ../../include/network.php:2208 +msgid "Email" +msgstr "E-mail" + +#: ../../Zotlabs/Module/Admin.php:1036 +msgid "No registrations." +msgstr "Geen verzoeken." + +#: ../../Zotlabs/Module/Admin.php:1038 +msgid "Deny" +msgstr "Afkeuren" + +#: ../../Zotlabs/Module/Admin.php:1048 ../../include/group.php:267 +msgid "All Channels" +msgstr "Alle kanalen" + +#: ../../Zotlabs/Module/Admin.php:1049 +msgid "Register date" +msgstr "Geregistreerd" + +#: ../../Zotlabs/Module/Admin.php:1050 +msgid "Last login" +msgstr "Laatste keer ingelogd" + +#: ../../Zotlabs/Module/Admin.php:1051 +msgid "Expires" +msgstr "Verloopt" + +#: ../../Zotlabs/Module/Admin.php:1052 +msgid "Service Class" +msgstr "Abonnementen" + +#: ../../Zotlabs/Module/Admin.php:1054 +msgid "" +"Selected accounts will be deleted!\\n\\nEverything these accounts had posted" +" on this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Geselecteerde accounts (met bijbehorende kanalen) worden verwijderd!\\n\\nAlles wat deze accounts op deze hub hebben gepubliceerd wordt definitief verwijderd!\\n\\Weet je het zeker?" + +#: ../../Zotlabs/Module/Admin.php:1055 +msgid "" +"The account {0} will be deleted!\\n\\nEverything this account has posted on " +"this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Account {0} (met bijbehorende kanalen) wordt verwijderd !\\n\\nAlles wat dit account op deze hub heeft gepubliceerd wordt definitief verwijderd!\\n\\nWeet je het zeker?" + +#: ../../Zotlabs/Module/Admin.php:1091 +#, php-format +msgid "%s channel censored/uncensored" +msgid_plural "%s channels censored/uncensored" +msgstr[0] "%s kanaal gecensureerd/ongecensureerd" +msgstr[1] "%s kanalen gecensureerd/ongecensureerd" + +#: ../../Zotlabs/Module/Admin.php:1100 +#, php-format +msgid "%s channel code allowed/disallowed" +msgid_plural "%s channels code allowed/disallowed" +msgstr[0] "Scripts toegestaan/niet toegestaan voor %s kanaal" +msgstr[1] "Scripts toegestaan/niet toegestaan voor %s kanalen" + +#: ../../Zotlabs/Module/Admin.php:1106 +#, php-format +msgid "%s channel deleted" +msgid_plural "%s channels deleted" +msgstr[0] "%s kanaal verwijderd" +msgstr[1] "%s kanalen verwijderd" + +#: ../../Zotlabs/Module/Admin.php:1126 +msgid "Channel not found" +msgstr "Kanaal niet gevonden" + +#: ../../Zotlabs/Module/Admin.php:1136 +#, php-format +msgid "Channel '%s' deleted" +msgstr "Kanaal '%s' verwijderd" + +#: ../../Zotlabs/Module/Admin.php:1148 +#, php-format +msgid "Channel '%s' censored" +msgstr "Kanaal '%s' gecensureerd" + +#: ../../Zotlabs/Module/Admin.php:1148 +#, php-format +msgid "Channel '%s' uncensored" +msgstr "Kanaal '%s' ongecensureerd" + +#: ../../Zotlabs/Module/Admin.php:1159 +#, php-format +msgid "Channel '%s' code allowed" +msgstr "Scripts toegestaan voor kanaal '%s'" + +#: ../../Zotlabs/Module/Admin.php:1159 +#, php-format +msgid "Channel '%s' code disallowed" +msgstr "Scripts niet toegestaan voor kanaal '%s'" + +#: ../../Zotlabs/Module/Admin.php:1210 ../../include/widgets.php:1492 +msgid "Channels" +msgstr "Kanalen" + +#: ../../Zotlabs/Module/Admin.php:1214 +msgid "Censor" +msgstr "Censureren" + +#: ../../Zotlabs/Module/Admin.php:1215 +msgid "Uncensor" +msgstr "Niet censureren" + +#: ../../Zotlabs/Module/Admin.php:1216 +msgid "Allow Code" +msgstr "Scripts toestaan" + +#: ../../Zotlabs/Module/Admin.php:1217 +msgid "Disallow Code" +msgstr "Scripts niet toestaan" + +#: ../../Zotlabs/Module/Admin.php:1218 ../../include/conversation.php:1641 +msgid "Channel" +msgstr "Kanaal" + +#: ../../Zotlabs/Module/Admin.php:1222 +msgid "UID" +msgstr "UID" + +#: ../../Zotlabs/Module/Admin.php:1226 +msgid "" +"Selected channels will be deleted!\\n\\nEverything that was posted in these " +"channels on this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Geselecteerde kanalen worden verwijderd!\\n\\nAlles wat in deze kanalen op deze hub werd gepubliceerd wordt definitief verwijderd!\\n\\nWeet je het zeker?" + +#: ../../Zotlabs/Module/Admin.php:1227 +msgid "" +"The channel {0} will be deleted!\\n\\nEverything that was posted in this " +"channel on this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Kanaal {0} wordt verwijderd!\\n\\nAlles wat in dit kanaal op deze hub werd gepubliceerd wordt definitief verwijderd!\\n\\nWeet je het zeker?" + +#: ../../Zotlabs/Module/Admin.php:1284 +#, php-format +msgid "Plugin %s disabled." +msgstr "Plugin %s uitgeschakeld." + +#: ../../Zotlabs/Module/Admin.php:1288 +#, php-format +msgid "Plugin %s enabled." +msgstr "Plugin %s ingeschakeld" + +#: ../../Zotlabs/Module/Admin.php:1298 ../../Zotlabs/Module/Admin.php:1585 +msgid "Disable" +msgstr "Uitschakelen" + +#: ../../Zotlabs/Module/Admin.php:1301 ../../Zotlabs/Module/Admin.php:1587 +msgid "Enable" +msgstr "Inschakelen" + +#: ../../Zotlabs/Module/Admin.php:1330 ../../Zotlabs/Module/Admin.php:1420 +#: ../../include/widgets.php:1495 +msgid "Plugins" +msgstr "Plugins" + +#: ../../Zotlabs/Module/Admin.php:1331 ../../Zotlabs/Module/Admin.php:1614 +msgid "Toggle" +msgstr "Omschakelen" + +#: ../../Zotlabs/Module/Admin.php:1332 ../../Zotlabs/Module/Admin.php:1615 +#: ../../Zotlabs/Lib/Apps.php:216 ../../include/widgets.php:647 +#: ../../include/nav.php:212 +msgid "Settings" +msgstr "Instellingen" + +#: ../../Zotlabs/Module/Admin.php:1339 ../../Zotlabs/Module/Admin.php:1624 +msgid "Author: " +msgstr "Auteur: " + +#: ../../Zotlabs/Module/Admin.php:1340 ../../Zotlabs/Module/Admin.php:1625 +msgid "Maintainer: " +msgstr "Beheerder: " + +#: ../../Zotlabs/Module/Admin.php:1341 +msgid "Minimum project version: " +msgstr "Minimum versie Hubzilla: " + +#: ../../Zotlabs/Module/Admin.php:1342 +msgid "Maximum project version: " +msgstr "Maximum versie Hubzilla:" + +#: ../../Zotlabs/Module/Admin.php:1343 +msgid "Minimum PHP version: " +msgstr "Minimum versie PHP: " + +#: ../../Zotlabs/Module/Admin.php:1344 +msgid "Requires: " +msgstr "Vereist: " + +#: ../../Zotlabs/Module/Admin.php:1345 ../../Zotlabs/Module/Admin.php:1425 +msgid "Disabled - version incompatibility" +msgstr "Uitgeschakeld - versie is incompatibel" + +#: ../../Zotlabs/Module/Admin.php:1394 +msgid "Enter the public git repository URL of the plugin repo." +msgstr "Vul de openbare Git-URL in van de plugin-repository." + +#: ../../Zotlabs/Module/Admin.php:1395 +msgid "Plugin repo git URL" +msgstr "Git-URL plugin-repository" + +#: ../../Zotlabs/Module/Admin.php:1396 +msgid "Custom repo name" +msgstr "Handmatige repository-naam" + +#: ../../Zotlabs/Module/Admin.php:1396 +msgid "(optional)" +msgstr "(optioneel)" + +#: ../../Zotlabs/Module/Admin.php:1397 +msgid "Download Plugin Repo" +msgstr "Plugin-repository downloaden" + +#: ../../Zotlabs/Module/Admin.php:1404 +msgid "Install new repo" +msgstr "Nieuwe repository installeren" + +#: ../../Zotlabs/Module/Admin.php:1405 ../../Zotlabs/Lib/Apps.php:334 +msgid "Install" +msgstr "Installeren" + +#: ../../Zotlabs/Module/Admin.php:1427 +msgid "Manage Repos" +msgstr "Repositories beheren" + +#: ../../Zotlabs/Module/Admin.php:1428 +msgid "Installed Plugin Repositories" +msgstr "Toegevoegde plugin-repositories" + +#: ../../Zotlabs/Module/Admin.php:1429 +msgid "Install a New Plugin Repository" +msgstr "Nieuwe plugin-repository toevoegen" + +#: ../../Zotlabs/Module/Admin.php:1435 ../../Zotlabs/Module/Settings.php:72 +#: ../../Zotlabs/Module/Settings.php:708 ../../Zotlabs/Lib/Apps.php:334 +msgid "Update" +msgstr "Bijwerken" + +#: ../../Zotlabs/Module/Admin.php:1436 +msgid "Switch branch" +msgstr "Branch veranderen" + +#: ../../Zotlabs/Module/Admin.php:1437 ../../Zotlabs/Module/Photos.php:1000 +#: ../../Zotlabs/Module/Tagrm.php:137 +msgid "Remove" +msgstr "Verwijderen" + +#: ../../Zotlabs/Module/Admin.php:1550 +msgid "No themes found." +msgstr "Geen thema's gevonden" + +#: ../../Zotlabs/Module/Admin.php:1606 +msgid "Screenshot" +msgstr "Schermafdruk" + +#: ../../Zotlabs/Module/Admin.php:1613 ../../Zotlabs/Module/Admin.php:1647 +#: ../../include/widgets.php:1496 +msgid "Themes" +msgstr "Thema's" + +#: ../../Zotlabs/Module/Admin.php:1652 +msgid "[Experimental]" +msgstr "[Experimenteel]" + +#: ../../Zotlabs/Module/Admin.php:1653 +msgid "[Unsupported]" +msgstr "[Niet ondersteund]" + +#: ../../Zotlabs/Module/Admin.php:1677 +msgid "Log settings updated." +msgstr "Logboek-instellingen bijgewerkt." + +#: ../../Zotlabs/Module/Admin.php:1732 ../../include/widgets.php:1517 +#: ../../include/widgets.php:1527 +msgid "Logs" +msgstr "Logboeken" + +#: ../../Zotlabs/Module/Admin.php:1734 +msgid "Clear" +msgstr "Leegmaken" + +#: ../../Zotlabs/Module/Admin.php:1740 +msgid "Debugging" +msgstr "Debuggen" + +#: ../../Zotlabs/Module/Admin.php:1741 +msgid "Log file" +msgstr "Logbestand" + +#: ../../Zotlabs/Module/Admin.php:1741 +msgid "" +"Must be writable by web server. Relative to your top-level webserver " +"directory." +msgstr "Moet door de webserver beschrijfbaar zijn. Relatief ten opzichte van de bovenste map van je $Projectname-installatie." + +#: ../../Zotlabs/Module/Admin.php:1742 +msgid "Log level" +msgstr "Logniveau" + +#: ../../Zotlabs/Module/Admin.php:2028 +msgid "New Profile Field" +msgstr "Nieuw profielveld" + +#: ../../Zotlabs/Module/Admin.php:2029 ../../Zotlabs/Module/Admin.php:2049 +msgid "Field nickname" +msgstr "Bijnaam voor veld" + +#: ../../Zotlabs/Module/Admin.php:2029 ../../Zotlabs/Module/Admin.php:2049 +msgid "System name of field" +msgstr "Systeemnaam voor veld" + +#: ../../Zotlabs/Module/Admin.php:2030 ../../Zotlabs/Module/Admin.php:2050 +msgid "Input type" +msgstr "Invoertype" + +#: ../../Zotlabs/Module/Admin.php:2031 ../../Zotlabs/Module/Admin.php:2051 +msgid "Field Name" +msgstr "Veldnaam" + +#: ../../Zotlabs/Module/Admin.php:2031 ../../Zotlabs/Module/Admin.php:2051 +msgid "Label on profile pages" +msgstr "Tekstlabel voor op profielpagina's" + +#: ../../Zotlabs/Module/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 +msgid "Help text" +msgstr "Helptekst" + +#: ../../Zotlabs/Module/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 +msgid "Additional info (optional)" +msgstr "Extra informatie (optioneel)" + +#: ../../Zotlabs/Module/Admin.php:2042 +msgid "Field definition not found" +msgstr "Velddefinitie niet gevonden" + +#: ../../Zotlabs/Module/Admin.php:2048 +msgid "Edit Profile Field" +msgstr "Profielveld bewerken" + +#: ../../Zotlabs/Module/Admin.php:2106 ../../include/widgets.php:1498 +msgid "Profile Fields" +msgstr "Profielvelden" + +#: ../../Zotlabs/Module/Admin.php:2107 +msgid "Basic Profile Fields" +msgstr "Standaard profielvelden" + +#: ../../Zotlabs/Module/Admin.php:2108 +msgid "Advanced Profile Fields" +msgstr "Geavanceerde profielvelden" + +#: ../../Zotlabs/Module/Admin.php:2108 +msgid "(In addition to basic fields)" +msgstr "(als toevoeging op de standaard velden)" + +#: ../../Zotlabs/Module/Admin.php:2110 +msgid "All available fields" +msgstr "Alle beschikbare velden" + +#: ../../Zotlabs/Module/Admin.php:2111 +msgid "Custom Fields" +msgstr "Extra (handmatig toegevoegde) velden" + +#: ../../Zotlabs/Module/Admin.php:2115 +msgid "Create Custom Field" +msgstr "Extra velden aanmaken" + +#: ../../Zotlabs/Module/New_channel.php:128 +#: ../../Zotlabs/Module/Register.php:231 +msgid "Name or caption" +msgstr "Naam" + +#: ../../Zotlabs/Module/New_channel.php:128 +#: ../../Zotlabs/Module/Register.php:231 +msgid "Examples: \"Bob Jameson\", \"Lisa and her Horses\", \"Soccer\", \"Aviation Group\"" +msgstr "Voorbeelden: \"Jan Pietersen\", \"Willems weblog\", \"Computerforum\"" + +#: ../../Zotlabs/Module/New_channel.php:130 +#: ../../Zotlabs/Module/Register.php:233 +msgid "Choose a short nickname" +msgstr "Korte bijnaam" + +#: ../../Zotlabs/Module/New_channel.php:130 +#: ../../Zotlabs/Module/Register.php:233 +#, php-format +msgid "" +"Your nickname will be used to create an easy to remember channel address " +"e.g. nickname%s" +msgstr "Deze bijnaam wordt gebruikt om een makkelijk te onthouden kanaaladres van jouw kanaal aan te maken, die je dan met anderen kunt delen. Bijvoorbeeld: bijnaam%s" + +#: ../../Zotlabs/Module/New_channel.php:132 +#: ../../Zotlabs/Module/Register.php:235 +msgid "Channel role and privacy" +msgstr "Kanaaltype en privacy" + +#: ../../Zotlabs/Module/New_channel.php:132 +#: ../../Zotlabs/Module/Register.php:235 +msgid "Select a channel role with your privacy requirements." +msgstr "Kies een kanaaltype met het door jou gewenste privacyniveau." + +#: ../../Zotlabs/Module/New_channel.php:132 +#: ../../Zotlabs/Module/Register.php:235 +msgid "Read more about roles" +msgstr "Lees meer over kanaaltypes" + +#: ../../Zotlabs/Module/New_channel.php:135 +msgid "Create Channel" +msgstr "Kanaal aanmaken" + +#: ../../Zotlabs/Module/New_channel.php:136 +msgid "" +"A channel is your identity on this network. It can represent a person, a " +"blog, or a forum to name a few. Channels can make connections with other " +"channels to share information with highly detailed permissions." +msgstr "Een kanaal is jouw identiteit in dit netwerk. Het kan bijvoorbeeld een persoon, een blog of een forum vertegenwoordigen. Door met elkaar te verbinden kunnen kanalen, met behulp van uitgebreide permissies, informatie uitwisselen." + +#: ../../Zotlabs/Module/New_channel.php:137 +msgid "" +"or import an existing channel from another location." +msgstr "Of importeer een bestaand kanaal vanaf een andere locatie" + +#: ../../Zotlabs/Module/Ping.php:265 +msgid "sent you a private message" +msgstr "stuurde jou een privƩbericht" + +#: ../../Zotlabs/Module/Ping.php:313 +msgid "added your channel" +msgstr "voegde jouw kanaal toe" + +#: ../../Zotlabs/Module/Ping.php:323 +msgid "g A l F d" +msgstr "G:i, l d F" + +#: ../../Zotlabs/Module/Ping.php:346 +msgid "[today]" +msgstr "[vandaag]" + +#: ../../Zotlabs/Module/Ping.php:355 +msgid "posted an event" +msgstr "plaatste een gebeurtenis" + +#: ../../Zotlabs/Module/Notifications.php:30 +msgid "Invalid request identifier." +msgstr "Ongeldige verzoek identificator (request identifier)" + +#: ../../Zotlabs/Module/Notifications.php:39 +msgid "Discard" +msgstr "Annuleren" + +#: ../../Zotlabs/Module/Notifications.php:103 ../../include/nav.php:195 +msgid "Mark all system notifications seen" +msgstr "Markeer alle systeemnotificaties als bekeken" + +#: ../../Zotlabs/Module/Poke.php:168 ../../Zotlabs/Lib/Apps.php:228 +#: ../../include/conversation.php:964 +msgid "Poke" +msgstr "Aanstoten" + +#: ../../Zotlabs/Module/Poke.php:169 +msgid "Poke somebody" +msgstr "Iemand aanstoten" + +#: ../../Zotlabs/Module/Poke.php:172 +msgid "Poke/Prod" +msgstr "Aanstoten/porren" + +#: ../../Zotlabs/Module/Poke.php:173 +msgid "Poke, prod or do other things to somebody" +msgstr "Iemand bijvoorbeeld aanstoten of poren" + +#: ../../Zotlabs/Module/Poke.php:180 +msgid "Recipient" +msgstr "Ontvanger" + +#: ../../Zotlabs/Module/Poke.php:181 +msgid "Choose what you wish to do to recipient" +msgstr "Kies wat je met de ontvanger wil doen" + +#: ../../Zotlabs/Module/Poke.php:184 ../../Zotlabs/Module/Poke.php:185 +msgid "Make this post private" +msgstr "Maak dit bericht privƩ" + +#: ../../Zotlabs/Module/Oexchange.php:27 +msgid "Unable to find your hub." +msgstr "Niet in staat om je hub te vinden" + +#: ../../Zotlabs/Module/Oexchange.php:41 +msgid "Post successful." +msgstr "Verzenden bericht geslaagd." + +#: ../../Zotlabs/Module/Profperm.php:34 ../../Zotlabs/Module/Profperm.php:63 +msgid "Invalid profile identifier." +msgstr "Ongeldige profiel-identificator" + +#: ../../Zotlabs/Module/Profperm.php:115 +msgid "Profile Visibility Editor" +msgstr "Zichtbaarheid profiel " + +#: ../../Zotlabs/Module/Profperm.php:117 ../../include/channel.php:1274 +msgid "Profile" +msgstr "Profiel" + +#: ../../Zotlabs/Module/Profperm.php:119 +msgid "Click on a contact to add or remove." +msgstr "Klik op een connectie om deze toe te voegen of te verwijderen" + +#: ../../Zotlabs/Module/Profperm.php:128 +msgid "Visible To" +msgstr "Zichtbaar voor" + +#: ../../Zotlabs/Module/Pconfig.php:26 ../../Zotlabs/Module/Pconfig.php:59 +msgid "This setting requires special processing and editing has been blocked." +msgstr "Deze instelling vereist een speciaal proces en bewerken is geblokkeerd." + +#: ../../Zotlabs/Module/Pconfig.php:48 +msgid "Configuration Editor" +msgstr "Configuratiebewerker" + +#: ../../Zotlabs/Module/Pconfig.php:49 +msgid "" +"Warning: Changing some settings could render your channel inoperable. Please" +" leave this page unless you are comfortable with and knowledgeable about how" +" to correctly use this feature." +msgstr "Waarschuwing: het veranderen van sommige instellingen kunnen jouw kanaal onklaar maken. Verlaat deze pagina, tenzij je weet waar je mee bezig bent en voldoende kennis bezit over hoe je deze functies moet gebruiken. " + +#: ../../Zotlabs/Module/Api.php:60 ../../Zotlabs/Module/Api.php:81 +msgid "Authorize application connection" +msgstr "Geef toestemming voor applicatiekoppeling" + +#: ../../Zotlabs/Module/Api.php:61 +msgid "Return to your app and insert this Security Code:" +msgstr "Ga terug naar je app en voeg deze beveiligingscode in:" + +#: ../../Zotlabs/Module/Api.php:71 +msgid "Please login to continue." +msgstr "Inloggen om verder te kunnen gaan." + +#: ../../Zotlabs/Module/Api.php:83 +msgid "" +"Do you want to authorize this application to access your posts and contacts," +" and/or create new posts for you?" +msgstr "Wil je deze applicatie toestemming geven om jouw berichten en connecties te zien, en/of nieuwe berichten voor jou te plaatsen?" + +#: ../../Zotlabs/Module/Siteinfo.php:19 +#, php-format +msgid "Version %s" +msgstr "Versie %s" + +#: ../../Zotlabs/Module/Siteinfo.php:34 +msgid "Installed plugins/addons/apps:" +msgstr "Ingeschakelde plugins en apps:" + +#: ../../Zotlabs/Module/Siteinfo.php:36 +msgid "No installed plugins/addons/apps" +msgstr "Geen ingeschakelde plugins en apps" + +#: ../../Zotlabs/Module/Siteinfo.php:49 +msgid "" +"This is a hub of $Projectname - a global cooperative network of " +"decentralized privacy enhanced websites." +msgstr "Dit is een $Projectname-hub - $Projectname is een wereldwijd coƶperatief netwerk van gedecentraliseerde websites (hubs) met verbeterde privacy." + +#: ../../Zotlabs/Module/Siteinfo.php:51 +msgid "Tag: " +msgstr "Tag: " + +#: ../../Zotlabs/Module/Siteinfo.php:53 +msgid "Last background fetch: " +msgstr "Meest recente achtergrond-fetch:" + +#: ../../Zotlabs/Module/Siteinfo.php:55 +msgid "Current load average: " +msgstr "Gemiddelde systeembelasting is nu:" + +#: ../../Zotlabs/Module/Siteinfo.php:58 +msgid "Running at web location" +msgstr "Draaiend op weblocatie" + +#: ../../Zotlabs/Module/Siteinfo.php:59 +msgid "" +"Please visit hubzilla.org to learn more " +"about $Projectname." +msgstr "Bezoek hubzilla.org " + +#: ../../Zotlabs/Module/Siteinfo.php:60 +msgid "Bug reports and issues: please visit" +msgstr "Bugrapporten en andere kwesties: bezoek" + +#: ../../Zotlabs/Module/Siteinfo.php:62 +msgid "$projectname issues" +msgstr "$projectname-issues" + +#: ../../Zotlabs/Module/Siteinfo.php:63 +msgid "" +"Suggestions, praise, etc. - please email \"redmatrix\" at librelist - dot " +"com" +msgstr "Voorstellen, lofbetuigingen, enz. - e-mail \"redmatrix\" at librelist - dot com" + +#: ../../Zotlabs/Module/Siteinfo.php:65 +msgid "Site Administrators" +msgstr "Hubbeheerders: " + +#: ../../Zotlabs/Module/Blocks.php:154 ../../include/text.php:2262 +msgid "Blocks" +msgstr "Blokken" + +#: ../../Zotlabs/Module/Blocks.php:156 +msgid "Block Title" +msgstr "Bloktitel" + +#: ../../Zotlabs/Module/Blocks.php:161 ../../Zotlabs/Module/Layouts.php:193 +#: ../../Zotlabs/Module/Photos.php:1078 ../../Zotlabs/Module/Webpages.php:218 +#: ../../include/conversation.php:1226 +msgid "Share" +msgstr "Delen" + +#: ../../Zotlabs/Module/Layouts.php:183 ../../include/text.php:2264 +msgid "Layouts" +msgstr "Lay-outs" + +#: ../../Zotlabs/Module/Layouts.php:185 +msgid "Comanche page description language help" +msgstr "Hulp met de paginabeschrijvingstaal Comanche" + +#: ../../Zotlabs/Module/Layouts.php:189 +msgid "Layout Description" +msgstr "Lay-out-omschrijving" + +#: ../../Zotlabs/Module/Layouts.php:194 +msgid "Download PDL file" +msgstr "Download PDL-bestand" + +#: ../../Zotlabs/Module/Pubsites.php:22 ../../include/widgets.php:1351 +msgid "Public Hubs" +msgstr "Openbare hubs" + +#: ../../Zotlabs/Module/Pubsites.php:25 +msgid "" +"The listed hubs allow public registration for the $Projectname network. All " +"hubs in the network are interlinked so membership on any of them conveys " +"membership in the network as a whole. Some hubs may require subscription or " +"provide tiered service plans. The hub itself may provide " +"additional details." +msgstr "Op de hier weergegeven hubs kan iedereen zich voor het $Projectname-netwerk aanmelden. Alle hubs in het netwerk zijn met elkaar verbonden, dus maakt het qua lidmaatschap niet uit waar je je aanmeldt. Op sommige hubs heb je eerst goedkeuring nodig en sommige hubs vereisen een financiƫle tegemoetkoming voor bepaalde uitbreidingen. Mogelijk wordt hierover op de hub zelf meer informatie gegeven." + +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Hub URL" +msgstr "Hub-URL" + +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Access Type" +msgstr "Toegangs-
 type" + +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Registration Policy" +msgstr "Registratie-
 beleid" + +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Stats" +msgstr "Stats" + +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Software" +msgstr "Software" + +#: ../../Zotlabs/Module/Pubsites.php:31 ../../Zotlabs/Module/Ratings.php:103 +#: ../../include/conversation.php:963 +msgid "Ratings" +msgstr "Beoordelingen" + +#: ../../Zotlabs/Module/Pubsites.php:38 +msgid "Rate" +msgstr "Beoordeel" + +#: ../../Zotlabs/Module/Profile_photo.php:115 +#: ../../Zotlabs/Module/Profile_photo.php:212 +#: ../../Zotlabs/Module/Profile_photo.php:311 +#: ../../Zotlabs/Module/Photos.php:97 ../../Zotlabs/Module/Photos.php:745 +#: ../../include/photo/photo_driver.php:718 +msgid "Profile Photos" +msgstr "Profielfoto's" + +#: ../../Zotlabs/Module/Profile_photo.php:186 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Vernieuw de pagina met shift+R of shift+F5, of leeg je browserbuffer, wanneer de nieuwe foto niet meteen wordt weergegeven." + +#: ../../Zotlabs/Module/Profile_photo.php:389 +msgid "Upload Profile Photo" +msgstr "Profielfoto uploaden" + +#: ../../Zotlabs/Module/Cal.php:69 +msgid "Permissions denied." +msgstr "Permissies niet toegestaan" + +#: ../../Zotlabs/Module/Cal.php:337 ../../include/text.php:2286 +msgid "Import" +msgstr "Importeren" + +#: ../../Zotlabs/Module/Common.php:14 +msgid "No channel." +msgstr "Geen kanaal." + +#: ../../Zotlabs/Module/Common.php:43 +msgid "Common connections" +msgstr "Veel voorkomende connecties" + +#: ../../Zotlabs/Module/Common.php:48 +msgid "No connections in common." +msgstr "Geen gemeenschappelijke connecties." + +#: ../../Zotlabs/Module/Rmagic.php:35 +msgid "Authentication failed." +msgstr "Authenticatie mislukt." + +#: ../../Zotlabs/Module/Rmagic.php:75 +msgid "Remote Authentication" +msgstr "Authenticatie op afstand" + +#: ../../Zotlabs/Module/Rmagic.php:76 +msgid "Enter your channel address (e.g. channel@example.com)" +msgstr "Vul jouw kanaaladres in (bijv. channel@example.com)" + +#: ../../Zotlabs/Module/Rmagic.php:77 +msgid "Authenticate" +msgstr "Authenticeren" + +#: ../../Zotlabs/Module/Ratings.php:73 +msgid "No ratings" +msgstr "Geen beoordelingen" + +#: ../../Zotlabs/Module/Ratings.php:104 +msgid "Rating: " +msgstr "Beoordeling: " + +#: ../../Zotlabs/Module/Ratings.php:105 +msgid "Website: " +msgstr "Website: " + +#: ../../Zotlabs/Module/Ratings.php:107 +msgid "Description: " +msgstr "Omschrijving: " + +#: ../../Zotlabs/Module/Apps.php:47 ../../include/widgets.php:102 +#: ../../include/nav.php:167 +msgid "Apps" +msgstr "Apps" + +#: ../../Zotlabs/Module/Network.php:94 +msgid "No such group" +msgstr "Collectie niet gevonden" + +#: ../../Zotlabs/Module/Network.php:134 +msgid "No such channel" +msgstr "Niet zo'n kanaal" + +#: ../../Zotlabs/Module/Network.php:139 +msgid "forum" +msgstr "forum" + +#: ../../Zotlabs/Module/Network.php:151 +msgid "Search Results For:" +msgstr "Zoekresultaten voor:" + +#: ../../Zotlabs/Module/Network.php:216 +msgid "Privacy group is empty" +msgstr "Privacygroep is leeg" + +#: ../../Zotlabs/Module/Network.php:225 +msgid "Privacy group: " +msgstr "Privacygroep: " + +#: ../../Zotlabs/Module/Network.php:251 +msgid "Invalid connection." +msgstr "Ongeldige connectie." + +#: ../../Zotlabs/Module/Connect.php:61 ../../Zotlabs/Module/Connect.php:109 +msgid "Continue" +msgstr "Ga verder" + +#: ../../Zotlabs/Module/Connect.php:90 +msgid "Premium Channel Setup" +msgstr "Instellen premiumkanaal " + +#: ../../Zotlabs/Module/Connect.php:92 +msgid "Enable premium channel connection restrictions" +msgstr "Restricties voor connecties van premiumkanaal toestaan" + +#: ../../Zotlabs/Module/Connect.php:93 +msgid "" +"Please enter your restrictions or conditions, such as paypal receipt, usage " +"guidelines, etc." +msgstr "Vul je restricties of voorwaarden in, zoals een paypal-afschrift, voorschriften voor leden, enz." + +#: ../../Zotlabs/Module/Connect.php:95 ../../Zotlabs/Module/Connect.php:115 +msgid "" +"This channel may require additional steps or acknowledgement of the " +"following conditions prior to connecting:" +msgstr "Dit kanaal kan extra stappen of het accepteren van de volgende voorwaarden vereisen, voordat de connectie wordt geaccepteerd:" + +#: ../../Zotlabs/Module/Connect.php:96 +msgid "" +"Potential connections will then see the following text before proceeding:" +msgstr "Mogelijke connecties zullen dan de volgende tekst zien voordat ze verder kunnen:" + +#: ../../Zotlabs/Module/Connect.php:97 ../../Zotlabs/Module/Connect.php:118 +msgid "" +"By continuing, I certify that I have complied with any instructions provided" +" on this page." +msgstr "Door verder te gaan ga ik automatisch akkoord met alle voorwaarden en aanwijzingen op deze pagina." + +#: ../../Zotlabs/Module/Connect.php:106 +msgid "(No specific instructions have been provided by the channel owner.)" +msgstr "(Er zijn geen speciale voorwaarden en aanwijzingen door de kanaal-eigenaar verstrekt) " + +#: ../../Zotlabs/Module/Connect.php:114 +msgid "Restricted or Premium Channel" +msgstr "Beperkt of premiumkanaal" + +#: ../../Zotlabs/Module/Rbmark.php:94 +msgid "Select a bookmark folder" +msgstr "Kies een bladwijzermap" + +#: ../../Zotlabs/Module/Rbmark.php:99 +msgid "Save Bookmark" +msgstr "Bladwijzer opslaan" + +#: ../../Zotlabs/Module/Rbmark.php:100 +msgid "URL of bookmark" +msgstr "URL van bladwijzer" + +#: ../../Zotlabs/Module/Rbmark.php:105 +msgid "Or enter new bookmark folder name" +msgstr "Of geef de naam op van een nieuwe bladwijzermap" + +#: ../../Zotlabs/Module/Photos.php:82 +msgid "Page owner information could not be retrieved." +msgstr "Informatie over de pagina-eigenaar werd niet ontvangen." + +#: ../../Zotlabs/Module/Photos.php:103 ../../Zotlabs/Module/Photos.php:147 +msgid "Album not found." +msgstr "Album niet gevonden." + +#: ../../Zotlabs/Module/Photos.php:130 +msgid "Delete Album" +msgstr "Verwijder album" + +#: ../../Zotlabs/Module/Photos.php:151 +msgid "" +"Multiple storage folders exist with this album name, but within different " +"directories. Please remove the desired folder or folders using the Files " +"manager" +msgstr "Er bestaan meerdere submappen met deze albumnaam, maar verspreidt over verschillende mappen. Verwijder de gewenste map(pen) met de bestandsbeheerder." + +#: ../../Zotlabs/Module/Photos.php:208 ../../Zotlabs/Module/Photos.php:1059 +msgid "Delete Photo" +msgstr "Verwijder foto" + +#: ../../Zotlabs/Module/Photos.php:531 +msgid "No photos selected" +msgstr "Geen foto's geselecteerd" + +#: ../../Zotlabs/Module/Photos.php:580 +msgid "Access to this item is restricted." +msgstr "Toegang tot dit item is beperkt." + +#: ../../Zotlabs/Module/Photos.php:619 +#, php-format +msgid "%1$.2f MB of %2$.2f MB photo storage used." +msgstr "%1$.2f MB van %2$.2f MB aan foto-opslag gebruikt." + +#: ../../Zotlabs/Module/Photos.php:622 +#, php-format +msgid "%1$.2f MB photo storage used." +msgstr "%1$.2f MB aan foto-opslag gebruikt." + +#: ../../Zotlabs/Module/Photos.php:658 +msgid "Upload Photos" +msgstr "Foto's uploaden" + +#: ../../Zotlabs/Module/Photos.php:662 +msgid "Enter an album name" +msgstr "Vul een albumnaam in" + +#: ../../Zotlabs/Module/Photos.php:663 +msgid "or select an existing album (doubleclick)" +msgstr "of kies een bestaand album (dubbelklikken)" + +#: ../../Zotlabs/Module/Photos.php:664 +msgid "Create a status post for this upload" +msgstr "Plaats een bericht voor deze upload." + +#: ../../Zotlabs/Module/Photos.php:665 +msgid "Caption (optional):" +msgstr "Bijschrift (optioneel):" + +#: ../../Zotlabs/Module/Photos.php:666 +msgid "Description (optional):" +msgstr "Omschrijving (optioneel):" + +#: ../../Zotlabs/Module/Photos.php:697 +msgid "Album name could not be decoded" +msgstr "Albumnaam kon niet gedecodeerd worden" + +#: ../../Zotlabs/Module/Photos.php:745 +msgid "Contact Photos" +msgstr "Connectiefoto's" + +#: ../../Zotlabs/Module/Photos.php:768 +msgid "Show Newest First" +msgstr "Nieuwste eerst weergeven" + +#: ../../Zotlabs/Module/Photos.php:770 +msgid "Show Oldest First" +msgstr "Oudste eerst weergeven" + +#: ../../Zotlabs/Module/Photos.php:794 ../../Zotlabs/Module/Photos.php:1337 +#: ../../Zotlabs/Module/Embedphotos.php:141 ../../include/widgets.php:1607 +msgid "View Photo" +msgstr "Foto weergeven" + +#: ../../Zotlabs/Module/Photos.php:825 +#: ../../Zotlabs/Module/Embedphotos.php:157 ../../include/widgets.php:1624 +msgid "Edit Album" +msgstr "Album bewerken" + +#: ../../Zotlabs/Module/Photos.php:872 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Toegang geweigerd. Toegang tot dit item kan zijn beperkt." + +#: ../../Zotlabs/Module/Photos.php:874 +msgid "Photo not available" +msgstr "Foto niet aanwezig" + +#: ../../Zotlabs/Module/Photos.php:932 +msgid "Use as profile photo" +msgstr "Als profielfoto gebruiken" + +#: ../../Zotlabs/Module/Photos.php:933 +msgid "Use as cover photo" +msgstr "Als omslagfoto gebruiken" + +#: ../../Zotlabs/Module/Photos.php:940 +msgid "Private Photo" +msgstr "PrivĆ©foto" + +#: ../../Zotlabs/Module/Photos.php:955 +msgid "View Full Size" +msgstr "Volledige grootte weergeven" + +#: ../../Zotlabs/Module/Photos.php:1034 +msgid "Edit photo" +msgstr "Foto bewerken" + +#: ../../Zotlabs/Module/Photos.php:1036 +msgid "Rotate CW (right)" +msgstr "Draai met de klok mee (naar rechts)" + +#: ../../Zotlabs/Module/Photos.php:1037 +msgid "Rotate CCW (left)" +msgstr "Draai tegen de klok in (naar links)" + +#: ../../Zotlabs/Module/Photos.php:1040 +msgid "Enter a new album name" +msgstr "Vul een nieuwe albumnaam in" + +#: ../../Zotlabs/Module/Photos.php:1041 +msgid "or select an existing one (doubleclick)" +msgstr "of kies een bestaand album (dubbelklikken)" + +#: ../../Zotlabs/Module/Photos.php:1044 +msgid "Caption" +msgstr "Bijschrift" + +#: ../../Zotlabs/Module/Photos.php:1046 +msgid "Add a Tag" +msgstr "Tag toevoegen" + +#: ../../Zotlabs/Module/Photos.php:1054 +msgid "Example: @bob, @Barbara_Jensen, @jim@example.com" +msgstr "Voorbeeld: @bob, @Barbara_Jansen, @jan@voorbeeld.nl" + +#: ../../Zotlabs/Module/Photos.php:1057 +msgid "Flag as adult in album view" +msgstr "Markeer als voor volwassenen in albumweergave" + +#: ../../Zotlabs/Module/Photos.php:1076 ../../Zotlabs/Lib/ThreadItem.php:262 +msgid "I like this (toggle)" +msgstr "Vind ik leuk" + +#: ../../Zotlabs/Module/Photos.php:1077 ../../Zotlabs/Lib/ThreadItem.php:263 +msgid "I don't like this (toggle)" +msgstr "Vind ik niet leuk" + +#: ../../Zotlabs/Module/Photos.php:1079 ../../Zotlabs/Lib/ThreadItem.php:398 +#: ../../include/conversation.php:743 +msgid "Please wait" +msgstr "Even wachten" + +#: ../../Zotlabs/Module/Photos.php:1095 ../../Zotlabs/Module/Photos.php:1213 +#: ../../Zotlabs/Lib/ThreadItem.php:708 +msgid "This is you" +msgstr "Dit ben jij" + +#: ../../Zotlabs/Module/Photos.php:1097 ../../Zotlabs/Module/Photos.php:1215 +#: ../../Zotlabs/Lib/ThreadItem.php:710 ../../include/js_strings.php:6 +msgid "Comment" +msgstr "Reactie" + +#: ../../Zotlabs/Module/Photos.php:1113 ../../include/conversation.php:577 +msgctxt "title" +msgid "Likes" +msgstr "vinden dit leuk" + +#: ../../Zotlabs/Module/Photos.php:1113 ../../include/conversation.php:577 +msgctxt "title" +msgid "Dislikes" +msgstr "vinden dit niet leuk" + +#: ../../Zotlabs/Module/Photos.php:1114 ../../include/conversation.php:578 +msgctxt "title" +msgid "Agree" +msgstr "eens" + +#: ../../Zotlabs/Module/Photos.php:1114 ../../include/conversation.php:578 +msgctxt "title" +msgid "Disagree" +msgstr "oneens" + +#: ../../Zotlabs/Module/Photos.php:1114 ../../include/conversation.php:578 +msgctxt "title" +msgid "Abstain" +msgstr "onthoudingen" + +#: ../../Zotlabs/Module/Photos.php:1115 ../../include/conversation.php:579 +msgctxt "title" +msgid "Attending" +msgstr "aanwezig" + +#: ../../Zotlabs/Module/Photos.php:1115 ../../include/conversation.php:579 +msgctxt "title" +msgid "Not attending" +msgstr "niet aanwezig" + +#: ../../Zotlabs/Module/Photos.php:1115 ../../include/conversation.php:579 +msgctxt "title" +msgid "Might attend" +msgstr "mogelijk aanwezig" + +#: ../../Zotlabs/Module/Photos.php:1132 ../../Zotlabs/Module/Photos.php:1144 +#: ../../Zotlabs/Lib/ThreadItem.php:181 ../../Zotlabs/Lib/ThreadItem.php:193 +#: ../../include/conversation.php:1753 +msgid "View all" +msgstr "Toon alles" + +#: ../../Zotlabs/Module/Photos.php:1136 ../../Zotlabs/Lib/ThreadItem.php:185 +#: ../../include/conversation.php:1777 ../../include/taxonomy.php:403 +#: ../../include/channel.php:1182 +msgctxt "noun" +msgid "Like" +msgid_plural "Likes" +msgstr[0] "vindt dit leuk" +msgstr[1] "vinden dit leuk" + +#: ../../Zotlabs/Module/Photos.php:1141 ../../Zotlabs/Lib/ThreadItem.php:190 +#: ../../include/conversation.php:1780 +msgctxt "noun" +msgid "Dislike" +msgid_plural "Dislikes" +msgstr[0] "vindt dit niet leuk" +msgstr[1] "vinden dit niet leuk" + +#: ../../Zotlabs/Module/Photos.php:1241 +msgid "Photo Tools" +msgstr "Hulpmiddelen" + +#: ../../Zotlabs/Module/Photos.php:1250 +msgid "In This Photo:" +msgstr "Op deze foto:" + +#: ../../Zotlabs/Module/Photos.php:1255 +msgid "Map" +msgstr "Kaart" + +#: ../../Zotlabs/Module/Photos.php:1263 ../../Zotlabs/Lib/ThreadItem.php:387 +msgctxt "noun" +msgid "Likes" +msgstr "vinden dit leuk" + +#: ../../Zotlabs/Module/Photos.php:1264 ../../Zotlabs/Lib/ThreadItem.php:388 +msgctxt "noun" +msgid "Dislikes" +msgstr "vinden dit niet leuk" + +#: ../../Zotlabs/Module/Photos.php:1269 ../../Zotlabs/Lib/ThreadItem.php:393 +#: ../../include/acl_selectors.php:188 +msgid "Close" +msgstr "Sluiten" + +#: ../../Zotlabs/Module/Photos.php:1343 +msgid "View Album" +msgstr "Album weergeven" + +#: ../../Zotlabs/Module/Photos.php:1354 ../../Zotlabs/Module/Photos.php:1367 +#: ../../Zotlabs/Module/Photos.php:1368 +msgid "Recent Photos" +msgstr "Recente foto's" + +#: ../../Zotlabs/Module/Regmod.php:15 +msgid "Please login." +msgstr "Inloggen." + +#: ../../Zotlabs/Module/Removeaccount.php:35 +msgid "" +"Account removals are not allowed within 48 hours of changing the account " +"password." +msgstr "Het verwijderen van een account is niet toegestaan binnen 48 uur nadat het wachtwoord is veranderd." + +#: ../../Zotlabs/Module/Removeaccount.php:57 +msgid "Remove This Account" +msgstr "Verwijder dit account" + +#: ../../Zotlabs/Module/Removeaccount.php:58 +#: ../../Zotlabs/Module/Removeme.php:61 +msgid "WARNING: " +msgstr "WAARSCHUWING: " + +#: ../../Zotlabs/Module/Removeaccount.php:58 +msgid "" +"This account and all its channels will be completely removed from the " +"network. " +msgstr "Dit account en al zijn kanalen worden volledig uit het $Projectname-netwerk verwijderd." + +#: ../../Zotlabs/Module/Removeaccount.php:58 +#: ../../Zotlabs/Module/Removeme.php:61 +msgid "This action is permanent and can not be undone!" +msgstr "Deze handeling is van permanente aard en kan niet meer worden teruggedraaid!" + +#: ../../Zotlabs/Module/Removeaccount.php:59 +#: ../../Zotlabs/Module/Removeme.php:62 +msgid "Please enter your password for verification:" +msgstr "Vul je wachtwoord in ter verificatie:" + +#: ../../Zotlabs/Module/Removeaccount.php:60 +msgid "" +"Remove this account, all its channels and all its channel clones from the " +"network" +msgstr "Dit account, al zijn kanalen en alle klonen van zijn kanalen uit het $Projectname-netwerk verwijderen" + +#: ../../Zotlabs/Module/Removeaccount.php:60 +msgid "" +"By default only the instances of the channels located on this hub will be " +"removed from the network" +msgstr "Standaard worden alleen de kanalen die zich op deze hub bevinden uit het $Projectname-netwerk verwijderd" + +#: ../../Zotlabs/Module/Removeaccount.php:61 +#: ../../Zotlabs/Module/Settings.php:797 +msgid "Remove Account" +msgstr "Account verwijderen" + +#: ../../Zotlabs/Module/Removeme.php:35 +msgid "" +"Channel removals are not allowed within 48 hours of changing the account " +"password." +msgstr "Het verwijderen van een kanaal is niet toegestaan binnen 48 uur nadat het wachtwoord van het account is veranderd." + +#: ../../Zotlabs/Module/Removeme.php:60 +msgid "Remove This Channel" +msgstr "Verwijder dit kanaal" + +#: ../../Zotlabs/Module/Removeme.php:61 +msgid "This channel will be completely removed from the network. " +msgstr "Dit kanaal wordt volledig uit het $Projectname-netwerk verwijderd." + +#: ../../Zotlabs/Module/Removeme.php:63 +msgid "Remove this channel and all its clones from the network" +msgstr "Dit kanaal en alle klonen hiervan uit het $Projectname-netwerk verwijderen" + +#: ../../Zotlabs/Module/Removeme.php:63 +msgid "" +"By default only the instance of the channel located on this hub will be " +"removed from the network" +msgstr "Standaard wordt alleen het kanaal dat zich op deze hub bevindt uit het $Projectname-netwerk verwijderd" + +#: ../../Zotlabs/Module/Removeme.php:64 ../../Zotlabs/Module/Settings.php:1323 +msgid "Remove Channel" +msgstr "Kanaal verwijderen" + +#: ../../Zotlabs/Module/Uexport.php:55 ../../Zotlabs/Module/Uexport.php:56 +msgid "Export Channel" +msgstr "Kanaal exporteren" + +#: ../../Zotlabs/Module/Uexport.php:57 +msgid "" +"Export your basic channel information to a file. This acts as a backup of " +"your connections, permissions, profile and basic data, which can be used to " +"import your data to a new server hub, but does not contain your content." +msgstr "Exporteer de basisinformatie van jouw kanaal naar een bestand. Dit fungeert als een back-up van jouw connecties, permissies, profiel en basisgegevens, die gebruikt kan worden om op een nieuwe hub jouw gegevens te importeren. Deze back-up bevat echter niet de inhoud van jouw kanaal." + +#: ../../Zotlabs/Module/Uexport.php:58 +msgid "Export Content" +msgstr "Inhoud exporteren" + +#: ../../Zotlabs/Module/Uexport.php:59 +msgid "" +"Export your channel information and recent content to a JSON backup that can" +" be restored or imported to another server hub. This backs up all of your " +"connections, permissions, profile data and several months of posts. This " +"file may be VERY large. Please be patient - it may take several minutes for" +" this download to begin." +msgstr "Exporteer informatie en recente inhoud van jouw kanaal naar een JSON-back-up, wat kan worden gebruikt om jouw kanaal te herstellen of te importeren op een andere hub. Dit slaat al jouw connecties, permissies, profielgegevens en enkele maanden aan inhoud van jouw kanaal op. Dit bestand kan ZEER groot worden. Wees geduldig - het kan enkele minuten duren voordat de download begint." + +#: ../../Zotlabs/Module/Uexport.php:60 +msgid "Export your posts from a given year." +msgstr "Exporteer jouw berichten uit een bepaald jaar." + +#: ../../Zotlabs/Module/Uexport.php:62 +msgid "" +"You may also export your posts and conversations for a particular year or " +"month. Adjust the date in your browser location bar to select other dates. " +"If the export fails (possibly due to memory exhaustion on your server hub), " +"please try again selecting a more limited date range." +msgstr "Je kan ook berichten en conversaties uit een bepaald jaar of van een bepaalde maand exporteren. Verander de datum in de adresbalk van jouw webbrowser om andere jaren en maanden te selecteren. Wanneer het exporteren mislukt (waarschijnlijk door een gebrek aan beschikbaar servergeheugen), probeer het dan nogmaals met een beperkter tijdvak." + +#: ../../Zotlabs/Module/Uexport.php:63 +#, php-format +msgid "" +"To select all posts for a given year, such as this year, visit %2$s" +msgstr "Bezoek %2$s om alle berichten van bijvoorbeeld dit jaar te selecteren. " + +#: ../../Zotlabs/Module/Uexport.php:64 +#, php-format +msgid "" +"To select all posts for a given month, such as January of this year, visit " +"%2$s" +msgstr "Bezoek %2$s om alle berichten van bijvoorbeeld januari dit jaar te selecteren." + +#: ../../Zotlabs/Module/Uexport.php:65 +#, php-format +msgid "" +"These content files may be imported or restored by visiting %2$s on any site containing your channel. For best results" +" please import or restore these in date order (oldest first)." +msgstr "Deze back-up-bestanden kunnen geĆÆmporteerd of hersteld worden door op jouw hub en met jouw kanaal %2$s te bezoeken. Voor het beste resultaat kan je de bestanden in chronologische volgorde importeren of herstellen." + +#: ../../Zotlabs/Module/Webpages.php:53 +msgid "Import Webpage Elements" +msgstr "Webpagina-elementen importeren" + +#: ../../Zotlabs/Module/Webpages.php:54 +msgid "Import selected" +msgstr "Importbestand geselecteerd" + +#: ../../Zotlabs/Module/Webpages.php:214 ../../Zotlabs/Lib/Apps.php:218 +#: ../../include/conversation.php:1715 ../../include/nav.php:108 +msgid "Webpages" +msgstr "Webpagina's" + +#: ../../Zotlabs/Module/Webpages.php:225 ../../include/page_widgets.php:44 +msgid "Actions" +msgstr "Acties" + +#: ../../Zotlabs/Module/Webpages.php:226 ../../include/page_widgets.php:45 +msgid "Page Link" +msgstr "Paginalink" + +#: ../../Zotlabs/Module/Webpages.php:227 +msgid "Page Title" +msgstr "Paginatitel" + +#: ../../Zotlabs/Module/Webpages.php:258 +msgid "Invalid file type." +msgstr "Ongeldig bestandsformaat" + +#: ../../Zotlabs/Module/Webpages.php:270 +msgid "Error opening zip file" +msgstr "Fout met openen zipbestand" + +#: ../../Zotlabs/Module/Webpages.php:281 +msgid "Invalid folder path." +msgstr "Ongeldige maplocatie" + +#: ../../Zotlabs/Module/Webpages.php:308 +msgid "No webpage elements detected." +msgstr "Geen webpagina-elementen gedecteerd" + +#: ../../Zotlabs/Module/Webpages.php:382 +msgid "Import complete." +msgstr "Importeren voltooid." + +#: ../../Zotlabs/Module/Search.php:216 +#, php-format +msgid "Items tagged with: %s" +msgstr "Items getagd met %s" + +#: ../../Zotlabs/Module/Search.php:218 +#, php-format +msgid "Search results for: %s" +msgstr "Zoekresultaten voor %s" + +#: ../../Zotlabs/Module/Service_limits.php:23 +msgid "No service class restrictions found." +msgstr "Geen abonnementsbeperkingen gevonden." + +#: ../../Zotlabs/Module/Register.php:49 +msgid "Maximum daily site registrations exceeded. Please try again tomorrow." +msgstr "Maximum toegestane dagelijkse registraties op deze $Projectname-hub bereikt. Probeer het morgen (UTC) nogmaals." + +#: ../../Zotlabs/Module/Register.php:55 +msgid "" +"Please indicate acceptance of the Terms of Service. Registration failed." +msgstr "Registratie mislukt. De gebruiksvoorwaarden dienen wel geaccepteerd te worden." + +#: ../../Zotlabs/Module/Register.php:89 +msgid "Passwords do not match." +msgstr "Wachtwoorden komen niet met elkaar overeen." + +#: ../../Zotlabs/Module/Register.php:131 +msgid "" +"Registration successful. Please check your email for validation " +"instructions." +msgstr "Registratie geslaagd. Controleer je e-mail voor instructies." + +#: ../../Zotlabs/Module/Register.php:137 +msgid "Your registration is pending approval by the site owner." +msgstr "Jouw accountregistratie wacht op goedkeuring van de beheerder van deze $Projectname-hub." + +#: ../../Zotlabs/Module/Register.php:140 +msgid "Your registration can not be processed." +msgstr "Jouw registratie kan niet verwerkt worden." + +#: ../../Zotlabs/Module/Register.php:184 +msgid "Registration on this hub is disabled." +msgstr "Registreren van nieuwe accounts is op deze hub uitgeschakeld." + +#: ../../Zotlabs/Module/Register.php:193 +msgid "Registration on this hub is by approval only." +msgstr "Registraties op deze hub moeten eerst worden goedgekeurd." + +#: ../../Zotlabs/Module/Register.php:194 +msgid "Register at another affiliated hub." +msgstr "Registreer op een andere hub." + +#: ../../Zotlabs/Module/Register.php:204 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "Deze $Projectname-hub heeft het maximum aantal dagelijks toegestane registraties bereikt. Probeer het morgen (UTC) nogmaals." + +#: ../../Zotlabs/Module/Register.php:215 +msgid "Terms of Service" +msgstr "Gebruiksvoorwaarden" + +#: ../../Zotlabs/Module/Register.php:221 +#, php-format +msgid "I accept the %s for this website" +msgstr "Ik accepteer de %s van deze $Projectname-hub" + +#: ../../Zotlabs/Module/Register.php:223 +#, php-format +msgid "I am over 13 years of age and accept the %s for this website" +msgstr "Ik ben 13 jaar of ouder en accepteer de %s van deze $Projectname-hub" + +#: ../../Zotlabs/Module/Register.php:227 +msgid "Your email address" +msgstr "Jouw e-mailadres" + +#: ../../Zotlabs/Module/Register.php:228 +msgid "Choose a password" +msgstr "Geef een wachtwoord op" + +#: ../../Zotlabs/Module/Register.php:229 +msgid "Please re-enter your password" +msgstr "Geef het wachtwoord opnieuw op" + +#: ../../Zotlabs/Module/Register.php:230 +msgid "Please enter your invitation code" +msgstr "Vul jouw uitnodigingscode in" + +#: ../../Zotlabs/Module/Register.php:236 +msgid "no" +msgstr "Nee" + +#: ../../Zotlabs/Module/Register.php:236 +msgid "yes" +msgstr "Ja" + +#: ../../Zotlabs/Module/Register.php:253 +msgid "Membership on this site is by invitation only." +msgstr "Registreren op deze $Projectname-hub kan alleen op uitnodiging." + +#: ../../Zotlabs/Module/Register.php:265 ../../include/nav.php:151 +#: ../../boot.php:1695 +msgid "Register" +msgstr "Registreren" + +#: ../../Zotlabs/Module/Register.php:266 +msgid "" +"This site may require email verification after submitting this form. If you " +"are returned to a login page, please check your email for instructions." +msgstr "Mogelijk moet op deze hub eerst jouw e-mail geverifieerd worden. Wanneer je na het indienen van dit formulier op de inlogpagina terecht komt, dan dien je jouw e-mail te controleren voor instructies. Controleer eventueel ook jouw spamfolder." + +#: ../../Zotlabs/Module/Rpost.php:135 ../../Zotlabs/Module/Editpost.php:106 +msgid "Edit post" +msgstr "Bericht bewerken" + #: ../../Zotlabs/Module/Sharedwithme.php:98 msgid "Files: shared with me" msgstr "Bestanden: met mij gedeeld" @@ -6240,62 +5623,13 @@ msgstr "Verwijder alle bestanden" msgid "Remove this file" msgstr "Verwijder dit bestand" -#: ../../Zotlabs/Module/Thing.php:114 -msgid "Thing updated" -msgstr "Ding bijgewerkt" +#: ../../Zotlabs/Module/Acl.php:312 +msgid "network" +msgstr "netwerk" -#: ../../Zotlabs/Module/Thing.php:166 -msgid "Object store: failed" -msgstr "Opslaan van ding mislukt" - -#: ../../Zotlabs/Module/Thing.php:170 -msgid "Thing added" -msgstr "Ding toegevoegd" - -#: ../../Zotlabs/Module/Thing.php:196 -#, php-format -msgid "OBJ: %1$s %2$s %3$s" -msgstr "OBJ: %1$s %2$s %3$s" - -#: ../../Zotlabs/Module/Thing.php:259 -msgid "Show Thing" -msgstr "Ding weergeven" - -#: ../../Zotlabs/Module/Thing.php:266 -msgid "item not found." -msgstr "Item niet gevonden" - -#: ../../Zotlabs/Module/Thing.php:299 -msgid "Edit Thing" -msgstr "Ding bewerken" - -#: ../../Zotlabs/Module/Thing.php:301 ../../Zotlabs/Module/Thing.php:351 -msgid "Select a profile" -msgstr "Kies een profiel" - -#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:354 -msgid "Post an activity" -msgstr "Plaats een bericht" - -#: ../../Zotlabs/Module/Thing.php:305 ../../Zotlabs/Module/Thing.php:354 -msgid "Only sends to viewers of the applicable profile" -msgstr "Toont dit alleen aan diegene die het gekozen profiel mogen zien." - -#: ../../Zotlabs/Module/Thing.php:307 ../../Zotlabs/Module/Thing.php:356 -msgid "Name of thing e.g. something" -msgstr "Naam van ding" - -#: ../../Zotlabs/Module/Thing.php:309 ../../Zotlabs/Module/Thing.php:357 -msgid "URL of thing (optional)" -msgstr "URL van ding (optioneel)" - -#: ../../Zotlabs/Module/Thing.php:311 ../../Zotlabs/Module/Thing.php:358 -msgid "URL for photo of thing (optional)" -msgstr "URL voor foto van ding (optioneel)" - -#: ../../Zotlabs/Module/Thing.php:349 -msgid "Add Thing to your Profile" -msgstr "Ding aan je profiel toevoegen" +#: ../../Zotlabs/Module/Acl.php:322 +msgid "RSS" +msgstr "RSS" #: ../../Zotlabs/Module/Sources.php:37 msgid "Failed to create source. No channel selected." @@ -6313,7 +5647,7 @@ msgstr "Bron aangemaakt." msgid "*" msgstr "*" -#: ../../Zotlabs/Module/Sources.php:96 ../../include/features.php:72 +#: ../../Zotlabs/Module/Sources.php:96 ../../include/features.php:74 #: ../../include/widgets.php:639 msgid "Channel Sources" msgstr "Kanaalbronnen" @@ -6350,6 +5684,11 @@ msgid "" "separated)" msgstr "De volgende categorieĆ«n aan berichten toevoegen die uit deze bron zijn geĆÆmporteerd (door komma's gescheiden)" +#: ../../Zotlabs/Module/Sources.php:112 ../../Zotlabs/Module/Sources.php:147 +#: ../../Zotlabs/Module/Settings.php:688 +msgid "Optional" +msgstr "Optioneel" + #: ../../Zotlabs/Module/Sources.php:133 ../../Zotlabs/Module/Sources.php:161 msgid "Source not found." msgstr "Bron niet gevonden" @@ -6395,7 +5734,7 @@ msgid "post" msgstr "bericht" #: ../../Zotlabs/Module/Tagger.php:57 ../../include/conversation.php:150 -#: ../../include/text.php:1929 +#: ../../include/text.php:1953 msgid "comment" msgstr "reactie" @@ -6416,99 +5755,720 @@ msgstr "Verwijder item-tag" msgid "Select a tag to remove: " msgstr "Kies een tag om te verwijderen" -#: ../../Zotlabs/Module/Webpages.php:191 ../../Zotlabs/Lib/Apps.php:218 -#: ../../include/nav.php:106 ../../include/conversation.php:1700 -msgid "Webpages" -msgstr "Webpagina's" +#: ../../Zotlabs/Module/Dreport.php:44 +msgid "Invalid message" +msgstr "Ongeldig bericht" -#: ../../Zotlabs/Module/Webpages.php:202 ../../include/page_widgets.php:44 -msgid "Actions" -msgstr "Acties" +#: ../../Zotlabs/Module/Dreport.php:76 +msgid "no results" +msgstr "geen resultaten" -#: ../../Zotlabs/Module/Webpages.php:203 ../../include/page_widgets.php:45 -msgid "Page Link" -msgstr "Paginalink" +#: ../../Zotlabs/Module/Dreport.php:91 +msgid "channel sync processed" +msgstr "kanaalsync verwerkt" -#: ../../Zotlabs/Module/Webpages.php:204 -msgid "Page Title" -msgstr "Paginatitel" +#: ../../Zotlabs/Module/Dreport.php:95 +msgid "queued" +msgstr "in wachtrij" -#: ../../Zotlabs/Module/Wiki.php:34 -msgid "Not found" -msgstr "Niet gevonden" +#: ../../Zotlabs/Module/Dreport.php:99 +msgid "posted" +msgstr "verstuurd" -#: ../../Zotlabs/Module/Wiki.php:92 ../../Zotlabs/Lib/Apps.php:219 -#: ../../include/nav.php:108 ../../include/conversation.php:1710 -#: ../../include/conversation.php:1713 ../../include/features.php:55 -msgid "Wiki" -msgstr "Wiki" +#: ../../Zotlabs/Module/Dreport.php:103 +msgid "accepted for delivery" +msgstr "geaccepteerd om afgeleverd te worden" -#: ../../Zotlabs/Module/Wiki.php:93 -msgid "Sandbox" -msgstr "Zandbak" +#: ../../Zotlabs/Module/Dreport.php:107 +msgid "updated" +msgstr "geüpdatet" -#: ../../Zotlabs/Module/Wiki.php:95 +#: ../../Zotlabs/Module/Dreport.php:110 +msgid "update ignored" +msgstr "update genegeerd" + +#: ../../Zotlabs/Module/Dreport.php:113 +msgid "permission denied" +msgstr "toegang geweigerd" + +#: ../../Zotlabs/Module/Dreport.php:117 +msgid "recipient not found" +msgstr "ontvanger niet gevonden" + +#: ../../Zotlabs/Module/Dreport.php:120 +msgid "mail recalled" +msgstr "PrivĆ©bericht ingetrokken" + +#: ../../Zotlabs/Module/Dreport.php:123 +msgid "duplicate mail received" +msgstr "dubbel privĆ©bericht ontvangen" + +#: ../../Zotlabs/Module/Dreport.php:126 +msgid "mail delivered" +msgstr "privĆ©bericht afgeleverd" + +#: ../../Zotlabs/Module/Dreport.php:146 +#, php-format +msgid "Delivery report for %1$s" +msgstr "Afleveringsrapport voor %1$s" + +#: ../../Zotlabs/Module/Dreport.php:149 +msgid "Options" +msgstr "Opties" + +#: ../../Zotlabs/Module/Dreport.php:150 +msgid "Redeliver" +msgstr "Opnieuw afleveren" + +#: ../../Zotlabs/Module/Settings.php:64 +msgid "Name is required" +msgstr "Naam is vereist" + +#: ../../Zotlabs/Module/Settings.php:68 +msgid "Key and Secret are required" +msgstr "Key en secret zijn vereist" + +#: ../../Zotlabs/Module/Settings.php:138 +#, php-format +msgid "This channel is limited to %d tokens" +msgstr "Dit kanaal heeft een limiet van %d tokens" + +#: ../../Zotlabs/Module/Settings.php:144 +msgid "Name and Password are required." +msgstr "Naam en wachtwoord zijn vereist" + +#: ../../Zotlabs/Module/Settings.php:184 +msgid "Token saved." +msgstr "Token opgeslagen." + +#: ../../Zotlabs/Module/Settings.php:312 +msgid "Not valid email." +msgstr "Geen geldig e-mailadres." + +#: ../../Zotlabs/Module/Settings.php:315 +msgid "Protected email address. Cannot change to that email." +msgstr "Beschermd e-mailadres. Kan dat e-mailadres niet gebruiken." + +#: ../../Zotlabs/Module/Settings.php:324 +msgid "System failure storing new email. Please try again." +msgstr "Systeemfout opslaan van nieuwe e-mail. Probeer het nog een keer." + +#: ../../Zotlabs/Module/Settings.php:341 +msgid "Password verification failed." +msgstr "Wachtwoordverificatie mislukt" + +#: ../../Zotlabs/Module/Settings.php:348 +msgid "Passwords do not match. Password unchanged." +msgstr "Wachtwoorden komen niet overeen. Wachtwoord onveranderd." + +#: ../../Zotlabs/Module/Settings.php:352 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "Lege wachtwoorden zijn niet toegestaan. Wachtwoord onveranderd." + +#: ../../Zotlabs/Module/Settings.php:366 +msgid "Password changed." +msgstr "Wachtwoord veranderd." + +#: ../../Zotlabs/Module/Settings.php:368 +msgid "Password update failed. Please try again." +msgstr "Bijwerken wachtwoord mislukt. Probeer opnieuw." + +#: ../../Zotlabs/Module/Settings.php:617 +msgid "Settings updated." +msgstr "Instellingen bijgewerkt." + +#: ../../Zotlabs/Module/Settings.php:681 ../../Zotlabs/Module/Settings.php:707 +#: ../../Zotlabs/Module/Settings.php:743 +msgid "Add application" +msgstr "Applicatie toevoegen" + +#: ../../Zotlabs/Module/Settings.php:684 +msgid "Name of application" +msgstr "Naam van applicatie" + +#: ../../Zotlabs/Module/Settings.php:685 ../../Zotlabs/Module/Settings.php:711 +msgid "Consumer Key" +msgstr "Consumer key" + +#: ../../Zotlabs/Module/Settings.php:685 ../../Zotlabs/Module/Settings.php:686 +msgid "Automatically generated - change if desired. Max length 20" +msgstr "Automatische gegenereerd - verander wanneer gewenst. Maximale lengte is 20" + +#: ../../Zotlabs/Module/Settings.php:686 ../../Zotlabs/Module/Settings.php:712 +msgid "Consumer Secret" +msgstr "Consumer secret" + +#: ../../Zotlabs/Module/Settings.php:687 ../../Zotlabs/Module/Settings.php:713 +msgid "Redirect" +msgstr "Redirect/doorverwijzing" + +#: ../../Zotlabs/Module/Settings.php:687 msgid "" -"\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be" -" saved*.\"" -msgstr "\"# Wiki Sandbox\\n\\nWat er hier onder **edit** en **preview** staat *wordt niet opgeslagen*.\"" +"Redirect URI - leave blank unless your application specifically requires " +"this" +msgstr "URI voor redirect - laat leeg, behalve wanneer de applicatie dit vereist" -#: ../../Zotlabs/Module/Wiki.php:164 -msgid "Revision Comparison" -msgstr "Revisies vergelijken" +#: ../../Zotlabs/Module/Settings.php:688 ../../Zotlabs/Module/Settings.php:714 +msgid "Icon url" +msgstr "Pictogram-URL" -#: ../../Zotlabs/Module/Wiki.php:165 -msgid "Revert" -msgstr "Ongedaan maken" +#: ../../Zotlabs/Module/Settings.php:699 +msgid "Application not found." +msgstr "Applicatie niet gevonden." -#: ../../Zotlabs/Module/Wiki.php:192 -msgid "Enter the name of your new wiki:" -msgstr "Vul de naam in van jouw nieuwe wiki:" +#: ../../Zotlabs/Module/Settings.php:742 +msgid "Connected Apps" +msgstr "Verbonden applicaties" -#: ../../Zotlabs/Module/Wiki.php:193 -msgid "Enter the name of the new page:" -msgstr "Vul de naam in van de nieuwe pagina:" +#: ../../Zotlabs/Module/Settings.php:746 +msgid "Client key starts with" +msgstr "Client key begint met" -#: ../../Zotlabs/Module/Wiki.php:194 -msgid "Enter the new name:" -msgstr "Vul de nieuwe naam in:" +#: ../../Zotlabs/Module/Settings.php:747 +msgid "No name" +msgstr "Geen naam" -#: ../../Zotlabs/Module/Wiki.php:200 ../../include/conversation.php:1150 -msgid "Embed image from photo albums" -msgstr "Afbeelding uit een fotoalbum invoegen" +#: ../../Zotlabs/Module/Settings.php:748 +msgid "Remove authorization" +msgstr "Autorisatie verwijderen" -#: ../../Zotlabs/Module/Wiki.php:201 ../../include/conversation.php:1234 -msgid "Embed an image from your albums" -msgstr "Afbeelding uit jouw albums invoegen" +#: ../../Zotlabs/Module/Settings.php:761 +msgid "No feature settings configured" +msgstr "Geen plugin-instellingen aanwezig" -#: ../../Zotlabs/Module/Wiki.php:203 ../../include/conversation.php:1236 -#: ../../include/conversation.php:1273 -msgid "OK" -msgstr "OK" +#: ../../Zotlabs/Module/Settings.php:768 +msgid "Feature/Addon Settings" +msgstr "Plugin-instellingen" -#: ../../Zotlabs/Module/Wiki.php:204 ../../include/conversation.php:1186 -msgid "Choose images to embed" -msgstr "Kies afbeeldingen om in te voegen" +#: ../../Zotlabs/Module/Settings.php:791 +msgid "Account Settings" +msgstr "Account-instellingen" -#: ../../Zotlabs/Module/Wiki.php:205 ../../include/conversation.php:1187 -msgid "Choose an album" -msgstr "Kies een album" +#: ../../Zotlabs/Module/Settings.php:792 +msgid "Current Password" +msgstr "Huidig wachtwoord" -#: ../../Zotlabs/Module/Wiki.php:206 ../../include/conversation.php:1188 -msgid "Choose a different album..." -msgstr "Kies een ander album..." +#: ../../Zotlabs/Module/Settings.php:793 +msgid "Enter New Password" +msgstr "Nieuw wachtwoord invoeren" -#: ../../Zotlabs/Module/Wiki.php:207 ../../include/conversation.php:1189 -msgid "Error getting album list" -msgstr "Fout met ophalen albumlijst" +#: ../../Zotlabs/Module/Settings.php:794 +msgid "Confirm New Password" +msgstr "Nieuw wachtwoord bevestigen" -#: ../../Zotlabs/Module/Wiki.php:208 ../../include/conversation.php:1190 -msgid "Error getting photo link" -msgstr "Fout met ophalen fotolink" +#: ../../Zotlabs/Module/Settings.php:794 +msgid "Leave password fields blank unless changing" +msgstr "Laat de wachtwoordvelden leeg, behalve wanneer je deze wil veranderen" -#: ../../Zotlabs/Module/Wiki.php:209 ../../include/conversation.php:1191 -msgid "Error getting album" -msgstr "Fout met ophalen album" +#: ../../Zotlabs/Module/Settings.php:796 +#: ../../Zotlabs/Module/Settings.php:1236 +msgid "Email Address:" +msgstr "E-mailadres:" + +#: ../../Zotlabs/Module/Settings.php:798 +msgid "Remove this account including all its channels" +msgstr "Dit account en al zijn kanalen verwijderen" + +#: ../../Zotlabs/Module/Settings.php:832 +msgid "" +"Use this form to create temporary access identifiers to share things with " +"non-members. These identities may be used in Access Control Lists and " +"visitors may login using these credentials to access private content." +msgstr "Gebruik dit formulier om tijdelijke identiteiten aan te maken, waarmee je bepaalde informatie met niet-leden kan delen. Deze identiteiten kunnen onder Permissies (handmatige selectie) worden gebruikt. Gasten kunnen inloggen met onderstaande gegevens om zo toegang te krijgen tot privĆ©inhoud." + +#: ../../Zotlabs/Module/Settings.php:834 +msgid "" +"You may also provide dropbox style access links to friends and " +"associates by adding the Login Password to any specific site URL as shown. " +"Examples:" +msgstr "Je kan ook dropbox-achtige links aan mensen geven door bovenstaand wachtwoord op onderstaande manier aan een hub-URL toe te voegen. Voorbeelden:" + +#: ../../Zotlabs/Module/Settings.php:869 ../../include/widgets.php:614 +msgid "Guest Access Tokens" +msgstr "Gasttoegang" + +#: ../../Zotlabs/Module/Settings.php:876 +msgid "Login Name" +msgstr "Inlognaam" + +#: ../../Zotlabs/Module/Settings.php:877 +msgid "Login Password" +msgstr "Wachtwoord:" + +#: ../../Zotlabs/Module/Settings.php:878 +msgid "Expires (yyyy-mm-dd)" +msgstr "Geldig t/m (yyyy-mm-dd)" + +#: ../../Zotlabs/Module/Settings.php:910 +msgid "Additional Features" +msgstr "Extra functies" + +#: ../../Zotlabs/Module/Settings.php:934 +msgid "Connector Settings" +msgstr "Instellingen externe koppelingen" + +#: ../../Zotlabs/Module/Settings.php:981 +msgid "No special theme for mobile devices" +msgstr "Geen speciaal thema voor mobiele apparaten" + +#: ../../Zotlabs/Module/Settings.php:984 +#, php-format +msgid "%s - (Experimental)" +msgstr "%s - (experimenteel)" + +#: ../../Zotlabs/Module/Settings.php:1035 +msgid "Display Settings" +msgstr "Weergave-instellingen" + +#: ../../Zotlabs/Module/Settings.php:1036 +msgid "Theme Settings" +msgstr "Thema-instellingen" + +#: ../../Zotlabs/Module/Settings.php:1037 +msgid "Custom Theme Settings" +msgstr "Handmatige thema-instellingen" + +#: ../../Zotlabs/Module/Settings.php:1038 +msgid "Content Settings" +msgstr "Inhoudsinstellingen" + +#: ../../Zotlabs/Module/Settings.php:1044 +msgid "Display Theme:" +msgstr "Gebruik thema:" + +#: ../../Zotlabs/Module/Settings.php:1045 +msgid "Select scheme" +msgstr "Kies schema van thema" + +#: ../../Zotlabs/Module/Settings.php:1047 +msgid "Mobile Theme:" +msgstr "Mobiel thema:" + +#: ../../Zotlabs/Module/Settings.php:1048 +msgid "Preload images before rendering the page" +msgstr "Afbeeldingen laden voordat de pagina wordt weergegeven" + +#: ../../Zotlabs/Module/Settings.php:1048 +msgid "" +"The subjective page load time will be longer but the page will be ready when" +" displayed" +msgstr "De laadtijd van een pagina lijkt langer, maar de pagina is wel meteen helemaal geladen wanneer deze wordt weergeven" + +#: ../../Zotlabs/Module/Settings.php:1049 +msgid "Enable user zoom on mobile devices" +msgstr "Inzoomen op smartphones en tablets toestaan" + +#: ../../Zotlabs/Module/Settings.php:1050 +msgid "Update browser every xx seconds" +msgstr "Ververs de webbrowser om de zoveel seconde" + +#: ../../Zotlabs/Module/Settings.php:1050 +msgid "Minimum of 10 seconds, no maximum" +msgstr "Minimaal 10 seconde, geen maximum" + +#: ../../Zotlabs/Module/Settings.php:1051 +msgid "Maximum number of conversations to load at any time:" +msgstr "Maximaal aantal conversaties die per keer geladen worden:" + +#: ../../Zotlabs/Module/Settings.php:1051 +msgid "Maximum of 100 items" +msgstr "Maximaal 100 conversaties" + +#: ../../Zotlabs/Module/Settings.php:1052 +msgid "Show emoticons (smilies) as images" +msgstr "Toon emoticons (smilies) als afbeeldingen" + +#: ../../Zotlabs/Module/Settings.php:1053 +msgid "Link post titles to source" +msgstr "Berichtkoppen naar originele locatie linken" + +#: ../../Zotlabs/Module/Settings.php:1054 +msgid "System Page Layout Editor - (advanced)" +msgstr "Lay-out bewerken van systeempagina's (geavanceerd)" + +#: ../../Zotlabs/Module/Settings.php:1057 +msgid "Use blog/list mode on channel page" +msgstr "Gebruik blog/lijst-modus op kanaalpagina" + +#: ../../Zotlabs/Module/Settings.php:1057 +#: ../../Zotlabs/Module/Settings.php:1058 +msgid "(comments displayed separately)" +msgstr "(reacties worden afzonderlijk weergeven)" + +#: ../../Zotlabs/Module/Settings.php:1058 +msgid "Use blog/list mode on grid page" +msgstr "Gebruik blog/lijst-modus op gridpagina" + +#: ../../Zotlabs/Module/Settings.php:1059 +msgid "Channel page max height of content (in pixels)" +msgstr "Maximale hoogte berichtinhoud op kanaalpagina (in pixels)" + +#: ../../Zotlabs/Module/Settings.php:1059 +#: ../../Zotlabs/Module/Settings.php:1060 +msgid "click to expand content exceeding this height" +msgstr "klik om inhoud uit te klappen die deze hoogte overschrijdt" + +#: ../../Zotlabs/Module/Settings.php:1060 +msgid "Grid page max height of content (in pixels)" +msgstr "Maximale hoogte berichtinhoud op gridpagina (in pixels)" + +#: ../../Zotlabs/Module/Settings.php:1090 +msgid "Nobody except yourself" +msgstr "Niemand, behalve jezelf" + +#: ../../Zotlabs/Module/Settings.php:1091 +msgid "Only those you specifically allow" +msgstr "Alleen connecties met uitdrukkelijke toestemming" + +#: ../../Zotlabs/Module/Settings.php:1092 +msgid "Approved connections" +msgstr "Geaccepteerde connecties" + +#: ../../Zotlabs/Module/Settings.php:1093 +msgid "Any connections" +msgstr "Alle connecties" + +#: ../../Zotlabs/Module/Settings.php:1094 +msgid "Anybody on this website" +msgstr "Iedereen op deze hub" + +#: ../../Zotlabs/Module/Settings.php:1095 +msgid "Anybody in this network" +msgstr "Iedereen in dit netwerk" + +#: ../../Zotlabs/Module/Settings.php:1096 +msgid "Anybody authenticated" +msgstr "Geauthenticeerd" + +#: ../../Zotlabs/Module/Settings.php:1097 +msgid "Anybody on the internet" +msgstr "Iedereen op het internet" + +#: ../../Zotlabs/Module/Settings.php:1171 +msgid "Publish your default profile in the network directory" +msgstr "Publiceer je standaardprofiel in de kanalengids" + +#: ../../Zotlabs/Module/Settings.php:1176 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "Sta ons toe om jouw kanaal als mogelijke connectie voor te stellen aan nieuwe kanalen" + +#: ../../Zotlabs/Module/Settings.php:1185 +msgid "Your channel address is" +msgstr "Jouw kanaaladres is" + +#: ../../Zotlabs/Module/Settings.php:1227 +msgid "Channel Settings" +msgstr "Kanaal-instellingen" + +#: ../../Zotlabs/Module/Settings.php:1234 +msgid "Basic Settings" +msgstr "Basis-instellingen" + +#: ../../Zotlabs/Module/Settings.php:1235 ../../include/channel.php:1164 +msgid "Full Name:" +msgstr "Volledige naam:" + +#: ../../Zotlabs/Module/Settings.php:1237 +msgid "Your Timezone:" +msgstr "Jouw tijdzone:" + +#: ../../Zotlabs/Module/Settings.php:1238 +msgid "Default Post Location:" +msgstr "Standaardlocatie bericht:" + +#: ../../Zotlabs/Module/Settings.php:1238 +msgid "Geographical location to display on your posts" +msgstr "Geografische locatie die bij het bericht moet worden vermeld" + +#: ../../Zotlabs/Module/Settings.php:1239 +msgid "Use Browser Location:" +msgstr "Locatie van webbrowser gebruiken:" + +#: ../../Zotlabs/Module/Settings.php:1241 +msgid "Adult Content" +msgstr "Inhoud voor volwassenen" + +#: ../../Zotlabs/Module/Settings.php:1241 +msgid "" +"This channel frequently or regularly publishes adult content. (Please tag " +"any adult material and/or nudity with #NSFW)" +msgstr "Dit kanaal publiceert regelmatig of vaak materiaal dat alleen geschikt is voor volwassenen. (Gebruik de tag #NSFW in berichten met een seksueel getinte inhoud of ander voor minderjarigen ongeschikt materiaal)" + +#: ../../Zotlabs/Module/Settings.php:1243 +msgid "Security and Privacy Settings" +msgstr "Veiligheids- en privacy-instellingen" + +#: ../../Zotlabs/Module/Settings.php:1246 +msgid "Your permissions are already configured. Click to view/adjust" +msgstr "Jouw permissies zijn al ingesteld. Klik om ze te bekijken of aan te passen." + +#: ../../Zotlabs/Module/Settings.php:1248 +msgid "Hide my online presence" +msgstr "Verberg mijn aanwezigheid" + +#: ../../Zotlabs/Module/Settings.php:1248 +msgid "Prevents displaying in your profile that you are online" +msgstr "Voorkomt dat op je kanaalpagina te zien valt dat je momenteel op $Projectname aanwezig bent" + +#: ../../Zotlabs/Module/Settings.php:1250 +msgid "Simple Privacy Settings:" +msgstr "Eenvoudige privacy-instellingen:" + +#: ../../Zotlabs/Module/Settings.php:1251 +msgid "" +"Very Public - extremely permissive (should be used with caution)" +msgstr "Zeer openbaar (kanaal staat volledig open - moet met grote zorgvuldigheid gebruikt worden)" + +#: ../../Zotlabs/Module/Settings.php:1252 +msgid "" +"Typical - default public, privacy when desired (similar to social " +"network permissions but with improved privacy)" +msgstr "Normaal (standaard openbaar, maar privacy wanneer noodzakelijk - vergelijkbaar met die van sociale netwerken, maar met verbeterde privacy)" + +#: ../../Zotlabs/Module/Settings.php:1253 +msgid "Private - default private, never open or public" +msgstr "PrivĆ© (standaard privĆ© en nooit openbaar)" + +#: ../../Zotlabs/Module/Settings.php:1254 +msgid "Blocked - default blocked to/from everybody" +msgstr "Geblokkeerd (standaard geblokkeerd naar/van iedereen)" + +#: ../../Zotlabs/Module/Settings.php:1256 +msgid "Allow others to tag your posts" +msgstr "Anderen toestaan om je berichten te taggen" + +#: ../../Zotlabs/Module/Settings.php:1256 +msgid "" +"Often used by the community to retro-actively flag inappropriate content" +msgstr "Vaak in groepen/forums gebruikt om met terugwerkende kracht ongepast materiaal te markeren" + +#: ../../Zotlabs/Module/Settings.php:1258 +msgid "Advanced Privacy Settings" +msgstr "Geavanceerde privacy-instellingen" + +#: ../../Zotlabs/Module/Settings.php:1260 +msgid "Expire other channel content after this many days" +msgstr "Inhoud van andere kanalen na zoveel aantal dagen laten verlopen:" + +#: ../../Zotlabs/Module/Settings.php:1260 +msgid "0 or blank to use the website limit." +msgstr "0 of leeg om het standaard aantal dagen van deze hub te gebruiken." + +#: ../../Zotlabs/Module/Settings.php:1260 +#, php-format +msgid "This website expires after %d days." +msgstr "Deze hub laat de inhoud van andere kanalen na %d dagen verlopen." + +#: ../../Zotlabs/Module/Settings.php:1260 +msgid "This website does not expire imported content." +msgstr "Deze hub laat de inhoud van andere kanalen niet verlopen." + +#: ../../Zotlabs/Module/Settings.php:1260 +msgid "The website limit takes precedence if lower than your limit." +msgstr "Wanneer de standaard aantal dagen van deze hub lager ligt dan jouw aantal, dan heeft de limiet van deze hub voorrang." + +#: ../../Zotlabs/Module/Settings.php:1261 +msgid "Maximum Friend Requests/Day:" +msgstr "Maximum aantal connectieverzoeken per dag:" + +#: ../../Zotlabs/Module/Settings.php:1261 +msgid "May reduce spam activity" +msgstr "Kan eventuele spam verminderen" + +#: ../../Zotlabs/Module/Settings.php:1262 +msgid "Default Post and Publish Permissions" +msgstr "Standaard permissies voor nieuwe berichten en publicaties" + +#: ../../Zotlabs/Module/Settings.php:1264 +msgid "Use my default audience setting for the type of object published" +msgstr "Gebruik mijn standaard privacy-instelling voor dit type publicatie" + +#: ../../Zotlabs/Module/Settings.php:1271 +msgid "Channel permissions category:" +msgstr "Kanaaltype en -permissies:" + +#: ../../Zotlabs/Module/Settings.php:1277 +msgid "Maximum private messages per day from unknown people:" +msgstr "Maximum aantal privĆ©-berichten per dag van onbekende personen:" + +#: ../../Zotlabs/Module/Settings.php:1277 +msgid "Useful to reduce spamming" +msgstr "Kan eventuele spam verminderen" + +#: ../../Zotlabs/Module/Settings.php:1280 +msgid "Notification Settings" +msgstr "Notificatie-instellingen" + +#: ../../Zotlabs/Module/Settings.php:1281 +msgid "By default post a status message when:" +msgstr "Plaats automatisch een bericht wanneer:" + +#: ../../Zotlabs/Module/Settings.php:1282 +msgid "accepting a friend request" +msgstr "Een connectieverzoek wordt geaccepteerd" + +#: ../../Zotlabs/Module/Settings.php:1283 +msgid "joining a forum/community" +msgstr "Je lid wordt van een forum/groep" + +#: ../../Zotlabs/Module/Settings.php:1284 +msgid "making an interesting profile change" +msgstr "Er sprake is van een interessante profielwijziging" + +#: ../../Zotlabs/Module/Settings.php:1285 +msgid "Send a notification email when:" +msgstr "Verzend een notificatie per e-mail wanneer:" + +#: ../../Zotlabs/Module/Settings.php:1286 +msgid "You receive a connection request" +msgstr "Je een connectieverzoek ontvangt" + +#: ../../Zotlabs/Module/Settings.php:1287 +msgid "Your connections are confirmed" +msgstr "Jouw connecties zijn bevestigd" + +#: ../../Zotlabs/Module/Settings.php:1288 +msgid "Someone writes on your profile wall" +msgstr "Iemand iets op jouw kanaal heeft geschreven" + +#: ../../Zotlabs/Module/Settings.php:1289 +msgid "Someone writes a followup comment" +msgstr "Iemand een reactie schrijft" + +#: ../../Zotlabs/Module/Settings.php:1290 +msgid "You receive a private message" +msgstr "Je een privĆ©-bericht ontvangt" + +#: ../../Zotlabs/Module/Settings.php:1291 +msgid "You receive a friend suggestion" +msgstr "Je een kanaalvoorstel ontvangt" + +#: ../../Zotlabs/Module/Settings.php:1292 +msgid "You are tagged in a post" +msgstr "Je expliciet in een bericht bent genoemd" + +#: ../../Zotlabs/Module/Settings.php:1293 +msgid "You are poked/prodded/etc. in a post" +msgstr "Je bent in een bericht aangestoten/gepord/etc." + +#: ../../Zotlabs/Module/Settings.php:1296 +msgid "Show visual notifications including:" +msgstr "Toon de volgende zichtbare notificaties:" + +#: ../../Zotlabs/Module/Settings.php:1298 +msgid "Unseen grid activity" +msgstr "Niet bekeken grid-activiteit" + +#: ../../Zotlabs/Module/Settings.php:1299 +msgid "Unseen channel activity" +msgstr "Niet bekeken kanaal-activiteit" + +#: ../../Zotlabs/Module/Settings.php:1300 +msgid "Unseen private messages" +msgstr "Niet bekeken privĆ©berichten" + +#: ../../Zotlabs/Module/Settings.php:1300 +#: ../../Zotlabs/Module/Settings.php:1305 +#: ../../Zotlabs/Module/Settings.php:1306 +#: ../../Zotlabs/Module/Settings.php:1307 +msgid "Recommended" +msgstr "Aanbevolen" + +#: ../../Zotlabs/Module/Settings.php:1301 +msgid "Upcoming events" +msgstr "Aankomende gebeurtenissen" + +#: ../../Zotlabs/Module/Settings.php:1302 +msgid "Events today" +msgstr "Gebeurtenissen van vandaag" + +#: ../../Zotlabs/Module/Settings.php:1303 +msgid "Upcoming birthdays" +msgstr "Aankomende verjaardagen" + +#: ../../Zotlabs/Module/Settings.php:1303 +msgid "Not available in all themes" +msgstr "Niet in alle thema's beschikbaar" + +#: ../../Zotlabs/Module/Settings.php:1304 +msgid "System (personal) notifications" +msgstr "(Persoonlijke) systeemnotificaties" + +#: ../../Zotlabs/Module/Settings.php:1305 +msgid "System info messages" +msgstr "Systeemmededelingen" + +#: ../../Zotlabs/Module/Settings.php:1306 +msgid "System critical alerts" +msgstr "Kritische systeemwaarschuwingen" + +#: ../../Zotlabs/Module/Settings.php:1307 +msgid "New connections" +msgstr "Nieuwe connecties" + +#: ../../Zotlabs/Module/Settings.php:1308 +msgid "System Registrations" +msgstr "Nieuwe accountregistraties op deze hub" + +#: ../../Zotlabs/Module/Settings.php:1309 +msgid "" +"Also show new wall posts, private messages and connections under Notices" +msgstr "Toon tevens nieuwe kanaalberichten, privĆ©berichten en connecties onder Notificaties" + +#: ../../Zotlabs/Module/Settings.php:1311 +msgid "Notify me of events this many days in advance" +msgstr "Herinner mij zoveel dagen van te voren aan gebeurtenissen" + +#: ../../Zotlabs/Module/Settings.php:1311 +msgid "Must be greater than 0" +msgstr "Moet hoger dan 0 zijn" + +#: ../../Zotlabs/Module/Settings.php:1313 +msgid "Advanced Account/Page Type Settings" +msgstr "Instellingen geavanceerd account/paginatype" + +#: ../../Zotlabs/Module/Settings.php:1314 +msgid "Change the behaviour of this account for special situations" +msgstr "Verander het gedrag van dit account voor speciale situaties" + +#: ../../Zotlabs/Module/Settings.php:1317 +msgid "" +"Please enable expert mode (in Settings > " +"Additional features) to adjust!" +msgstr "Schakel de expertmodus in (in Instellingen > Extra functies) om aan te kunnen passen!" + +#: ../../Zotlabs/Module/Settings.php:1318 +msgid "Miscellaneous Settings" +msgstr "Diverse instellingen" + +#: ../../Zotlabs/Module/Settings.php:1319 +msgid "Default photo upload folder" +msgstr "Standaard fotoalbum voor uploads" + +#: ../../Zotlabs/Module/Settings.php:1319 +#: ../../Zotlabs/Module/Settings.php:1320 +msgid "%Y - current year, %m - current month" +msgstr "%Y - dit jaar, %m - deze maand" + +#: ../../Zotlabs/Module/Settings.php:1320 +msgid "Default file upload folder" +msgstr "Standaard bestandsmap voor uploads" + +#: ../../Zotlabs/Module/Settings.php:1322 +msgid "Personal menu to display in your channel pages" +msgstr "Persoonlijk menu om op je kanaalpagina's weer te geven" + +#: ../../Zotlabs/Module/Settings.php:1324 +msgid "Remove this channel." +msgstr "Verwijder dit kanaal." + +#: ../../Zotlabs/Module/Settings.php:1325 +msgid "Firefox Share $Projectname provider" +msgstr "$Projectname-service voor Firefox Share" + +#: ../../Zotlabs/Module/Settings.php:1326 +msgid "Start calendar week on monday" +msgstr "Begin in de agenda de week op maandag" #: ../../Zotlabs/Module/Viewconnections.php:65 msgid "No connections." @@ -6527,23 +6487,9 @@ msgstr "Connecties weergeven" msgid "Source of Item" msgstr "Bron van item" -#: ../../Zotlabs/Module/Api.php:61 ../../Zotlabs/Module/Api.php:85 -msgid "Authorize application connection" -msgstr "Geef toestemming voor applicatiekoppeling" - -#: ../../Zotlabs/Module/Api.php:62 -msgid "Return to your app and insert this Securty Code:" -msgstr "Ga terug naar je app en voeg deze beveiligingscode in:" - -#: ../../Zotlabs/Module/Api.php:72 -msgid "Please login to continue." -msgstr "Inloggen om verder te kunnen gaan." - -#: ../../Zotlabs/Module/Api.php:87 -msgid "" -"Do you want to authorize this application to access your posts and contacts," -" and/or create new posts for you?" -msgstr "Wil je deze applicatie toestemming geven om jouw berichten en connecties te zien, en/of nieuwe berichten voor jou te plaatsen?" +#: ../../Zotlabs/Module/Editpost.php:35 +msgid "Item is not editable" +msgstr "Item is niet te bewerken" #: ../../Zotlabs/Module/Xchan.php:10 msgid "Xchan Lookup" @@ -6573,19 +6519,19 @@ msgstr "Chatkanaal niet gevonden" msgid "Room is full" msgstr "Chatkanaal is vol" -#: ../../Zotlabs/Lib/Enotify.php:60 ../../include/network.php:1882 +#: ../../Zotlabs/Lib/Enotify.php:60 ../../include/network.php:1887 msgid "$Projectname Notification" msgstr "$Projectname-notificatie" -#: ../../Zotlabs/Lib/Enotify.php:61 ../../include/network.php:1883 +#: ../../Zotlabs/Lib/Enotify.php:61 ../../include/network.php:1888 msgid "$projectname" msgstr "$projectname" -#: ../../Zotlabs/Lib/Enotify.php:63 ../../include/network.php:1885 +#: ../../Zotlabs/Lib/Enotify.php:63 ../../include/network.php:1890 msgid "Thank You," msgstr "Bedankt," -#: ../../Zotlabs/Lib/Enotify.php:65 ../../include/network.php:1887 +#: ../../Zotlabs/Lib/Enotify.php:65 ../../include/network.php:1892 #, php-format msgid "%s Administrator" msgstr "Beheerder %s" @@ -6802,37 +6748,37 @@ msgstr "Firefox Share" msgid "Remote Diagnostics" msgstr "Diagnose op afstand" -#: ../../Zotlabs/Lib/Apps.php:212 ../../include/features.php:90 +#: ../../Zotlabs/Lib/Apps.php:212 ../../include/features.php:93 msgid "Suggest Channels" msgstr "Kanalen voorstellen" -#: ../../Zotlabs/Lib/Apps.php:213 ../../include/nav.php:112 -#: ../../boot.php:1704 +#: ../../Zotlabs/Lib/Apps.php:213 ../../include/nav.php:114 +#: ../../boot.php:1713 msgid "Login" msgstr "Inloggen" -#: ../../Zotlabs/Lib/Apps.php:215 ../../include/nav.php:181 +#: ../../Zotlabs/Lib/Apps.php:215 ../../include/nav.php:183 msgid "Grid" msgstr "Grid" -#: ../../Zotlabs/Lib/Apps.php:220 ../../include/nav.php:184 +#: ../../Zotlabs/Lib/Apps.php:220 ../../include/nav.php:186 msgid "Channel Home" msgstr "Jouw kanaal" -#: ../../Zotlabs/Lib/Apps.php:223 ../../include/nav.php:203 -#: ../../include/conversation.php:1664 ../../include/conversation.php:1667 +#: ../../Zotlabs/Lib/Apps.php:223 ../../include/conversation.php:1679 +#: ../../include/conversation.php:1682 ../../include/nav.php:205 msgid "Events" msgstr "Agenda" -#: ../../Zotlabs/Lib/Apps.php:224 ../../include/nav.php:169 +#: ../../Zotlabs/Lib/Apps.php:224 ../../include/nav.php:171 msgid "Directory" msgstr "Kanalengids" -#: ../../Zotlabs/Lib/Apps.php:226 ../../include/nav.php:195 +#: ../../Zotlabs/Lib/Apps.php:226 ../../include/nav.php:197 msgid "Mail" msgstr "PrivĆ©berichten" -#: ../../Zotlabs/Lib/Apps.php:229 ../../include/nav.php:96 +#: ../../Zotlabs/Lib/Apps.php:229 ../../include/nav.php:98 msgid "Chat" msgstr "Chatten" @@ -6852,18 +6798,89 @@ msgstr "Willekeurig kanaal" msgid "Invite" msgstr "Uitnodigen " -#: ../../Zotlabs/Lib/Apps.php:235 ../../include/widgets.php:1480 +#: ../../Zotlabs/Lib/Apps.php:235 ../../include/widgets.php:1494 msgid "Features" msgstr "Extra functies" +#: ../../Zotlabs/Lib/Apps.php:236 +msgid "Language" +msgstr "Taal" + #: ../../Zotlabs/Lib/Apps.php:237 msgid "Post" msgstr "Bericht" +#: ../../Zotlabs/Lib/Apps.php:238 +msgid "Profile Photo" +msgstr "Profielfoto" + #: ../../Zotlabs/Lib/Apps.php:339 msgid "Purchase" msgstr "Aanschaffen" +#: ../../Zotlabs/Lib/PermissionDescription.php:31 +#: ../../include/acl_selectors.php:124 +msgid "Visible to your default audience" +msgstr "Voor iedereen zichtbaar, mits niet anders ingesteld" + +#: ../../Zotlabs/Lib/PermissionDescription.php:106 +#: ../../include/acl_selectors.php:170 +msgid "Only me" +msgstr "Alleen ik" + +#: ../../Zotlabs/Lib/PermissionDescription.php:107 +msgid "Public" +msgstr "Openbaar" + +#: ../../Zotlabs/Lib/PermissionDescription.php:108 +msgid "Anybody in the $Projectname network" +msgstr "Iedereen in het $Projectname-netwerk" + +#: ../../Zotlabs/Lib/PermissionDescription.php:109 +#, php-format +msgid "Any account on %s" +msgstr "Iedereen op %s" + +#: ../../Zotlabs/Lib/PermissionDescription.php:110 +msgid "Any of my connections" +msgstr "Al mijn geaccepteerde connecties" + +#: ../../Zotlabs/Lib/PermissionDescription.php:111 +msgid "Only connections I specifically allow" +msgstr "Alleen connecties die uitdrukkelijk door jou zijn toegestaan" + +#: ../../Zotlabs/Lib/PermissionDescription.php:112 +msgid "Anybody authenticated (could include visitors from other networks)" +msgstr "Geauthenticeerde leden (kan bezoekers van andere netwerken bevatten)" + +#: ../../Zotlabs/Lib/PermissionDescription.php:113 +msgid "Any connections including those who haven't yet been approved" +msgstr "Al mijn geaccepteerde en nog niet geaccepteerde connecties" + +#: ../../Zotlabs/Lib/PermissionDescription.php:152 +msgid "" +"This is your default setting for the audience of your normal stream, and " +"posts." +msgstr "Dit is de standaard privacy-instelling voor wie jouw berichten kan bekijken" + +#: ../../Zotlabs/Lib/PermissionDescription.php:153 +msgid "" +"This is your default setting for who can view your default channel profile" +msgstr "Dit is de standaard privacy-instelling voor wie jouw standaardprofiel kan bekijken" + +#: ../../Zotlabs/Lib/PermissionDescription.php:154 +msgid "This is your default setting for who can view your connections" +msgstr "Dit is de standaard privacy-instelling voor wie een lijst met jouw connecties kan bekijken" + +#: ../../Zotlabs/Lib/PermissionDescription.php:155 +msgid "" +"This is your default setting for who can view your file storage and photos" +msgstr "Dit is de standaard privacy-instelling voor wie jouw bestanden en foto's kan bekijken" + +#: ../../Zotlabs/Lib/PermissionDescription.php:156 +msgid "This is your default setting for the audience of your webpages" +msgstr "Dit is de standaard privacy-instelling voor wie jouw webpagina's kan bekijken" + #: ../../Zotlabs/Lib/ThreadItem.php:95 ../../include/conversation.php:667 msgid "Private Message" msgstr "Niet voor iedereen zichtbaar" @@ -6928,181 +6945,118 @@ msgstr "Berichtkenmerk onjuist" msgid "Add Tag" msgstr "Tag toevoegen" -#: ../../Zotlabs/Lib/ThreadItem.php:261 ../../include/taxonomy.php:316 +#: ../../Zotlabs/Lib/ThreadItem.php:262 ../../include/taxonomy.php:316 msgid "like" msgstr "vind dit leuk" -#: ../../Zotlabs/Lib/ThreadItem.php:262 ../../include/taxonomy.php:317 +#: ../../Zotlabs/Lib/ThreadItem.php:263 ../../include/taxonomy.php:317 msgid "dislike" msgstr "vind dit niet leuk" -#: ../../Zotlabs/Lib/ThreadItem.php:266 +#: ../../Zotlabs/Lib/ThreadItem.php:267 msgid "Share This" msgstr "Delen" -#: ../../Zotlabs/Lib/ThreadItem.php:266 +#: ../../Zotlabs/Lib/ThreadItem.php:267 msgid "share" msgstr "delen" -#: ../../Zotlabs/Lib/ThreadItem.php:275 +#: ../../Zotlabs/Lib/ThreadItem.php:276 msgid "Delivery Report" msgstr "Afleveringsrapport" -#: ../../Zotlabs/Lib/ThreadItem.php:293 +#: ../../Zotlabs/Lib/ThreadItem.php:294 #, php-format msgid "%d comment" msgid_plural "%d comments" msgstr[0] "%d reactie" msgstr[1] "%d reacties weergeven" -#: ../../Zotlabs/Lib/ThreadItem.php:322 ../../Zotlabs/Lib/ThreadItem.php:323 +#: ../../Zotlabs/Lib/ThreadItem.php:323 ../../Zotlabs/Lib/ThreadItem.php:324 #, php-format msgid "View %s's profile - %s" msgstr "Profiel van %s bekijken - %s" -#: ../../Zotlabs/Lib/ThreadItem.php:326 +#: ../../Zotlabs/Lib/ThreadItem.php:327 msgid "to" msgstr "aan" -#: ../../Zotlabs/Lib/ThreadItem.php:327 +#: ../../Zotlabs/Lib/ThreadItem.php:328 msgid "via" msgstr "via" -#: ../../Zotlabs/Lib/ThreadItem.php:328 +#: ../../Zotlabs/Lib/ThreadItem.php:329 msgid "Wall-to-Wall" msgstr "Kanaal-naar-kanaal" -#: ../../Zotlabs/Lib/ThreadItem.php:329 +#: ../../Zotlabs/Lib/ThreadItem.php:330 msgid "via Wall-To-Wall:" msgstr "via kanaal-naar-kanaal" -#: ../../Zotlabs/Lib/ThreadItem.php:341 ../../include/conversation.php:722 +#: ../../Zotlabs/Lib/ThreadItem.php:342 ../../include/conversation.php:722 #, php-format msgid "from %s" msgstr "van %s" -#: ../../Zotlabs/Lib/ThreadItem.php:344 ../../include/conversation.php:725 +#: ../../Zotlabs/Lib/ThreadItem.php:345 ../../include/conversation.php:725 #, php-format msgid "last edited: %s" msgstr "laatst bewerkt: %s" -#: ../../Zotlabs/Lib/ThreadItem.php:345 ../../include/conversation.php:726 +#: ../../Zotlabs/Lib/ThreadItem.php:346 ../../include/conversation.php:726 #, php-format msgid "Expires: %s" msgstr "Verloopt: %s" -#: ../../Zotlabs/Lib/ThreadItem.php:370 +#: ../../Zotlabs/Lib/ThreadItem.php:371 msgid "Save Bookmarks" msgstr "Bladwijzers opslaan" -#: ../../Zotlabs/Lib/ThreadItem.php:371 +#: ../../Zotlabs/Lib/ThreadItem.php:372 msgid "Add to Calendar" msgstr "Aan agenda toevoegen" -#: ../../Zotlabs/Lib/ThreadItem.php:380 +#: ../../Zotlabs/Lib/ThreadItem.php:381 msgid "Mark all seen" msgstr "Markeer alles als bekeken" -#: ../../Zotlabs/Lib/ThreadItem.php:421 ../../include/js_strings.php:7 +#: ../../Zotlabs/Lib/ThreadItem.php:422 ../../include/js_strings.php:7 #, php-format msgid "%s show all" msgstr "%s alle" -#: ../../Zotlabs/Lib/ThreadItem.php:711 ../../include/conversation.php:1226 +#: ../../Zotlabs/Lib/ThreadItem.php:712 ../../include/conversation.php:1233 msgid "Bold" msgstr "Vet" -#: ../../Zotlabs/Lib/ThreadItem.php:712 ../../include/conversation.php:1227 +#: ../../Zotlabs/Lib/ThreadItem.php:713 ../../include/conversation.php:1234 msgid "Italic" msgstr "Cursief" -#: ../../Zotlabs/Lib/ThreadItem.php:713 ../../include/conversation.php:1228 +#: ../../Zotlabs/Lib/ThreadItem.php:714 ../../include/conversation.php:1235 msgid "Underline" msgstr "Onderstrepen" -#: ../../Zotlabs/Lib/ThreadItem.php:714 ../../include/conversation.php:1229 +#: ../../Zotlabs/Lib/ThreadItem.php:715 ../../include/conversation.php:1236 msgid "Quote" msgstr "Citeren" -#: ../../Zotlabs/Lib/ThreadItem.php:715 ../../include/conversation.php:1230 +#: ../../Zotlabs/Lib/ThreadItem.php:716 ../../include/conversation.php:1237 msgid "Code" msgstr "Broncode" -#: ../../Zotlabs/Lib/ThreadItem.php:716 +#: ../../Zotlabs/Lib/ThreadItem.php:717 msgid "Image" msgstr "Afbeelding" -#: ../../Zotlabs/Lib/ThreadItem.php:717 +#: ../../Zotlabs/Lib/ThreadItem.php:718 msgid "Insert Link" msgstr "Link invoegen" -#: ../../Zotlabs/Lib/ThreadItem.php:718 +#: ../../Zotlabs/Lib/ThreadItem.php:719 msgid "Video" msgstr "Video" -#: ../../Zotlabs/Lib/PermissionDescription.php:31 -#: ../../include/acl_selectors.php:230 -msgid "Visible to your default audience" -msgstr "Voor iedereen zichtbaar, mits niet anders ingesteld" - -#: ../../Zotlabs/Lib/PermissionDescription.php:106 -#: ../../include/acl_selectors.php:266 -msgid "Only me" -msgstr "Alleen ik" - -#: ../../Zotlabs/Lib/PermissionDescription.php:107 -msgid "Public" -msgstr "Openbaar" - -#: ../../Zotlabs/Lib/PermissionDescription.php:108 -msgid "Anybody in the $Projectname network" -msgstr "Iedereen in het $Projectname-netwerk" - -#: ../../Zotlabs/Lib/PermissionDescription.php:109 -#, php-format -msgid "Any account on %s" -msgstr "Iedereen op %s" - -#: ../../Zotlabs/Lib/PermissionDescription.php:110 -msgid "Any of my connections" -msgstr "Al mijn geaccepteerde connecties" - -#: ../../Zotlabs/Lib/PermissionDescription.php:111 -msgid "Only connections I specifically allow" -msgstr "Alleen connecties die uitdrukkelijk door jou zijn toegestaan" - -#: ../../Zotlabs/Lib/PermissionDescription.php:112 -msgid "Anybody authenticated (could include visitors from other networks)" -msgstr "Geauthenticeerde leden (kan bezoekers van andere netwerken bevatten)" - -#: ../../Zotlabs/Lib/PermissionDescription.php:113 -msgid "Any connections including those who haven't yet been approved" -msgstr "Al mijn geaccepteerde en nog niet geaccepteerde connecties" - -#: ../../Zotlabs/Lib/PermissionDescription.php:152 -msgid "" -"This is your default setting for the audience of your normal stream, and " -"posts." -msgstr "Dit is de standaard privacy-instelling voor wie jouw berichten kan bekijken" - -#: ../../Zotlabs/Lib/PermissionDescription.php:153 -msgid "" -"This is your default setting for who can view your default channel profile" -msgstr "Dit is de standaard privacy-instelling voor wie jouw standaardprofiel kan bekijken" - -#: ../../Zotlabs/Lib/PermissionDescription.php:154 -msgid "This is your default setting for who can view your connections" -msgstr "Dit is de standaard privacy-instelling voor wie een lijst met jouw connecties kan bekijken" - -#: ../../Zotlabs/Lib/PermissionDescription.php:155 -msgid "" -"This is your default setting for who can view your file storage and photos" -msgstr "Dit is de standaard privacy-instelling voor wie jouw bestanden en foto's kan bekijken" - -#: ../../Zotlabs/Lib/PermissionDescription.php:156 -msgid "This is your default setting for the audience of your webpages" -msgstr "Dit is de standaard privacy-instelling voor wie jouw webpagina's kan bekijken" - #: ../../include/Import/import_diaspora.php:16 msgid "No username found in import file." msgstr "Geen gebruikersnaam in het importbestand gevonden." @@ -7116,495 +7070,96 @@ msgstr "Niet in staat om een uniek kanaaladres aan te maken. Importeren is mislu msgid "Cannot locate DNS info for database server '%s'" msgstr "Kan DNS-informatie voor databaseserver '%s' niet vinden" -#: ../../include/photos.php:114 +#: ../../include/auth.php:148 +msgid "Logged out." +msgstr "Uitgelogd." + +#: ../../include/auth.php:275 +msgid "Failed authentication" +msgstr "Mislukte authenticatie" + +#: ../../include/auth.php:286 +msgid "Login failed." +msgstr "Inloggen mislukt." + +#: ../../include/bbcode.php:123 ../../include/bbcode.php:878 +#: ../../include/bbcode.php:881 ../../include/bbcode.php:886 +#: ../../include/bbcode.php:889 ../../include/bbcode.php:892 +#: ../../include/bbcode.php:895 ../../include/bbcode.php:900 +#: ../../include/bbcode.php:903 ../../include/bbcode.php:908 +#: ../../include/bbcode.php:911 ../../include/bbcode.php:914 +#: ../../include/bbcode.php:917 +msgid "Image/photo" +msgstr "Afbeelding/foto" + +#: ../../include/bbcode.php:162 ../../include/bbcode.php:928 +msgid "Encrypted content" +msgstr "Versleutelde inhoud" + +#: ../../include/bbcode.php:178 #, php-format -msgid "Image exceeds website size limit of %lu bytes" -msgstr "Afbeelding is groter dan op deze hub toegestane limiet van %lu bytes" +msgid "Install %s element: " +msgstr "Installeer %s-element: " -#: ../../include/photos.php:121 -msgid "Image file is empty." -msgstr "Afbeeldingsbestand is leeg" - -#: ../../include/photos.php:259 -msgid "Photo storage failed." -msgstr "Foto kan niet worden opgeslagen" - -#: ../../include/photos.php:299 -msgid "a new photo" -msgstr "een nieuwe foto" - -#: ../../include/photos.php:303 +#: ../../include/bbcode.php:182 #, php-format -msgctxt "photo_upload" -msgid "%1$s posted %2$s to %3$s" -msgstr "%1$s plaatste %2$s op %3$s" - -#: ../../include/photos.php:506 ../../include/conversation.php:1650 -msgid "Photo Albums" -msgstr "Fotoalbums" - -#: ../../include/photos.php:510 -msgid "Upload New Photos" -msgstr "Nieuwe foto's uploaden" - -#: ../../include/nav.php:82 ../../include/nav.php:115 ../../boot.php:1703 -msgid "Logout" -msgstr "Uitloggen" - -#: ../../include/nav.php:82 ../../include/nav.php:115 -msgid "End this session" -msgstr "BeĆ«indig deze sessie" - -#: ../../include/nav.php:85 ../../include/nav.php:146 -msgid "Home" -msgstr "Home" - -#: ../../include/nav.php:85 -msgid "Your posts and conversations" -msgstr "Jouw kanaal" - -#: ../../include/nav.php:86 -msgid "Your profile page" -msgstr "Jouw profielpagina" - -#: ../../include/nav.php:88 -msgid "Manage/Edit profiles" -msgstr "Beheer/wijzig profielen" - -#: ../../include/nav.php:90 ../../include/channel.php:980 -msgid "Edit Profile" -msgstr "Profiel bewerken" - -#: ../../include/nav.php:90 -msgid "Edit your profile" -msgstr "Jouw profiel bewerken" - -#: ../../include/nav.php:92 -msgid "Your photos" -msgstr "Jouw foto's" - -#: ../../include/nav.php:93 -msgid "Your files" -msgstr "Jouw bestanden" - -#: ../../include/nav.php:96 -msgid "Your chatrooms" -msgstr "Jouw chatkanalen" - -#: ../../include/nav.php:102 ../../include/conversation.php:1690 -msgid "Bookmarks" -msgstr "Bladwijzers" - -#: ../../include/nav.php:102 -msgid "Your bookmarks" -msgstr "Jouw bladwijzers" - -#: ../../include/nav.php:106 -msgid "Your webpages" -msgstr "Jouw webpagina's" - -#: ../../include/nav.php:108 -msgid "Your wiki" -msgstr "Jouw wiki" - -#: ../../include/nav.php:112 -msgid "Sign in" -msgstr "Inloggen" - -#: ../../include/nav.php:129 -#, php-format -msgid "%s - click to logout" -msgstr "%s - klik om uit te loggen" - -#: ../../include/nav.php:132 -msgid "Remote authentication" -msgstr "Authenticatie op afstand" - -#: ../../include/nav.php:132 -msgid "Click to authenticate to your home hub" -msgstr "Authenticeer jezelf via (bijvoorbeeld) jouw hub" - -#: ../../include/nav.php:146 -msgid "Home Page" -msgstr "Homepage" - -#: ../../include/nav.php:149 -msgid "Create an account" -msgstr "Maak een account aan" - -#: ../../include/nav.php:161 -msgid "Help and documentation" -msgstr "Hulp en documentatie" - -#: ../../include/nav.php:165 -msgid "Applications, utilities, links, games" -msgstr "Apps" - -#: ../../include/nav.php:167 -msgid "Search site @name, #tag, ?docs, content" -msgstr "Zoek een @kanaal, doorzoek inhoud hub met tekst en #tags, of doorzoek ?documentatie " - -#: ../../include/nav.php:169 -msgid "Channel Directory" -msgstr "Kanalengids" - -#: ../../include/nav.php:181 -msgid "Your grid" -msgstr "Jouw grid" - -#: ../../include/nav.php:182 -msgid "Mark all grid notifications seen" -msgstr "Markeer alle gridnotificaties als bekeken" - -#: ../../include/nav.php:184 -msgid "Channel home" -msgstr "Jouw kanaal" - -#: ../../include/nav.php:185 -msgid "Mark all channel notifications seen" -msgstr "Alle kanaalnotificaties als gelezen markeren" - -#: ../../include/nav.php:191 -msgid "Notices" -msgstr "Notificaties" - -#: ../../include/nav.php:191 -msgid "Notifications" -msgstr "Notificaties" - -#: ../../include/nav.php:192 -msgid "See all notifications" -msgstr "Alle notificaties weergeven" - -#: ../../include/nav.php:195 -msgid "Private mail" -msgstr "PrivĆ©berichten" - -#: ../../include/nav.php:196 -msgid "See all private messages" -msgstr "Alle privĆ©berichten weergeven" - -#: ../../include/nav.php:197 -msgid "Mark all private messages seen" -msgstr "Markeer alle privĆ©berichten als bekeken" - -#: ../../include/nav.php:198 ../../include/widgets.php:667 -msgid "Inbox" -msgstr "Postvak IN" - -#: ../../include/nav.php:199 ../../include/widgets.php:672 -msgid "Outbox" -msgstr "Postvak UIT" - -#: ../../include/nav.php:200 ../../include/widgets.php:677 -msgid "New Message" -msgstr "Nieuw bericht" - -#: ../../include/nav.php:203 -msgid "Event Calendar" -msgstr "Agenda" - -#: ../../include/nav.php:204 -msgid "See all events" -msgstr "Alle gebeurtenissen weergeven" - -#: ../../include/nav.php:205 -msgid "Mark all events seen" -msgstr "Markeer alle gebeurtenissen als bekeken" - -#: ../../include/nav.php:208 -msgid "Manage Your Channels" -msgstr "Beheer je kanalen" - -#: ../../include/nav.php:210 -msgid "Account/Channel Settings" -msgstr "Account-/kanaal-instellingen" - -#: ../../include/nav.php:218 ../../include/widgets.php:1510 -msgid "Admin" -msgstr "Beheer" - -#: ../../include/nav.php:218 -msgid "Site Setup and Configuration" -msgstr "Hub instellen en beheren" - -#: ../../include/nav.php:249 ../../include/conversation.php:854 -msgid "Loading..." -msgstr "Aan het laden..." - -#: ../../include/nav.php:254 -msgid "@name, #tag, ?doc, content" -msgstr "@kanaal, #tag, inhoud, ?hulp" - -#: ../../include/nav.php:255 -msgid "Please wait..." -msgstr "Wachten aub..." - -#: ../../include/network.php:704 -msgid "view full size" -msgstr "volledige grootte tonen" - -#: ../../include/network.php:1930 ../../include/account.php:317 -#: ../../include/account.php:344 ../../include/account.php:404 -msgid "Administrator" -msgstr "Beheerder" - -#: ../../include/network.php:1944 -msgid "No Subject" -msgstr "Geen onderwerp" - -#: ../../include/network.php:2198 ../../include/network.php:2199 -msgid "Friendica" -msgstr "Friendica" - -#: ../../include/network.php:2200 -msgid "OStatus" -msgstr "OStatus" - -#: ../../include/network.php:2201 -msgid "GNU-Social" -msgstr "GNU social" - -#: ../../include/network.php:2202 -msgid "RSS/Atom" -msgstr "RSS/Atom" - -#: ../../include/network.php:2204 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../include/network.php:2205 -msgid "Facebook" -msgstr "Facebook" - -#: ../../include/network.php:2206 -msgid "Zot" -msgstr "Zot" - -#: ../../include/network.php:2207 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: ../../include/network.php:2208 -msgid "XMPP/IM" -msgstr "XMPP/IM" - -#: ../../include/network.php:2209 -msgid "MySpace" -msgstr "MySpace" - -#: ../../include/page_widgets.php:7 -msgid "New Page" -msgstr "Nieuwe pagina" - -#: ../../include/page_widgets.php:46 -msgid "Title" -msgstr "Titel" - -#: ../../include/taxonomy.php:188 ../../include/taxonomy.php:270 -#: ../../include/widgets.php:46 ../../include/widgets.php:429 -#: ../../include/contact_widgets.php:91 -msgid "Categories" -msgstr "CategorieĆ«n" - -#: ../../include/taxonomy.php:228 ../../include/taxonomy.php:249 -msgid "Tags" -msgstr "Tags" - -#: ../../include/taxonomy.php:293 -msgid "Keywords" -msgstr "Trefwoorden" - -#: ../../include/taxonomy.php:314 -msgid "have" -msgstr "heb" - -#: ../../include/taxonomy.php:314 -msgid "has" -msgstr "heeft" - -#: ../../include/taxonomy.php:315 -msgid "want" -msgstr "wil" - -#: ../../include/taxonomy.php:315 -msgid "wants" -msgstr "wil" - -#: ../../include/taxonomy.php:316 -msgid "likes" -msgstr "vindt dit leuk" - -#: ../../include/taxonomy.php:317 -msgid "dislikes" -msgstr "vindt dit niet leuk" - -#: ../../include/channel.php:33 -msgid "Unable to obtain identity information from database" -msgstr "Niet in staat om identiteitsinformatie uit de database te verkrijgen" - -#: ../../include/channel.php:67 -msgid "Empty name" -msgstr "Ontbrekende naam" - -#: ../../include/channel.php:70 -msgid "Name too long" -msgstr "Naam te lang" - -#: ../../include/channel.php:181 -msgid "No account identifier" -msgstr "Geen account-identificator" - -#: ../../include/channel.php:193 -msgid "Nickname is required." -msgstr "Bijnaam is verplicht" - -#: ../../include/channel.php:207 -msgid "Reserved nickname. Please choose another." -msgstr "Deze naam is gereserveerd. Kies een andere." - -#: ../../include/channel.php:212 msgid "" -"Nickname has unsupported characters or is already being used on this site." -msgstr "Deze naam heeft niet ondersteunde karakters of is al op deze hub in gebruik." +"This post contains an installable %s element, however you lack permissions " +"to install it on this site." +msgstr "Dit bericht heeft een te installeren %s-element, maar je hebt geen permissies om het op deze hub te installeren." -#: ../../include/channel.php:272 -msgid "Unable to retrieve created identity" -msgstr "Niet in staat om aangemaakte identiteit te vinden" - -#: ../../include/channel.php:341 -msgid "Default Profile" -msgstr "Standaardprofiel" - -#: ../../include/channel.php:830 -msgid "Requested channel is not available." -msgstr "Opgevraagd kanaal is niet beschikbaar." - -#: ../../include/channel.php:977 -msgid "Create New Profile" -msgstr "Nieuw profiel aanmaken" - -#: ../../include/channel.php:997 -msgid "Visible to everybody" -msgstr "Voor iedereen zichtbaar" - -#: ../../include/channel.php:1070 ../../include/channel.php:1182 -msgid "Gender:" -msgstr "Geslacht:" - -#: ../../include/channel.php:1071 ../../include/channel.php:1226 -msgid "Status:" -msgstr "Status:" - -#: ../../include/channel.php:1072 ../../include/channel.php:1237 -msgid "Homepage:" -msgstr "Homepagina:" - -#: ../../include/channel.php:1073 -msgid "Online Now" -msgstr "Nu online" - -#: ../../include/channel.php:1187 -msgid "Like this channel" -msgstr "Vind dit kanaal leuk" - -#: ../../include/channel.php:1211 -msgid "j F, Y" -msgstr "F j Y" - -#: ../../include/channel.php:1212 -msgid "j F" -msgstr "F j" - -#: ../../include/channel.php:1219 -msgid "Birthday:" -msgstr "Geboortedatum:" - -#: ../../include/channel.php:1232 +#: ../../include/bbcode.php:261 #, php-format -msgid "for %1$d %2$s" -msgstr "voor %1$d %2$s" +msgid "%1$s wrote the following %2$s %3$s" +msgstr "%1$s schreef het volgende %2$s %3$s" -#: ../../include/channel.php:1235 -msgid "Sexual Preference:" -msgstr "Seksuele voorkeur:" +#: ../../include/bbcode.php:338 ../../include/bbcode.php:346 +msgid "Click to open/close" +msgstr "Klik om te openen of te sluiten" -#: ../../include/channel.php:1241 -msgid "Tags:" -msgstr "Tags:" +#: ../../include/bbcode.php:346 +msgid "spoiler" +msgstr "spoiler" -#: ../../include/channel.php:1243 -msgid "Political Views:" -msgstr "Politieke overtuigingen:" +#: ../../include/bbcode.php:619 ../../include/wiki.php:525 +msgid "Different viewers will see this text differently" +msgstr "Deze tekst wordt per persoon anders weergeven." -#: ../../include/channel.php:1245 -msgid "Religion:" -msgstr "Religie:" +#: ../../include/bbcode.php:866 +msgid "$1 wrote:" +msgstr "$1 schreef:" -#: ../../include/channel.php:1249 -msgid "Hobbies/Interests:" -msgstr "Hobby's/interesses:" +#: ../../include/follow.php:27 +msgid "Channel is blocked on this site." +msgstr "Kanaal is op deze hub geblokkeerd." -#: ../../include/channel.php:1251 -msgid "Likes:" -msgstr "Houdt van:" +#: ../../include/follow.php:32 +msgid "Channel location missing." +msgstr "Ontbrekende kanaallocatie." -#: ../../include/channel.php:1253 -msgid "Dislikes:" -msgstr "Houdt niet van:" +#: ../../include/follow.php:80 +msgid "Response from remote channel was incomplete." +msgstr "Antwoord van het kanaal op afstand was niet volledig." -#: ../../include/channel.php:1255 -msgid "Contact information and Social Networks:" -msgstr "Contactinformatie en sociale netwerken:" +#: ../../include/follow.php:97 +msgid "Channel was deleted and no longer exists." +msgstr "Kanaal is verwijderd en bestaat niet meer." -#: ../../include/channel.php:1257 -msgid "My other channels:" -msgstr "Mijn andere kanalen" +#: ../../include/follow.php:147 ../../include/follow.php:183 +msgid "Protocol disabled." +msgstr "Protocol uitgeschakeld." -#: ../../include/channel.php:1259 -msgid "Musical interests:" -msgstr "Muzikale interesses:" +#: ../../include/follow.php:171 +msgid "Channel discovery failed." +msgstr "Kanaal ontdekken mislukt." -#: ../../include/channel.php:1261 -msgid "Books, literature:" -msgstr "Boeken, literatuur:" +#: ../../include/follow.php:210 +msgid "Cannot connect to yourself." +msgstr "Kan niet met jezelf verbinden" -#: ../../include/channel.php:1263 -msgid "Television:" -msgstr "Televisie:" - -#: ../../include/channel.php:1265 -msgid "Film/dance/culture/entertainment:" -msgstr "Films/dansen/cultuur/vermaak:" - -#: ../../include/channel.php:1267 -msgid "Love/Romance:" -msgstr "Liefde/romantiek:" - -#: ../../include/channel.php:1269 -msgid "Work/employment:" -msgstr "Werk/beroep:" - -#: ../../include/channel.php:1271 -msgid "School/education:" -msgstr "School/opleiding:" - -#: ../../include/channel.php:1292 -msgid "Like this thing" -msgstr "Vind dit ding leuk" - -#: ../../include/connections.php:95 -msgid "New window" -msgstr "Nieuw venster" - -#: ../../include/connections.php:96 -msgid "Open the selected location in a different window or browser tab" -msgstr "Open de geselecteerde locatie in een ander venster of tab" - -#: ../../include/connections.php:214 -#, php-format -msgid "User '%s' deleted" -msgstr "Account '%s' verwijderd" +#: ../../include/api.php:1330 +msgid "Public Timeline" +msgstr "Openbare tijdlijn" #: ../../include/conversation.php:204 #, php-format @@ -7638,246 +7193,681 @@ msgstr "Bewaard onder:" msgid "View in context" msgstr "In context bekijken" -#: ../../include/conversation.php:850 +#: ../../include/conversation.php:851 msgid "remove" msgstr "verwijderen" -#: ../../include/conversation.php:855 +#: ../../include/conversation.php:855 ../../include/nav.php:251 +msgid "Loading..." +msgstr "Aan het laden..." + +#: ../../include/conversation.php:856 msgid "Delete Selected Items" msgstr "Verwijder de geselecteerde items" -#: ../../include/conversation.php:951 +#: ../../include/conversation.php:952 msgid "View Source" msgstr "Bron weergeven" -#: ../../include/conversation.php:952 +#: ../../include/conversation.php:953 msgid "Follow Thread" msgstr "Conversatie volgen" -#: ../../include/conversation.php:953 +#: ../../include/conversation.php:954 msgid "Unfollow Thread" msgstr "Conversatie niet meer volgen" -#: ../../include/conversation.php:958 +#: ../../include/conversation.php:959 msgid "Activity/Posts" msgstr "Activiteit/berichten connectie" -#: ../../include/conversation.php:960 +#: ../../include/conversation.php:961 msgid "Edit Connection" msgstr "Connectie bewerken" -#: ../../include/conversation.php:961 +#: ../../include/conversation.php:962 msgid "Message" msgstr "Bericht" -#: ../../include/conversation.php:1078 +#: ../../include/conversation.php:1079 #, php-format msgid "%s likes this." msgstr "%s vindt dit leuk." -#: ../../include/conversation.php:1078 +#: ../../include/conversation.php:1079 #, php-format msgid "%s doesn't like this." msgstr "%s vindt dit niet leuk." -#: ../../include/conversation.php:1082 +#: ../../include/conversation.php:1083 #, php-format msgid "%2$d people like this." msgid_plural "%2$d people like this." msgstr[0] "%2$d persoon vindt dit leuk." msgstr[1] "%2$d personen vinden dit leuk." -#: ../../include/conversation.php:1084 +#: ../../include/conversation.php:1085 #, php-format msgid "%2$d people don't like this." msgid_plural "%2$d people don't like this." msgstr[0] "%2$d persoon vindt dit niet leuk." msgstr[1] "%2$d personen vinden dit niet leuk." -#: ../../include/conversation.php:1090 +#: ../../include/conversation.php:1091 msgid "and" msgstr "en" -#: ../../include/conversation.php:1093 +#: ../../include/conversation.php:1094 #, php-format msgid ", and %d other people" msgid_plural ", and %d other people" msgstr[0] ", en %d ander persoon" msgstr[1] ", en %d andere personen" -#: ../../include/conversation.php:1094 +#: ../../include/conversation.php:1095 #, php-format msgid "%s like this." msgstr "%s vinden dit leuk." -#: ../../include/conversation.php:1094 +#: ../../include/conversation.php:1095 #, php-format msgid "%s don't like this." msgstr "%s vinden dit niet leuk." -#: ../../include/conversation.php:1133 +#: ../../include/conversation.php:1138 msgid "Set your location" msgstr "Locatie instellen" -#: ../../include/conversation.php:1134 +#: ../../include/conversation.php:1139 msgid "Clear browser location" msgstr "Locatie van webbrowser wissen" -#: ../../include/conversation.php:1182 +#: ../../include/conversation.php:1187 msgid "Tag term:" msgstr "Tag:" -#: ../../include/conversation.php:1183 +#: ../../include/conversation.php:1188 msgid "Where are you right now?" msgstr "Waar bevind je je op dit moment?" -#: ../../include/conversation.php:1221 +#: ../../include/conversation.php:1197 +msgid "Comments enabled" +msgstr "Reacties ingeschakeld" + +#: ../../include/conversation.php:1198 +msgid "Comments disabled" +msgstr "Reacties uitgeschakeld" + +#: ../../include/conversation.php:1228 msgid "Page link name" msgstr "Linknaam pagina" -#: ../../include/conversation.php:1224 +#: ../../include/conversation.php:1231 msgid "Post as" msgstr "Bericht plaatsen als" -#: ../../include/conversation.php:1238 +#: ../../include/conversation.php:1245 msgid "Toggle voting" msgstr "Peiling in- of uitschakelen" -#: ../../include/conversation.php:1246 +#: ../../include/conversation.php:1248 +msgid "Disable comments" +msgstr "Reacties uitschakelen" + +#: ../../include/conversation.php:1249 +msgid "Toggle comments" +msgstr "Reacties in- of uitschakelen" + +#: ../../include/conversation.php:1257 msgid "Categories (optional, comma-separated list)" msgstr "CategorieĆ«n (optioneel, door komma's gescheiden lijst)" -#: ../../include/conversation.php:1269 +#: ../../include/conversation.php:1284 msgid "Set publish date" msgstr "Publicatiedatum instellen" -#: ../../include/conversation.php:1518 +#: ../../include/conversation.php:1533 msgid "Discover" msgstr "Ontdekken" -#: ../../include/conversation.php:1521 +#: ../../include/conversation.php:1536 msgid "Imported public streams" msgstr "Openbare streams importeren" -#: ../../include/conversation.php:1526 +#: ../../include/conversation.php:1541 msgid "Commented Order" msgstr "Nieuwe reacties bovenaan" -#: ../../include/conversation.php:1529 +#: ../../include/conversation.php:1544 msgid "Sort by Comment Date" msgstr "Berichten met nieuwe reacties bovenaan" -#: ../../include/conversation.php:1533 +#: ../../include/conversation.php:1548 msgid "Posted Order" msgstr "Nieuwe berichten bovenaan" -#: ../../include/conversation.php:1536 +#: ../../include/conversation.php:1551 msgid "Sort by Post Date" msgstr "Nieuwe berichten bovenaan" -#: ../../include/conversation.php:1544 +#: ../../include/conversation.php:1559 msgid "Posts that mention or involve you" msgstr "Alleen berichten die jou vermelden of waar je op een andere manier bij betrokken bent" -#: ../../include/conversation.php:1553 +#: ../../include/conversation.php:1568 msgid "Activity Stream - by date" msgstr "Activiteitenstroom - volgens datum" -#: ../../include/conversation.php:1559 +#: ../../include/conversation.php:1574 msgid "Starred" msgstr "Met ster" -#: ../../include/conversation.php:1562 +#: ../../include/conversation.php:1577 msgid "Favourite Posts" msgstr "Favoriete berichten" -#: ../../include/conversation.php:1569 +#: ../../include/conversation.php:1584 msgid "Spam" msgstr "Spam" -#: ../../include/conversation.php:1572 +#: ../../include/conversation.php:1587 msgid "Posts flagged as SPAM" msgstr "Berichten gemarkeerd als SPAM" -#: ../../include/conversation.php:1629 +#: ../../include/conversation.php:1644 msgid "Status Messages and Posts" msgstr "Berichten in dit kanaal" -#: ../../include/conversation.php:1638 +#: ../../include/conversation.php:1653 msgid "About" msgstr "Over" -#: ../../include/conversation.php:1641 +#: ../../include/conversation.php:1656 msgid "Profile Details" msgstr "Profiel" -#: ../../include/conversation.php:1657 +#: ../../include/conversation.php:1665 ../../include/photos.php:506 +msgid "Photo Albums" +msgstr "Fotoalbums" + +#: ../../include/conversation.php:1672 msgid "Files and Storage" msgstr "Bestanden en opslagruimte" -#: ../../include/conversation.php:1677 ../../include/conversation.php:1680 -#: ../../include/widgets.php:836 +#: ../../include/conversation.php:1692 ../../include/conversation.php:1695 +#: ../../include/widgets.php:850 msgid "Chatrooms" msgstr "Chatkanalen" -#: ../../include/conversation.php:1693 +#: ../../include/conversation.php:1705 ../../include/nav.php:104 +msgid "Bookmarks" +msgstr "Bladwijzers" + +#: ../../include/conversation.php:1708 msgid "Saved Bookmarks" msgstr "Opgeslagen bladwijzers" -#: ../../include/conversation.php:1703 +#: ../../include/conversation.php:1718 msgid "Manage Webpages" msgstr "Webpagina's beheren" -#: ../../include/conversation.php:1768 +#: ../../include/conversation.php:1783 msgctxt "noun" msgid "Attending" msgid_plural "Attending" msgstr[0] "aanwezig" msgstr[1] "aanwezig" -#: ../../include/conversation.php:1771 +#: ../../include/conversation.php:1786 msgctxt "noun" msgid "Not Attending" msgid_plural "Not Attending" msgstr[0] "niet aanwezig" msgstr[1] "niet aanwezig" -#: ../../include/conversation.php:1774 +#: ../../include/conversation.php:1789 msgctxt "noun" msgid "Undecided" msgid_plural "Undecided" msgstr[0] "nog niet beslist" msgstr[1] "nog niet beslist" -#: ../../include/conversation.php:1777 +#: ../../include/conversation.php:1792 msgctxt "noun" msgid "Agree" msgid_plural "Agrees" msgstr[0] "eens" msgstr[1] "eens" -#: ../../include/conversation.php:1780 +#: ../../include/conversation.php:1795 msgctxt "noun" msgid "Disagree" msgid_plural "Disagrees" msgstr[0] "oneens" msgstr[1] "oneens" -#: ../../include/conversation.php:1783 +#: ../../include/conversation.php:1798 msgctxt "noun" msgid "Abstain" msgid_plural "Abstains" msgstr[0] "onthouding" msgstr[1] "onthoudingen" -#: ../../include/import.php:30 -msgid "" -"Cannot create a duplicate channel identifier on this system. Import failed." -msgstr "Kan geen dubbele kanaal-identificator op deze hub aanmaken. Importeren mislukt." +#: ../../include/features.php:50 +msgid "General Features" +msgstr "Algemene functies" -#: ../../include/import.php:97 -msgid "Channel clone failed. Import failed." -msgstr "Het klonen van het kanaal is mislukt. Importeren mislukt." +#: ../../include/features.php:52 +msgid "Content Expiration" +msgstr "Inhoud laten verlopen" + +#: ../../include/features.php:52 +msgid "Remove posts/comments and/or private messages at a future time" +msgstr "Berichten, reacties en/of privĆ©berichten na een bepaalde tijd verwijderen" + +#: ../../include/features.php:53 +msgid "Multiple Profiles" +msgstr "Meerdere profielen" + +#: ../../include/features.php:53 +msgid "Ability to create multiple profiles" +msgstr "Mogelijkheid om meerdere profielen aan te maken" + +#: ../../include/features.php:54 +msgid "Advanced Profiles" +msgstr "Geavanceerde profielen" + +#: ../../include/features.php:54 +msgid "Additional profile sections and selections" +msgstr "Extra onderdelen en keuzes voor je profiel" + +#: ../../include/features.php:55 +msgid "Profile Import/Export" +msgstr "Profiel importen/exporteren" + +#: ../../include/features.php:55 +msgid "Save and load profile details across sites/channels" +msgstr "Profielgegevens opslaan en in andere hubs/kanalen gebruiken." + +#: ../../include/features.php:56 +msgid "Web Pages" +msgstr "Webpagina's" + +#: ../../include/features.php:56 +msgid "Provide managed web pages on your channel" +msgstr "Sta beheerde webpagina's op jouw kanaal toe" + +#: ../../include/features.php:57 +msgid "Provide a wiki for your channel" +msgstr "Voeg een wiki aan jouw kanaal toe" + +#: ../../include/features.php:58 +msgid "Hide Rating" +msgstr "Beoordelingen verbergen" + +#: ../../include/features.php:58 +msgid "" +"Hide the rating buttons on your channel and profile pages. Note: People can " +"still rate you somewhere else." +msgstr "Verbergt de beoordelingsknoppen op jouw kanaal- en profielpagina's. Let op: Mensen kunnen jou nog steeds ergens anders beoordelen. " + +#: ../../include/features.php:59 +msgid "Private Notes" +msgstr "PrivĆ©-aantekeningen" + +#: ../../include/features.php:59 +msgid "Enables a tool to store notes and reminders (note: not encrypted)" +msgstr "Een eenvoudige toepassing om aantekeningen en herinneringen in te bewaren (let op: niet versleuteld)" + +#: ../../include/features.php:60 +msgid "Navigation Channel Select" +msgstr "Kanaal kiezen in navigatiemenu" + +#: ../../include/features.php:60 +msgid "Change channels directly from within the navigation dropdown menu" +msgstr "Kies een ander kanaal direct vanuit het dropdown-menu op de navigatiebalk" + +#: ../../include/features.php:61 +msgid "Photo Location" +msgstr "Fotolocatie" + +#: ../../include/features.php:61 +msgid "If location data is available on uploaded photos, link this to a map." +msgstr "Wanneer in de geüploade foto's locatiegegevens aanwezig zijn, link dit dan aan een kaart." + +#: ../../include/features.php:62 +msgid "Access Controlled Chatrooms" +msgstr "Chatkanalen met toegangscontrole " + +#: ../../include/features.php:62 +msgid "Provide chatrooms and chat services with access control." +msgstr "Chatkanalen en chatdiensten met toegangscontrole aanbieden." + +#: ../../include/features.php:63 +msgid "Smart Birthdays" +msgstr "Slimme verjaardagen" + +#: ../../include/features.php:63 +msgid "" +"Make birthday events timezone aware in case your friends are scattered " +"across the planet." +msgstr "Maak verjaardagen bewust van tijdzones. Voor het geval dat jouw vrienden over de hele wereld verspreid zijn." + +#: ../../include/features.php:64 +msgid "Expert Mode" +msgstr "Expertmodus" + +#: ../../include/features.php:64 +msgid "Enable Expert Mode to provide advanced configuration options" +msgstr "Schakel de expertmodus in voor geavanceerde instellingen" + +#: ../../include/features.php:65 +msgid "Premium Channel" +msgstr "Premiumkanaal" + +#: ../../include/features.php:65 +msgid "" +"Allows you to set restrictions and terms on those that connect with your " +"channel" +msgstr "Stelt je in staat om beperkingen en voorwaarden in te stellen voor jouw kanaal" + +#: ../../include/features.php:70 +msgid "Post Composition Features" +msgstr "Functies voor het opstellen van berichten" + +#: ../../include/features.php:73 +msgid "Large Photos" +msgstr "Grote foto's" + +#: ../../include/features.php:73 +msgid "" +"Include large (1024px) photo thumbnails in posts. If not enabled, use small " +"(640px) photo thumbnails" +msgstr "Gebruik grotere foto's (1024px) in berichten. Wanneer dit is uitgeschakeld worden er kleinere foto's (640px) gebruikt." + +#: ../../include/features.php:74 +msgid "Automatically import channel content from other channels or feeds" +msgstr "Automatisch inhoud uit andere kanalen of feeds importeren." + +#: ../../include/features.php:75 +msgid "Even More Encryption" +msgstr "Extra encryptie" + +#: ../../include/features.php:75 +msgid "" +"Allow optional encryption of content end-to-end with a shared secret key" +msgstr "Sta toe dat inhoud extra end-to-end wordt versleuteld met een gedeelde geheime sleutel." + +#: ../../include/features.php:76 +msgid "Enable Voting Tools" +msgstr "Peilingen inschakelen" + +#: ../../include/features.php:76 +msgid "Provide a class of post which others can vote on" +msgstr "Maakt het mogelijk om een bericht op te stellen, waar mensen op kunnen stemmen." + +#: ../../include/features.php:77 +msgid "Disable Comments" +msgstr "Reacties uitschakelen" + +#: ../../include/features.php:77 +msgid "Provide the option to disable comments for a post" +msgstr "Maak het mogelijk dat reacties op een bericht kunnen worden uitgeschakeld" + +#: ../../include/features.php:78 +msgid "Delayed Posting" +msgstr "Berichten uitstellen" + +#: ../../include/features.php:78 +msgid "Allow posts to be published at a later date" +msgstr "Maakt het mogelijk dat berichten op een toekomstig moment gepubliceerd kunnen worden." + +#: ../../include/features.php:79 +msgid "Suppress Duplicate Posts/Comments" +msgstr "Dubbele berichten/reacties tegenhouden" + +#: ../../include/features.php:79 +msgid "" +"Prevent posts with identical content to be published with less than two " +"minutes in between submissions." +msgstr "Voorkomt dat berichten en reacties met identieke inhoud en die binnen twee minuten zijn verstuurd, worden gepubliceerd. " + +#: ../../include/features.php:85 +msgid "Network and Stream Filtering" +msgstr "Netwerk- en streamfilter" + +#: ../../include/features.php:86 +msgid "Search by Date" +msgstr "Zoek op datum" + +#: ../../include/features.php:86 +msgid "Ability to select posts by date ranges" +msgstr "Mogelijkheid om berichten op datum te filteren " + +#: ../../include/features.php:87 ../../include/group.php:311 +msgid "Privacy Groups" +msgstr "Privacygroepen" + +#: ../../include/features.php:87 +msgid "Enable management and selection of privacy groups" +msgstr "Beheer en selectie van privacygroepen inschakelen" + +#: ../../include/features.php:88 ../../include/widgets.php:281 +msgid "Saved Searches" +msgstr "Opgeslagen zoekopdrachten" + +#: ../../include/features.php:88 +msgid "Save search terms for re-use" +msgstr "Sla zoekopdrachten op voor hergebruik" + +#: ../../include/features.php:89 +msgid "Network Personal Tab" +msgstr "Persoonlijke netwerktab" + +#: ../../include/features.php:89 +msgid "Enable tab to display only Network posts that you've interacted on" +msgstr "Sta het toe dat de tab netwerkberichten toont waarmee je interactie had" + +#: ../../include/features.php:90 +msgid "Network New Tab" +msgstr "Nieuwe netwerktab" + +#: ../../include/features.php:90 +msgid "Enable tab to display all new Network activity" +msgstr "Laat de tab alle nieuwe netwerkactiviteit tonen" + +#: ../../include/features.php:91 +msgid "Affinity Tool" +msgstr "Verwantschapsfilter" + +#: ../../include/features.php:91 +msgid "Filter stream activity by depth of relationships" +msgstr "Filter wat je in jouw grid ziet op hoe goed je iemand kent of mag" + +#: ../../include/features.php:92 +msgid "Connection Filtering" +msgstr "Berichtenfilters" + +#: ../../include/features.php:92 +msgid "Filter incoming posts from connections based on keywords/content" +msgstr "Filter binnenkomende berichten van connecties aan de hand van trefwoorden en taal" + +#: ../../include/features.php:93 +msgid "Show channel suggestions" +msgstr "Voor jou mogelijk interessante kanalen voorstellen" + +#: ../../include/features.php:98 +msgid "Post/Comment Tools" +msgstr "Bericht- en reactiehulpmiddelen" + +#: ../../include/features.php:99 +msgid "Community Tagging" +msgstr "Taggen door anderen" + +#: ../../include/features.php:99 +msgid "Ability to tag existing posts" +msgstr "Geeft andere mensen de mogelijkheid om jouw (bestaande) berichten te taggen" + +#: ../../include/features.php:100 +msgid "Post Categories" +msgstr "CategorieĆ«n berichten" + +#: ../../include/features.php:100 +msgid "Add categories to your posts" +msgstr "Voeg categorieĆ«n toe aan je berichten" + +#: ../../include/features.php:101 +msgid "Emoji Reactions" +msgstr "Emoji-reacties" + +#: ../../include/features.php:101 +msgid "Add emoji reaction ability to posts" +msgstr "Emoji-reacties in berichten toestaan" + +#: ../../include/features.php:102 ../../include/widgets.php:310 +#: ../../include/contact_widgets.php:53 +msgid "Saved Folders" +msgstr "Bewaarde mappen" + +#: ../../include/features.php:102 +msgid "Ability to file posts under folders" +msgstr "Mogelijkheid om berichten in mappen op te slaan" + +#: ../../include/features.php:103 +msgid "Dislike Posts" +msgstr "Vind berichten niet leuk" + +#: ../../include/features.php:103 +msgid "Ability to dislike posts/comments" +msgstr "Mogelijkheid om berichten en reacties niet leuk te vinden" + +#: ../../include/features.php:104 +msgid "Star Posts" +msgstr "Geef berichten een ster" + +#: ../../include/features.php:104 +msgid "Ability to mark special posts with a star indicator" +msgstr "Mogelijkheid om speciale berichten met een ster te markeren" + +#: ../../include/features.php:105 +msgid "Tag Cloud" +msgstr "Tagwolk" + +#: ../../include/features.php:105 +msgid "Provide a personal tag cloud on your channel page" +msgstr "Zorgt voor een persoonlijke wolk met tags op jouw kanaalpagina" + +#: ../../include/datetime.php:135 +msgid "Birthday" +msgstr "Verjaardag of geboortedatum" + +#: ../../include/datetime.php:137 +msgid "Age: " +msgstr "Leeftijd:" + +#: ../../include/datetime.php:139 +msgid "YYYY-MM-DD or MM-DD" +msgstr "JJJJ-MM-DD of MM-DD" + +#: ../../include/datetime.php:272 ../../boot.php:2552 +msgid "never" +msgstr "nooit" + +#: ../../include/datetime.php:278 +msgid "less than a second ago" +msgstr "minder dan een seconde geleden" + +#: ../../include/datetime.php:296 +#, php-format +msgctxt "e.g. 22 hours ago, 1 minute ago" +msgid "%1$d %2$s ago" +msgstr "%1$d %2$s geleden" + +#: ../../include/datetime.php:307 +msgctxt "relative_date" +msgid "year" +msgid_plural "years" +msgstr[0] "jaar" +msgstr[1] "jaren" + +#: ../../include/datetime.php:310 +msgctxt "relative_date" +msgid "month" +msgid_plural "months" +msgstr[0] "maand" +msgstr[1] "maanden" + +#: ../../include/datetime.php:313 +msgctxt "relative_date" +msgid "week" +msgid_plural "weeks" +msgstr[0] "week" +msgstr[1] "weken" + +#: ../../include/datetime.php:316 +msgctxt "relative_date" +msgid "day" +msgid_plural "days" +msgstr[0] "dag" +msgstr[1] "dagen" + +#: ../../include/datetime.php:319 +msgctxt "relative_date" +msgid "hour" +msgid_plural "hours" +msgstr[0] "uur" +msgstr[1] "uren" + +#: ../../include/datetime.php:322 +msgctxt "relative_date" +msgid "minute" +msgid_plural "minutes" +msgstr[0] "minuut" +msgstr[1] "minuten" + +#: ../../include/datetime.php:325 +msgctxt "relative_date" +msgid "second" +msgid_plural "seconds" +msgstr[0] "seconde" +msgstr[1] "seconden" + +#: ../../include/datetime.php:562 +#, php-format +msgid "%1$s's birthday" +msgstr "Verjaardag van %1$s" + +#: ../../include/datetime.php:563 +#, php-format +msgid "Happy Birthday %1$s" +msgstr "Gefeliciteerd met je verjaardag %1$s" + +#: ../../include/photos.php:114 +#, php-format +msgid "Image exceeds website size limit of %lu bytes" +msgstr "Afbeelding is groter dan op deze hub toegestane limiet van %lu bytes" + +#: ../../include/photos.php:121 +msgid "Image file is empty." +msgstr "Afbeeldingsbestand is leeg" + +#: ../../include/photos.php:259 +msgid "Photo storage failed." +msgstr "Foto kan niet worden opgeslagen" + +#: ../../include/photos.php:299 +msgid "a new photo" +msgstr "een nieuwe foto" + +#: ../../include/photos.php:303 +#, php-format +msgctxt "photo_upload" +msgid "%1$s posted %2$s to %3$s" +msgstr "%1$s plaatste %2$s op %3$s" + +#: ../../include/photos.php:510 +msgid "Upload New Photos" +msgstr "Nieuwe foto's uploaden" #: ../../include/selectors.php:30 msgid "Frequently" @@ -7903,6 +7893,14 @@ msgstr "Wekelijks" msgid "Monthly" msgstr "Maandelijks" +#: ../../include/selectors.php:49 ../../include/selectors.php:66 +msgid "Male" +msgstr "Man" + +#: ../../include/selectors.php:49 ../../include/selectors.php:66 +msgid "Female" +msgstr "Vrouw" + #: ../../include/selectors.php:49 msgid "Currently Male" msgstr "Momenteel man" @@ -8119,21 +8117,980 @@ msgstr "Maakt mij niks uit" msgid "Ask me" msgstr "Vraag het me" -#: ../../include/bookmarks.php:35 -#, php-format -msgid "%1$s's bookmarks" -msgstr "Bladwijzers van %1$s" +#: ../../include/permissions.php:29 +msgid "Can view my normal stream and posts" +msgstr "Kan mijn normale kanaalstream en berichten bekijken" + +#: ../../include/permissions.php:33 +msgid "Can view my webpages" +msgstr "Kan mijn pagina's bekijken" + +#: ../../include/permissions.php:37 +msgid "Can post on my channel page (\"wall\")" +msgstr "Kan een bericht in mijn kanaal plaatsen" + +#: ../../include/permissions.php:40 +msgid "Can like/dislike stuff" +msgstr "Kan dingen leuk of niet leuk vinden" + +#: ../../include/permissions.php:40 +msgid "Profiles and things other than posts/comments" +msgstr "Profielen en dingen, buiten berichten en reacties" + +#: ../../include/permissions.php:42 +msgid "Can forward to all my channel contacts via post @mentions" +msgstr "Kan naar al mijn kanaalconnecties berichten doorsturen met behulp van @vermeldingen+" + +#: ../../include/permissions.php:42 +msgid "Advanced - useful for creating group forum channels" +msgstr "Geavanceerd - nuttig voor groepforums" + +#: ../../include/permissions.php:43 +msgid "Can chat with me (when available)" +msgstr "Kan met mij chatten (wanneer beschikbaar)" + +#: ../../include/permissions.php:44 +msgid "Can write to my file storage and photos" +msgstr "Kan foto's en andere bestanden aan mijn bestandsopslag toevoegen" + +#: ../../include/permissions.php:45 +msgid "Can edit my webpages" +msgstr "Kan mijn pagina's bewerken" + +#: ../../include/permissions.php:47 +msgid "Somewhat advanced - very useful in open communities" +msgstr "Enigszins geavanceerd (erg nuttig voor kanalen van forums/groepen)" + +#: ../../include/permissions.php:49 +msgid "Can administer my channel resources" +msgstr "Kan mijn kanaal beheren" + +#: ../../include/permissions.php:49 +msgid "" +"Extremely advanced. Leave this alone unless you know what you are doing" +msgstr "Zeer geavanceerd. Laat dit met rust, behalve als je weet wat je doet." #: ../../include/security.php:109 msgid "guest:" msgstr "gast:" -#: ../../include/security.php:427 +#: ../../include/security.php:527 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 "De beveiligings-token van het tekstvak was ongeldig. Dit is mogelijk het gevolg van dat er te lang (meer dan 3 uur) gewacht is om de tekst op te slaan. " +#: ../../include/bookmarks.php:35 +#, php-format +msgid "%1$s's bookmarks" +msgstr "Bladwijzers van %1$s" + +#: ../../include/group.php:26 +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 "Een verwijderde collectie met deze naam is gereactiveerd. Bestaande itemrechten kunnen van toepassing zijn op deze collectie en toekomstige leden. Wanneer je dit niet zo bedoeld hebt, moet je een nieuwe collectie met een andere naam aanmaken." + +#: ../../include/group.php:248 +msgid "Add new connections to this privacy group" +msgstr "Voeg nieuwe connecties aan deze privacygroep toe" + +#: ../../include/group.php:289 +msgid "edit" +msgstr "bewerken" + +#: ../../include/group.php:312 +msgid "Edit group" +msgstr "Privacygroep bewerken" + +#: ../../include/group.php:313 +msgid "Add privacy group" +msgstr "Privacygroep toevoegen" + +#: ../../include/group.php:314 +msgid "Channels not in any privacy group" +msgstr "Kanalen die zich in geen enkele privacygroep bevinden" + +#: ../../include/group.php:316 ../../include/widgets.php:282 +msgid "add" +msgstr "toevoegen" + +#: ../../include/page_widgets.php:7 +msgid "New Page" +msgstr "Nieuwe pagina" + +#: ../../include/page_widgets.php:46 +msgid "Title" +msgstr "Titel" + +#: ../../include/widgets.php:46 ../../include/widgets.php:429 +#: ../../include/taxonomy.php:188 ../../include/taxonomy.php:270 +#: ../../include/contact_widgets.php:91 +msgid "Categories" +msgstr "CategorieĆ«n" + +#: ../../include/widgets.php:103 +msgid "System" +msgstr "Systeem" + +#: ../../include/widgets.php:106 +msgid "New App" +msgstr "Nieuwe app" + +#: ../../include/widgets.php:154 +msgid "Suggestions" +msgstr "Voorgestelde kanalen" + +#: ../../include/widgets.php:155 +msgid "See more..." +msgstr "Meer..." + +#: ../../include/widgets.php:175 +#, php-format +msgid "You have %1$.0f of %2$.0f allowed connections." +msgstr "Je hebt %1$.0f van de %2$.0f toegestane connecties." + +#: ../../include/widgets.php:181 +msgid "Add New Connection" +msgstr "Nieuwe connectie toevoegen" + +#: ../../include/widgets.php:182 +msgid "Enter channel address" +msgstr "Vul kanaaladres in" + +#: ../../include/widgets.php:183 +msgid "Examples: bob@example.com, https://example.com/barbara" +msgstr "Voorbeelden: bob@example.com, http://example.com/barbara" + +#: ../../include/widgets.php:199 +msgid "Notes" +msgstr "Aantekeningen" + +#: ../../include/widgets.php:273 +msgid "Remove term" +msgstr "Verwijder zoekterm" + +#: ../../include/widgets.php:313 ../../include/widgets.php:432 +#: ../../include/contact_widgets.php:56 ../../include/contact_widgets.php:94 +msgid "Everything" +msgstr "Alles" + +#: ../../include/widgets.php:354 +msgid "Archives" +msgstr "Archieven" + +#: ../../include/widgets.php:516 +msgid "Refresh" +msgstr "Vernieuwen" + +#: ../../include/widgets.php:556 +msgid "Account settings" +msgstr "Account" + +#: ../../include/widgets.php:562 +msgid "Channel settings" +msgstr "Kanaal" + +#: ../../include/widgets.php:571 +msgid "Additional features" +msgstr "Extra functies" + +#: ../../include/widgets.php:578 +msgid "Feature/Addon settings" +msgstr "Plugin-instellingen" + +#: ../../include/widgets.php:584 +msgid "Display settings" +msgstr "Weergave" + +#: ../../include/widgets.php:591 +msgid "Manage locations" +msgstr "Locaties beheren" + +#: ../../include/widgets.php:600 +msgid "Export channel" +msgstr "Kanaal exporteren" + +#: ../../include/widgets.php:607 +msgid "Connected apps" +msgstr "Verbonden applicaties" + +#: ../../include/widgets.php:631 +msgid "Premium Channel Settings" +msgstr "Instellingen premiumkanaal" + +#: ../../include/widgets.php:660 +msgid "Private Mail Menu" +msgstr "PrivĆ©berichten" + +#: ../../include/widgets.php:662 +msgid "Combined View" +msgstr "Gecombineerd postvak" + +#: ../../include/widgets.php:667 ../../include/nav.php:200 +msgid "Inbox" +msgstr "Postvak IN" + +#: ../../include/widgets.php:672 ../../include/nav.php:201 +msgid "Outbox" +msgstr "Postvak UIT" + +#: ../../include/widgets.php:677 ../../include/nav.php:202 +msgid "New Message" +msgstr "Nieuw bericht" + +#: ../../include/widgets.php:694 ../../include/widgets.php:706 +msgid "Conversations" +msgstr "Conversaties" + +#: ../../include/widgets.php:698 +msgid "Received Messages" +msgstr "Ontvangen berichten" + +#: ../../include/widgets.php:702 +msgid "Sent Messages" +msgstr "Verzonden berichten" + +#: ../../include/widgets.php:716 +msgid "No messages." +msgstr "Geen berichten" + +#: ../../include/widgets.php:734 +msgid "Delete conversation" +msgstr "Verwijder conversatie" + +#: ../../include/widgets.php:760 +msgid "Events Tools" +msgstr "Agenda-hulpmiddelen" + +#: ../../include/widgets.php:761 +msgid "Export Calendar" +msgstr "Exporteren" + +#: ../../include/widgets.php:762 +msgid "Import Calendar" +msgstr "Importeren" + +#: ../../include/widgets.php:854 +msgid "Overview" +msgstr "Overzicht" + +#: ../../include/widgets.php:861 +msgid "Chat Members" +msgstr "Chatleden" + +#: ../../include/widgets.php:883 +msgid "Wiki List" +msgstr "Wiki's" + +#: ../../include/widgets.php:921 +msgid "Wiki Pages" +msgstr "Wikipagina's" + +#: ../../include/widgets.php:956 +msgid "Bookmarked Chatrooms" +msgstr "Bladwijzers van chatkanalen" + +#: ../../include/widgets.php:979 +msgid "Suggested Chatrooms" +msgstr "Voorgestelde chatkanalen" + +#: ../../include/widgets.php:1125 ../../include/widgets.php:1237 +msgid "photo/image" +msgstr "foto/afbeelding" + +#: ../../include/widgets.php:1180 +msgid "Click to show more" +msgstr "Klik voor meer" + +#: ../../include/widgets.php:1331 +msgid "Rating Tools" +msgstr "Beoordelingen" + +#: ../../include/widgets.php:1335 ../../include/widgets.php:1337 +msgid "Rate Me" +msgstr "Beoordeel mij" + +#: ../../include/widgets.php:1340 +msgid "View Ratings" +msgstr "Bekijk beoordelingen" + +#: ../../include/widgets.php:1424 +msgid "Forums" +msgstr "Forums" + +#: ../../include/widgets.php:1453 +msgid "Tasks" +msgstr "Taken" + +#: ../../include/widgets.php:1462 +msgid "Documentation" +msgstr "Documentatie" + +#: ../../include/widgets.php:1464 +msgid "Project/Site Information" +msgstr "Project- en hub-informatie" + +#: ../../include/widgets.php:1465 +msgid "For Members" +msgstr "Voor leden" + +#: ../../include/widgets.php:1466 +msgid "For Administrators" +msgstr "Voor beheerders" + +#: ../../include/widgets.php:1467 +msgid "For Developers" +msgstr "Voor ontwikkelaars" + +#: ../../include/widgets.php:1491 ../../include/widgets.php:1529 +msgid "Member registrations waiting for confirmation" +msgstr "Accounts die op goedkeuring wachten" + +#: ../../include/widgets.php:1497 +msgid "Inspect queue" +msgstr "Inspecteer berichtenwachtrij" + +#: ../../include/widgets.php:1499 +msgid "DB updates" +msgstr "Database-updates" + +#: ../../include/widgets.php:1524 ../../include/nav.php:220 +msgid "Admin" +msgstr "Beheer" + +#: ../../include/widgets.php:1525 +msgid "Plugin Features" +msgstr "Plugin-opties" + +#: ../../include/bb2diaspora.php:398 +msgid "Attachments:" +msgstr "Bijlagen:" + +#: ../../include/bb2diaspora.php:485 ../../include/event.php:22 +#: ../../include/event.php:69 +msgid "l F d, Y \\@ g:i A" +msgstr "l d F Y \\@ G:i" + +#: ../../include/bb2diaspora.php:487 +msgid "$Projectname event notification:" +msgstr "Notificatie $Projectname-gebeurtenis:" + +#: ../../include/bb2diaspora.php:491 ../../include/event.php:30 +#: ../../include/event.php:73 +msgid "Starts:" +msgstr "Start:" + +#: ../../include/bb2diaspora.php:499 ../../include/event.php:40 +#: ../../include/event.php:77 +msgid "Finishes:" +msgstr "Einde:" + +#: ../../include/js_strings.php:5 +msgid "Delete this item?" +msgstr "Dit item verwijderen?" + +#: ../../include/js_strings.php:8 +#, php-format +msgid "%s show less" +msgstr "%s minder reacties weergeven" + +#: ../../include/js_strings.php:9 +#, php-format +msgid "%s expand" +msgstr "%s uitklappen" + +#: ../../include/js_strings.php:10 +#, php-format +msgid "%s collapse" +msgstr "%s inklappen" + +#: ../../include/js_strings.php:11 +msgid "Password too short" +msgstr "Wachtwoord te kort" + +#: ../../include/js_strings.php:12 +msgid "Passwords do not match" +msgstr "Wachtwoorden komen niet overeen" + +#: ../../include/js_strings.php:13 +msgid "everybody" +msgstr "iedereen" + +#: ../../include/js_strings.php:14 +msgid "Secret Passphrase" +msgstr "Geheim wachtwoord" + +#: ../../include/js_strings.php:15 +msgid "Passphrase hint" +msgstr "Wachtwoordhint" + +#: ../../include/js_strings.php:16 +msgid "Notice: Permissions have changed but have not yet been submitted." +msgstr "Mededeling: de permissies zijn veranderd, maar zijn nog niet opgeslagen." + +#: ../../include/js_strings.php:17 +msgid "close all" +msgstr "Alles sluiten" + +#: ../../include/js_strings.php:18 +msgid "Nothing new here" +msgstr "Niets nieuw hier" + +#: ../../include/js_strings.php:19 +msgid "Rate This Channel (this is public)" +msgstr "Beoordeel dit kanaal (dit is openbaar)" + +#: ../../include/js_strings.php:21 +msgid "Describe (optional)" +msgstr "Omschrijving (optioneel)" + +#: ../../include/js_strings.php:23 +msgid "Please enter a link URL" +msgstr "Vul een URL in:" + +#: ../../include/js_strings.php:24 +msgid "Unsaved changes. Are you sure you wish to leave this page?" +msgstr "Niet opgeslagen wijzigingen. Ben je er zeker van dat je deze pagina wil verlaten?" + +#: ../../include/js_strings.php:27 +msgid "timeago.prefixAgo" +msgstr "timeago.prefixAgo" + +#: ../../include/js_strings.php:28 +msgid "timeago.prefixFromNow" +msgstr "timeago.prefixFromNow" + +#: ../../include/js_strings.php:29 +msgid "ago" +msgstr "geleden" + +#: ../../include/js_strings.php:30 +msgid "from now" +msgstr "vanaf nu" + +#: ../../include/js_strings.php:31 +msgid "less than a minute" +msgstr "minder dan een minuut" + +#: ../../include/js_strings.php:32 +msgid "about a minute" +msgstr "ongeveer een minuut" + +#: ../../include/js_strings.php:33 +#, php-format +msgid "%d minutes" +msgstr "%d minuten" + +#: ../../include/js_strings.php:34 +msgid "about an hour" +msgstr "ongeveer een uur" + +#: ../../include/js_strings.php:35 +#, php-format +msgid "about %d hours" +msgstr "ongeveer %d uren" + +#: ../../include/js_strings.php:36 +msgid "a day" +msgstr "een dag" + +#: ../../include/js_strings.php:37 +#, php-format +msgid "%d days" +msgstr "%d dagen" + +#: ../../include/js_strings.php:38 +msgid "about a month" +msgstr "ongeveer een maand" + +#: ../../include/js_strings.php:39 +#, php-format +msgid "%d months" +msgstr "%d maanden" + +#: ../../include/js_strings.php:40 +msgid "about a year" +msgstr "ongeveer een jaar" + +#: ../../include/js_strings.php:41 +#, php-format +msgid "%d years" +msgstr "%d jaren" + +#: ../../include/js_strings.php:42 +msgid " " +msgstr " " + +#: ../../include/js_strings.php:43 +msgid "timeago.numbers" +msgstr "timeago.numbers" + +#: ../../include/js_strings.php:45 ../../include/text.php:1243 +msgid "January" +msgstr "januari" + +#: ../../include/js_strings.php:46 ../../include/text.php:1243 +msgid "February" +msgstr "februari" + +#: ../../include/js_strings.php:47 ../../include/text.php:1243 +msgid "March" +msgstr "maart" + +#: ../../include/js_strings.php:48 ../../include/text.php:1243 +msgid "April" +msgstr "april" + +#: ../../include/js_strings.php:49 +msgctxt "long" +msgid "May" +msgstr "mei" + +#: ../../include/js_strings.php:50 ../../include/text.php:1243 +msgid "June" +msgstr "juni" + +#: ../../include/js_strings.php:51 ../../include/text.php:1243 +msgid "July" +msgstr "juli" + +#: ../../include/js_strings.php:52 ../../include/text.php:1243 +msgid "August" +msgstr "augustus" + +#: ../../include/js_strings.php:53 ../../include/text.php:1243 +msgid "September" +msgstr "september" + +#: ../../include/js_strings.php:54 ../../include/text.php:1243 +msgid "October" +msgstr "oktober" + +#: ../../include/js_strings.php:55 ../../include/text.php:1243 +msgid "November" +msgstr "november" + +#: ../../include/js_strings.php:56 ../../include/text.php:1243 +msgid "December" +msgstr "december" + +#: ../../include/js_strings.php:57 +msgid "Jan" +msgstr "jan" + +#: ../../include/js_strings.php:58 +msgid "Feb" +msgstr "feb" + +#: ../../include/js_strings.php:59 +msgid "Mar" +msgstr "mrt" + +#: ../../include/js_strings.php:60 +msgid "Apr" +msgstr "apr" + +#: ../../include/js_strings.php:61 +msgctxt "short" +msgid "May" +msgstr "mei" + +#: ../../include/js_strings.php:62 +msgid "Jun" +msgstr "jun" + +#: ../../include/js_strings.php:63 +msgid "Jul" +msgstr "jul" + +#: ../../include/js_strings.php:64 +msgid "Aug" +msgstr "aug" + +#: ../../include/js_strings.php:65 +msgid "Sep" +msgstr "sep" + +#: ../../include/js_strings.php:66 +msgid "Oct" +msgstr "okt" + +#: ../../include/js_strings.php:67 +msgid "Nov" +msgstr "nov" + +#: ../../include/js_strings.php:68 +msgid "Dec" +msgstr "dec" + +#: ../../include/js_strings.php:69 ../../include/text.php:1239 +msgid "Sunday" +msgstr "zondag" + +#: ../../include/js_strings.php:70 ../../include/text.php:1239 +msgid "Monday" +msgstr "maandag" + +#: ../../include/js_strings.php:71 ../../include/text.php:1239 +msgid "Tuesday" +msgstr "dinsdag" + +#: ../../include/js_strings.php:72 ../../include/text.php:1239 +msgid "Wednesday" +msgstr "woensdag" + +#: ../../include/js_strings.php:73 ../../include/text.php:1239 +msgid "Thursday" +msgstr "donderdag" + +#: ../../include/js_strings.php:74 ../../include/text.php:1239 +msgid "Friday" +msgstr "vrijdag" + +#: ../../include/js_strings.php:75 ../../include/text.php:1239 +msgid "Saturday" +msgstr "zaterdag" + +#: ../../include/js_strings.php:76 +msgid "Sun" +msgstr "zo" + +#: ../../include/js_strings.php:77 +msgid "Mon" +msgstr "ma" + +#: ../../include/js_strings.php:78 +msgid "Tue" +msgstr "di" + +#: ../../include/js_strings.php:79 +msgid "Wed" +msgstr "wo" + +#: ../../include/js_strings.php:80 +msgid "Thu" +msgstr "do" + +#: ../../include/js_strings.php:81 +msgid "Fri" +msgstr "vr" + +#: ../../include/js_strings.php:82 +msgid "Sat" +msgstr "za" + +#: ../../include/js_strings.php:83 +msgctxt "calendar" +msgid "today" +msgstr "vandaag" + +#: ../../include/js_strings.php:84 +msgctxt "calendar" +msgid "month" +msgstr "maand" + +#: ../../include/js_strings.php:85 +msgctxt "calendar" +msgid "week" +msgstr "week" + +#: ../../include/js_strings.php:86 +msgctxt "calendar" +msgid "day" +msgstr "dag" + +#: ../../include/js_strings.php:87 +msgctxt "calendar" +msgid "All day" +msgstr "hele dag" + +#: ../../include/nav.php:84 ../../include/nav.php:117 ../../boot.php:1712 +msgid "Logout" +msgstr "Uitloggen" + +#: ../../include/nav.php:84 ../../include/nav.php:117 +msgid "End this session" +msgstr "BeĆ«indig deze sessie" + +#: ../../include/nav.php:87 ../../include/nav.php:148 +msgid "Home" +msgstr "Home" + +#: ../../include/nav.php:87 +msgid "Your posts and conversations" +msgstr "Jouw kanaal" + +#: ../../include/nav.php:88 +msgid "Your profile page" +msgstr "Jouw profielpagina" + +#: ../../include/nav.php:90 +msgid "Manage/Edit profiles" +msgstr "Beheer/wijzig profielen" + +#: ../../include/nav.php:92 ../../include/channel.php:963 +msgid "Edit Profile" +msgstr "Profiel bewerken" + +#: ../../include/nav.php:92 +msgid "Edit your profile" +msgstr "Jouw profiel bewerken" + +#: ../../include/nav.php:94 +msgid "Your photos" +msgstr "Jouw foto's" + +#: ../../include/nav.php:95 +msgid "Your files" +msgstr "Jouw bestanden" + +#: ../../include/nav.php:98 +msgid "Your chatrooms" +msgstr "Jouw chatkanalen" + +#: ../../include/nav.php:104 +msgid "Your bookmarks" +msgstr "Jouw bladwijzers" + +#: ../../include/nav.php:108 +msgid "Your webpages" +msgstr "Jouw webpagina's" + +#: ../../include/nav.php:110 +msgid "Your wiki" +msgstr "Jouw wiki" + +#: ../../include/nav.php:114 +msgid "Sign in" +msgstr "Inloggen" + +#: ../../include/nav.php:131 +#, php-format +msgid "%s - click to logout" +msgstr "%s - klik om uit te loggen" + +#: ../../include/nav.php:134 +msgid "Remote authentication" +msgstr "Authenticatie op afstand" + +#: ../../include/nav.php:134 +msgid "Click to authenticate to your home hub" +msgstr "Authenticeer jezelf via (bijvoorbeeld) jouw hub" + +#: ../../include/nav.php:148 +msgid "Home Page" +msgstr "Homepage" + +#: ../../include/nav.php:151 +msgid "Create an account" +msgstr "Maak een account aan" + +#: ../../include/nav.php:163 +msgid "Help and documentation" +msgstr "Hulp en documentatie" + +#: ../../include/nav.php:167 +msgid "Applications, utilities, links, games" +msgstr "Apps" + +#: ../../include/nav.php:169 +msgid "Search site @name, #tag, ?docs, content" +msgstr "Zoek een @kanaal, doorzoek inhoud hub met tekst en #tags, of doorzoek ?documentatie " + +#: ../../include/nav.php:171 +msgid "Channel Directory" +msgstr "Kanalengids" + +#: ../../include/nav.php:183 +msgid "Your grid" +msgstr "Jouw grid" + +#: ../../include/nav.php:184 +msgid "Mark all grid notifications seen" +msgstr "Markeer alle gridnotificaties als bekeken" + +#: ../../include/nav.php:186 +msgid "Channel home" +msgstr "Jouw kanaal" + +#: ../../include/nav.php:187 +msgid "Mark all channel notifications seen" +msgstr "Alle kanaalnotificaties als gelezen markeren" + +#: ../../include/nav.php:193 +msgid "Notices" +msgstr "Notificaties" + +#: ../../include/nav.php:193 +msgid "Notifications" +msgstr "Notificaties" + +#: ../../include/nav.php:194 +msgid "See all notifications" +msgstr "Alle notificaties weergeven" + +#: ../../include/nav.php:197 +msgid "Private mail" +msgstr "PrivĆ©berichten" + +#: ../../include/nav.php:198 +msgid "See all private messages" +msgstr "Alle privĆ©berichten weergeven" + +#: ../../include/nav.php:199 +msgid "Mark all private messages seen" +msgstr "Markeer alle privĆ©berichten als bekeken" + +#: ../../include/nav.php:205 +msgid "Event Calendar" +msgstr "Agenda" + +#: ../../include/nav.php:206 +msgid "See all events" +msgstr "Alle gebeurtenissen weergeven" + +#: ../../include/nav.php:207 +msgid "Mark all events seen" +msgstr "Markeer alle gebeurtenissen als bekeken" + +#: ../../include/nav.php:210 +msgid "Manage Your Channels" +msgstr "Beheer je kanalen" + +#: ../../include/nav.php:212 +msgid "Account/Channel Settings" +msgstr "Account-/kanaal-instellingen" + +#: ../../include/nav.php:220 +msgid "Site Setup and Configuration" +msgstr "Hub instellen en beheren" + +#: ../../include/nav.php:256 +msgid "@name, #tag, ?doc, content" +msgstr "@kanaal, #tag, inhoud, ?hulp" + +#: ../../include/nav.php:257 +msgid "Please wait..." +msgstr "Wachten aub..." + +#: ../../include/network.php:704 +msgid "view full size" +msgstr "volledige grootte tonen" + +#: ../../include/network.php:1935 ../../include/account.php:317 +#: ../../include/account.php:344 ../../include/account.php:404 +msgid "Administrator" +msgstr "Beheerder" + +#: ../../include/network.php:1949 +msgid "No Subject" +msgstr "Geen onderwerp" + +#: ../../include/network.php:2203 ../../include/network.php:2204 +msgid "Friendica" +msgstr "Friendica" + +#: ../../include/network.php:2205 +msgid "OStatus" +msgstr "OStatus" + +#: ../../include/network.php:2206 +msgid "GNU-Social" +msgstr "GNU social" + +#: ../../include/network.php:2207 +msgid "RSS/Atom" +msgstr "RSS/Atom" + +#: ../../include/network.php:2209 +msgid "Diaspora" +msgstr "Diaspora" + +#: ../../include/network.php:2210 +msgid "Facebook" +msgstr "Facebook" + +#: ../../include/network.php:2211 +msgid "Zot" +msgstr "Zot" + +#: ../../include/network.php:2212 +msgid "LinkedIn" +msgstr "LinkedIn" + +#: ../../include/network.php:2213 +msgid "XMPP/IM" +msgstr "XMPP/IM" + +#: ../../include/network.php:2214 +msgid "MySpace" +msgstr "MySpace" + +#: ../../include/import.php:30 +msgid "" +"Cannot create a duplicate channel identifier on this system. Import failed." +msgstr "Kan geen dubbele kanaal-identificator op deze hub aanmaken. Importeren mislukt." + +#: ../../include/import.php:97 +msgid "Channel clone failed. Import failed." +msgstr "Het klonen van het kanaal is mislukt. Importeren mislukt." + +#: ../../include/items.php:899 ../../include/items.php:944 +msgid "(Unknown)" +msgstr "(Onbekend)" + +#: ../../include/items.php:1143 +msgid "Visible to anybody on the internet." +msgstr "Voor iedereen op het internet zichtbaar." + +#: ../../include/items.php:1145 +msgid "Visible to you only." +msgstr "Alleen voor jou zichtbaar." + +#: ../../include/items.php:1147 +msgid "Visible to anybody in this network." +msgstr "Voor iedereen in dit netwerk zichtbaar." + +#: ../../include/items.php:1149 +msgid "Visible to anybody authenticated." +msgstr "Voor iedereen die geauthenticeerd is zichtbaar." + +#: ../../include/items.php:1151 +#, php-format +msgid "Visible to anybody on %s." +msgstr "Voor iedereen op %s zichtbaar." + +#: ../../include/items.php:1153 +msgid "Visible to all connections." +msgstr "Voor alle connecties zichtbaar." + +#: ../../include/items.php:1155 +msgid "Visible to approved connections." +msgstr "Voor alle geaccepteerde connecties zichtbaar." + +#: ../../include/items.php:1157 +msgid "Visible to specific connections." +msgstr "Voor specifieke connecties zichtbaar." + +#: ../../include/items.php:3920 +msgid "Privacy group is empty." +msgstr "Privacygroep is leeg" + +#: ../../include/items.php:3927 +#, php-format +msgid "Privacy group: %s" +msgstr "Privacygroep: %s" + +#: ../../include/items.php:3939 +msgid "Connection not found." +msgstr "Connectie niet gevonden." + +#: ../../include/items.php:4292 +msgid "profile photo" +msgstr "profielfoto" + #: ../../include/text.php:404 msgid "prev" msgstr "vorige" @@ -8295,1042 +9252,127 @@ msgstr "ontspannen" msgid "surprised" msgstr "verrast" -#: ../../include/text.php:1237 ../../include/js_strings.php:70 -msgid "Monday" -msgstr "maandag" - -#: ../../include/text.php:1237 ../../include/js_strings.php:71 -msgid "Tuesday" -msgstr "dinsdag" - -#: ../../include/text.php:1237 ../../include/js_strings.php:72 -msgid "Wednesday" -msgstr "woensdag" - -#: ../../include/text.php:1237 ../../include/js_strings.php:73 -msgid "Thursday" -msgstr "donderdag" - -#: ../../include/text.php:1237 ../../include/js_strings.php:74 -msgid "Friday" -msgstr "vrijdag" - -#: ../../include/text.php:1237 ../../include/js_strings.php:75 -msgid "Saturday" -msgstr "zaterdag" - -#: ../../include/text.php:1237 ../../include/js_strings.php:69 -msgid "Sunday" -msgstr "zondag" - -#: ../../include/text.php:1241 ../../include/js_strings.php:45 -msgid "January" -msgstr "januari" - -#: ../../include/text.php:1241 ../../include/js_strings.php:46 -msgid "February" -msgstr "februari" - -#: ../../include/text.php:1241 ../../include/js_strings.php:47 -msgid "March" -msgstr "maart" - -#: ../../include/text.php:1241 ../../include/js_strings.php:48 -msgid "April" -msgstr "april" - -#: ../../include/text.php:1241 +#: ../../include/text.php:1243 msgid "May" msgstr "mei" -#: ../../include/text.php:1241 ../../include/js_strings.php:50 -msgid "June" -msgstr "juni" - -#: ../../include/text.php:1241 ../../include/js_strings.php:51 -msgid "July" -msgstr "juli" - -#: ../../include/text.php:1241 ../../include/js_strings.php:52 -msgid "August" -msgstr "augustus" - -#: ../../include/text.php:1241 ../../include/js_strings.php:53 -msgid "September" -msgstr "september" - -#: ../../include/text.php:1241 ../../include/js_strings.php:54 -msgid "October" -msgstr "oktober" - -#: ../../include/text.php:1241 ../../include/js_strings.php:55 -msgid "November" -msgstr "november" - -#: ../../include/text.php:1241 ../../include/js_strings.php:56 -msgid "December" -msgstr "december" - -#: ../../include/text.php:1318 ../../include/text.php:1322 +#: ../../include/text.php:1320 ../../include/text.php:1324 msgid "Unknown Attachment" msgstr "Onbekende bijlage" -#: ../../include/text.php:1324 +#: ../../include/text.php:1326 msgid "unknown" msgstr "onbekend" -#: ../../include/text.php:1360 +#: ../../include/text.php:1362 msgid "remove category" msgstr "categorie verwijderen" -#: ../../include/text.php:1437 +#: ../../include/text.php:1439 msgid "remove from file" msgstr "uit map verwijderen" -#: ../../include/text.php:1734 ../../include/text.php:1805 +#: ../../include/text.php:1738 ../../include/text.php:1809 msgid "default" msgstr "standaard" -#: ../../include/text.php:1742 +#: ../../include/text.php:1746 msgid "Page layout" msgstr "Pagina-lay-out" -#: ../../include/text.php:1742 +#: ../../include/text.php:1746 msgid "You can create your own with the layouts tool" msgstr "Je kan jouw eigen lay-out ontwerpen onder lay-outs" -#: ../../include/text.php:1784 +#: ../../include/text.php:1788 msgid "Page content type" msgstr "Opmaaktype pagina" -#: ../../include/text.php:1817 +#: ../../include/text.php:1821 msgid "Select an alternate language" msgstr "Kies een andere taal" -#: ../../include/text.php:1934 +#: ../../include/text.php:1958 msgid "activity" msgstr "activiteit" -#: ../../include/text.php:2235 +#: ../../include/text.php:2259 msgid "Design Tools" msgstr "Ontwerp-hulpmiddelen" -#: ../../include/text.php:2241 +#: ../../include/text.php:2265 msgid "Pages" msgstr "Pagina's" -#: ../../include/auth.php:147 -msgid "Logged out." -msgstr "Uitgelogd." +#: ../../include/text.php:2287 +msgid "Import website..." +msgstr "Website importeren..." -#: ../../include/auth.php:274 -msgid "Failed authentication" -msgstr "Mislukte authenticatie" +#: ../../include/text.php:2288 +msgid "Select folder to import" +msgstr "Kies een map om te importeren" -#: ../../include/permissions.php:26 -msgid "Can view my normal stream and posts" -msgstr "Kan mijn normale kanaalstream en berichten bekijken" +#: ../../include/text.php:2289 +msgid "Import from a zipped folder:" +msgstr "Vanuit een zipbestand importeren:" -#: ../../include/permissions.php:30 -msgid "Can view my webpages" -msgstr "Kan mijn pagina's bekijken" +#: ../../include/text.php:2290 +msgid "Import from cloud files:" +msgstr "Vanuit de cloud importeren:" -#: ../../include/permissions.php:34 -msgid "Can post on my channel page (\"wall\")" -msgstr "Kan een bericht in mijn kanaal plaatsen" +#: ../../include/text.php:2291 +msgid "/cloud/channel/path/to/folder" +msgstr "/cloud/channel/maplocatie" -#: ../../include/permissions.php:37 -msgid "Can like/dislike stuff" -msgstr "Kan dingen leuk of niet leuk vinden" +#: ../../include/text.php:2292 +msgid "Enter path to website files" +msgstr "Voer de locatie in van de websitebestanden" -#: ../../include/permissions.php:37 -msgid "Profiles and things other than posts/comments" -msgstr "Profielen en dingen, buiten berichten en reacties" +#: ../../include/text.php:2293 +msgid "Select folder" +msgstr "Kies een map" -#: ../../include/permissions.php:39 -msgid "Can forward to all my channel contacts via post @mentions" -msgstr "Kan naar al mijn kanaalconnecties berichten doorsturen met behulp van @vermeldingen+" +#: ../../include/acl_selectors.php:174 +msgid "Who can see this?" +msgstr "Wie kan dit zien?" -#: ../../include/permissions.php:39 -msgid "Advanced - useful for creating group forum channels" -msgstr "Geavanceerd - nuttig voor groepforums" +#: ../../include/acl_selectors.php:175 +msgid "Custom selection" +msgstr "Handmatige selectie" -#: ../../include/permissions.php:40 -msgid "Can chat with me (when available)" -msgstr "Kan met mij chatten (wanneer beschikbaar)" - -#: ../../include/permissions.php:41 -msgid "Can write to my file storage and photos" -msgstr "Kan foto's en andere bestanden aan mijn bestandsopslag toevoegen" - -#: ../../include/permissions.php:42 -msgid "Can edit my webpages" -msgstr "Kan mijn pagina's bewerken" - -#: ../../include/permissions.php:44 -msgid "Somewhat advanced - very useful in open communities" -msgstr "Enigszins geavanceerd (erg nuttig voor kanalen van forums/groepen)" - -#: ../../include/permissions.php:46 -msgid "Can administer my channel resources" -msgstr "Kan mijn kanaal beheren" - -#: ../../include/permissions.php:46 +#: ../../include/acl_selectors.php:176 msgid "" -"Extremely advanced. Leave this alone unless you know what you are doing" -msgstr "Zeer geavanceerd. Laat dit met rust, behalve als je weet wat je doet." +"Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit" +" the scope of \"Show\"." +msgstr "Kies \"Tonen\" om weergave toe te staan. Met \"Niet tonen\" kan je uitzonderingen maken op \"Tonen\"." -#: ../../include/features.php:48 -msgid "General Features" -msgstr "Algemene functies" +#: ../../include/acl_selectors.php:177 +msgid "Show" +msgstr "Tonen" -#: ../../include/features.php:50 -msgid "Content Expiration" -msgstr "Inhoud laten verlopen" +#: ../../include/acl_selectors.php:178 +msgid "Don't show" +msgstr "Niet tonen" -#: ../../include/features.php:50 -msgid "Remove posts/comments and/or private messages at a future time" -msgstr "Berichten, reacties en/of privĆ©berichten na een bepaalde tijd verwijderen" +#: ../../include/acl_selectors.php:184 +msgid "Other networks and post services" +msgstr "Andere netwerken en diensten" -#: ../../include/features.php:51 -msgid "Multiple Profiles" -msgstr "Meerdere profielen" - -#: ../../include/features.php:51 -msgid "Ability to create multiple profiles" -msgstr "Mogelijkheid om meerdere profielen aan te maken" - -#: ../../include/features.php:52 -msgid "Advanced Profiles" -msgstr "Geavanceerde profielen" - -#: ../../include/features.php:52 -msgid "Additional profile sections and selections" -msgstr "Extra onderdelen en keuzes voor je profiel" - -#: ../../include/features.php:53 -msgid "Profile Import/Export" -msgstr "Profiel importen/exporteren" - -#: ../../include/features.php:53 -msgid "Save and load profile details across sites/channels" -msgstr "Profielgegevens opslaan en in andere hubs/kanalen gebruiken." - -#: ../../include/features.php:54 -msgid "Web Pages" -msgstr "Webpagina's" - -#: ../../include/features.php:54 -msgid "Provide managed web pages on your channel" -msgstr "Sta beheerde webpagina's op jouw kanaal toe" - -#: ../../include/features.php:55 -msgid "Provide a wiki for your channel" -msgstr "Voeg een wiki aan jouw kanaal toe" - -#: ../../include/features.php:56 -msgid "Hide Rating" -msgstr "Beoordelingen verbergen" - -#: ../../include/features.php:56 -msgid "" -"Hide the rating buttons on your channel and profile pages. Note: People can " -"still rate you somewhere else." -msgstr "Verbergt de beoordelingsknoppen op jouw kanaal- en profielpagina's. Let op: Mensen kunnen jou nog steeds ergens anders beoordelen. " - -#: ../../include/features.php:57 -msgid "Private Notes" -msgstr "PrivĆ©-aantekeningen" - -#: ../../include/features.php:57 -msgid "Enables a tool to store notes and reminders (note: not encrypted)" -msgstr "Een eenvoudige toepassing om aantekeningen en herinneringen in te bewaren (let op: niet versleuteld)" - -#: ../../include/features.php:58 -msgid "Navigation Channel Select" -msgstr "Kanaal kiezen in navigatiemenu" - -#: ../../include/features.php:58 -msgid "Change channels directly from within the navigation dropdown menu" -msgstr "Kies een ander kanaal direct vanuit het dropdown-menu op de navigatiebalk" - -#: ../../include/features.php:59 -msgid "Photo Location" -msgstr "Fotolocatie" - -#: ../../include/features.php:59 -msgid "If location data is available on uploaded photos, link this to a map." -msgstr "Wanneer in de geüploade foto's locatiegegevens aanwezig zijn, link dit dan aan een kaart." - -#: ../../include/features.php:60 -msgid "Access Controlled Chatrooms" -msgstr "Chatkanalen met toegangscontrole " - -#: ../../include/features.php:60 -msgid "Provide chatrooms and chat services with access control." -msgstr "Chatkanalen en chatdiensten met toegangscontrole aanbieden." - -#: ../../include/features.php:61 -msgid "Smart Birthdays" -msgstr "Slimme verjaardagen" - -#: ../../include/features.php:61 -msgid "" -"Make birthday events timezone aware in case your friends are scattered " -"across the planet." -msgstr "Maak verjaardagen bewust van tijdzones. Voor het geval dat jouw vrienden over de hele wereld verspreid zijn." - -#: ../../include/features.php:62 -msgid "Expert Mode" -msgstr "Expertmodus" - -#: ../../include/features.php:62 -msgid "Enable Expert Mode to provide advanced configuration options" -msgstr "Schakel de expertmodus in voor geavanceerde instellingen" - -#: ../../include/features.php:63 -msgid "Premium Channel" -msgstr "Premiumkanaal" - -#: ../../include/features.php:63 -msgid "" -"Allows you to set restrictions and terms on those that connect with your " -"channel" -msgstr "Stelt je in staat om beperkingen en voorwaarden in te stellen voor jouw kanaal" - -#: ../../include/features.php:68 -msgid "Post Composition Features" -msgstr "Functies voor het opstellen van berichten" - -#: ../../include/features.php:71 -msgid "Large Photos" -msgstr "Grote foto's" - -#: ../../include/features.php:71 -msgid "" -"Include large (1024px) photo thumbnails in posts. If not enabled, use small " -"(640px) photo thumbnails" -msgstr "Gebruik grotere foto's (1024px) in berichten. Wanneer dit is uitgeschakeld worden er kleinere foto's (640px) gebruikt." - -#: ../../include/features.php:72 -msgid "Automatically import channel content from other channels or feeds" -msgstr "Automatisch inhoud uit andere kanalen of feeds importeren." - -#: ../../include/features.php:73 -msgid "Even More Encryption" -msgstr "Extra encryptie" - -#: ../../include/features.php:73 -msgid "" -"Allow optional encryption of content end-to-end with a shared secret key" -msgstr "Sta toe dat inhoud extra end-to-end wordt versleuteld met een gedeelde geheime sleutel." - -#: ../../include/features.php:74 -msgid "Enable Voting Tools" -msgstr "Peilingen inschakelen" - -#: ../../include/features.php:74 -msgid "Provide a class of post which others can vote on" -msgstr "Maakt het mogelijk om een bericht op te stellen, waar mensen op kunnen stemmen." - -#: ../../include/features.php:75 -msgid "Delayed Posting" -msgstr "Berichten uitstellen" - -#: ../../include/features.php:75 -msgid "Allow posts to be published at a later date" -msgstr "Maakt het mogelijk dat berichten op een toekomstig moment gepubliceerd kunnen worden." - -#: ../../include/features.php:76 -msgid "Suppress Duplicate Posts/Comments" -msgstr "Dubbele berichten/reacties tegenhouden" - -#: ../../include/features.php:76 -msgid "" -"Prevent posts with identical content to be published with less than two " -"minutes in between submissions." -msgstr "Voorkomt dat berichten en reacties met identieke inhoud en die binnen twee minuten zijn verstuurd, worden gepubliceerd. " - -#: ../../include/features.php:82 -msgid "Network and Stream Filtering" -msgstr "Netwerk- en streamfilter" - -#: ../../include/features.php:83 -msgid "Search by Date" -msgstr "Zoek op datum" - -#: ../../include/features.php:83 -msgid "Ability to select posts by date ranges" -msgstr "Mogelijkheid om berichten op datum te filteren " - -#: ../../include/features.php:84 ../../include/group.php:311 -msgid "Privacy Groups" -msgstr "Privacygroepen" - -#: ../../include/features.php:84 -msgid "Enable management and selection of privacy groups" -msgstr "Beheer en selectie van privacygroepen inschakelen" - -#: ../../include/features.php:85 ../../include/widgets.php:281 -msgid "Saved Searches" -msgstr "Opgeslagen zoekopdrachten" - -#: ../../include/features.php:85 -msgid "Save search terms for re-use" -msgstr "Sla zoekopdrachten op voor hergebruik" - -#: ../../include/features.php:86 -msgid "Network Personal Tab" -msgstr "Persoonlijke netwerktab" - -#: ../../include/features.php:86 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "Sta het toe dat de tab netwerkberichten toont waarmee je interactie had" - -#: ../../include/features.php:87 -msgid "Network New Tab" -msgstr "Nieuwe netwerktab" - -#: ../../include/features.php:87 -msgid "Enable tab to display all new Network activity" -msgstr "Laat de tab alle nieuwe netwerkactiviteit tonen" - -#: ../../include/features.php:88 -msgid "Affinity Tool" -msgstr "Verwantschapsfilter" - -#: ../../include/features.php:88 -msgid "Filter stream activity by depth of relationships" -msgstr "Filter wat je in jouw grid ziet op hoe goed je iemand kent of mag" - -#: ../../include/features.php:89 -msgid "Connection Filtering" -msgstr "Berichtenfilters" - -#: ../../include/features.php:89 -msgid "Filter incoming posts from connections based on keywords/content" -msgstr "Filter binnenkomende berichten van connecties aan de hand van trefwoorden en taal" - -#: ../../include/features.php:90 -msgid "Show channel suggestions" -msgstr "Voor jou mogelijk interessante kanalen voorstellen" - -#: ../../include/features.php:95 -msgid "Post/Comment Tools" -msgstr "Bericht- en reactiehulpmiddelen" - -#: ../../include/features.php:96 -msgid "Community Tagging" -msgstr "Taggen door anderen" - -#: ../../include/features.php:96 -msgid "Ability to tag existing posts" -msgstr "Geeft andere mensen de mogelijkheid om jouw (bestaande) berichten te taggen" - -#: ../../include/features.php:97 -msgid "Post Categories" -msgstr "CategorieĆ«n berichten" - -#: ../../include/features.php:97 -msgid "Add categories to your posts" -msgstr "Voeg categorieĆ«n toe aan je berichten" - -#: ../../include/features.php:98 -msgid "Emoji Reactions" -msgstr "Emoji-reacties" - -#: ../../include/features.php:98 -msgid "Add emoji reaction ability to posts" -msgstr "Emoji-reacties in berichten toestaan" - -#: ../../include/features.php:99 ../../include/widgets.php:310 -#: ../../include/contact_widgets.php:53 -msgid "Saved Folders" -msgstr "Bewaarde mappen" - -#: ../../include/features.php:99 -msgid "Ability to file posts under folders" -msgstr "Mogelijkheid om berichten in mappen op te slaan" - -#: ../../include/features.php:100 -msgid "Dislike Posts" -msgstr "Vind berichten niet leuk" - -#: ../../include/features.php:100 -msgid "Ability to dislike posts/comments" -msgstr "Mogelijkheid om berichten en reacties niet leuk te vinden" - -#: ../../include/features.php:101 -msgid "Star Posts" -msgstr "Geef berichten een ster" - -#: ../../include/features.php:101 -msgid "Ability to mark special posts with a star indicator" -msgstr "Mogelijkheid om speciale berichten met een ster te markeren" - -#: ../../include/features.php:102 -msgid "Tag Cloud" -msgstr "Tagwolk" - -#: ../../include/features.php:102 -msgid "Provide a personal tag cloud on your channel page" -msgstr "Zorgt voor een persoonlijke wolk met tags op jouw kanaalpagina" - -#: ../../include/group.php:26 -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 "Een verwijderde collectie met deze naam is gereactiveerd. Bestaande itemrechten kunnen van toepassing zijn op deze collectie en toekomstige leden. Wanneer je dit niet zo bedoeld hebt, moet je een nieuwe collectie met een andere naam aanmaken." - -#: ../../include/group.php:248 -msgid "Add new connections to this privacy group" -msgstr "Voeg nieuwe connecties aan deze privacygroep toe" - -#: ../../include/group.php:289 -msgid "edit" -msgstr "bewerken" - -#: ../../include/group.php:312 -msgid "Edit group" -msgstr "Privacygroep bewerken" - -#: ../../include/group.php:313 -msgid "Add privacy group" -msgstr "Privacygroep toevoegen" - -#: ../../include/group.php:314 -msgid "Channels not in any privacy group" -msgstr "Kanalen die zich in geen enkele privacygroep bevinden" - -#: ../../include/group.php:316 ../../include/widgets.php:282 -msgid "add" -msgstr "toevoegen" - -#: ../../include/event.php:22 ../../include/event.php:69 -#: ../../include/bb2diaspora.php:485 -msgid "l F d, Y \\@ g:i A" -msgstr "l d F Y \\@ G:i" - -#: ../../include/event.php:30 ../../include/event.php:73 -#: ../../include/bb2diaspora.php:491 -msgid "Starts:" -msgstr "Start:" - -#: ../../include/event.php:40 ../../include/event.php:77 -#: ../../include/bb2diaspora.php:499 -msgid "Finishes:" -msgstr "Einde:" - -#: ../../include/event.php:814 -msgid "This event has been added to your calendar." -msgstr "Dit evenement is aan jouw agenda toegevoegd." - -#: ../../include/event.php:1014 -msgid "Not specified" -msgstr "Niet aangegeven" - -#: ../../include/event.php:1015 -msgid "Needs Action" -msgstr "Actie vereist" - -#: ../../include/event.php:1016 -msgid "Completed" -msgstr "Voltooid" - -#: ../../include/event.php:1017 -msgid "In Process" -msgstr "In behandeling" - -#: ../../include/event.php:1018 -msgid "Cancelled" -msgstr "Geannuleerd" - -#: ../../include/account.php:28 -msgid "Not a valid email address" -msgstr "Geen geldig e-mailadres" - -#: ../../include/account.php:30 -msgid "Your email domain is not among those allowed on this site" -msgstr "Jouw e-maildomein is op deze hub niet toegestaan" - -#: ../../include/account.php:36 -msgid "Your email address is already registered at this site." -msgstr "Jouw e-mailadres is al op deze hub geregistreerd." - -#: ../../include/account.php:68 -msgid "An invitation is required." -msgstr "Een uitnodiging is vereist" - -#: ../../include/account.php:72 -msgid "Invitation could not be verified." -msgstr "Uitnodiging kon niet geverifieerd worden" - -#: ../../include/account.php:122 -msgid "Please enter the required information." -msgstr "Vul de vereiste informatie in." - -#: ../../include/account.php:189 -msgid "Failed to store account information." -msgstr "Account-informatie kon niet opgeslagen worden." - -#: ../../include/account.php:249 -#, php-format -msgid "Registration confirmation for %s" -msgstr "Registratiebevestiging voor %s" - -#: ../../include/account.php:315 -#, php-format -msgid "Registration request at %s" -msgstr "Registratiebevestiging voor %s" - -#: ../../include/account.php:339 -msgid "your registration password" -msgstr "jouw registratiewachtwoord" - -#: ../../include/account.php:342 ../../include/account.php:402 -#, php-format -msgid "Registration details for %s" -msgstr "Registratiegegevens voor %s" - -#: ../../include/account.php:414 -msgid "Account approved." -msgstr "Account goedgekeurd" - -#: ../../include/account.php:454 -#, php-format -msgid "Registration revoked for %s" -msgstr "Registratie ingetrokken voor %s" - -#: ../../include/account.php:739 ../../include/account.php:741 -msgid "Click here to upgrade." -msgstr "Klik hier om te upgraden." - -#: ../../include/account.php:747 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "Deze handeling overschrijdt de beperkingen die voor jouw abonnement gelden." - -#: ../../include/account.php:752 -msgid "This action is not available under your subscription plan." -msgstr "Deze handeling is niet mogelijk met jouw abonnement." - -#: ../../include/follow.php:27 -msgid "Channel is blocked on this site." -msgstr "Kanaal is op deze hub geblokkeerd." - -#: ../../include/follow.php:32 -msgid "Channel location missing." -msgstr "Ontbrekende kanaallocatie." - -#: ../../include/follow.php:80 -msgid "Response from remote channel was incomplete." -msgstr "Antwoord van het kanaal op afstand was niet volledig." - -#: ../../include/follow.php:97 -msgid "Channel was deleted and no longer exists." -msgstr "Kanaal is verwijderd en bestaat niet meer." - -#: ../../include/follow.php:147 ../../include/follow.php:183 -msgid "Protocol disabled." -msgstr "Protocol uitgeschakeld." - -#: ../../include/follow.php:171 -msgid "Channel discovery failed." -msgstr "Kanaal ontdekken mislukt." - -#: ../../include/follow.php:210 -msgid "Cannot connect to yourself." -msgstr "Kan niet met jezelf verbinden" - -#: ../../include/attach.php:247 ../../include/attach.php:333 -msgid "Item was not found." -msgstr "Item niet gevonden" - -#: ../../include/attach.php:499 -msgid "No source file." -msgstr "Geen bronbestand." - -#: ../../include/attach.php:521 -msgid "Cannot locate file to replace" -msgstr "Kan het te vervangen bestand niet vinden" - -#: ../../include/attach.php:539 -msgid "Cannot locate file to revise/update" -msgstr "Kan het bestand wat aangepast moet worden niet vinden" - -#: ../../include/attach.php:674 -#, php-format -msgid "File exceeds size limit of %d" -msgstr "Bestand is groter dan de toegelaten %d" - -#: ../../include/attach.php:688 -#, php-format -msgid "You have reached your limit of %1$.0f Mbytes attachment storage." -msgstr "Je hebt jouw limiet van %1$.0f MB opslagruimte voor bijlagen bereikt." - -#: ../../include/attach.php:846 -msgid "File upload failed. Possible system limit or action terminated." -msgstr "Uploaden van bestand mislukt. Mogelijk systeemlimiet bereikt of actie afgebroken." - -#: ../../include/attach.php:859 -msgid "Stored file could not be verified. Upload failed." -msgstr "Opgeslagen bestand kon niet worden geverifieerd. Uploaden mislukt." - -#: ../../include/attach.php:915 ../../include/attach.php:931 -msgid "Path not available." -msgstr "Pad niet beschikbaar." - -#: ../../include/attach.php:977 ../../include/attach.php:1129 -msgid "Empty pathname" -msgstr "Padnaam leeg" - -#: ../../include/attach.php:1003 -msgid "duplicate filename or path" -msgstr "dubbele bestandsnaam of pad" - -#: ../../include/attach.php:1025 -msgid "Path not found." -msgstr "Pad niet gevonden" - -#: ../../include/attach.php:1083 -msgid "mkdir failed." -msgstr "directory aanmaken (mkdir) mislukt." - -#: ../../include/attach.php:1087 -msgid "database storage failed." -msgstr "opslag in database mislukt." - -#: ../../include/attach.php:1135 -msgid "Empty path" -msgstr "Ontbrekend bestandspad" - -#: ../../include/bbcode.php:123 ../../include/bbcode.php:878 -#: ../../include/bbcode.php:881 ../../include/bbcode.php:886 -#: ../../include/bbcode.php:889 ../../include/bbcode.php:892 -#: ../../include/bbcode.php:895 ../../include/bbcode.php:900 -#: ../../include/bbcode.php:903 ../../include/bbcode.php:908 -#: ../../include/bbcode.php:911 ../../include/bbcode.php:914 -#: ../../include/bbcode.php:917 -msgid "Image/photo" -msgstr "Afbeelding/foto" - -#: ../../include/bbcode.php:162 ../../include/bbcode.php:928 -msgid "Encrypted content" -msgstr "Versleutelde inhoud" - -#: ../../include/bbcode.php:178 -#, php-format -msgid "Install %s element: " -msgstr "Installeer %s-element: " - -#: ../../include/bbcode.php:182 +#: ../../include/acl_selectors.php:214 #, php-format msgid "" -"This post contains an installable %s element, however you lack permissions " -"to install it on this site." -msgstr "Dit bericht heeft een te installeren %s-element, maar je hebt geen permissies om het op deze hub te installeren." +"Post permissions %s cannot be changed %s after a post is shared.
These" +" permissions set who is allowed to view the post." +msgstr "Permissies van berichten %s zijn niet meer te veranderen %s nadat een bericht is gedeeld.
Met deze permissies bepaal je wie het bericht kan zien." -#: ../../include/bbcode.php:261 -#, php-format -msgid "%1$s wrote the following %2$s %3$s" -msgstr "%1$s schreef het volgende %2$s %3$s" - -#: ../../include/bbcode.php:338 ../../include/bbcode.php:346 -msgid "Click to open/close" -msgstr "Klik om te openen of te sluiten" - -#: ../../include/bbcode.php:346 -msgid "spoiler" -msgstr "spoiler" - -#: ../../include/bbcode.php:619 -msgid "Different viewers will see this text differently" -msgstr "Deze tekst wordt per persoon anders weergeven." - -#: ../../include/bbcode.php:866 -msgid "$1 wrote:" -msgstr "$1 schreef:" - -#: ../../include/items.php:897 ../../include/items.php:942 -msgid "(Unknown)" -msgstr "(Onbekend)" - -#: ../../include/items.php:1141 -msgid "Visible to anybody on the internet." -msgstr "Voor iedereen op het internet zichtbaar." - -#: ../../include/items.php:1143 -msgid "Visible to you only." -msgstr "Alleen voor jou zichtbaar." - -#: ../../include/items.php:1145 -msgid "Visible to anybody in this network." -msgstr "Voor iedereen in dit netwerk zichtbaar." - -#: ../../include/items.php:1147 -msgid "Visible to anybody authenticated." -msgstr "Voor iedereen die geauthenticeerd is zichtbaar." - -#: ../../include/items.php:1149 -#, php-format -msgid "Visible to anybody on %s." -msgstr "Voor iedereen op %s zichtbaar." - -#: ../../include/items.php:1151 -msgid "Visible to all connections." -msgstr "Voor alle connecties zichtbaar." - -#: ../../include/items.php:1153 -msgid "Visible to approved connections." -msgstr "Voor alle geaccepteerde connecties zichtbaar." - -#: ../../include/items.php:1155 -msgid "Visible to specific connections." -msgstr "Voor specifieke connecties zichtbaar." - -#: ../../include/items.php:3918 -msgid "Privacy group is empty." -msgstr "Privacygroep is leeg" - -#: ../../include/items.php:3925 -#, php-format -msgid "Privacy group: %s" -msgstr "Privacygroep: %s" - -#: ../../include/items.php:3937 -msgid "Connection not found." -msgstr "Connectie niet gevonden." - -#: ../../include/items.php:4290 -msgid "profile photo" -msgstr "profielfoto" - -#: ../../include/oembed.php:336 +#: ../../include/oembed.php:340 msgid "Embedded content" msgstr "Ingesloten (embedded) inhoud" -#: ../../include/oembed.php:345 +#: ../../include/oembed.php:349 msgid "Embedding disabled" msgstr "Insluiten (embedding) uitgeschakeld" -#: ../../include/widgets.php:103 -msgid "System" -msgstr "Systeem" - -#: ../../include/widgets.php:106 -msgid "New App" -msgstr "Nieuwe app" - -#: ../../include/widgets.php:154 -msgid "Suggestions" -msgstr "Voorgestelde kanalen" - -#: ../../include/widgets.php:155 -msgid "See more..." -msgstr "Meer..." - -#: ../../include/widgets.php:175 -#, php-format -msgid "You have %1$.0f of %2$.0f allowed connections." -msgstr "Je hebt %1$.0f van de %2$.0f toegestane connecties." - -#: ../../include/widgets.php:181 -msgid "Add New Connection" -msgstr "Nieuwe connectie toevoegen" - -#: ../../include/widgets.php:182 -msgid "Enter channel address" -msgstr "Vul kanaaladres in" - -#: ../../include/widgets.php:183 -msgid "Examples: bob@example.com, https://example.com/barbara" -msgstr "Voorbeelden: bob@example.com, http://example.com/barbara" - -#: ../../include/widgets.php:199 -msgid "Notes" -msgstr "Aantekeningen" - -#: ../../include/widgets.php:273 -msgid "Remove term" -msgstr "Verwijder zoekterm" - -#: ../../include/widgets.php:313 ../../include/widgets.php:432 -#: ../../include/contact_widgets.php:56 ../../include/contact_widgets.php:94 -msgid "Everything" -msgstr "Alles" - -#: ../../include/widgets.php:354 -msgid "Archives" -msgstr "Archieven" - -#: ../../include/widgets.php:516 -msgid "Refresh" -msgstr "Vernieuwen" - -#: ../../include/widgets.php:556 -msgid "Account settings" -msgstr "Account" - -#: ../../include/widgets.php:562 -msgid "Channel settings" -msgstr "Kanaal" - -#: ../../include/widgets.php:571 -msgid "Additional features" -msgstr "Extra functies" - -#: ../../include/widgets.php:578 -msgid "Feature/Addon settings" -msgstr "Plugin-instellingen" - -#: ../../include/widgets.php:584 -msgid "Display settings" -msgstr "Weergave" - -#: ../../include/widgets.php:591 -msgid "Manage locations" -msgstr "Locaties beheren" - -#: ../../include/widgets.php:600 -msgid "Export channel" -msgstr "Kanaal exporteren" - -#: ../../include/widgets.php:607 -msgid "Connected apps" -msgstr "Verbonden applicaties" - -#: ../../include/widgets.php:631 -msgid "Premium Channel Settings" -msgstr "Instellingen premiumkanaal" - -#: ../../include/widgets.php:660 -msgid "Private Mail Menu" -msgstr "PrivƩberichten" - -#: ../../include/widgets.php:662 -msgid "Combined View" -msgstr "Gecombineerd postvak" - -#: ../../include/widgets.php:694 ../../include/widgets.php:706 -msgid "Conversations" -msgstr "Conversaties" - -#: ../../include/widgets.php:698 -msgid "Received Messages" -msgstr "Ontvangen berichten" - -#: ../../include/widgets.php:702 -msgid "Sent Messages" -msgstr "Verzonden berichten" - -#: ../../include/widgets.php:716 -msgid "No messages." -msgstr "Geen berichten" - -#: ../../include/widgets.php:734 -msgid "Delete conversation" -msgstr "Verwijder conversatie" - -#: ../../include/widgets.php:760 -msgid "Events Tools" -msgstr "Agenda-hulpmiddelen" - -#: ../../include/widgets.php:761 -msgid "Export Calendar" -msgstr "Exporteren" - -#: ../../include/widgets.php:762 -msgid "Import Calendar" -msgstr "Importeren" - -#: ../../include/widgets.php:840 -msgid "Overview" -msgstr "Overzicht" - -#: ../../include/widgets.php:847 -msgid "Chat Members" -msgstr "Chatleden" - -#: ../../include/widgets.php:869 -msgid "Wiki List" -msgstr "Wiki's" - -#: ../../include/widgets.php:907 -msgid "Wiki Pages" -msgstr "Wikipagina's" - -#: ../../include/widgets.php:942 -msgid "Bookmarked Chatrooms" -msgstr "Bladwijzers van chatkanalen" - -#: ../../include/widgets.php:965 -msgid "Suggested Chatrooms" -msgstr "Voorgestelde chatkanalen" - -#: ../../include/widgets.php:1111 ../../include/widgets.php:1223 -msgid "photo/image" -msgstr "foto/afbeelding" - -#: ../../include/widgets.php:1166 -msgid "Click to show more" -msgstr "Klik voor meer" - -#: ../../include/widgets.php:1317 -msgid "Rating Tools" -msgstr "Beoordelingen" - -#: ../../include/widgets.php:1321 ../../include/widgets.php:1323 -msgid "Rate Me" -msgstr "Beoordeel mij" - -#: ../../include/widgets.php:1326 -msgid "View Ratings" -msgstr "Bekijk beoordelingen" - -#: ../../include/widgets.php:1410 -msgid "Forums" -msgstr "Forums" - -#: ../../include/widgets.php:1439 -msgid "Tasks" -msgstr "Taken" - -#: ../../include/widgets.php:1448 -msgid "Documentation" -msgstr "Documentatie" - -#: ../../include/widgets.php:1450 -msgid "Project/Site Information" -msgstr "Project- en hub-informatie" - -#: ../../include/widgets.php:1451 -msgid "For Members" -msgstr "Voor leden" - -#: ../../include/widgets.php:1452 -msgid "For Administrators" -msgstr "Voor beheerders" - -#: ../../include/widgets.php:1453 -msgid "For Developers" -msgstr "Voor ontwikkelaars" - -#: ../../include/widgets.php:1477 ../../include/widgets.php:1515 -msgid "Member registrations waiting for confirmation" -msgstr "Accounts die op goedkeuring wachten" - -#: ../../include/widgets.php:1483 -msgid "Inspect queue" -msgstr "Inspecteer berichtenwachtrij" - -#: ../../include/widgets.php:1485 -msgid "DB updates" -msgstr "Database-updates" - -#: ../../include/widgets.php:1511 -msgid "Plugin Features" -msgstr "Plugin-opties" - #: ../../include/activities.php:41 msgid " and " msgstr " en " @@ -9354,260 +9396,307 @@ msgstr "Bezoek het %2$s van %1$s" msgid "%1$s has an updated %2$s, changing %3$s." msgstr "%1$s heeft een aangepaste %2$s, %3$s veranderd." -#: ../../include/bb2diaspora.php:398 -msgid "Attachments:" -msgstr "Bijlagen:" +#: ../../include/attach.php:248 ../../include/attach.php:334 +msgid "Item was not found." +msgstr "Item niet gevonden" -#: ../../include/bb2diaspora.php:487 -msgid "$Projectname event notification:" -msgstr "Notificatie $Projectname-gebeurtenis:" +#: ../../include/attach.php:500 +msgid "No source file." +msgstr "Geen bronbestand." -#: ../../include/js_strings.php:5 -msgid "Delete this item?" -msgstr "Dit item verwijderen?" +#: ../../include/attach.php:522 +msgid "Cannot locate file to replace" +msgstr "Kan het te vervangen bestand niet vinden" -#: ../../include/js_strings.php:8 +#: ../../include/attach.php:540 +msgid "Cannot locate file to revise/update" +msgstr "Kan het bestand wat aangepast moet worden niet vinden" + +#: ../../include/attach.php:675 #, php-format -msgid "%s show less" -msgstr "%s minder reacties weergeven" +msgid "File exceeds size limit of %d" +msgstr "Bestand is groter dan de toegelaten %d" -#: ../../include/js_strings.php:9 +#: ../../include/attach.php:689 #, php-format -msgid "%s expand" -msgstr "%s uitklappen" +msgid "You have reached your limit of %1$.0f Mbytes attachment storage." +msgstr "Je hebt jouw limiet van %1$.0f MB opslagruimte voor bijlagen bereikt." -#: ../../include/js_strings.php:10 +#: ../../include/attach.php:847 +msgid "File upload failed. Possible system limit or action terminated." +msgstr "Uploaden van bestand mislukt. Mogelijk systeemlimiet bereikt of actie afgebroken." + +#: ../../include/attach.php:860 +msgid "Stored file could not be verified. Upload failed." +msgstr "Opgeslagen bestand kon niet worden geverifieerd. Uploaden mislukt." + +#: ../../include/attach.php:916 ../../include/attach.php:932 +msgid "Path not available." +msgstr "Locatie niet beschikbaar." + +#: ../../include/attach.php:978 ../../include/attach.php:1130 +msgid "Empty pathname" +msgstr "Ontbrekende locatienaam" + +#: ../../include/attach.php:1004 +msgid "duplicate filename or path" +msgstr "dubbele bestandsnaam of locatie" + +#: ../../include/attach.php:1026 +msgid "Path not found." +msgstr "Locatie niet gevonden" + +#: ../../include/attach.php:1084 +msgid "mkdir failed." +msgstr "directory aanmaken (mkdir) mislukt." + +#: ../../include/attach.php:1088 +msgid "database storage failed." +msgstr "opslag in database mislukt." + +#: ../../include/attach.php:1136 +msgid "Empty path" +msgstr "Ontbrekende locatie" + +#: ../../include/taxonomy.php:228 ../../include/taxonomy.php:249 +msgid "Tags" +msgstr "Tags" + +#: ../../include/taxonomy.php:293 +msgid "Keywords" +msgstr "Trefwoorden" + +#: ../../include/taxonomy.php:314 +msgid "have" +msgstr "heb" + +#: ../../include/taxonomy.php:314 +msgid "has" +msgstr "heeft" + +#: ../../include/taxonomy.php:315 +msgid "want" +msgstr "wil" + +#: ../../include/taxonomy.php:315 +msgid "wants" +msgstr "wil" + +#: ../../include/taxonomy.php:316 +msgid "likes" +msgstr "vindt dit leuk" + +#: ../../include/taxonomy.php:317 +msgid "dislikes" +msgstr "vindt dit niet leuk" + +#: ../../include/zot.php:700 +msgid "Invalid data packet" +msgstr "Datapakket ongeldig" + +#: ../../include/zot.php:716 +msgid "Unable to verify channel signature" +msgstr "Kanaalkenmerk kon niet worden geverifieerd. " + +#: ../../include/zot.php:2329 #, php-format -msgid "%s collapse" -msgstr "%s inklappen" +msgid "Unable to verify site signature for %s" +msgstr "Hubkenmerk voor %s kon niet worden geverifieerd" -#: ../../include/js_strings.php:11 -msgid "Password too short" -msgstr "Wachtwoord te kort" +#: ../../include/zot.php:3706 +msgid "invalid target signature" +msgstr "ongeldig doelkenmerk" -#: ../../include/js_strings.php:12 -msgid "Passwords do not match" -msgstr "Wachtwoorden komen niet overeen" +#: ../../include/channel.php:33 +msgid "Unable to obtain identity information from database" +msgstr "Niet in staat om identiteitsinformatie uit de database te verkrijgen" -#: ../../include/js_strings.php:13 -msgid "everybody" -msgstr "iedereen" +#: ../../include/channel.php:67 +msgid "Empty name" +msgstr "Ontbrekende naam" -#: ../../include/js_strings.php:14 -msgid "Secret Passphrase" -msgstr "Geheim wachtwoord" +#: ../../include/channel.php:70 +msgid "Name too long" +msgstr "Naam te lang" -#: ../../include/js_strings.php:15 -msgid "Passphrase hint" -msgstr "Wachtwoordhint" +#: ../../include/channel.php:181 +msgid "No account identifier" +msgstr "Geen account-identificator" -#: ../../include/js_strings.php:16 -msgid "Notice: Permissions have changed but have not yet been submitted." -msgstr "Mededeling: de permissies zijn veranderd, maar zijn nog niet opgeslagen." +#: ../../include/channel.php:193 +msgid "Nickname is required." +msgstr "Bijnaam is verplicht" -#: ../../include/js_strings.php:17 -msgid "close all" -msgstr "Alles sluiten" +#: ../../include/channel.php:207 +msgid "Reserved nickname. Please choose another." +msgstr "Deze naam is gereserveerd. Kies een andere." -#: ../../include/js_strings.php:18 -msgid "Nothing new here" -msgstr "Niets nieuw hier" +#: ../../include/channel.php:212 +msgid "" +"Nickname has unsupported characters or is already being used on this site." +msgstr "Deze naam heeft niet ondersteunde karakters of is al op deze hub in gebruik." -#: ../../include/js_strings.php:19 -msgid "Rate This Channel (this is public)" -msgstr "Beoordeel dit kanaal (dit is openbaar)" +#: ../../include/channel.php:272 +msgid "Unable to retrieve created identity" +msgstr "Niet in staat om aangemaakte identiteit te vinden" -#: ../../include/js_strings.php:21 -msgid "Describe (optional)" -msgstr "Omschrijving (optioneel)" +#: ../../include/channel.php:341 +msgid "Default Profile" +msgstr "Standaardprofiel" -#: ../../include/js_strings.php:23 -msgid "Please enter a link URL" -msgstr "Vul een URL in:" +#: ../../include/channel.php:813 +msgid "Requested channel is not available." +msgstr "Opgevraagd kanaal is niet beschikbaar." -#: ../../include/js_strings.php:24 -msgid "Unsaved changes. Are you sure you wish to leave this page?" -msgstr "Niet opgeslagen wijzigingen. Ben je er zeker van dat je deze pagina wil verlaten?" +#: ../../include/channel.php:960 +msgid "Create New Profile" +msgstr "Nieuw profiel aanmaken" -#: ../../include/js_strings.php:27 -msgid "timeago.prefixAgo" -msgstr "timeago.prefixAgo" +#: ../../include/channel.php:980 +msgid "Visible to everybody" +msgstr "Voor iedereen zichtbaar" -#: ../../include/js_strings.php:28 -msgid "timeago.prefixFromNow" -msgstr "timeago.prefixFromNow" +#: ../../include/channel.php:1053 ../../include/channel.php:1166 +msgid "Gender:" +msgstr "Geslacht:" -#: ../../include/js_strings.php:29 -msgid "ago" -msgstr "geleden" +#: ../../include/channel.php:1054 ../../include/channel.php:1210 +msgid "Status:" +msgstr "Status:" -#: ../../include/js_strings.php:30 -msgid "from now" -msgstr "vanaf nu" +#: ../../include/channel.php:1055 ../../include/channel.php:1221 +msgid "Homepage:" +msgstr "Homepagina:" -#: ../../include/js_strings.php:31 -msgid "less than a minute" -msgstr "minder dan een minuut" +#: ../../include/channel.php:1056 +msgid "Online Now" +msgstr "Nu online" -#: ../../include/js_strings.php:32 -msgid "about a minute" -msgstr "ongeveer een minuut" +#: ../../include/channel.php:1171 +msgid "Like this channel" +msgstr "Vind dit kanaal leuk" -#: ../../include/js_strings.php:33 +#: ../../include/channel.php:1195 +msgid "j F, Y" +msgstr "F j Y" + +#: ../../include/channel.php:1196 +msgid "j F" +msgstr "F j" + +#: ../../include/channel.php:1203 +msgid "Birthday:" +msgstr "Geboortedatum:" + +#: ../../include/channel.php:1216 #, php-format -msgid "%d minutes" -msgstr "%d minuten" +msgid "for %1$d %2$s" +msgstr "voor %1$d %2$s" -#: ../../include/js_strings.php:34 -msgid "about an hour" -msgstr "ongeveer een uur" +#: ../../include/channel.php:1219 +msgid "Sexual Preference:" +msgstr "Seksuele voorkeur:" -#: ../../include/js_strings.php:35 +#: ../../include/channel.php:1225 +msgid "Tags:" +msgstr "Tags:" + +#: ../../include/channel.php:1227 +msgid "Political Views:" +msgstr "Politieke overtuigingen:" + +#: ../../include/channel.php:1229 +msgid "Religion:" +msgstr "Religie:" + +#: ../../include/channel.php:1233 +msgid "Hobbies/Interests:" +msgstr "Hobby's/interesses:" + +#: ../../include/channel.php:1235 +msgid "Likes:" +msgstr "Houdt van:" + +#: ../../include/channel.php:1237 +msgid "Dislikes:" +msgstr "Houdt niet van:" + +#: ../../include/channel.php:1239 +msgid "Contact information and Social Networks:" +msgstr "Contactinformatie en sociale netwerken:" + +#: ../../include/channel.php:1241 +msgid "My other channels:" +msgstr "Mijn andere kanalen" + +#: ../../include/channel.php:1243 +msgid "Musical interests:" +msgstr "Muzikale interesses:" + +#: ../../include/channel.php:1245 +msgid "Books, literature:" +msgstr "Boeken, literatuur:" + +#: ../../include/channel.php:1247 +msgid "Television:" +msgstr "Televisie:" + +#: ../../include/channel.php:1249 +msgid "Film/dance/culture/entertainment:" +msgstr "Films/dansen/cultuur/vermaak:" + +#: ../../include/channel.php:1251 +msgid "Love/Romance:" +msgstr "Liefde/romantiek:" + +#: ../../include/channel.php:1253 +msgid "Work/employment:" +msgstr "Werk/beroep:" + +#: ../../include/channel.php:1255 +msgid "School/education:" +msgstr "School/opleiding:" + +#: ../../include/channel.php:1276 +msgid "Like this thing" +msgstr "Vind dit ding leuk" + +#: ../../include/connections.php:95 +msgid "New window" +msgstr "Nieuw venster" + +#: ../../include/connections.php:96 +msgid "Open the selected location in a different window or browser tab" +msgstr "Open de geselecteerde locatie in een ander venster of tab" + +#: ../../include/connections.php:214 #, php-format -msgid "about %d hours" -msgstr "ongeveer %d uren" +msgid "User '%s' deleted" +msgstr "Account '%s' verwijderd" -#: ../../include/js_strings.php:36 -msgid "a day" -msgstr "een dag" +#: ../../include/event.php:821 +msgid "This event has been added to your calendar." +msgstr "Dit evenement is aan jouw agenda toegevoegd." -#: ../../include/js_strings.php:37 -#, php-format -msgid "%d days" -msgstr "%d dagen" +#: ../../include/event.php:1021 +msgid "Not specified" +msgstr "Niet aangegeven" -#: ../../include/js_strings.php:38 -msgid "about a month" -msgstr "ongeveer een maand" +#: ../../include/event.php:1022 +msgid "Needs Action" +msgstr "Actie vereist" -#: ../../include/js_strings.php:39 -#, php-format -msgid "%d months" -msgstr "%d maanden" +#: ../../include/event.php:1023 +msgid "Completed" +msgstr "Voltooid" -#: ../../include/js_strings.php:40 -msgid "about a year" -msgstr "ongeveer een jaar" +#: ../../include/event.php:1024 +msgid "In Process" +msgstr "In behandeling" -#: ../../include/js_strings.php:41 -#, php-format -msgid "%d years" -msgstr "%d jaren" - -#: ../../include/js_strings.php:42 -msgid " " -msgstr " " - -#: ../../include/js_strings.php:43 -msgid "timeago.numbers" -msgstr "timeago.numbers" - -#: ../../include/js_strings.php:49 -msgctxt "long" -msgid "May" -msgstr "mei" - -#: ../../include/js_strings.php:57 -msgid "Jan" -msgstr "jan" - -#: ../../include/js_strings.php:58 -msgid "Feb" -msgstr "feb" - -#: ../../include/js_strings.php:59 -msgid "Mar" -msgstr "mrt" - -#: ../../include/js_strings.php:60 -msgid "Apr" -msgstr "apr" - -#: ../../include/js_strings.php:61 -msgctxt "short" -msgid "May" -msgstr "mei" - -#: ../../include/js_strings.php:62 -msgid "Jun" -msgstr "jun" - -#: ../../include/js_strings.php:63 -msgid "Jul" -msgstr "jul" - -#: ../../include/js_strings.php:64 -msgid "Aug" -msgstr "aug" - -#: ../../include/js_strings.php:65 -msgid "Sep" -msgstr "sep" - -#: ../../include/js_strings.php:66 -msgid "Oct" -msgstr "okt" - -#: ../../include/js_strings.php:67 -msgid "Nov" -msgstr "nov" - -#: ../../include/js_strings.php:68 -msgid "Dec" -msgstr "dec" - -#: ../../include/js_strings.php:76 -msgid "Sun" -msgstr "zo" - -#: ../../include/js_strings.php:77 -msgid "Mon" -msgstr "ma" - -#: ../../include/js_strings.php:78 -msgid "Tue" -msgstr "di" - -#: ../../include/js_strings.php:79 -msgid "Wed" -msgstr "wo" - -#: ../../include/js_strings.php:80 -msgid "Thu" -msgstr "do" - -#: ../../include/js_strings.php:81 -msgid "Fri" -msgstr "vr" - -#: ../../include/js_strings.php:82 -msgid "Sat" -msgstr "za" - -#: ../../include/js_strings.php:83 -msgctxt "calendar" -msgid "today" -msgstr "vandaag" - -#: ../../include/js_strings.php:84 -msgctxt "calendar" -msgid "month" -msgstr "maand" - -#: ../../include/js_strings.php:85 -msgctxt "calendar" -msgid "week" -msgstr "week" - -#: ../../include/js_strings.php:86 -msgctxt "calendar" -msgid "day" -msgstr "dag" - -#: ../../include/js_strings.php:87 -msgctxt "calendar" -msgid "All day" -msgstr "hele dag" +#: ../../include/event.php:1025 +msgid "Cancelled" +msgstr "Geannuleerd" #: ../../include/contact_widgets.php:11 #, php-format @@ -9687,341 +9776,266 @@ msgstr "Afzender kan niet bepaald worden." msgid "Stored post could not be verified." msgstr "Opgeslagen bericht kon niet worden geverifieerd." -#: ../../include/acl_selectors.php:269 -msgid "Who can see this?" -msgstr "Wie kan dit zien?" +#: ../../include/account.php:28 +msgid "Not a valid email address" +msgstr "Geen geldig e-mailadres" -#: ../../include/acl_selectors.php:270 -msgid "Custom selection" -msgstr "Handmatige selectie" +#: ../../include/account.php:30 +msgid "Your email domain is not among those allowed on this site" +msgstr "Jouw e-maildomein is op deze hub niet toegestaan" -#: ../../include/acl_selectors.php:271 -msgid "" -"Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit" -" the scope of \"Show\"." -msgstr "Kies \"Tonen\" om weergave toe te staan. Met \"Niet tonen\" kan je uitzonderingen maken op \"Tonen\"." +#: ../../include/account.php:36 +msgid "Your email address is already registered at this site." +msgstr "Jouw e-mailadres is al op deze hub geregistreerd." -#: ../../include/acl_selectors.php:272 -msgid "Show" -msgstr "Tonen" +#: ../../include/account.php:68 +msgid "An invitation is required." +msgstr "Een uitnodiging is vereist" -#: ../../include/acl_selectors.php:273 -msgid "Don't show" -msgstr "Niet tonen" +#: ../../include/account.php:72 +msgid "Invitation could not be verified." +msgstr "Uitnodiging kon niet geverifieerd worden" -#: ../../include/acl_selectors.php:279 -msgid "Other networks and post services" -msgstr "Andere netwerken en diensten" +#: ../../include/account.php:122 +msgid "Please enter the required information." +msgstr "Vul de vereiste informatie in." -#: ../../include/acl_selectors.php:309 +#: ../../include/account.php:189 +msgid "Failed to store account information." +msgstr "Account-informatie kon niet opgeslagen worden." + +#: ../../include/account.php:249 #, php-format -msgid "" -"Post permissions %s cannot be changed %s after a post is shared.
These" -" permissions set who is allowed to view the post." -msgstr "Permissies van berichten %s zijn niet meer te veranderen %s nadat een bericht is gedeeld.
Met deze permissies bepaal je wie het bericht kan zien." +msgid "Registration confirmation for %s" +msgstr "Registratiebevestiging voor %s" -#: ../../include/datetime.php:135 -msgid "Birthday" -msgstr "Verjaardag of geboortedatum" - -#: ../../include/datetime.php:137 -msgid "Age: " -msgstr "Leeftijd:" - -#: ../../include/datetime.php:139 -msgid "YYYY-MM-DD or MM-DD" -msgstr "JJJJ-MM-DD of MM-DD" - -#: ../../include/datetime.php:272 ../../boot.php:2479 -msgid "never" -msgstr "nooit" - -#: ../../include/datetime.php:278 -msgid "less than a second ago" -msgstr "minder dan een seconde geleden" - -#: ../../include/datetime.php:296 +#: ../../include/account.php:315 #, php-format -msgctxt "e.g. 22 hours ago, 1 minute ago" -msgid "%1$d %2$s ago" -msgstr "%1$d %2$s geleden" +msgid "Registration request at %s" +msgstr "Registratiebevestiging voor %s" -#: ../../include/datetime.php:307 -msgctxt "relative_date" -msgid "year" -msgid_plural "years" -msgstr[0] "jaar" -msgstr[1] "jaren" +#: ../../include/account.php:339 +msgid "your registration password" +msgstr "jouw registratiewachtwoord" -#: ../../include/datetime.php:310 -msgctxt "relative_date" -msgid "month" -msgid_plural "months" -msgstr[0] "maand" -msgstr[1] "maanden" - -#: ../../include/datetime.php:313 -msgctxt "relative_date" -msgid "week" -msgid_plural "weeks" -msgstr[0] "week" -msgstr[1] "weken" - -#: ../../include/datetime.php:316 -msgctxt "relative_date" -msgid "day" -msgid_plural "days" -msgstr[0] "dag" -msgstr[1] "dagen" - -#: ../../include/datetime.php:319 -msgctxt "relative_date" -msgid "hour" -msgid_plural "hours" -msgstr[0] "uur" -msgstr[1] "uren" - -#: ../../include/datetime.php:322 -msgctxt "relative_date" -msgid "minute" -msgid_plural "minutes" -msgstr[0] "minuut" -msgstr[1] "minuten" - -#: ../../include/datetime.php:325 -msgctxt "relative_date" -msgid "second" -msgid_plural "seconds" -msgstr[0] "seconde" -msgstr[1] "seconden" - -#: ../../include/datetime.php:562 +#: ../../include/account.php:342 ../../include/account.php:402 #, php-format -msgid "%1$s's birthday" -msgstr "Verjaardag van %1$s" +msgid "Registration details for %s" +msgstr "Registratiegegevens voor %s" -#: ../../include/datetime.php:563 +#: ../../include/account.php:414 +msgid "Account approved." +msgstr "Account goedgekeurd" + +#: ../../include/account.php:454 #, php-format -msgid "Happy Birthday %1$s" -msgstr "Gefeliciteerd met je verjaardag %1$s" +msgid "Registration revoked for %s" +msgstr "Registratie ingetrokken voor %s" -#: ../../include/api.php:1327 -msgid "Public Timeline" -msgstr "Openbare tijdlijn" +#: ../../include/account.php:739 ../../include/account.php:741 +msgid "Click here to upgrade." +msgstr "Klik hier om te upgraden." -#: ../../include/zot.php:697 -msgid "Invalid data packet" -msgstr "Datapakket ongeldig" +#: ../../include/account.php:747 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "Deze handeling overschrijdt de beperkingen die voor jouw abonnement gelden." -#: ../../include/zot.php:713 -msgid "Unable to verify channel signature" -msgstr "Kanaalkenmerk kon niet worden geverifieerd. " +#: ../../include/account.php:752 +msgid "This action is not available under your subscription plan." +msgstr "Deze handeling is niet mogelijk met jouw abonnement." -#: ../../include/zot.php:2326 -#, php-format -msgid "Unable to verify site signature for %s" -msgstr "Hubkenmerk voor %s kon niet worden geverifieerd" - -#: ../../include/zot.php:3703 -msgid "invalid target signature" -msgstr "ongeldig doelkenmerk" - -#: ../../view/theme/redbasic/php/config.php:82 +#: ../../view/theme/redbasic/php/config.php:6 msgid "Focus (Hubzilla default)" msgstr "Focus (Hubzilla-standaard)" -#: ../../view/theme/redbasic/php/config.php:103 +#: ../../view/theme/redbasic/php/config.php:110 msgid "Theme settings" msgstr "Thema-instellingen" -#: ../../view/theme/redbasic/php/config.php:104 -msgid "Select scheme" -msgstr "Kies schema van thema" - -#: ../../view/theme/redbasic/php/config.php:105 +#: ../../view/theme/redbasic/php/config.php:111 msgid "Narrow navbar" msgstr "Smalle navigatiebalk" -#: ../../view/theme/redbasic/php/config.php:106 +#: ../../view/theme/redbasic/php/config.php:112 msgid "Navigation bar background color" msgstr "Achtergrondkleur navigatiebalk" -#: ../../view/theme/redbasic/php/config.php:107 +#: ../../view/theme/redbasic/php/config.php:113 msgid "Navigation bar gradient top color" msgstr "Bovenste gradiëntkleur navigatiebalk" -#: ../../view/theme/redbasic/php/config.php:108 +#: ../../view/theme/redbasic/php/config.php:114 msgid "Navigation bar gradient bottom color" msgstr "Onderste gradiëntkleur navigatiebalk" -#: ../../view/theme/redbasic/php/config.php:109 +#: ../../view/theme/redbasic/php/config.php:115 msgid "Navigation active button gradient top color" msgstr "Bovenste gradiëntkleur actieve knop navigatiebalk" -#: ../../view/theme/redbasic/php/config.php:110 +#: ../../view/theme/redbasic/php/config.php:116 msgid "Navigation active button gradient bottom color" msgstr "Onderste gradiëntkleur actieve knop op navigatiebalk" -#: ../../view/theme/redbasic/php/config.php:111 +#: ../../view/theme/redbasic/php/config.php:117 msgid "Navigation bar border color " msgstr "Randkleur navigatiebalk " -#: ../../view/theme/redbasic/php/config.php:112 +#: ../../view/theme/redbasic/php/config.php:118 msgid "Navigation bar icon color " msgstr "Pictogramkleur navigatiebalk" -#: ../../view/theme/redbasic/php/config.php:113 +#: ../../view/theme/redbasic/php/config.php:119 msgid "Navigation bar active icon color " msgstr "Actieve pictogramkleur navigatiebalk" -#: ../../view/theme/redbasic/php/config.php:114 +#: ../../view/theme/redbasic/php/config.php:120 msgid "link color" msgstr "Linkkleur instellen" -#: ../../view/theme/redbasic/php/config.php:115 +#: ../../view/theme/redbasic/php/config.php:121 msgid "Set font-color for banner" msgstr "Tekstkleur van banner instellen" -#: ../../view/theme/redbasic/php/config.php:116 +#: ../../view/theme/redbasic/php/config.php:122 msgid "Set the background color" msgstr "Achtergrondkleur instellen" -#: ../../view/theme/redbasic/php/config.php:117 +#: ../../view/theme/redbasic/php/config.php:123 msgid "Set the background image" msgstr "Achtergrondafbeelding instellen" -#: ../../view/theme/redbasic/php/config.php:118 +#: ../../view/theme/redbasic/php/config.php:124 msgid "Set the background color of items" msgstr "Achtergrondkleur items instellen" -#: ../../view/theme/redbasic/php/config.php:119 +#: ../../view/theme/redbasic/php/config.php:125 msgid "Set the background color of comments" msgstr "Achtergrondkleur reacties instellen" -#: ../../view/theme/redbasic/php/config.php:120 +#: ../../view/theme/redbasic/php/config.php:126 msgid "Set the border color of comments" msgstr "Randkleur reacties instellen" -#: ../../view/theme/redbasic/php/config.php:121 +#: ../../view/theme/redbasic/php/config.php:127 msgid "Set the indent for comments" msgstr "Inspringen reacties instellen" -#: ../../view/theme/redbasic/php/config.php:122 +#: ../../view/theme/redbasic/php/config.php:128 msgid "Set the basic color for item icons" msgstr "Basiskleur itempictogrammen instellen" -#: ../../view/theme/redbasic/php/config.php:123 +#: ../../view/theme/redbasic/php/config.php:129 msgid "Set the hover color for item icons" msgstr "Hoverkleur itempictogrammen instellen" -#: ../../view/theme/redbasic/php/config.php:124 +#: ../../view/theme/redbasic/php/config.php:130 msgid "Set font-size for the entire application" msgstr "Tekstgrootte van de volledige applicatie instellen" -#: ../../view/theme/redbasic/php/config.php:124 +#: ../../view/theme/redbasic/php/config.php:130 msgid "Example: 14px" msgstr "Voorbeeld: 14px" -#: ../../view/theme/redbasic/php/config.php:125 +#: ../../view/theme/redbasic/php/config.php:131 msgid "Set font-size for posts and comments" msgstr "Lettergrootte voor berichten en reacties instellen" -#: ../../view/theme/redbasic/php/config.php:126 +#: ../../view/theme/redbasic/php/config.php:132 msgid "Set font-color for posts and comments" msgstr "Tekstkleur van berichten en reacties" -#: ../../view/theme/redbasic/php/config.php:127 +#: ../../view/theme/redbasic/php/config.php:133 msgid "Set radius of corners" msgstr "Radius van hoeken instellen" -#: ../../view/theme/redbasic/php/config.php:128 +#: ../../view/theme/redbasic/php/config.php:134 msgid "Set shadow depth of photos" msgstr "Schaduwdiepte van foto's instellen" -#: ../../view/theme/redbasic/php/config.php:129 +#: ../../view/theme/redbasic/php/config.php:135 msgid "Set maximum width of content region in pixel" msgstr "Maximumbreedte conversatieruimte instellen (in pixels)" -#: ../../view/theme/redbasic/php/config.php:129 +#: ../../view/theme/redbasic/php/config.php:135 msgid "Leave empty for default width" msgstr "Laat leeg voor standaardbreedte" -#: ../../view/theme/redbasic/php/config.php:130 +#: ../../view/theme/redbasic/php/config.php:136 msgid "Left align page content" msgstr "Inhoud links uitlijnen" -#: ../../view/theme/redbasic/php/config.php:131 +#: ../../view/theme/redbasic/php/config.php:137 msgid "Set minimum opacity of nav bar - to hide it" msgstr "Minimale ondoorzichtigheid navigatiebalk (- om te verbergen)" -#: ../../view/theme/redbasic/php/config.php:132 +#: ../../view/theme/redbasic/php/config.php:138 msgid "Set size of conversation author photo" msgstr "Grootte profielfoto's van berichten instellen" -#: ../../view/theme/redbasic/php/config.php:133 +#: ../../view/theme/redbasic/php/config.php:139 msgid "Set size of followup author photos" msgstr "Grootte profielfoto's van reacties instellen" -#: ../../boot.php:1163 +#: ../../boot.php:1169 #, php-format msgctxt "opensearch" msgid "Search %1$s (%2$s)" msgstr "Zoek %1$s (%2$s)" -#: ../../boot.php:1163 +#: ../../boot.php:1169 msgctxt "opensearch" msgid "$Projectname" msgstr "$Projectname" -#: ../../boot.php:1481 +#: ../../boot.php:1487 #, php-format msgid "Update %s failed. See error logs." msgstr "Update %s mislukt. Zie foutenlogboek." -#: ../../boot.php:1484 +#: ../../boot.php:1490 #, php-format msgid "Update Error at %s" msgstr "Update-fout op %s" -#: ../../boot.php:1685 +#: ../../boot.php:1694 msgid "" "Create an account to access services and applications within the Hubzilla" msgstr "Maak een account aan om toegang te krijgen tot diensten en toepassingen van Hubzilla" -#: ../../boot.php:1706 +#: ../../boot.php:1715 msgid "Login/Email" msgstr "E-mailadres of inlognaam" -#: ../../boot.php:1707 +#: ../../boot.php:1716 msgid "Password" msgstr "Wachtwoord" -#: ../../boot.php:1708 +#: ../../boot.php:1717 msgid "Remember me" msgstr "Aangemeld blijven" -#: ../../boot.php:1711 +#: ../../boot.php:1720 msgid "Forgot your password?" msgstr "Wachtwoord vergeten?" -#: ../../boot.php:2277 +#: ../../boot.php:2289 msgid "toggle mobile" msgstr "mobiele weergave omschakelen" -#: ../../boot.php:2432 +#: ../../boot.php:2444 msgid "Website SSL certificate is not valid. Please correct." msgstr "Het SSL-certificaat van deze website is ongeldig. Corrigeer dit a.u.b." -#: ../../boot.php:2435 +#: ../../boot.php:2447 #, php-format msgid "[hubzilla] Website SSL error for %s" msgstr "[hubzilla] Probleem met SSL-certificaat voor %s" -#: ../../boot.php:2478 +#: ../../boot.php:2551 msgid "Cron/Scheduled tasks not running." msgstr "Cron is niet actief" -#: ../../boot.php:2482 +#: ../../boot.php:2555 #, php-format msgid "[hubzilla] Cron tasks not running on %s" msgstr "[hubzilla] Cron-taken zijn niet actief op %s" diff --git a/view/nl/hstrings.php b/view/nl/hstrings.php index 6cbc6425e..0e339f701 100644 --- a/view/nl/hstrings.php +++ b/view/nl/hstrings.php @@ -61,6 +61,7 @@ App::$strings["You are using %1\$s of %2\$s available file storage. (%3\$s%) App::$strings["WARNING:"] = "WAARSCHUWING:"; App::$strings["Create new folder"] = "Nieuwe map aanmaken"; App::$strings["Upload file"] = "Bestand uploaden"; +App::$strings["Drop files here to immediately upload"] = "Sleep bestanden hierheen om ze onmiddelijk te uploaden"; App::$strings["Permission denied"] = "Toegang geweigerd"; App::$strings["Permission denied."] = "Toegang geweigerd."; App::$strings["Not Found"] = "Niet gevonden"; @@ -71,6 +72,118 @@ App::$strings["Requested profile is not available."] = "Opgevraagd profiel is ni App::$strings["Some blurb about what to do when you're new here"] = "Welkom op \$Projectname. Klik op de tab ontdekken of klik rechtsboven op de kanalengids, om kanalen te vinden. Rechtsboven vind je ook apps, waar je vrijwel alle functies van \$Projectname kunt vinden. Voor hulp met \$Projectname klik je op het vraagteken."; App::$strings["Away"] = "Afwezig"; App::$strings["Online"] = "Online"; +App::$strings["Item not found."] = "Item niet gevonden."; +App::$strings["Thing updated"] = "Ding bijgewerkt"; +App::$strings["Object store: failed"] = "Opslaan van ding mislukt"; +App::$strings["Thing added"] = "Ding toegevoegd"; +App::$strings["OBJ: %1\$s %2\$s %3\$s"] = "OBJ: %1\$s %2\$s %3\$s"; +App::$strings["Show Thing"] = "Ding weergeven"; +App::$strings["item not found."] = "Item niet gevonden"; +App::$strings["Edit Thing"] = "Ding bewerken"; +App::$strings["Select a profile"] = "Kies een profiel"; +App::$strings["Post an activity"] = "Plaats een bericht"; +App::$strings["Only sends to viewers of the applicable profile"] = "Toont dit alleen aan diegene die het gekozen profiel mogen zien."; +App::$strings["Name of thing e.g. something"] = "Naam van ding"; +App::$strings["URL of thing (optional)"] = "URL van ding (optioneel)"; +App::$strings["URL for photo of thing (optional)"] = "URL voor foto van ding (optioneel)"; +App::$strings["Permissions"] = "Permissies"; +App::$strings["Submit"] = "Opslaan"; +App::$strings["Add Thing to your Profile"] = "Ding aan je profiel toevoegen"; +App::$strings["Like/Dislike"] = "Leuk/niet leuk"; +App::$strings["This action is restricted to members."] = "Deze actie kan alleen door \$Projectname-leden worden uitgevoerd."; +App::$strings["Please login with your \$Projectname ID or register as a new \$Projectname member to continue."] = "Je dient in te loggen met je \$Projectname-account of een nieuw \$Projectname-account aan te maken om verder te kunnen gaan."; +App::$strings["Invalid request."] = "Ongeldig verzoek"; +App::$strings["channel"] = "kanaal"; +App::$strings["thing"] = "ding"; +App::$strings["Channel unavailable."] = "Kanaal niet beschikbaar."; +App::$strings["Previous action reversed."] = "Vorige actie omgedraaid"; +App::$strings["photo"] = "foto"; +App::$strings["status"] = "bericht"; +App::$strings["event"] = "gebeurtenis"; +App::$strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s vindt %3\$s van %2\$s leuk"; +App::$strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s vindt %3\$s van %2\$s niet leuk"; +App::$strings["%1\$s agrees with %2\$s's %3\$s"] = "%1\$s is het eens met %2\$s's %3\$s"; +App::$strings["%1\$s doesn't agree with %2\$s's %3\$s"] = "%1\$s is het niet eens met %2\$s's %3\$s"; +App::$strings["%1\$s abstains from a decision on %2\$s's %3\$s"] = "%1\$s onthoudt zich van een besluit over %2\$s's %3\$s"; +App::$strings["%1\$s is attending %2\$s's %3\$s"] = "%1\$s is aanwezig op %2\$s's %3\$s"; +App::$strings["%1\$s is not attending %2\$s's %3\$s"] = "%1\$s is niet aanwezig op %2\$s's %3\$s"; +App::$strings["%1\$s may attend %2\$s's %3\$s"] = "%1\$s is mogelijk aanwezig op %2\$s's %3\$s"; +App::$strings["Action completed."] = "Actie voltooid"; +App::$strings["Thank you."] = "Bedankt"; +App::$strings["You must be logged in to see this page."] = "Je moet zijn ingelogd om deze pagina te kunnen bekijken."; +App::$strings["Not found"] = "Niet gevonden"; +App::$strings["Wiki"] = "Wiki"; +App::$strings["Sandbox"] = "Zandbak"; +App::$strings["\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be saved*.\""] = "\"# Wiki Sandbox\\n\\nWat er hier onder **edit** en **preview** staat *wordt niet opgeslagen*.\""; +App::$strings["Revision Comparison"] = "Revisies vergelijken"; +App::$strings["Revert"] = "Ongedaan maken"; +App::$strings["Cancel"] = "Annuleren"; +App::$strings["Enter the name of your new wiki:"] = "Vul de naam in van jouw nieuwe wiki:"; +App::$strings["Enter the name of the new page:"] = "Vul de naam in van de nieuwe pagina:"; +App::$strings["Enter the new name:"] = "Vul de nieuwe naam in:"; +App::$strings["Embed image from photo albums"] = "Afbeelding uit een fotoalbum invoegen"; +App::$strings["Embed an image from your albums"] = "Afbeelding uit jouw albums invoegen"; +App::$strings["OK"] = "OK"; +App::$strings["Choose images to embed"] = "Kies afbeeldingen om in te voegen"; +App::$strings["Choose an album"] = "Kies een album"; +App::$strings["Choose a different album..."] = "Kies een ander album..."; +App::$strings["Error getting album list"] = "Fout met ophalen albumlijst"; +App::$strings["Error getting photo link"] = "Fout met ophalen fotolink"; +App::$strings["Error getting album"] = "Fout met ophalen album"; +App::$strings["Public access denied."] = "Openbare toegang geweigerd."; +App::$strings["%d rating"] = array( + 0 => "%d beoordeling", + 1 => "%d beoordelingen", +); +App::$strings["Gender: "] = "Geslacht:"; +App::$strings["Status: "] = "Status: "; +App::$strings["Homepage: "] = "Homepage: "; +App::$strings["Age:"] = "Leeftijd:"; +App::$strings["Location:"] = "Plaats:"; +App::$strings["Description:"] = "Omschrijving:"; +App::$strings["Hometown:"] = "Oorspronkelijk uit:"; +App::$strings["About:"] = "Over:"; +App::$strings["Connect"] = "Verbinden"; +App::$strings["Public Forum:"] = "Openbaar forum:"; +App::$strings["Keywords: "] = "Trefwoorden: "; +App::$strings["Don't suggest"] = "Niet voorstellen"; +App::$strings["Common connections:"] = "Gemeenschappelijke connecties:"; +App::$strings["Global Directory"] = "Volledige kanalengids"; +App::$strings["Local Directory"] = "Lokale kanalengids"; +App::$strings["Find"] = "Vinden"; +App::$strings["Finding:"] = "Gezocht naar:"; +App::$strings["Channel Suggestions"] = "Voorgestelde kanalen"; +App::$strings["next page"] = "volgende pagina"; +App::$strings["previous page"] = "vorige pagina"; +App::$strings["Sort options"] = "Sorteeropties"; +App::$strings["Alphabetic"] = "Alfabetisch"; +App::$strings["Reverse Alphabetic"] = "Omgekeerd alfabetisch"; +App::$strings["Newest to Oldest"] = "Nieuw naar oud"; +App::$strings["Oldest to Newest"] = "Oud naar nieuw"; +App::$strings["No entries (some entries may be hidden)."] = "Niets gevonden (sommige kanalen kunnen verborgen zijn)."; +App::$strings["Rating"] = "Beoordeling"; +App::$strings["Website:"] = "Website:"; +App::$strings["Remote Channel [%s] (not yet known on this site)"] = "Kanaal op afstand [%s] (nog niet op deze hub bekend)"; +App::$strings["Rating (this information is public)"] = "Beoordeling (deze informatie is openbaar)"; +App::$strings["Optionally explain your rating (this information is public)"] = "Verklaar jouw beoordeling (niet verplicht, deze informatie is openbaar)"; +App::$strings["Bookmark added"] = "Bladwijzer toegevoegd"; +App::$strings["My Bookmarks"] = "Mijn bladwijzers"; +App::$strings["My Connections Bookmarks"] = "Bladwijzers van mijn connecties"; +App::$strings["Unable to locate original post."] = "Niet in staat om de originele locatie van het bericht te vinden. "; +App::$strings["Empty post discarded."] = "Leeg bericht geannuleerd"; +App::$strings["Executable content type not permitted to this channel."] = "Uitvoerbare bestanden zijn niet toegestaan op dit kanaal."; +App::$strings["Duplicate post suppressed."] = "Dubbel bericht tegengehouden."; +App::$strings["System error. Post not saved."] = "Systeemfout. Bericht niet opgeslagen."; +App::$strings["Unable to obtain post information from database."] = "Niet in staat om informatie over dit bericht uit de database te verkrijgen."; +App::$strings["You have reached your limit of %1$.0f top level posts."] = "Je hebt jouw limiet van %1$.0f berichten bereikt."; +App::$strings["You have reached your limit of %1$.0f webpages."] = "Je hebt jouw limiet van %1$.0f webpagina's bereikt."; +App::$strings["Photos"] = "Foto's"; +App::$strings["Invalid item."] = "Ongeldig item."; +App::$strings["Channel not found."] = "Kanaal niet gevonden."; +App::$strings["Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum."] = "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum."; +App::$strings["Save to Folder:"] = "Bewaar in map: "; +App::$strings["- select -"] = "- kies map -"; +App::$strings["Save"] = "Opslaan"; App::$strings["Could not access contact record."] = "Kon geen toegang krijgen tot de connectie-gegevens."; App::$strings["Could not locate selected profile."] = "Kon het gekozen profiel niet vinden."; App::$strings["Connection updated."] = "Connectie bijgewerkt."; @@ -125,7 +238,6 @@ App::$strings["Available locations:"] = "Beschikbare locaties:"; App::$strings["The permissions indicated on this page will be applied to all new connections."] = "Permissies die op deze pagina staan vermeld worden op alle nieuwe connecties toegepast."; App::$strings["Connection Tools"] = "Hulpmiddelen"; App::$strings["Slide to adjust your degree of friendship"] = "Schuif om te bepalen hoe goed je iemand kent en/of mag"; -App::$strings["Rating"] = "Beoordeling"; App::$strings["Slide to adjust your rating"] = "Gebruik de schuif om je beoordeling te geven"; App::$strings["Optionally explain your rating"] = "Verklaar jouw beoordeling (niet verplicht)"; App::$strings["Custom Filter"] = "Berichtenfilter"; @@ -135,7 +247,6 @@ App::$strings["Do not import posts with this text"] = "Importeer geen berichten App::$strings["This information is public!"] = "Deze informatie is openbaar!"; App::$strings["Connection Pending Approval"] = "Connectie moet nog geaccepteerd worden"; App::$strings["inherited"] = "geërfd"; -App::$strings["Submit"] = "Opslaan"; App::$strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Kies het profiel dat je aan %s wil tonen wanneer hij/zij ingelogd jouw profiel wil bekijken."; App::$strings["Their Settings"] = "Hun instellingen"; App::$strings["My Settings"] = "Mijn instellingen"; @@ -143,129 +254,6 @@ App::$strings["Individual Permissions"] = "Individuele permissies"; App::$strings["Some permissions may be inherited from your channel's privacy settings, which have higher priority than individual settings. You can not change those settings here."] = "Sommige permissies worden mogelijk overgeërfd van de privacy-instellingen van jouw kanaal, die een hogere prioriteit hebben dan deze individuele instellingen. Je kan je deze overgeërfde permissies hier niet veranderen."; App::$strings["Some permissions may be inherited from your channel's privacy settings, which have higher priority than individual settings. You can change those settings here but they wont have any impact unless the inherited setting changes."] = "Sommige permissies worden mogelijk overgeërfd van de privacy-instellingen van jouw kanaal, die een hogere prioriteit hebben dan deze individuele permissies. Je kan de permissies hier veranderen, maar die hebben geen effect, tenzij de overgeërfde permissies worden veranderd. "; App::$strings["Last update:"] = "Laatste wijziging:"; -App::$strings["Public access denied."] = "Openbare toegang geweigerd."; -App::$strings["Item not found."] = "Item niet gevonden."; -App::$strings["First Name"] = "Voornaam"; -App::$strings["Last Name"] = "Achternaam"; -App::$strings["Nickname"] = "Bijnaam"; -App::$strings["Full Name"] = "Volledige naam"; -App::$strings["Email"] = "E-mail"; -App::$strings["Profile Photo"] = "Profielfoto"; -App::$strings["Profile Photo 16px"] = "Profielfoto 16px"; -App::$strings["Profile Photo 32px"] = "Profielfoto 32px"; -App::$strings["Profile Photo 48px"] = "Profielfoto 48px"; -App::$strings["Profile Photo 64px"] = "Profielfoto 64px"; -App::$strings["Profile Photo 80px"] = "Profielfoto 80px"; -App::$strings["Profile Photo 128px"] = "Profielfoto 128px"; -App::$strings["Timezone"] = "Tijdzone"; -App::$strings["Homepage URL"] = "URL homepagina"; -App::$strings["Language"] = "Taal"; -App::$strings["Birth Year"] = "Geboortejaar"; -App::$strings["Birth Month"] = "Geboortemaand"; -App::$strings["Birth Day"] = "Geboortedag"; -App::$strings["Birthdate"] = "Geboortedatum"; -App::$strings["Gender"] = "Geslacht"; -App::$strings["Male"] = "Man"; -App::$strings["Female"] = "Vrouw"; -App::$strings["Channel added."] = "Kanaal toegevoegd."; -App::$strings["%d rating"] = array( - 0 => "%d beoordeling", - 1 => "%d beoordelingen", -); -App::$strings["Gender: "] = "Geslacht:"; -App::$strings["Status: "] = "Status: "; -App::$strings["Homepage: "] = "Homepage: "; -App::$strings["Age:"] = "Leeftijd:"; -App::$strings["Location:"] = "Plaats:"; -App::$strings["Description:"] = "Omschrijving:"; -App::$strings["Hometown:"] = "Oorspronkelijk uit:"; -App::$strings["About:"] = "Over:"; -App::$strings["Connect"] = "Verbinden"; -App::$strings["Public Forum:"] = "Openbaar forum:"; -App::$strings["Keywords: "] = "Trefwoorden: "; -App::$strings["Don't suggest"] = "Niet voorstellen"; -App::$strings["Common connections:"] = "Gemeenschappelijke connecties:"; -App::$strings["Global Directory"] = "Volledige kanalengids"; -App::$strings["Local Directory"] = "Lokale kanalengids"; -App::$strings["Find"] = "Vinden"; -App::$strings["Finding:"] = "Gezocht naar:"; -App::$strings["Channel Suggestions"] = "Voorgestelde kanalen"; -App::$strings["next page"] = "volgende pagina"; -App::$strings["previous page"] = "vorige pagina"; -App::$strings["Sort options"] = "Sorteeropties"; -App::$strings["Alphabetic"] = "Alfabetisch"; -App::$strings["Reverse Alphabetic"] = "Omgekeerd alfabetisch"; -App::$strings["Newest to Oldest"] = "Nieuw naar oud"; -App::$strings["Oldest to Newest"] = "Oud naar nieuw"; -App::$strings["No entries (some entries may be hidden)."] = "Niets gevonden (sommige kanalen kunnen verborgen zijn)."; -App::$strings["Continue"] = "Ga verder"; -App::$strings["Premium Channel Setup"] = "Instellen premiumkanaal "; -App::$strings["Enable premium channel connection restrictions"] = "Restricties voor connecties van premiumkanaal toestaan"; -App::$strings["Please enter your restrictions or conditions, such as paypal receipt, usage guidelines, etc."] = "Vul je restricties of voorwaarden in, zoals een paypal-afschrift, voorschriften voor leden, enz."; -App::$strings["This channel may require additional steps or acknowledgement of the following conditions prior to connecting:"] = "Dit kanaal kan extra stappen of het accepteren van de volgende voorwaarden vereisen, voordat de connectie wordt geaccepteerd:"; -App::$strings["Potential connections will then see the following text before proceeding:"] = "Mogelijke connecties zullen dan de volgende tekst zien voordat ze verder kunnen:"; -App::$strings["By continuing, I certify that I have complied with any instructions provided on this page."] = "Door verder te gaan ga ik automatisch akkoord met alle voorwaarden en aanwijzingen op deze pagina."; -App::$strings["(No specific instructions have been provided by the channel owner.)"] = "(Er zijn geen speciale voorwaarden en aanwijzingen door de kanaal-eigenaar verstrekt) "; -App::$strings["Restricted or Premium Channel"] = "Beperkt of premiumkanaal"; -App::$strings["Calendar entries imported."] = "Agenda-items geïmporteerd."; -App::$strings["No calendar entries found."] = "Geen agenda-items gevonden."; -App::$strings["Event can not end before it has started."] = "Gebeurtenis kan niet eindigen voordat het is begonnen"; -App::$strings["Unable to generate preview."] = "Niet in staat om voorvertoning te genereren"; -App::$strings["Event title and start time are required."] = "Titel en begintijd van gebeurtenis zijn vereist."; -App::$strings["Event not found."] = "Gebeurtenis niet gevonden"; -App::$strings["event"] = "gebeurtenis"; -App::$strings["Edit event title"] = "Titel bewerken"; -App::$strings["Event title"] = "Titel"; -App::$strings["Required"] = "Vereist"; -App::$strings["Categories (comma-separated list)"] = "Categorieën (door komma's gescheiden lijst)"; -App::$strings["Edit Category"] = "Categorie"; -App::$strings["Category"] = "Categorie"; -App::$strings["Edit start date and time"] = "Begindatum en -tijd bewerken"; -App::$strings["Start date and time"] = "Begindatum en -tijd"; -App::$strings["Finish date and time are not known or not relevant"] = "Einddatum en -tijd zijn niet bekend of niet van toepassing"; -App::$strings["Edit finish date and time"] = "Einddatum en -tijd bewerken"; -App::$strings["Finish date and time"] = "Einddatum en -tijd"; -App::$strings["Adjust for viewer timezone"] = "Aanpassen aan de tijdzone van wie deze gebeurtenis bekijkt"; -App::$strings["Important for events that happen in a particular place. Not practical for global holidays."] = "Belangrijk voor gebeurtenissen die op een bepaalde locatie plaatsvinden. Niet praktisch voor wereldwijde feestdagen."; -App::$strings["Edit Description"] = "Omschrijving bewerken"; -App::$strings["Description"] = "Omschrijving"; -App::$strings["Edit Location"] = "Locatie bewerken"; -App::$strings["Location"] = "Locatie"; -App::$strings["Share this event"] = "Deel deze gebeurtenis"; -App::$strings["Preview"] = "Voorvertoning"; -App::$strings["Permission settings"] = "Permissies"; -App::$strings["Advanced Options"] = "Geavanceerde opties"; -App::$strings["l, F j"] = "l j F"; -App::$strings["Edit event"] = "Gebeurtenis bewerken"; -App::$strings["Delete event"] = "Gebeurtenis verwijderen"; -App::$strings["Link to Source"] = "Originele locatie"; -App::$strings["calendar"] = "agenda"; -App::$strings["Edit Event"] = "Gebeurtenis bewerken"; -App::$strings["Create Event"] = "Gebeurtenis aanmaken"; -App::$strings["Previous"] = "Vorige"; -App::$strings["Next"] = "Volgende"; -App::$strings["Export"] = "Exporteren"; -App::$strings["View"] = "Weergeven"; -App::$strings["Month"] = "Maand"; -App::$strings["Week"] = "Week"; -App::$strings["Day"] = "Dag"; -App::$strings["Today"] = "Vandaag"; -App::$strings["Event removed"] = "Gebeurtenis verwijderd"; -App::$strings["Failed to remove event"] = "Verwijderen gebeurtenis mislukt"; -App::$strings["Bookmark added"] = "Bladwijzer toegevoegd"; -App::$strings["My Bookmarks"] = "Mijn bladwijzers"; -App::$strings["My Connections Bookmarks"] = "Bladwijzers van mijn connecties"; -App::$strings["Item not found"] = "Item niet gevonden"; -App::$strings["Item is not editable"] = "Item is niet te bewerken"; -App::$strings["Edit post"] = "Bericht bewerken"; -App::$strings["Photos"] = "Foto's"; -App::$strings["Cancel"] = "Annuleren"; -App::$strings["Invalid item."] = "Ongeldig item."; -App::$strings["Channel not found."] = "Kanaal niet gevonden."; -App::$strings["Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum."] = "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum."; -App::$strings["Save to Folder:"] = "Bewaar in map: "; -App::$strings["- select -"] = "- kies map -"; -App::$strings["Save"] = "Opslaan"; App::$strings["Blocked"] = "Geblokkeerd"; App::$strings["Ignored"] = "Genegeerd"; App::$strings["Hidden"] = "Verborgen"; @@ -317,77 +305,88 @@ App::$strings["select a photo from your photo albums"] = "Kies een foto uit jouw App::$strings["Crop Image"] = "Afbeelding bijsnijden"; App::$strings["Please adjust the image cropping for optimum viewing."] = "Snij de afbeelding zo uit dat deze optimaal wordt weergegeven."; App::$strings["Done Editing"] = "Klaar met bewerken"; -App::$strings["webpage"] = "Webpagina"; -App::$strings["block"] = "blok"; -App::$strings["layout"] = "lay-out"; -App::$strings["menu"] = "menu"; -App::$strings["%s element installed"] = "%s onderdeel geïnstalleerd"; -App::$strings["%s element installation failed"] = "Installatie %s-element mislukt"; -App::$strings["Permissions denied."] = "Permissies niet toegestaan"; -App::$strings["Import"] = "Importeren"; +App::$strings["Your service plan only allows %d channels."] = "Jouw abonnement staat maar %d kanalen toe."; +App::$strings["Nothing to import."] = "Niets gevonden om te importeren"; +App::$strings["Unable to download data from old server"] = "Niet in staat om gegevens van de oude hub te downloaden"; +App::$strings["Imported file is empty."] = "Geïmporteerde bestand is leeg"; +App::$strings["Warning: Database versions differ by %1\$d updates."] = "Waarschuwing: database-versies lopen %1\$d updates achter."; +App::$strings["Cloned channel not found. Import failed."] = "Gekloond kanaal niet gevonden. Importeren mislukt."; +App::$strings["No channel. Import failed."] = "Geen kanaal. Importeren mislukt."; +App::$strings["Import completed."] = "Import voltooid."; +App::$strings["You must be logged in to use this feature."] = "Je moet ingelogd zijn om dit onderdeel te kunnen gebruiken."; +App::$strings["Import Channel"] = "Kanaal importeren"; +App::$strings["Use this form to import an existing channel from a different server/hub. You may retrieve the channel identity from the old server/hub via the network or provide an export file."] = "Gebruik dit formulier om een bestaand kanaal te importeren van een andere hub. Je kan de kanaal-identiteit van de oude hub via het netwerk ontvangen of een exportbestand verstrekken."; +App::$strings["File to Upload"] = "Bestand om te uploaden"; +App::$strings["Or provide the old server/hub details"] = "Of vul de gegevens van de oude hub in"; +App::$strings["Your old identity address (xyz@example.com)"] = "Jouw oude kanaaladres (xyz@example.com)"; +App::$strings["Your old login email address"] = "Het e-mailadres van je oude account"; +App::$strings["Your old login password"] = "Wachtwoord van jouw oude account"; +App::$strings["For either option, please choose whether to make this hub your new primary address, or whether your old location should continue this role. You will be able to post from either location, but only one can be marked as the primary location for files, photos, and media."] = "Voor elke optie geldt dat je moet kiezen of je jouw primaire kanaaladres op deze hub wil instellen of dat jouw oude hub deze rol blijft vervullen."; +App::$strings["Make this hub my primary location"] = "Stel deze hub als mijn primaire locatie in"; +App::$strings["Import existing posts if possible (experimental - limited by available memory"] = "Importeer bestaande berichten wanneer mogelijk (experimenteel - afhankelijk van beschikbaar servergeheugen)"; +App::$strings["This process may take several minutes to complete. Please submit the form only once and leave this page open until finished."] = "Dit proces kan enkele minuten in beslag nemen. Klik maar één keer op opslaan en verlaat deze pagina niet alvorens het proces is voltooid."; +App::$strings["Unable to lookup recipient."] = "Niet in staat om ontvanger op te zoeken."; +App::$strings["Unable to communicate with requested channel."] = "Niet in staat om met het aangevraagde kanaal te communiceren."; +App::$strings["Cannot verify requested channel."] = "Kan opgevraagd kanaal niet verifieren"; +App::$strings["Selected channel has private message restrictions. Send failed."] = "Gekozen kanaal heeft restricties voor privéberichten. Verzenden mislukt."; +App::$strings["Messages"] = "Berichten"; +App::$strings["Message recalled."] = "Bericht ingetrokken."; +App::$strings["Conversation removed."] = "Conversatie verwijderd"; +App::$strings["Please enter a link URL:"] = "Vul een URL in:"; +App::$strings["Expires YYYY-MM-DD HH:MM"] = "Verloopt op DD-MM-YYYY om HH:MM"; +App::$strings["Requested channel is not in this network"] = "Opgevraagd kanaal is niet in dit netwerk beschikbaar"; +App::$strings["Send Private Message"] = "Privébericht versturen"; +App::$strings["To:"] = "Aan:"; +App::$strings["Subject:"] = "Onderwerp:"; +App::$strings["Your message:"] = "Jouw bericht:"; +App::$strings["Attach file"] = "Bestand toevoegen"; +App::$strings["Insert web link"] = "Weblink invoegen"; +App::$strings["Send"] = "Verzenden"; +App::$strings["Set expiration date"] = "Verloopdatum instellen"; +App::$strings["Encrypt text"] = "Tekst versleutelen"; +App::$strings["Delete message"] = "Bericht verwijderen"; +App::$strings["Delivery report"] = "Afleveringsrapport"; +App::$strings["Recall message"] = "Bericht intrekken"; +App::$strings["Message has been recalled."] = "Bericht is ingetrokken."; +App::$strings["Delete Conversation"] = "Verwijder conversatie"; +App::$strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Geen veilige communicatie beschikbaar. Mogelijk kan je reageren op de kanaalpagina van de afzender."; +App::$strings["Send Reply"] = "Antwoord versturen"; +App::$strings["Your message for %s (%s):"] = "Jouw privébericht aan %s (%s):"; App::$strings["This site is not a directory server"] = "Deze hub is geen kanalengidshub (directoryserver)"; App::$strings["This directory server requires an access token"] = "Deze kanalengidshub (directoryserver) heeft een toegangs-token nodig"; -App::$strings["You must be logged in to see this page."] = "Je moet zijn ingelogd om deze pagina te kunnen bekijken."; +App::$strings["Item not found"] = "Item niet gevonden"; +App::$strings["Block Name"] = "Bloknaam"; +App::$strings["Title (optional)"] = "Titel (optioneel)"; +App::$strings["Edit Block"] = "Blok bewerken"; +App::$strings["Layout Name"] = "Naam lay-out"; +App::$strings["Layout Description (Optional)"] = "Lay-out-omschrijving (optioneel)"; +App::$strings["Edit Layout"] = "Lay-out bewerken"; +App::$strings["Page link"] = "Paginalink"; +App::$strings["Edit Webpage"] = "Webpagina bewerken"; App::$strings["Room not found"] = "Chatkanaal niet gevonden"; App::$strings["Leave Room"] = "Chatkanaal verlaten"; App::$strings["Delete Room"] = "Chatkanaal verwijderen"; App::$strings["I am away right now"] = "Ik ben momenteel afwezig"; App::$strings["I am online"] = "Ik ben online"; App::$strings["Bookmark this room"] = "Chatkanaal aan bladwijzers toevoegen"; -App::$strings["Please enter a link URL:"] = "Vul een URL in:"; -App::$strings["Encrypt text"] = "Tekst versleutelen"; -App::$strings["Insert web link"] = "Weblink invoegen"; App::$strings["Feature disabled."] = "Functie uitgeschakeld."; App::$strings["New Chatroom"] = "Nieuw chatkanaal"; App::$strings["Chatroom name"] = "Naam chatkanaal"; App::$strings["Expiration of chats (minutes)"] = "Aantal minuten voordat chatberichten worden verwijderd"; -App::$strings["Permissions"] = "Permissies"; App::$strings["%1\$s's Chatrooms"] = "Chatkanalen van %1\$s"; App::$strings["No chatrooms available"] = "Geen chatkanalen beschikbaar"; App::$strings["Create New"] = "Nieuwe aanmaken"; App::$strings["Expiration"] = "Verloopt na"; App::$strings["min"] = "min"; -App::$strings["Invalid message"] = "Ongeldig bericht"; -App::$strings["no results"] = "geen resultaten"; -App::$strings["channel sync processed"] = "kanaalsync verwerkt"; -App::$strings["queued"] = "in wachtrij"; -App::$strings["posted"] = "verstuurd"; -App::$strings["accepted for delivery"] = "geaccepteerd om afgeleverd te worden"; -App::$strings["updated"] = "geüpdatet"; -App::$strings["update ignored"] = "update genegeerd"; -App::$strings["permission denied"] = "toegang geweigerd"; -App::$strings["recipient not found"] = "ontvanger niet gevonden"; -App::$strings["mail recalled"] = "Privébericht ingetrokken"; -App::$strings["duplicate mail received"] = "dubbel privébericht ontvangen"; -App::$strings["mail delivered"] = "privébericht afgeleverd"; -App::$strings["Delivery report for %1\$s"] = "Afleveringsrapport voor %1\$s"; -App::$strings["Options"] = "Opties"; -App::$strings["Redeliver"] = "Opnieuw afleveren"; -App::$strings["Layout Name"] = "Naam lay-out"; -App::$strings["Layout Description (Optional)"] = "Lay-out-omschrijving (optioneel)"; -App::$strings["Edit Layout"] = "Lay-out bewerken"; -App::$strings["Page link"] = "Paginalink"; -App::$strings["Edit Webpage"] = "Webpagina bewerken"; -App::$strings["Privacy group created."] = "Privacygroep aangemaakt"; -App::$strings["Could not create privacy group."] = "Kon privacygroep niet aanmaken"; -App::$strings["Privacy group not found."] = "Privacygroep niet gevonden"; -App::$strings["Privacy group updated."] = "Privacygroep bijgewerkt"; -App::$strings["Create a group of channels."] = "Privacygroep met kanalen aanmaken"; -App::$strings["Privacy group name: "] = "Naam privacygroep: "; -App::$strings["Members are visible to other channels"] = "Kanalen in deze privacygroep zijn zichtbaar voor andere kanalen"; -App::$strings["Privacy group removed."] = "Privacygroep verwijderd."; -App::$strings["Unable to remove privacy group."] = "Verwijderen privacygroep mislukt"; -App::$strings["Privacy group editor"] = "Privacygroep bewerken"; -App::$strings["Members"] = "Kanalen"; -App::$strings["All Connected Channels"] = "Alle kanaalconnecties"; -App::$strings["Click on a channel to add or remove."] = "Klik op een kanaal om deze toe te voegen of te verwijderen."; App::$strings["App installed."] = "App geïnstalleerd"; App::$strings["Malformed app."] = "Misvormde app."; App::$strings["Embed code"] = "Insluitcode"; App::$strings["Edit App"] = "App bewerken"; App::$strings["Create App"] = "App maken"; App::$strings["Name of app"] = "Naam van app"; +App::$strings["Required"] = "Vereist"; App::$strings["Location (URL) of app"] = "Locatie (URL) van app"; +App::$strings["Description"] = "Omschrijving"; App::$strings["Photo icon URL"] = "URL van pictogram"; App::$strings["80 x 80 pixels - optional"] = "80 x 80 pixels (optioneel)"; App::$strings["Categories (optional, comma separated list)"] = "Categorieën (optioneel, door komma's gescheiden lijst)"; @@ -406,8 +405,10 @@ App::$strings["Module Name:"] = "Modulenaam:"; App::$strings["Layout Help"] = "Lay-out-hulp"; App::$strings["Share content from Firefox to \$Projectname"] = "Deel webpagina's vanuit Firefox met "; App::$strings["Activate the Firefox \$Projectname provider"] = "Activeer de \$Projectname-service in Firefox"; -App::$strings["network"] = "netwerk"; -App::$strings["RSS"] = "RSS"; +App::$strings["\$Projectname"] = "\$Projectname"; +App::$strings["Welcome to %s"] = "Welkom op %s"; +App::$strings["Remote privacy information not available."] = "Privacy-informatie op afstand niet beschikbaar."; +App::$strings["Visible to:"] = "Zichtbaar voor:"; App::$strings["Permission Denied."] = "Toegang geweigerd"; App::$strings["File not found."] = "Bestand niet gevonden."; App::$strings["Edit file permissions"] = "Bestandsrechten bewerken"; @@ -419,33 +420,6 @@ App::$strings["Copy/paste this URL to link file from a web page"] = "Kopieer/pla App::$strings["Share this file"] = "Dit bestand delen"; App::$strings["Show URL to this file"] = "Toon URL van dit bestand"; App::$strings["Notify your contacts about this file"] = "Jouw connecties over dit bestand berichten"; -App::$strings["Layouts"] = "Lay-outs"; -App::$strings["Comanche page description language help"] = "Hulp met de paginabeschrijvingstaal Comanche"; -App::$strings["Layout Description"] = "Lay-out-omschrijving"; -App::$strings["Created"] = "Aangemaakt"; -App::$strings["Edited"] = "Bewerkt"; -App::$strings["Share"] = "Delen"; -App::$strings["Download PDL file"] = "Download PDL-bestand"; -App::$strings["Like/Dislike"] = "Leuk/niet leuk"; -App::$strings["This action is restricted to members."] = "Deze actie kan alleen door \$Projectname-leden worden uitgevoerd."; -App::$strings["Please login with your \$Projectname ID or register as a new \$Projectname member to continue."] = "Je dient in te loggen met je \$Projectname-account of een nieuw \$Projectname-account aan te maken om verder te kunnen gaan."; -App::$strings["Invalid request."] = "Ongeldig verzoek"; -App::$strings["channel"] = "kanaal"; -App::$strings["thing"] = "ding"; -App::$strings["Channel unavailable."] = "Kanaal niet beschikbaar."; -App::$strings["Previous action reversed."] = "Vorige actie omgedraaid"; -App::$strings["photo"] = "foto"; -App::$strings["status"] = "bericht"; -App::$strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s vindt %3\$s van %2\$s leuk"; -App::$strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s vindt %3\$s van %2\$s niet leuk"; -App::$strings["%1\$s agrees with %2\$s's %3\$s"] = "%1\$s is het eens met %2\$s's %3\$s"; -App::$strings["%1\$s doesn't agree with %2\$s's %3\$s"] = "%1\$s is het niet eens met %2\$s's %3\$s"; -App::$strings["%1\$s abstains from a decision on %2\$s's %3\$s"] = "%1\$s onthoudt zich van een besluit over %2\$s's %3\$s"; -App::$strings["%1\$s is attending %2\$s's %3\$s"] = "%1\$s is aanwezig op %2\$s's %3\$s"; -App::$strings["%1\$s is not attending %2\$s's %3\$s"] = "%1\$s is niet aanwezig op %2\$s's %3\$s"; -App::$strings["%1\$s may attend %2\$s's %3\$s"] = "%1\$s is mogelijk aanwezig op %2\$s's %3\$s"; -App::$strings["Action completed."] = "Actie voltooid"; -App::$strings["Thank you."] = "Bedankt"; App::$strings["Profile not found."] = "Profiel niet gevonden."; App::$strings["Profile deleted."] = "Profiel verwijderd."; App::$strings["Profile-"] = "Profiel-"; @@ -460,10 +434,12 @@ App::$strings["Dislikes"] = "Houdt niet van"; App::$strings["Work/Employment"] = "Werk/arbeid"; App::$strings["Religion"] = "Religie"; App::$strings["Political Views"] = "Politieke overtuigingen"; +App::$strings["Gender"] = "Geslacht"; App::$strings["Sexual Preference"] = "Seksuele voorkeur"; App::$strings["Homepage"] = "Homepage"; App::$strings["Interests"] = "Interesses"; App::$strings["Address"] = "Kanaaladres"; +App::$strings["Location"] = "Locatie"; App::$strings["Profile updated."] = "Profiel bijgewerkt"; App::$strings["Hide your connections list from viewers of this profile"] = "Laat de lijst met connecties niet aan bezoekers van dit profiel zien."; App::$strings["Edit Profile Details"] = "Profiel bewerken"; @@ -497,6 +473,7 @@ App::$strings["Who (if applicable)"] = "Wie (wanneer van toepassing)"; App::$strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Voorbeelden: petra123, Petra Jansen, petra@voorbeeld.nl"; App::$strings["Since (date)"] = "Sinds (datum)"; App::$strings["Tell us about yourself"] = "Vertel ons iets over jezelf"; +App::$strings["Homepage URL"] = "URL homepagina"; App::$strings["Hometown"] = "Oorspronkelijk uit"; App::$strings["Political views"] = "Politieke overtuigingen"; App::$strings["Religious views"] = "Religieuze overtuigingen"; @@ -513,236 +490,27 @@ App::$strings["Contact information and social networks"] = "Contactinformatie en App::$strings["My other channels"] = "Mijn andere kanalen"; App::$strings["Profile Image"] = "Profielfoto"; App::$strings["Edit Profiles"] = "Bewerk profielen"; -App::$strings["Your service plan only allows %d channels."] = "Jouw abonnement staat maar %d kanalen toe."; -App::$strings["Nothing to import."] = "Niets gevonden om te importeren"; -App::$strings["Unable to download data from old server"] = "Niet in staat om gegevens van de oude hub te downloaden"; -App::$strings["Imported file is empty."] = "Geïmporteerde bestand is leeg"; -App::$strings["Warning: Database versions differ by %1\$d updates."] = "Waarschuwing: database-versies lopen %1\$d updates achter."; -App::$strings["Cloned channel not found. Import failed."] = "Gekloond kanaal niet gevonden. Importeren mislukt."; -App::$strings["No channel. Import failed."] = "Geen kanaal. Importeren mislukt."; -App::$strings["Import completed."] = "Import voltooid."; -App::$strings["You must be logged in to use this feature."] = "Je moet ingelogd zijn om dit onderdeel te kunnen gebruiken."; -App::$strings["Import Channel"] = "Kanaal importeren"; -App::$strings["Use this form to import an existing channel from a different server/hub. You may retrieve the channel identity from the old server/hub via the network or provide an export file."] = "Gebruik dit formulier om een bestaand kanaal te importeren van een andere hub. Je kan de kanaal-identiteit van de oude hub via het netwerk ontvangen of een exportbestand verstrekken."; -App::$strings["File to Upload"] = "Bestand om te uploaden"; -App::$strings["Or provide the old server/hub details"] = "Of vul de gegevens van de oude hub in"; -App::$strings["Your old identity address (xyz@example.com)"] = "Jouw oude kanaaladres (xyz@example.com)"; -App::$strings["Your old login email address"] = "Het e-mailadres van je oude account"; -App::$strings["Your old login password"] = "Wachtwoord van jouw oude account"; -App::$strings["For either option, please choose whether to make this hub your new primary address, or whether your old location should continue this role. You will be able to post from either location, but only one can be marked as the primary location for files, photos, and media."] = "Voor elke optie geldt dat je moet kiezen of je jouw primaire kanaaladres op deze hub wil instellen of dat jouw oude hub deze rol blijft vervullen."; -App::$strings["Make this hub my primary location"] = "Stel deze hub als mijn primaire locatie in"; -App::$strings["Import existing posts if possible (experimental - limited by available memory"] = "Importeer bestaande berichten wanneer mogelijk (experimenteel - afhankelijk van beschikbaar servergeheugen)"; -App::$strings["This process may take several minutes to complete. Please submit the form only once and leave this page open until finished."] = "Dit proces kan enkele minuten in beslag nemen. Klik maar één keer op opslaan en verlaat deze pagina niet alvorens het proces is voltooid."; -App::$strings["\$Projectname"] = "\$Projectname"; -App::$strings["Welcome to %s"] = "Welkom op %s"; -App::$strings["Unable to locate original post."] = "Niet in staat om de originele locatie van het bericht te vinden. "; -App::$strings["Empty post discarded."] = "Leeg bericht geannuleerd"; -App::$strings["Executable content type not permitted to this channel."] = "Uitvoerbare bestanden zijn niet toegestaan op dit kanaal."; -App::$strings["Duplicate post suppressed."] = "Dubbel bericht tegengehouden."; -App::$strings["System error. Post not saved."] = "Systeemfout. Bericht niet opgeslagen."; -App::$strings["Unable to obtain post information from database."] = "Niet in staat om informatie over dit bericht uit de database te verkrijgen."; -App::$strings["You have reached your limit of %1$.0f top level posts."] = "Je hebt jouw limiet van %1$.0f berichten bereikt."; -App::$strings["You have reached your limit of %1$.0f webpages."] = "Je hebt jouw limiet van %1$.0f webpagina's bereikt."; -App::$strings["Page owner information could not be retrieved."] = "Informatie over de pagina-eigenaar werd niet ontvangen."; -App::$strings["Profile Photos"] = "Profielfoto's"; -App::$strings["Album not found."] = "Album niet gevonden."; -App::$strings["Delete Album"] = "Verwijder album"; -App::$strings["Multiple storage folders exist with this album name, but within different directories. Please remove the desired folder or folders using the Files manager"] = "Er bestaan meerdere submappen met deze albumnaam, maar verspreidt over verschillende mappen. Verwijder de gewenste map(pen) met de bestandsbeheerder."; -App::$strings["Delete Photo"] = "Verwijder foto"; -App::$strings["No photos selected"] = "Geen foto's geselecteerd"; -App::$strings["Access to this item is restricted."] = "Toegang tot dit item is beperkt."; -App::$strings["%1$.2f MB of %2$.2f MB photo storage used."] = "%1$.2f MB van %2$.2f MB aan foto-opslag gebruikt."; -App::$strings["%1$.2f MB photo storage used."] = "%1$.2f MB aan foto-opslag gebruikt."; -App::$strings["Upload Photos"] = "Foto's uploaden"; -App::$strings["Enter an album name"] = "Vul een albumnaam in"; -App::$strings["or select an existing album (doubleclick)"] = "of kies een bestaand album (dubbelklikken)"; -App::$strings["Create a status post for this upload"] = "Plaats een bericht voor deze upload."; -App::$strings["Caption (optional):"] = "Bijschrift (optioneel):"; -App::$strings["Description (optional):"] = "Omschrijving (optioneel):"; -App::$strings["Album name could not be decoded"] = "Albumnaam kon niet gedecodeerd worden"; -App::$strings["Contact Photos"] = "Connectiefoto's"; -App::$strings["Show Newest First"] = "Nieuwste eerst weergeven"; -App::$strings["Show Oldest First"] = "Oudste eerst weergeven"; -App::$strings["View Photo"] = "Foto weergeven"; -App::$strings["Edit Album"] = "Album bewerken"; -App::$strings["Permission denied. Access to this item may be restricted."] = "Toegang geweigerd. Toegang tot dit item kan zijn beperkt."; -App::$strings["Photo not available"] = "Foto niet aanwezig"; -App::$strings["Use as profile photo"] = "Als profielfoto gebruiken"; -App::$strings["Use as cover photo"] = "Als omslagfoto gebruiken"; -App::$strings["Private Photo"] = "Privéfoto"; -App::$strings["View Full Size"] = "Volledige grootte weergeven"; -App::$strings["Remove"] = "Verwijderen"; -App::$strings["Edit photo"] = "Foto bewerken"; -App::$strings["Rotate CW (right)"] = "Draai met de klok mee (naar rechts)"; -App::$strings["Rotate CCW (left)"] = "Draai tegen de klok in (naar links)"; -App::$strings["Enter a new album name"] = "Vul een nieuwe albumnaam in"; -App::$strings["or select an existing one (doubleclick)"] = "of kies een bestaand album (dubbelklikken)"; -App::$strings["Caption"] = "Bijschrift"; -App::$strings["Add a Tag"] = "Tag toevoegen"; -App::$strings["Example: @bob, @Barbara_Jensen, @jim@example.com"] = "Voorbeeld: @bob, @Barbara_Jansen, @jan@voorbeeld.nl"; -App::$strings["Flag as adult in album view"] = "Markeer als voor volwassenen in albumweergave"; -App::$strings["I like this (toggle)"] = "Vind ik leuk"; -App::$strings["I don't like this (toggle)"] = "Vind ik niet leuk"; -App::$strings["Please wait"] = "Even wachten"; -App::$strings["This is you"] = "Dit ben jij"; -App::$strings["Comment"] = "Reactie"; -App::$strings["__ctx:title__ Likes"] = "vinden dit leuk"; -App::$strings["__ctx:title__ Dislikes"] = "vinden dit niet leuk"; -App::$strings["__ctx:title__ Agree"] = "eens"; -App::$strings["__ctx:title__ Disagree"] = "oneens"; -App::$strings["__ctx:title__ Abstain"] = "onthoudingen"; -App::$strings["__ctx:title__ Attending"] = "aanwezig"; -App::$strings["__ctx:title__ Not attending"] = "niet aanwezig"; -App::$strings["__ctx:title__ Might attend"] = "mogelijk aanwezig"; -App::$strings["View all"] = "Toon alles"; -App::$strings["__ctx:noun__ Like"] = array( - 0 => "vindt dit leuk", - 1 => "vinden dit leuk", -); -App::$strings["__ctx:noun__ Dislike"] = array( - 0 => "vindt dit niet leuk", - 1 => "vinden dit niet leuk", -); -App::$strings["Photo Tools"] = "Hulpmiddelen"; -App::$strings["In This Photo:"] = "Op deze foto:"; -App::$strings["Map"] = "Kaart"; -App::$strings["__ctx:noun__ Likes"] = "vinden dit leuk"; -App::$strings["__ctx:noun__ Dislikes"] = "vinden dit niet leuk"; -App::$strings["Close"] = "Sluiten"; -App::$strings["View Album"] = "Album weergeven"; -App::$strings["Recent Photos"] = "Recente foto's"; -App::$strings["Remote privacy information not available."] = "Privacy-informatie op afstand niet beschikbaar."; -App::$strings["Visible to:"] = "Zichtbaar voor:"; -App::$strings["Import completed"] = "Importeren voltooid"; -App::$strings["Import Items"] = "Importeer items"; -App::$strings["Use this form to import existing posts and content from an export file."] = "Gebruik dit formulier om bestaande berichten en andere inhoud vanuit een exportbestand te importeren."; -App::$strings["Total invitation limit exceeded."] = "Limiet voor aantal uitnodigingen overschreden."; -App::$strings["%s : Not a valid email address."] = "%s : Geen geldig e-mailadres."; -App::$strings["Please join us on \$Projectname"] = "Uitnodiging voor \$Projectname"; -App::$strings["Invitation limit exceeded. Please contact your site administrator."] = "Limiet voor aantal uitnodigingen overschreden. Neem contact op met je hub-beheerder."; -App::$strings["%s : Message delivery failed."] = "%s: Aflevering bericht mislukt."; -App::$strings["%d message sent."] = array( - 0 => "%d bericht verzonden.", - 1 => "%d berichten verzonden.", -); -App::$strings["You have no more invitations available"] = "Je hebt geen uitnodigingen meer beschikbaar"; -App::$strings["Send invitations"] = "Uitnodigingen verzenden"; -App::$strings["Enter email addresses, one per line:"] = "Voer e-mailadressen in, één per regel:"; -App::$strings["Your message:"] = "Jouw bericht:"; -App::$strings["Please join my community on \$Projectname."] = "Hierbij nodig ik je uit om mij, en andere vrienden en kennissen, op \$Projectname te vergezellen. Lees meer over \$Projectname op http://hubzilla.org"; -App::$strings["You will need to supply this invitation code:"] = "Je moet deze uitnodigingscode opgeven:"; -App::$strings["1. Register at any \$Projectname location (they are all inter-connected)"] = "1. Registreer je op een willekeurige \$Projectname-hub (ze zijn allemaal onderling met elkaar verbonden):"; -App::$strings["2. Enter my \$Projectname network address into the site searchbar."] = "2. Nadat je bent ingelogd en een kanaal hebt aangemaakt kan je mijn \$Projectname-kanaaladres in het zoekveld invullen:"; -App::$strings["or visit"] = "of bezoek"; -App::$strings["3. Click [Connect]"] = "3. Klik op [+ Verbinden]"; -App::$strings["Location not found."] = "Locatie niet gevonden."; -App::$strings["Location lookup failed."] = "Opzoeken locatie mislukt"; -App::$strings["Please select another location to become primary before removing the primary location."] = "Kies eerst een andere primaire locatie alvorens de huidige primaire locatie te verwijderen."; -App::$strings["Syncing locations"] = "Locaties synchronizeren"; -App::$strings["No locations found."] = "Geen locaties gevonden."; -App::$strings["Manage Channel Locations"] = "Kanaallocaties beheren"; -App::$strings["Primary"] = "Primair"; -App::$strings["Drop"] = "Verwijderen"; -App::$strings["Sync Now"] = "Nu synchroniseren"; -App::$strings["Please wait several minutes between consecutive operations."] = "Wacht enkele minuten tussen opeenvolgende handelingen."; -App::$strings["When possible, drop a location by logging into that website/hub and removing your channel."] = "Wij adviseren, wanneer dit (nog) mogelijk is, de locatie te verwijderen door op de hub van de kloon in te loggen en het kanaal daar te verwijderen."; -App::$strings["Use this form to drop the location if the hub is no longer operating."] = "Gebruik dit formulier om de locatie te verwijderen wanneer de hub van de kloon niet meer operationeel is."; -App::$strings["Hub not found."] = "Hub niet gevonden."; -App::$strings["Unable to lookup recipient."] = "Niet in staat om ontvanger op te zoeken."; -App::$strings["Unable to communicate with requested channel."] = "Niet in staat om met het aangevraagde kanaal te communiceren."; -App::$strings["Cannot verify requested channel."] = "Kan opgevraagd kanaal niet verifieren"; -App::$strings["Selected channel has private message restrictions. Send failed."] = "Gekozen kanaal heeft restricties voor privéberichten. Verzenden mislukt."; -App::$strings["Messages"] = "Berichten"; -App::$strings["Message recalled."] = "Bericht ingetrokken."; -App::$strings["Conversation removed."] = "Conversatie verwijderd"; -App::$strings["Expires YYYY-MM-DD HH:MM"] = "Verloopt op DD-MM-YYYY om HH:MM"; -App::$strings["Requested channel is not in this network"] = "Opgevraagd kanaal is niet in dit netwerk beschikbaar"; -App::$strings["Send Private Message"] = "Privébericht versturen"; -App::$strings["To:"] = "Aan:"; -App::$strings["Subject:"] = "Onderwerp:"; -App::$strings["Attach file"] = "Bestand toevoegen"; -App::$strings["Send"] = "Verzenden"; -App::$strings["Set expiration date"] = "Verloopdatum instellen"; -App::$strings["Delete message"] = "Bericht verwijderen"; -App::$strings["Delivery report"] = "Afleveringsrapport"; -App::$strings["Recall message"] = "Bericht intrekken"; -App::$strings["Message has been recalled."] = "Bericht is ingetrokken."; -App::$strings["Delete Conversation"] = "Verwijder conversatie"; -App::$strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Geen veilige communicatie beschikbaar. Mogelijk kan je reageren op de kanaalpagina van de afzender."; -App::$strings["Send Reply"] = "Antwoord versturen"; -App::$strings["Your message for %s (%s):"] = "Jouw privébericht aan %s (%s):"; -App::$strings["You have created %1$.0f of %2$.0f allowed channels."] = "Je hebt %1$.0f van totaal %2$.0f toegestane kanalen aangemaakt."; -App::$strings["Create a new channel"] = "Nieuw kanaal aanmaken"; -App::$strings["Channel Manager"] = "Kanaalbeheer"; -App::$strings["Current Channel"] = "Huidig kanaal"; -App::$strings["Switch to one of your channels by selecting it."] = "Activeer een van jouw andere kanalen door er op te klikken."; -App::$strings["Default Channel"] = "Standaardkanaal"; -App::$strings["Make Default"] = "Als standaard instellen"; -App::$strings["%d new messages"] = "%d nieuwe berichten"; -App::$strings["%d new introductions"] = "%d nieuwe connectieverzoeken"; -App::$strings["Delegated Channel"] = "Uitbesteed kanaal"; -App::$strings["Unable to update menu."] = "Niet in staat om menu aan te passen"; -App::$strings["Unable to create menu."] = "Niet in staat om menu aan te maken."; -App::$strings["Menu Name"] = "Menunaam"; -App::$strings["Unique name (not visible on webpage) - required"] = "Unieke naam vereist (niet zichtbaar op webpagina)"; -App::$strings["Menu Title"] = "Menutitel"; -App::$strings["Visible on webpage - leave empty for no title"] = "Zichtbaar op webpagina (leeg laten voor geen titel)"; -App::$strings["Allow Bookmarks"] = "Bladwijzers toestaan"; -App::$strings["Menu may be used to store saved bookmarks"] = "Menu kan gebruikt worden om bladwijzers in op te slaan"; -App::$strings["Submit and proceed"] = "Opslaan en doorgaan"; -App::$strings["Menus"] = "Menu's"; -App::$strings["Bookmarks allowed"] = "Bladwijzers toegestaan"; -App::$strings["Delete this menu"] = "Menu verwijderen"; -App::$strings["Edit menu contents"] = "Bewerk de inhoud van het menu"; -App::$strings["Edit this menu"] = "Dit menu bewerken"; -App::$strings["Menu could not be deleted."] = "Menu kon niet verwijderd worden."; -App::$strings["Menu not found."] = "Menu niet gevonden."; -App::$strings["Edit Menu"] = "Menu bewerken"; -App::$strings["Add or remove entries to this menu"] = "Items aan dit menu toevoegen of verwijder"; -App::$strings["Menu name"] = "Naam van menu"; -App::$strings["Must be unique, only seen by you"] = "Moet uniek zijn en is alleen zichtbaar voor jou."; -App::$strings["Menu title"] = "Titel van menu"; -App::$strings["Menu title as seen by others"] = "Titel van menu zoals anderen dat zien."; -App::$strings["Allow bookmarks"] = "Bladwijzers toestaan"; -App::$strings["Not found."] = "Niet gevonden."; -App::$strings["No valid account found."] = "Geen geldige account gevonden."; -App::$strings["Password reset request issued. Check your email."] = "Het verzoek om je wachtwoord opnieuw in te stellen is behandeld. Controleer je e-mail."; -App::$strings["Site Member (%s)"] = "Lid van hub (%s)"; -App::$strings["Password reset requested at %s"] = "Verzoek tot het opnieuw instellen van een wachtwoord op %s is ingediend"; -App::$strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Het verzoek kon niet worden geverifieerd. (Mogelijk heb je al eerder een verzoek ingediend.) Opnieuw instellen van wachtwoord is mislukt."; -App::$strings["Password Reset"] = "Wachtwoord vergeten?"; -App::$strings["Your password has been reset as requested."] = "Jouw wachtwoord is opnieuw ingesteld zoals je had verzocht."; -App::$strings["Your new password is"] = "Jouw nieuwe wachtwoord is"; -App::$strings["Save or copy your new password - and then"] = "Kopieer of sla je nieuwe wachtwoord op - en"; -App::$strings["click here to login"] = "klik dan hier om in te loggen"; -App::$strings["Your password may be changed from the Settings page after successful login."] = "Jouw wachtwoord kan worden veranderd onder instellingen, nadat je succesvol bent ingelogd."; -App::$strings["Your password has changed at %s"] = "Jouw wachtwoord op %s is veranderd"; -App::$strings["Forgot your Password?"] = "Wachtwoord vergeten?"; -App::$strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Voer je e-mailadres in en verstuur deze om je wachtwoord opnieuw in te stellen. Controleer hierna hier je e-mail voor verdere instructies."; -App::$strings["Email Address"] = "E-mailadres"; -App::$strings["Reset"] = "Opnieuw instellen"; -App::$strings["__ctx:mood__ %1\$s is %2\$s"] = "%1\$s is %2\$s"; -App::$strings["Mood"] = "Stemming"; -App::$strings["Set your current mood and tell your friends"] = "Noteer je huidige stemming en toon het aan je connecties"; -App::$strings["No such group"] = "Collectie niet gevonden"; -App::$strings["No such channel"] = "Niet zo'n kanaal"; -App::$strings["forum"] = "forum"; -App::$strings["Search Results For:"] = "Zoekresultaten voor:"; -App::$strings["Privacy group is empty"] = "Privacygroep is leeg"; -App::$strings["Privacy group: "] = "Privacygroep: "; -App::$strings["Invalid connection."] = "Ongeldige connectie."; -App::$strings["No more system notifications."] = "Geen systeemnotificaties meer."; -App::$strings["System Notifications"] = "Systeemnotificaties"; -App::$strings["Profile Match"] = "Profielovereenkomst"; -App::$strings["No keywords to match. Please add keywords to your default profile."] = "Je hebt geen trefwoorden waarmee overeenkomsten gevonden kunnen worden. Voeg enkele trefwoorden aan je standaardprofiel toe."; -App::$strings["is interested in:"] = "is geïnteresseerd in:"; -App::$strings["No matches"] = "Geen overeenkomsten"; App::$strings["Posts and comments"] = "Berichten en reacties"; App::$strings["Only posts"] = "Alleen berichten"; App::$strings["Insufficient permissions. Request redirected to profile page."] = "Onvoldoende permissies. Doorgestuurd naar profielpagina."; +App::$strings["Privacy group created."] = "Privacygroep aangemaakt"; +App::$strings["Could not create privacy group."] = "Kon privacygroep niet aanmaken"; +App::$strings["Privacy group not found."] = "Privacygroep niet gevonden"; +App::$strings["Privacy group updated."] = "Privacygroep bijgewerkt"; +App::$strings["Create a group of channels."] = "Privacygroep met kanalen aanmaken"; +App::$strings["Privacy group name: "] = "Naam privacygroep: "; +App::$strings["Members are visible to other channels"] = "Kanalen in deze privacygroep zijn zichtbaar voor andere kanalen"; +App::$strings["Privacy group removed."] = "Privacygroep verwijderd."; +App::$strings["Unable to remove privacy group."] = "Verwijderen privacygroep mislukt"; +App::$strings["Privacy group editor"] = "Privacygroep bewerken"; +App::$strings["Members"] = "Kanalen"; +App::$strings["All Connected Channels"] = "Alle kanaalconnecties"; +App::$strings["Click on a channel to add or remove."] = "Klik op een kanaal om deze toe te voegen of te verwijderen."; +App::$strings["Menu not found."] = "Menu niet gevonden."; App::$strings["Unable to create element."] = "Niet in staat om onderdeel aan te maken."; App::$strings["Unable to update menu element."] = "Menu-onderdeel kan niet worden geüpdatet."; App::$strings["Unable to add menu element."] = "Menu-onderdeel kan niet worden toegevoegd."; +App::$strings["Not found."] = "Niet gevonden."; App::$strings["Menu Item Permissions"] = "Permissies menu-item"; App::$strings["(click to open/close)"] = "(klik om te openen/sluiten)"; App::$strings["Link Name"] = "Linknaam"; @@ -769,6 +537,235 @@ App::$strings["Menu item deleted."] = "Menu-item verwijderd."; App::$strings["Menu item could not be deleted."] = "Menu-item kon niet worden verwijderd."; App::$strings["Edit Menu Element"] = "Menu-element bewerken"; App::$strings["Link text"] = "Linktekst"; +App::$strings["Channel added."] = "Kanaal toegevoegd."; +App::$strings["Import completed"] = "Importeren voltooid"; +App::$strings["Import Items"] = "Importeer items"; +App::$strings["Use this form to import existing posts and content from an export file."] = "Gebruik dit formulier om bestaande berichten en andere inhoud vanuit een exportbestand te importeren."; +App::$strings["Total invitation limit exceeded."] = "Limiet voor aantal uitnodigingen overschreden."; +App::$strings["%s : Not a valid email address."] = "%s : Geen geldig e-mailadres."; +App::$strings["Please join us on \$Projectname"] = "Uitnodiging voor \$Projectname"; +App::$strings["Invitation limit exceeded. Please contact your site administrator."] = "Limiet voor aantal uitnodigingen overschreden. Neem contact op met je hub-beheerder."; +App::$strings["%s : Message delivery failed."] = "%s: Aflevering bericht mislukt."; +App::$strings["%d message sent."] = array( + 0 => "%d bericht verzonden.", + 1 => "%d berichten verzonden.", +); +App::$strings["You have no more invitations available"] = "Je hebt geen uitnodigingen meer beschikbaar"; +App::$strings["Send invitations"] = "Uitnodigingen verzenden"; +App::$strings["Enter email addresses, one per line:"] = "Voer e-mailadressen in, één per regel:"; +App::$strings["Please join my community on \$Projectname."] = "Hierbij nodig ik je uit om mij, en andere vrienden en kennissen, op \$Projectname te vergezellen. Lees meer over \$Projectname op http://hubzilla.org"; +App::$strings["You will need to supply this invitation code:"] = "Je moet deze uitnodigingscode opgeven:"; +App::$strings["1. Register at any \$Projectname location (they are all inter-connected)"] = "1. Registreer je op een willekeurige \$Projectname-hub (ze zijn allemaal onderling met elkaar verbonden):"; +App::$strings["2. Enter my \$Projectname network address into the site searchbar."] = "2. Nadat je bent ingelogd en een kanaal hebt aangemaakt kan je mijn \$Projectname-kanaaladres in het zoekveld invullen:"; +App::$strings["or visit"] = "of bezoek"; +App::$strings["3. Click [Connect]"] = "3. Klik op [+ Verbinden]"; +App::$strings["Location not found."] = "Locatie niet gevonden."; +App::$strings["Location lookup failed."] = "Opzoeken locatie mislukt"; +App::$strings["Please select another location to become primary before removing the primary location."] = "Kies eerst een andere primaire locatie alvorens de huidige primaire locatie te verwijderen."; +App::$strings["Syncing locations"] = "Locaties synchronizeren"; +App::$strings["No locations found."] = "Geen locaties gevonden."; +App::$strings["Manage Channel Locations"] = "Kanaallocaties beheren"; +App::$strings["Primary"] = "Primair"; +App::$strings["Drop"] = "Verwijderen"; +App::$strings["Sync Now"] = "Nu synchroniseren"; +App::$strings["Please wait several minutes between consecutive operations."] = "Wacht enkele minuten tussen opeenvolgende handelingen."; +App::$strings["When possible, drop a location by logging into that website/hub and removing your channel."] = "Wij adviseren, wanneer dit (nog) mogelijk is, de locatie te verwijderen door op de hub van de kloon in te loggen en het kanaal daar te verwijderen."; +App::$strings["Use this form to drop the location if the hub is no longer operating."] = "Gebruik dit formulier om de locatie te verwijderen wanneer de hub van de kloon niet meer operationeel is."; +App::$strings["Hub not found."] = "Hub niet gevonden."; +App::$strings["webpage"] = "Webpagina"; +App::$strings["block"] = "blok"; +App::$strings["layout"] = "lay-out"; +App::$strings["menu"] = "menu"; +App::$strings["%s element installed"] = "%s onderdeel geïnstalleerd"; +App::$strings["%s element installation failed"] = "Installatie %s-element mislukt"; +App::$strings["Calendar entries imported."] = "Agenda-items geïmporteerd."; +App::$strings["No calendar entries found."] = "Geen agenda-items gevonden."; +App::$strings["Event can not end before it has started."] = "Gebeurtenis kan niet eindigen voordat het is begonnen"; +App::$strings["Unable to generate preview."] = "Niet in staat om voorvertoning te genereren"; +App::$strings["Event title and start time are required."] = "Titel en begintijd van gebeurtenis zijn vereist."; +App::$strings["Event not found."] = "Gebeurtenis niet gevonden"; +App::$strings["Edit event title"] = "Titel bewerken"; +App::$strings["Event title"] = "Titel"; +App::$strings["Categories (comma-separated list)"] = "Categorieën (door komma's gescheiden lijst)"; +App::$strings["Edit Category"] = "Categorie"; +App::$strings["Category"] = "Categorie"; +App::$strings["Edit start date and time"] = "Begindatum en -tijd bewerken"; +App::$strings["Start date and time"] = "Begindatum en -tijd"; +App::$strings["Finish date and time are not known or not relevant"] = "Einddatum en -tijd zijn niet bekend of niet van toepassing"; +App::$strings["Edit finish date and time"] = "Einddatum en -tijd bewerken"; +App::$strings["Finish date and time"] = "Einddatum en -tijd"; +App::$strings["Adjust for viewer timezone"] = "Aanpassen aan de tijdzone van wie deze gebeurtenis bekijkt"; +App::$strings["Important for events that happen in a particular place. Not practical for global holidays."] = "Belangrijk voor gebeurtenissen die op een bepaalde locatie plaatsvinden. Niet praktisch voor wereldwijde feestdagen."; +App::$strings["Edit Description"] = "Omschrijving bewerken"; +App::$strings["Edit Location"] = "Locatie bewerken"; +App::$strings["Share this event"] = "Deel deze gebeurtenis"; +App::$strings["Preview"] = "Voorvertoning"; +App::$strings["Permission settings"] = "Permissies"; +App::$strings["Advanced Options"] = "Geavanceerde opties"; +App::$strings["l, F j"] = "l j F"; +App::$strings["Edit event"] = "Gebeurtenis bewerken"; +App::$strings["Delete event"] = "Gebeurtenis verwijderen"; +App::$strings["Link to Source"] = "Originele locatie"; +App::$strings["calendar"] = "agenda"; +App::$strings["Edit Event"] = "Gebeurtenis bewerken"; +App::$strings["Create Event"] = "Gebeurtenis aanmaken"; +App::$strings["Previous"] = "Vorige"; +App::$strings["Next"] = "Volgende"; +App::$strings["Export"] = "Exporteren"; +App::$strings["View"] = "Weergeven"; +App::$strings["Month"] = "Maand"; +App::$strings["Week"] = "Week"; +App::$strings["Day"] = "Dag"; +App::$strings["Today"] = "Vandaag"; +App::$strings["Event removed"] = "Gebeurtenis verwijderd"; +App::$strings["Failed to remove event"] = "Verwijderen gebeurtenis mislukt"; +App::$strings["You have created %1$.0f of %2$.0f allowed channels."] = "Je hebt %1$.0f van totaal %2$.0f toegestane kanalen aangemaakt."; +App::$strings["Create a new channel"] = "Nieuw kanaal aanmaken"; +App::$strings["Channel Manager"] = "Kanaalbeheer"; +App::$strings["Current Channel"] = "Huidig kanaal"; +App::$strings["Switch to one of your channels by selecting it."] = "Activeer een van jouw andere kanalen door er op te klikken."; +App::$strings["Default Channel"] = "Standaardkanaal"; +App::$strings["Make Default"] = "Als standaard instellen"; +App::$strings["%d new messages"] = "%d nieuwe berichten"; +App::$strings["%d new introductions"] = "%d nieuwe connectieverzoeken"; +App::$strings["Delegated Channel"] = "Uitbesteed kanaal"; +App::$strings["No valid account found."] = "Geen geldige account gevonden."; +App::$strings["Password reset request issued. Check your email."] = "Het verzoek om je wachtwoord opnieuw in te stellen is behandeld. Controleer je e-mail."; +App::$strings["Site Member (%s)"] = "Lid van hub (%s)"; +App::$strings["Password reset requested at %s"] = "Verzoek tot het opnieuw instellen van een wachtwoord op %s is ingediend"; +App::$strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Het verzoek kon niet worden geverifieerd. (Mogelijk heb je al eerder een verzoek ingediend.) Opnieuw instellen van wachtwoord is mislukt."; +App::$strings["Password Reset"] = "Wachtwoord vergeten?"; +App::$strings["Your password has been reset as requested."] = "Jouw wachtwoord is opnieuw ingesteld zoals je had verzocht."; +App::$strings["Your new password is"] = "Jouw nieuwe wachtwoord is"; +App::$strings["Save or copy your new password - and then"] = "Kopieer of sla je nieuwe wachtwoord op - en"; +App::$strings["click here to login"] = "klik dan hier om in te loggen"; +App::$strings["Your password may be changed from the Settings page after successful login."] = "Jouw wachtwoord kan worden veranderd onder instellingen, nadat je succesvol bent ingelogd."; +App::$strings["Your password has changed at %s"] = "Jouw wachtwoord op %s is veranderd"; +App::$strings["Forgot your Password?"] = "Wachtwoord vergeten?"; +App::$strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Voer je e-mailadres in en verstuur deze om je wachtwoord opnieuw in te stellen. Controleer hierna hier je e-mail voor verdere instructies."; +App::$strings["Email Address"] = "E-mailadres"; +App::$strings["Reset"] = "Opnieuw instellen"; +App::$strings["__ctx:mood__ %1\$s is %2\$s"] = "%1\$s is %2\$s"; +App::$strings["Mood"] = "Stemming"; +App::$strings["Set your current mood and tell your friends"] = "Noteer je huidige stemming en toon het aan je connecties"; +App::$strings["Unable to update menu."] = "Niet in staat om menu aan te passen"; +App::$strings["Unable to create menu."] = "Niet in staat om menu aan te maken."; +App::$strings["Menu Name"] = "Menunaam"; +App::$strings["Unique name (not visible on webpage) - required"] = "Unieke naam vereist (niet zichtbaar op webpagina)"; +App::$strings["Menu Title"] = "Menutitel"; +App::$strings["Visible on webpage - leave empty for no title"] = "Zichtbaar op webpagina (leeg laten voor geen titel)"; +App::$strings["Allow Bookmarks"] = "Bladwijzers toestaan"; +App::$strings["Menu may be used to store saved bookmarks"] = "Menu kan gebruikt worden om bladwijzers in op te slaan"; +App::$strings["Submit and proceed"] = "Opslaan en doorgaan"; +App::$strings["Menus"] = "Menu's"; +App::$strings["Created"] = "Aangemaakt"; +App::$strings["Edited"] = "Bewerkt"; +App::$strings["Bookmarks allowed"] = "Bladwijzers toegestaan"; +App::$strings["Delete this menu"] = "Menu verwijderen"; +App::$strings["Edit menu contents"] = "Bewerk de inhoud van het menu"; +App::$strings["Edit this menu"] = "Dit menu bewerken"; +App::$strings["Menu could not be deleted."] = "Menu kon niet verwijderd worden."; +App::$strings["Edit Menu"] = "Menu bewerken"; +App::$strings["Add or remove entries to this menu"] = "Items aan dit menu toevoegen of verwijder"; +App::$strings["Menu name"] = "Naam van menu"; +App::$strings["Must be unique, only seen by you"] = "Moet uniek zijn en is alleen zichtbaar voor jou."; +App::$strings["Menu title"] = "Titel van menu"; +App::$strings["Menu title as seen by others"] = "Titel van menu zoals anderen dat zien."; +App::$strings["Allow bookmarks"] = "Bladwijzers toestaan"; +App::$strings["No more system notifications."] = "Geen systeemnotificaties meer."; +App::$strings["System Notifications"] = "Systeemnotificaties"; +App::$strings["Profile Match"] = "Profielovereenkomst"; +App::$strings["No keywords to match. Please add keywords to your default profile."] = "Je hebt geen trefwoorden waarmee overeenkomsten gevonden kunnen worden. Voeg enkele trefwoorden aan je standaardprofiel toe."; +App::$strings["is interested in:"] = "is geïnteresseerd in:"; +App::$strings["No matches"] = "Geen overeenkomsten"; +App::$strings["Fetching URL returns error: %1\$s"] = "Ophalen URL gaf een foutmelding terug: %1\$s"; +App::$strings["\$Projectname Server - Setup"] = "\$Projectname Hub - Setup"; +App::$strings["Could not connect to database."] = "Could not connect to database."; +App::$strings["Could not connect to specified site URL. Possible SSL certificate or DNS issue."] = "Could not connect to specified hub URL. Possible SSL certificate or DNS issue."; +App::$strings["Could not create table."] = "Could not create table."; +App::$strings["Your site database has been installed."] = "Your hub database has been installed."; +App::$strings["You may need to import the file \"install/schema_xxx.sql\" manually using a database client."] = "You may need to import the file \"install/schema_xxx.sql\" manually using a database client."; +App::$strings["Please see the file \"install/INSTALL.txt\"."] = "Please see the file \"install/INSTALL.txt\"."; +App::$strings["System check"] = "System check"; +App::$strings["Check again"] = "Check again"; +App::$strings["Database connection"] = "Database connection"; +App::$strings["In order to install \$Projectname we need to know how to connect to your database."] = "In order to install \$Projectname we need to know how to connect to your database."; +App::$strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Please contact your hosting provider or server administrator if you have questions about these settings."; +App::$strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "The database you specify below should already exist. If it does not, please create it before continuing."; +App::$strings["Database Server Name"] = "Database Server Name"; +App::$strings["Default is 127.0.0.1"] = "Default is 127.0.0.1"; +App::$strings["Database Port"] = "Database Port"; +App::$strings["Communication port number - use 0 for default"] = "Communication port number - use 0 for default"; +App::$strings["Database Login Name"] = "Database Login Name"; +App::$strings["Database Login Password"] = "Database Login Password"; +App::$strings["Database Name"] = "Database Name"; +App::$strings["Database Type"] = "Database Type"; +App::$strings["Site administrator email address"] = "Hub administrator email address"; +App::$strings["Your account email address must match this in order to use the web admin panel."] = "Your account email address must match this in order to use the web admin panel."; +App::$strings["Website URL"] = "Hub URL"; +App::$strings["Please use SSL (https) URL if available."] = "Please use SSL (https) URL if available."; +App::$strings["Please select a default timezone for your website"] = "Please select a default timezone for your hub"; +App::$strings["Site settings"] = "Hub settings"; +App::$strings["Enable \$Projectname advanced features?"] = "Enable \$Projectname advanced features?"; +App::$strings["Some advanced features, while useful - may be best suited for technically proficient audiences"] = "Some advanced features, while useful - may be best suited for technically proficient audiences"; +App::$strings["PHP version 5.5 or greater is required."] = "PHP version 5.5 or greater is required."; +App::$strings["PHP version"] = "PHP version"; +App::$strings["Could not find a command line version of PHP in the web server PATH."] = "Could not find a command line version of PHP in the web server PATH."; +App::$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."] = "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."; +App::$strings["PHP executable path"] = "PHP executable path"; +App::$strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Enter full path to php executable. You can leave this blank to continue the installation."; +App::$strings["Command line PHP"] = "Command line PHP"; +App::$strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "The command line version of PHP on your system does not have \"register_argc_argv\" enabled."; +App::$strings["This is required for message delivery to work."] = "This is required for message delivery to work."; +App::$strings["PHP register_argc_argv"] = "PHP register_argc_argv"; +App::$strings["Your max allowed total upload size is set to %s. Maximum size of one file to upload is set to %s. You are allowed to upload up to %d files at once."] = "Your max allowed total upload size is set to %s. Maximum size of one file to upload is set to %s. You are allowed to upload up to %d files at once."; +App::$strings["You can adjust these settings in the servers php.ini."] = "You can adjust these settings in the servers php.ini."; +App::$strings["PHP upload limits"] = "PHP upload limits"; +App::$strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"; +App::$strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."; +App::$strings["Generate encryption keys"] = "Generate encryption keys"; +App::$strings["libCurl PHP module"] = "libCurl PHP module"; +App::$strings["GD graphics PHP module"] = "GD graphics PHP module"; +App::$strings["OpenSSL PHP module"] = "OpenSSL PHP module"; +App::$strings["mysqli or postgres PHP module"] = "mysqli or postgres PHP module"; +App::$strings["mb_string PHP module"] = "mb_string PHP module"; +App::$strings["xml PHP module"] = "xml PHP module"; +App::$strings["Apache mod_rewrite module"] = "Apache mod_rewrite module"; +App::$strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Error: Apache webserver mod-rewrite module is required but not installed."; +App::$strings["proc_open"] = "proc_open"; +App::$strings["Error: proc_open is required but is either not installed or has been disabled in php.ini"] = "Error: proc_open is required but is either not installed or has been disabled in php.ini"; +App::$strings["Error: libCURL PHP module required but not installed."] = "Error: libCURL PHP module required but not installed."; +App::$strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Error: GD graphics PHP module with JPEG support required but not installed."; +App::$strings["Error: openssl PHP module required but not installed."] = "Error: openssl PHP module required but not installed."; +App::$strings["Error: mysqli or postgres PHP module required but neither are installed."] = "Error: mysqli or postgres PHP module required but neither are installed."; +App::$strings["Error: mb_string PHP module required but not installed."] = "Error: mb_string PHP module required but not installed."; +App::$strings["Error: xml PHP module required for DAV but not installed."] = "Error: xml PHP module required for DAV but not installed."; +App::$strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."; +App::$strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."; +App::$strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Red top folder."] = "At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Red top folder."; +App::$strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"install/INSTALL.txt\" for instructions."] = "You can alternatively skip this procedure and perform a manual installation. Please see the file \"install/INSTALL.txt\" for instructions."; +App::$strings[".htconfig.php is writable"] = ".htconfig.php is writable"; +App::$strings["Red uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Red uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."; +App::$strings["In order to store these compiled templates, the web server needs to have write access to the directory %s under the top level web folder."] = "In order to store these compiled templates, the web server needs to have write access to the directory %s under the top level web folder."; +App::$strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."; +App::$strings["Note: as a security measure, you should give the web server write access to %s only--not the template files (.tpl) that it contains."] = "Note: as a security measure, you should give the web server write access to %s only--not the template files (.tpl) that it contains."; +App::$strings["%s is writable"] = "%s is writable"; +App::$strings["This software uses the store directory to save uploaded files. The web server needs to have write access to the store directory under the Red top level folder"] = "This software uses the store directory to save uploaded files. The web server needs to have write access to the store directory under the Red top level folder"; +App::$strings["store is writable"] = "store is writable"; +App::$strings["SSL certificate cannot be validated. Fix certificate or disable https access to this site."] = "SSL certificate cannot be validated. Fix certificate or disable https access to this hub."; +App::$strings["If you have https access to your website or allow connections to TCP port 443 (the https: port), you MUST use a browser-valid certificate. You MUST NOT use self-signed certificates!"] = "If you have https access to your hub or allow connections to TCP port 443 (the https: port), you MUST use a browser-valid certificate. You MUST NOT use self-signed certificates!"; +App::$strings["This restriction is incorporated because public posts from you may for example contain references to images on your own hub."] = "This restriction is incorporated because public posts from you may for example contain references to images on your own hub."; +App::$strings["If your certificate is not recognized, members of other sites (who may themselves have valid certificates) will get a warning message on their own site complaining about security issues."] = "If your certificate is not recognized, members of other hubs (who may themselves have valid certificates) will get a warning message on their own hub complaining about security issues."; +App::$strings["This can cause usability issues elsewhere (not just on your own site) so we must insist on this requirement."] = "This can cause usability issues elsewhere (not just on your own hub) so we must insist on this requirement."; +App::$strings["Providers are available that issue free certificates which are browser-valid."] = "Providers are available that issue free certificates which are browser-valid."; +App::$strings["If you are confident that the certificate is valid and signed by a trusted authority, check to see if you have failed to install an intermediate cert. These are not normally required by browsers, but are required for server-to-server communications."] = "If you are confident that the certificate is valid and signed by a trusted authority, check to see if you have failed to install an intermediate cert. These are not normally required by browsers, but are required for server-to-server communications."; +App::$strings["SSL certificate validation"] = "SSL certificate validation"; +App::$strings["Url rewrite in .htaccess is not working. Check your server configuration.Test: "] = "Url rewrite in .htaccess is not working. Check your server configuration.Test: "; +App::$strings["Url rewrite is working"] = "Url rewrite is working"; +App::$strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."; +App::$strings["Errors encountered creating database tables."] = "Errors encountered creating database tables."; +App::$strings["

What next

"] = "

What next

"; +App::$strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANT: You will need to [manually] setup a scheduled task for the poller."; App::$strings["Theme settings updated."] = "Thema-instellingen bijgewerkt."; App::$strings["# Accounts"] = "# accounts"; App::$strings["# blocked accounts"] = "# geblokkeerde accounts"; @@ -920,6 +917,7 @@ App::$strings["Accounts"] = "Accounts"; App::$strings["select all"] = "alles selecteren"; App::$strings["Registrations waiting for confirm"] = "Accounts die op goedkeuring wachten"; App::$strings["Request date"] = "Tijd/datum verzoek"; +App::$strings["Email"] = "E-mail"; App::$strings["No registrations."] = "Geen verzoeken."; App::$strings["Deny"] = "Afkeuren"; App::$strings["All Channels"] = "Alle kanalen"; @@ -982,6 +980,7 @@ App::$strings["Installed Plugin Repositories"] = "Toegevoegde plugin-repositorie App::$strings["Install a New Plugin Repository"] = "Nieuwe plugin-repository toevoegen"; App::$strings["Update"] = "Bijwerken"; App::$strings["Switch branch"] = "Branch veranderen"; +App::$strings["Remove"] = "Verwijderen"; App::$strings["No themes found."] = "Geen thema's gevonden"; App::$strings["Screenshot"] = "Schermafdruk"; App::$strings["Themes"] = "Thema's"; @@ -1038,8 +1037,6 @@ App::$strings["Choose what you wish to do to recipient"] = "Kies wat je met de o App::$strings["Make this post private"] = "Maak dit bericht privé"; App::$strings["Unable to find your hub."] = "Niet in staat om je hub te vinden"; App::$strings["Post successful."] = "Verzenden bericht geslaagd."; -App::$strings["OpenID protocol error. No ID returned."] = "OpenID-protocolfout. Geen ID terugontvangen."; -App::$strings["Login failed."] = "Inloggen mislukt."; App::$strings["Invalid profile identifier."] = "Ongeldige profiel-identificator"; App::$strings["Profile Visibility Editor"] = "Zichtbaarheid profiel "; App::$strings["Profile"] = "Profiel"; @@ -1048,7 +1045,10 @@ App::$strings["Visible To"] = "Zichtbaar voor"; App::$strings["This setting requires special processing and editing has been blocked."] = "Deze instelling vereist een speciaal proces en bewerken is geblokkeerd."; App::$strings["Configuration Editor"] = "Configuratiebewerker"; App::$strings["Warning: Changing some settings could render your channel inoperable. Please leave this page unless you are comfortable with and knowledgeable about how to correctly use this feature."] = "Waarschuwing: het veranderen van sommige instellingen kunnen jouw kanaal onklaar maken. Verlaat deze pagina, tenzij je weet waar je mee bezig bent en voldoende kennis bezit over hoe je deze functies moet gebruiken. "; -App::$strings["Fetching URL returns error: %1\$s"] = "Ophalen URL gaf een foutmelding terug: %1\$s"; +App::$strings["Authorize application connection"] = "Geef toestemming voor applicatiekoppeling"; +App::$strings["Return to your app and insert this Security Code:"] = "Ga terug naar je app en voeg deze beveiligingscode in:"; +App::$strings["Please login to continue."] = "Inloggen om verder te kunnen gaan."; +App::$strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Wil je deze applicatie toestemming geven om jouw berichten en connecties te zien, en/of nieuwe berichten voor jou te plaatsen?"; App::$strings["Version %s"] = "Versie %s"; App::$strings["Installed plugins/addons/apps:"] = "Ingeschakelde plugins en apps:"; App::$strings["No installed plugins/addons/apps"] = "Geen ingeschakelde plugins en apps"; @@ -1062,12 +1062,13 @@ App::$strings["Bug reports and issues: please visit"] = "Bugrapporten en andere App::$strings["\$projectname issues"] = "\$projectname-issues"; App::$strings["Suggestions, praise, etc. - please email \"redmatrix\" at librelist - dot com"] = "Voorstellen, lofbetuigingen, enz. - e-mail \"redmatrix\" at librelist - dot com"; App::$strings["Site Administrators"] = "Hubbeheerders: "; -App::$strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "We hebben een probleem ontdekt tijdens het inloggen met de OpenID die je hebt verstrekt. Controleer de ID op typefouten."; -App::$strings["The error message was:"] = "Het foutbericht was:"; -App::$strings["Authentication failed."] = "Authenticatie mislukt."; -App::$strings["Remote Authentication"] = "Authenticatie op afstand"; -App::$strings["Enter your channel address (e.g. channel@example.com)"] = "Vul jouw kanaaladres in (bijv. channel@example.com)"; -App::$strings["Authenticate"] = "Authenticeren"; +App::$strings["Blocks"] = "Blokken"; +App::$strings["Block Title"] = "Bloktitel"; +App::$strings["Share"] = "Delen"; +App::$strings["Layouts"] = "Lay-outs"; +App::$strings["Comanche page description language help"] = "Hulp met de paginabeschrijvingstaal Comanche"; +App::$strings["Layout Description"] = "Lay-out-omschrijving"; +App::$strings["Download PDL file"] = "Download PDL-bestand"; App::$strings["Public Hubs"] = "Openbare hubs"; App::$strings["The listed hubs allow public registration for the \$Projectname network. All hubs in the network are interlinked so membership on any of them conveys membership in the network as a whole. Some hubs may require subscription or provide tiered service plans. The hub itself may provide additional details."] = "Op de hier weergegeven hubs kan iedereen zich voor het \$Projectname-netwerk aanmelden. Alle hubs in het netwerk zijn met elkaar verbonden, dus maakt het qua lidmaatschap niet uit waar je je aanmeldt. Op sommige hubs heb je eerst goedkeuring nodig en sommige hubs vereisen een financiële tegemoetkoming voor bepaalde uitbreidingen. Mogelijk wordt hierover op de hub zelf meer informatie gegeven."; App::$strings["Hub URL"] = "Hub-URL"; @@ -1077,51 +1078,109 @@ App::$strings["Stats"] = "Stats"; App::$strings["Software"] = "Software"; App::$strings["Ratings"] = "Beoordelingen"; App::$strings["Rate"] = "Beoordeel"; +App::$strings["Profile Photos"] = "Profielfoto's"; App::$strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Vernieuw de pagina met shift+R of shift+F5, of leeg je browserbuffer, wanneer de nieuwe foto niet meteen wordt weergegeven."; App::$strings["Upload Profile Photo"] = "Profielfoto uploaden"; -App::$strings["Block Name"] = "Bloknaam"; -App::$strings["Blocks"] = "Blokken"; -App::$strings["Block Title"] = "Bloktitel"; -App::$strings["Website:"] = "Website:"; -App::$strings["Remote Channel [%s] (not yet known on this site)"] = "Kanaal op afstand [%s] (nog niet op deze hub bekend)"; -App::$strings["Rating (this information is public)"] = "Beoordeling (deze informatie is openbaar)"; -App::$strings["Optionally explain your rating (this information is public)"] = "Verklaar jouw beoordeling (niet verplicht, deze informatie is openbaar)"; +App::$strings["Permissions denied."] = "Permissies niet toegestaan"; +App::$strings["Import"] = "Importeren"; +App::$strings["No channel."] = "Geen kanaal."; +App::$strings["Common connections"] = "Veel voorkomende connecties"; +App::$strings["No connections in common."] = "Geen gemeenschappelijke connecties."; +App::$strings["Authentication failed."] = "Authenticatie mislukt."; +App::$strings["Remote Authentication"] = "Authenticatie op afstand"; +App::$strings["Enter your channel address (e.g. channel@example.com)"] = "Vul jouw kanaaladres in (bijv. channel@example.com)"; +App::$strings["Authenticate"] = "Authenticeren"; App::$strings["No ratings"] = "Geen beoordelingen"; App::$strings["Rating: "] = "Beoordeling: "; App::$strings["Website: "] = "Website: "; App::$strings["Description: "] = "Omschrijving: "; App::$strings["Apps"] = "Apps"; -App::$strings["Title (optional)"] = "Titel (optioneel)"; -App::$strings["Edit Block"] = "Blok bewerken"; -App::$strings["No channel."] = "Geen kanaal."; -App::$strings["Common connections"] = "Veel voorkomende connecties"; -App::$strings["No connections in common."] = "Geen gemeenschappelijke connecties."; +App::$strings["No such group"] = "Collectie niet gevonden"; +App::$strings["No such channel"] = "Niet zo'n kanaal"; +App::$strings["forum"] = "forum"; +App::$strings["Search Results For:"] = "Zoekresultaten voor:"; +App::$strings["Privacy group is empty"] = "Privacygroep is leeg"; +App::$strings["Privacy group: "] = "Privacygroep: "; +App::$strings["Invalid connection."] = "Ongeldige connectie."; +App::$strings["Continue"] = "Ga verder"; +App::$strings["Premium Channel Setup"] = "Instellen premiumkanaal "; +App::$strings["Enable premium channel connection restrictions"] = "Restricties voor connecties van premiumkanaal toestaan"; +App::$strings["Please enter your restrictions or conditions, such as paypal receipt, usage guidelines, etc."] = "Vul je restricties of voorwaarden in, zoals een paypal-afschrift, voorschriften voor leden, enz."; +App::$strings["This channel may require additional steps or acknowledgement of the following conditions prior to connecting:"] = "Dit kanaal kan extra stappen of het accepteren van de volgende voorwaarden vereisen, voordat de connectie wordt geaccepteerd:"; +App::$strings["Potential connections will then see the following text before proceeding:"] = "Mogelijke connecties zullen dan de volgende tekst zien voordat ze verder kunnen:"; +App::$strings["By continuing, I certify that I have complied with any instructions provided on this page."] = "Door verder te gaan ga ik automatisch akkoord met alle voorwaarden en aanwijzingen op deze pagina."; +App::$strings["(No specific instructions have been provided by the channel owner.)"] = "(Er zijn geen speciale voorwaarden en aanwijzingen door de kanaal-eigenaar verstrekt) "; +App::$strings["Restricted or Premium Channel"] = "Beperkt of premiumkanaal"; App::$strings["Select a bookmark folder"] = "Kies een bladwijzermap"; App::$strings["Save Bookmark"] = "Bladwijzer opslaan"; App::$strings["URL of bookmark"] = "URL van bladwijzer"; App::$strings["Or enter new bookmark folder name"] = "Of geef de naam op van een nieuwe bladwijzermap"; -App::$strings["Maximum daily site registrations exceeded. Please try again tomorrow."] = "Maximum toegestane dagelijkse registraties op deze \$Projectname-hub bereikt. Probeer het morgen (UTC) nogmaals."; -App::$strings["Please indicate acceptance of the Terms of Service. Registration failed."] = "Registratie mislukt. De gebruiksvoorwaarden dienen wel geaccepteerd te worden."; -App::$strings["Passwords do not match."] = "Wachtwoorden komen niet met elkaar overeen."; -App::$strings["Registration successful. Please check your email for validation instructions."] = "Registratie geslaagd. Controleer je e-mail voor instructies."; -App::$strings["Your registration is pending approval by the site owner."] = "Jouw accountregistratie wacht op goedkeuring van de beheerder van deze \$Projectname-hub."; -App::$strings["Your registration can not be processed."] = "Jouw registratie kan niet verwerkt worden."; -App::$strings["Registration on this hub is disabled."] = "Registreren van nieuwe accounts is op deze hub uitgeschakeld."; -App::$strings["Registration on this hub is by approval only."] = "Registraties op deze hub moeten eerst worden goedgekeurd."; -App::$strings["Register at another affiliated hub."] = "Registreer op een andere hub."; -App::$strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Deze \$Projectname-hub heeft het maximum aantal dagelijks toegestane registraties bereikt. Probeer het morgen (UTC) nogmaals."; -App::$strings["Terms of Service"] = "Gebruiksvoorwaarden"; -App::$strings["I accept the %s for this website"] = "Ik accepteer de %s van deze \$Projectname-hub"; -App::$strings["I am over 13 years of age and accept the %s for this website"] = "Ik ben 13 jaar of ouder en accepteer de %s van deze \$Projectname-hub"; -App::$strings["Your email address"] = "Jouw e-mailadres"; -App::$strings["Choose a password"] = "Geef een wachtwoord op"; -App::$strings["Please re-enter your password"] = "Geef het wachtwoord opnieuw op"; -App::$strings["Please enter your invitation code"] = "Vul jouw uitnodigingscode in"; -App::$strings["no"] = "Nee"; -App::$strings["yes"] = "Ja"; -App::$strings["Membership on this site is by invitation only."] = "Registreren op deze \$Projectname-hub kan alleen op uitnodiging."; -App::$strings["Register"] = "Registreren"; -App::$strings["This site may require email verification after submitting this form. If you are returned to a login page, please check your email for instructions."] = "Mogelijk moet op deze hub eerst jouw e-mail geverifieerd worden. Wanneer je na het indienen van dit formulier op de inlogpagina terecht komt, dan dien je jouw e-mail te controleren voor instructies. Controleer eventueel ook jouw spamfolder."; +App::$strings["Page owner information could not be retrieved."] = "Informatie over de pagina-eigenaar werd niet ontvangen."; +App::$strings["Album not found."] = "Album niet gevonden."; +App::$strings["Delete Album"] = "Verwijder album"; +App::$strings["Multiple storage folders exist with this album name, but within different directories. Please remove the desired folder or folders using the Files manager"] = "Er bestaan meerdere submappen met deze albumnaam, maar verspreidt over verschillende mappen. Verwijder de gewenste map(pen) met de bestandsbeheerder."; +App::$strings["Delete Photo"] = "Verwijder foto"; +App::$strings["No photos selected"] = "Geen foto's geselecteerd"; +App::$strings["Access to this item is restricted."] = "Toegang tot dit item is beperkt."; +App::$strings["%1$.2f MB of %2$.2f MB photo storage used."] = "%1$.2f MB van %2$.2f MB aan foto-opslag gebruikt."; +App::$strings["%1$.2f MB photo storage used."] = "%1$.2f MB aan foto-opslag gebruikt."; +App::$strings["Upload Photos"] = "Foto's uploaden"; +App::$strings["Enter an album name"] = "Vul een albumnaam in"; +App::$strings["or select an existing album (doubleclick)"] = "of kies een bestaand album (dubbelklikken)"; +App::$strings["Create a status post for this upload"] = "Plaats een bericht voor deze upload."; +App::$strings["Caption (optional):"] = "Bijschrift (optioneel):"; +App::$strings["Description (optional):"] = "Omschrijving (optioneel):"; +App::$strings["Album name could not be decoded"] = "Albumnaam kon niet gedecodeerd worden"; +App::$strings["Contact Photos"] = "Connectiefoto's"; +App::$strings["Show Newest First"] = "Nieuwste eerst weergeven"; +App::$strings["Show Oldest First"] = "Oudste eerst weergeven"; +App::$strings["View Photo"] = "Foto weergeven"; +App::$strings["Edit Album"] = "Album bewerken"; +App::$strings["Permission denied. Access to this item may be restricted."] = "Toegang geweigerd. Toegang tot dit item kan zijn beperkt."; +App::$strings["Photo not available"] = "Foto niet aanwezig"; +App::$strings["Use as profile photo"] = "Als profielfoto gebruiken"; +App::$strings["Use as cover photo"] = "Als omslagfoto gebruiken"; +App::$strings["Private Photo"] = "Privéfoto"; +App::$strings["View Full Size"] = "Volledige grootte weergeven"; +App::$strings["Edit photo"] = "Foto bewerken"; +App::$strings["Rotate CW (right)"] = "Draai met de klok mee (naar rechts)"; +App::$strings["Rotate CCW (left)"] = "Draai tegen de klok in (naar links)"; +App::$strings["Enter a new album name"] = "Vul een nieuwe albumnaam in"; +App::$strings["or select an existing one (doubleclick)"] = "of kies een bestaand album (dubbelklikken)"; +App::$strings["Caption"] = "Bijschrift"; +App::$strings["Add a Tag"] = "Tag toevoegen"; +App::$strings["Example: @bob, @Barbara_Jensen, @jim@example.com"] = "Voorbeeld: @bob, @Barbara_Jansen, @jan@voorbeeld.nl"; +App::$strings["Flag as adult in album view"] = "Markeer als voor volwassenen in albumweergave"; +App::$strings["I like this (toggle)"] = "Vind ik leuk"; +App::$strings["I don't like this (toggle)"] = "Vind ik niet leuk"; +App::$strings["Please wait"] = "Even wachten"; +App::$strings["This is you"] = "Dit ben jij"; +App::$strings["Comment"] = "Reactie"; +App::$strings["__ctx:title__ Likes"] = "vinden dit leuk"; +App::$strings["__ctx:title__ Dislikes"] = "vinden dit niet leuk"; +App::$strings["__ctx:title__ Agree"] = "eens"; +App::$strings["__ctx:title__ Disagree"] = "oneens"; +App::$strings["__ctx:title__ Abstain"] = "onthoudingen"; +App::$strings["__ctx:title__ Attending"] = "aanwezig"; +App::$strings["__ctx:title__ Not attending"] = "niet aanwezig"; +App::$strings["__ctx:title__ Might attend"] = "mogelijk aanwezig"; +App::$strings["View all"] = "Toon alles"; +App::$strings["__ctx:noun__ Like"] = array( + 0 => "vindt dit leuk", + 1 => "vinden dit leuk", +); +App::$strings["__ctx:noun__ Dislike"] = array( + 0 => "vindt dit niet leuk", + 1 => "vinden dit niet leuk", +); +App::$strings["Photo Tools"] = "Hulpmiddelen"; +App::$strings["In This Photo:"] = "Op deze foto:"; +App::$strings["Map"] = "Kaart"; +App::$strings["__ctx:noun__ Likes"] = "vinden dit leuk"; +App::$strings["__ctx:noun__ Dislikes"] = "vinden dit niet leuk"; +App::$strings["Close"] = "Sluiten"; +App::$strings["View Album"] = "Album weergeven"; +App::$strings["Recent Photos"] = "Recente foto's"; App::$strings["Please login."] = "Inloggen."; App::$strings["Account removals are not allowed within 48 hours of changing the account password."] = "Het verwijderen van een account is niet toegestaan binnen 48 uur nadat het wachtwoord is veranderd."; App::$strings["Remove This Account"] = "Verwijder dit account"; @@ -1147,9 +1206,93 @@ App::$strings["You may also export your posts and conversations for a particular App::$strings["To select all posts for a given year, such as this year, visit %2\$s"] = "Bezoek %2\$s om alle berichten van bijvoorbeeld dit jaar te selecteren. "; App::$strings["To select all posts for a given month, such as January of this year, visit %2\$s"] = "Bezoek %2\$s om alle berichten van bijvoorbeeld januari dit jaar te selecteren."; App::$strings["These content files may be imported or restored by visiting %2\$s on any site containing your channel. For best results please import or restore these in date order (oldest first)."] = "Deze back-up-bestanden kunnen geïmporteerd of hersteld worden door op jouw hub en met jouw kanaal %2\$s te bezoeken. Voor het beste resultaat kan je de bestanden in chronologische volgorde importeren of herstellen."; +App::$strings["Import Webpage Elements"] = "Webpagina-elementen importeren"; +App::$strings["Import selected"] = "Importbestand geselecteerd"; +App::$strings["Webpages"] = "Webpagina's"; +App::$strings["Actions"] = "Acties"; +App::$strings["Page Link"] = "Paginalink"; +App::$strings["Page Title"] = "Paginatitel"; +App::$strings["Invalid file type."] = "Ongeldig bestandsformaat"; +App::$strings["Error opening zip file"] = "Fout met openen zipbestand"; +App::$strings["Invalid folder path."] = "Ongeldige maplocatie"; +App::$strings["No webpage elements detected."] = "Geen webpagina-elementen gedecteerd"; +App::$strings["Import complete."] = "Importeren voltooid."; App::$strings["Items tagged with: %s"] = "Items getagd met %s"; App::$strings["Search results for: %s"] = "Zoekresultaten voor %s"; App::$strings["No service class restrictions found."] = "Geen abonnementsbeperkingen gevonden."; +App::$strings["Maximum daily site registrations exceeded. Please try again tomorrow."] = "Maximum toegestane dagelijkse registraties op deze \$Projectname-hub bereikt. Probeer het morgen (UTC) nogmaals."; +App::$strings["Please indicate acceptance of the Terms of Service. Registration failed."] = "Registratie mislukt. De gebruiksvoorwaarden dienen wel geaccepteerd te worden."; +App::$strings["Passwords do not match."] = "Wachtwoorden komen niet met elkaar overeen."; +App::$strings["Registration successful. Please check your email for validation instructions."] = "Registratie geslaagd. Controleer je e-mail voor instructies."; +App::$strings["Your registration is pending approval by the site owner."] = "Jouw accountregistratie wacht op goedkeuring van de beheerder van deze \$Projectname-hub."; +App::$strings["Your registration can not be processed."] = "Jouw registratie kan niet verwerkt worden."; +App::$strings["Registration on this hub is disabled."] = "Registreren van nieuwe accounts is op deze hub uitgeschakeld."; +App::$strings["Registration on this hub is by approval only."] = "Registraties op deze hub moeten eerst worden goedgekeurd."; +App::$strings["Register at another affiliated hub."] = "Registreer op een andere hub."; +App::$strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Deze \$Projectname-hub heeft het maximum aantal dagelijks toegestane registraties bereikt. Probeer het morgen (UTC) nogmaals."; +App::$strings["Terms of Service"] = "Gebruiksvoorwaarden"; +App::$strings["I accept the %s for this website"] = "Ik accepteer de %s van deze \$Projectname-hub"; +App::$strings["I am over 13 years of age and accept the %s for this website"] = "Ik ben 13 jaar of ouder en accepteer de %s van deze \$Projectname-hub"; +App::$strings["Your email address"] = "Jouw e-mailadres"; +App::$strings["Choose a password"] = "Geef een wachtwoord op"; +App::$strings["Please re-enter your password"] = "Geef het wachtwoord opnieuw op"; +App::$strings["Please enter your invitation code"] = "Vul jouw uitnodigingscode in"; +App::$strings["no"] = "Nee"; +App::$strings["yes"] = "Ja"; +App::$strings["Membership on this site is by invitation only."] = "Registreren op deze \$Projectname-hub kan alleen op uitnodiging."; +App::$strings["Register"] = "Registreren"; +App::$strings["This site may require email verification after submitting this form. If you are returned to a login page, please check your email for instructions."] = "Mogelijk moet op deze hub eerst jouw e-mail geverifieerd worden. Wanneer je na het indienen van dit formulier op de inlogpagina terecht komt, dan dien je jouw e-mail te controleren voor instructies. Controleer eventueel ook jouw spamfolder."; +App::$strings["Edit post"] = "Bericht bewerken"; +App::$strings["Files: shared with me"] = "Bestanden: met mij gedeeld"; +App::$strings["NEW"] = "NIEUW"; +App::$strings["Remove all files"] = "Verwijder alle bestanden"; +App::$strings["Remove this file"] = "Verwijder dit bestand"; +App::$strings["network"] = "netwerk"; +App::$strings["RSS"] = "RSS"; +App::$strings["Failed to create source. No channel selected."] = "Aanmaken bron mislukt. Geen kanaal geselecteerd."; +App::$strings["Source created."] = "Bron aangemaakt."; +App::$strings["Source updated."] = "Bron aangemaakt."; +App::$strings["*"] = "*"; +App::$strings["Channel Sources"] = "Kanaalbronnen"; +App::$strings["Manage remote sources of content for your channel."] = "Beheer externe bronnen met inhoud voor jouw kanaal"; +App::$strings["New Source"] = "Nieuwe bron"; +App::$strings["Import all or selected content from the following channel into this channel and distribute it according to your channel settings."] = "Importeer complete of gedeelde inhoud vanuit het volgende kanaal naar dit kanaal, en verdeel het vervolgens volgens jouw kanaalinstellingen."; +App::$strings["Only import content with these words (one per line)"] = "Importeer alleen inhoud met deze woorden (één per regel)"; +App::$strings["Leave blank to import all public content"] = "Laat leeg om alle openbare inhoud te importeren"; +App::$strings["Channel Name"] = "Kanaalnaam"; +App::$strings["Add the following categories to posts imported from this source (comma separated)"] = "De volgende categorieën aan berichten toevoegen die uit deze bron zijn geïmporteerd (door komma's gescheiden)"; +App::$strings["Optional"] = "Optioneel"; +App::$strings["Source not found."] = "Bron niet gevonden"; +App::$strings["Edit Source"] = "Bron bewerken"; +App::$strings["Delete Source"] = "Bron verwijderen"; +App::$strings["Source removed"] = "Bron verwijderd"; +App::$strings["Unable to remove source."] = "Verwijderen bron mislukt."; +App::$strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s volgt het %3\$s van %2\$s"; +App::$strings["%1\$s stopped following %2\$s's %3\$s"] = "%1\$s volgt het %3\$s van %2\$s niet meer"; +App::$strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Geen voorgestelde kanalen gevonden. Wanneer dit een nieuwe hub is, probeer het dan over 24 uur weer."; +App::$strings["Ignore/Hide"] = "Negeren/Verbergen"; +App::$strings["post"] = "bericht"; +App::$strings["comment"] = "reactie"; +App::$strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s heeft het %3\$s van %2\$s getagd met %4\$s"; +App::$strings["Tag removed"] = "Tag verwijderd"; +App::$strings["Remove Item Tag"] = "Verwijder item-tag"; +App::$strings["Select a tag to remove: "] = "Kies een tag om te verwijderen"; +App::$strings["Invalid message"] = "Ongeldig bericht"; +App::$strings["no results"] = "geen resultaten"; +App::$strings["channel sync processed"] = "kanaalsync verwerkt"; +App::$strings["queued"] = "in wachtrij"; +App::$strings["posted"] = "verstuurd"; +App::$strings["accepted for delivery"] = "geaccepteerd om afgeleverd te worden"; +App::$strings["updated"] = "geüpdatet"; +App::$strings["update ignored"] = "update genegeerd"; +App::$strings["permission denied"] = "toegang geweigerd"; +App::$strings["recipient not found"] = "ontvanger niet gevonden"; +App::$strings["mail recalled"] = "Privébericht ingetrokken"; +App::$strings["duplicate mail received"] = "dubbel privébericht ontvangen"; +App::$strings["mail delivered"] = "privébericht afgeleverd"; +App::$strings["Delivery report for %1\$s"] = "Afleveringsrapport voor %1\$s"; +App::$strings["Options"] = "Opties"; +App::$strings["Redeliver"] = "Opnieuw afleveren"; App::$strings["Name is required"] = "Naam is vereist"; App::$strings["Key and Secret are required"] = "Key en secret zijn vereist"; App::$strings["This channel is limited to %d tokens"] = "Dit kanaal heeft een limiet van %d tokens"; @@ -1172,7 +1315,6 @@ App::$strings["Consumer Secret"] = "Consumer secret"; App::$strings["Redirect"] = "Redirect/doorverwijzing"; App::$strings["Redirect URI - leave blank unless your application specifically requires this"] = "URI voor redirect - laat leeg, behalve wanneer de applicatie dit vereist"; App::$strings["Icon url"] = "Pictogram-URL"; -App::$strings["Optional"] = "Optioneel"; App::$strings["Application not found."] = "Applicatie niet gevonden."; App::$strings["Connected Apps"] = "Verbonden applicaties"; App::$strings["Client key starts with"] = "Client key begint met"; @@ -1187,7 +1329,7 @@ App::$strings["Confirm New Password"] = "Nieuw wachtwoord bevestigen"; App::$strings["Leave password fields blank unless changing"] = "Laat de wachtwoordvelden leeg, behalve wanneer je deze wil veranderen"; App::$strings["Email Address:"] = "E-mailadres:"; App::$strings["Remove this account including all its channels"] = "Dit account en al zijn kanalen verwijderen"; -App::$strings["Use this form to create temporary access identifiers to share things with non-members. These identities may be used in Access Control Lists and visitors may login using these credentials to access the private content."] = "Gebruik dit formulier om tijdelijke identiteiten aan te maken, waarmee je bepaalde informatie met niet-leden kan delen. Deze identiteiten kunnen onder Permissies (handmatige selectie) worden gebruikt. Gasten kunnen inloggen met onderstaande gegevens om zo toegang te krijgen tot de privéinhoud."; +App::$strings["Use this form to create temporary access identifiers to share things with non-members. These identities may be used in Access Control Lists and visitors may login using these credentials to access private content."] = "Gebruik dit formulier om tijdelijke identiteiten aan te maken, waarmee je bepaalde informatie met niet-leden kan delen. Deze identiteiten kunnen onder Permissies (handmatige selectie) worden gebruikt. Gasten kunnen inloggen met onderstaande gegevens om zo toegang te krijgen tot privéinhoud."; App::$strings["You may also provide dropbox style access links to friends and associates by adding the Login Password to any specific site URL as shown. Examples:"] = "Je kan ook dropbox-achtige links aan mensen geven door bovenstaand wachtwoord op onderstaande manier aan een hub-URL toe te voegen. Voorbeelden:"; App::$strings["Guest Access Tokens"] = "Gasttoegang"; App::$strings["Login Name"] = "Inlognaam"; @@ -1202,6 +1344,7 @@ App::$strings["Theme Settings"] = "Thema-instellingen"; App::$strings["Custom Theme Settings"] = "Handmatige thema-instellingen"; App::$strings["Content Settings"] = "Inhoudsinstellingen"; App::$strings["Display Theme:"] = "Gebruik thema:"; +App::$strings["Select scheme"] = "Kies schema van thema"; App::$strings["Mobile Theme:"] = "Mobiel thema:"; App::$strings["Preload images before rendering the page"] = "Afbeeldingen laden voordat de pagina wordt weergegeven"; App::$strings["The subjective page load time will be longer but the page will be ready when displayed"] = "De laadtijd van een pagina lijkt langer, maar de pagina is wel meteen helemaal geladen wanneer deze wordt weergeven"; @@ -1305,168 +1448,11 @@ App::$strings["Personal menu to display in your channel pages"] = "Persoonlijk m App::$strings["Remove this channel."] = "Verwijder dit kanaal."; App::$strings["Firefox Share \$Projectname provider"] = "\$Projectname-service voor Firefox Share"; App::$strings["Start calendar week on monday"] = "Begin in de agenda de week op maandag"; -App::$strings["\$Projectname Server - Setup"] = "\$Projectname Hub - Setup"; -App::$strings["Could not connect to database."] = "Could not connect to database."; -App::$strings["Could not connect to specified site URL. Possible SSL certificate or DNS issue."] = "Could not connect to specified hub URL. Possible SSL certificate or DNS issue."; -App::$strings["Could not create table."] = "Could not create table."; -App::$strings["Your site database has been installed."] = "Your hub database has been installed."; -App::$strings["You may need to import the file \"install/schema_xxx.sql\" manually using a database client."] = "You may need to import the file \"install/schema_xxx.sql\" manually using a database client."; -App::$strings["Please see the file \"install/INSTALL.txt\"."] = "Please see the file \"install/INSTALL.txt\"."; -App::$strings["System check"] = "System check"; -App::$strings["Check again"] = "Check again"; -App::$strings["Database connection"] = "Database connection"; -App::$strings["In order to install \$Projectname we need to know how to connect to your database."] = "In order to install \$Projectname we need to know how to connect to your database."; -App::$strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Please contact your hosting provider or server administrator if you have questions about these settings."; -App::$strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "The database you specify below should already exist. If it does not, please create it before continuing."; -App::$strings["Database Server Name"] = "Database Server Name"; -App::$strings["Default is 127.0.0.1"] = "Default is 127.0.0.1"; -App::$strings["Database Port"] = "Database Port"; -App::$strings["Communication port number - use 0 for default"] = "Communication port number - use 0 for default"; -App::$strings["Database Login Name"] = "Database Login Name"; -App::$strings["Database Login Password"] = "Database Login Password"; -App::$strings["Database Name"] = "Database Name"; -App::$strings["Database Type"] = "Database Type"; -App::$strings["Site administrator email address"] = "Hub administrator email address"; -App::$strings["Your account email address must match this in order to use the web admin panel."] = "Your account email address must match this in order to use the web admin panel."; -App::$strings["Website URL"] = "Hub URL"; -App::$strings["Please use SSL (https) URL if available."] = "Please use SSL (https) URL if available."; -App::$strings["Please select a default timezone for your website"] = "Please select a default timezone for your hub"; -App::$strings["Site settings"] = "Hub settings"; -App::$strings["Enable \$Projectname advanced features?"] = "Enable \$Projectname advanced features?"; -App::$strings["Some advanced features, while useful - may be best suited for technically proficient audiences"] = "Some advanced features, while useful - may be best suited for technically proficient audiences"; -App::$strings["PHP version 5.5 or greater is required."] = "PHP version 5.5 or greater is required."; -App::$strings["PHP version"] = "PHP version"; -App::$strings["Could not find a command line version of PHP in the web server PATH."] = "Could not find a command line version of PHP in the web server PATH."; -App::$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."] = "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."; -App::$strings["PHP executable path"] = "PHP executable path"; -App::$strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Enter full path to php executable. You can leave this blank to continue the installation."; -App::$strings["Command line PHP"] = "Command line PHP"; -App::$strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "The command line version of PHP on your system does not have \"register_argc_argv\" enabled."; -App::$strings["This is required for message delivery to work."] = "This is required for message delivery to work."; -App::$strings["PHP register_argc_argv"] = "PHP register_argc_argv"; -App::$strings["Your max allowed total upload size is set to %s. Maximum size of one file to upload is set to %s. You are allowed to upload up to %d files at once."] = "Your max allowed total upload size is set to %s. Maximum size of one file to upload is set to %s. You are allowed to upload up to %d files at once."; -App::$strings["You can adjust these settings in the servers php.ini."] = "You can adjust these settings in the servers php.ini."; -App::$strings["PHP upload limits"] = "PHP upload limits"; -App::$strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"; -App::$strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."; -App::$strings["Generate encryption keys"] = "Generate encryption keys"; -App::$strings["libCurl PHP module"] = "libCurl PHP module"; -App::$strings["GD graphics PHP module"] = "GD graphics PHP module"; -App::$strings["OpenSSL PHP module"] = "OpenSSL PHP module"; -App::$strings["mysqli or postgres PHP module"] = "mysqli or postgres PHP module"; -App::$strings["mb_string PHP module"] = "mb_string PHP module"; -App::$strings["xml PHP module"] = "xml PHP module"; -App::$strings["Apache mod_rewrite module"] = "Apache mod_rewrite module"; -App::$strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Error: Apache webserver mod-rewrite module is required but not installed."; -App::$strings["proc_open"] = "proc_open"; -App::$strings["Error: proc_open is required but is either not installed or has been disabled in php.ini"] = "Error: proc_open is required but is either not installed or has been disabled in php.ini"; -App::$strings["Error: libCURL PHP module required but not installed."] = "Error: libCURL PHP module required but not installed."; -App::$strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Error: GD graphics PHP module with JPEG support required but not installed."; -App::$strings["Error: openssl PHP module required but not installed."] = "Error: openssl PHP module required but not installed."; -App::$strings["Error: mysqli or postgres PHP module required but neither are installed."] = "Error: mysqli or postgres PHP module required but neither are installed."; -App::$strings["Error: mb_string PHP module required but not installed."] = "Error: mb_string PHP module required but not installed."; -App::$strings["Error: xml PHP module required for DAV but not installed."] = "Error: xml PHP module required for DAV but not installed."; -App::$strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."; -App::$strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."; -App::$strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Red top folder."] = "At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Red top folder."; -App::$strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"install/INSTALL.txt\" for instructions."] = "You can alternatively skip this procedure and perform a manual installation. Please see the file \"install/INSTALL.txt\" for instructions."; -App::$strings[".htconfig.php is writable"] = ".htconfig.php is writable"; -App::$strings["Red uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Red uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."; -App::$strings["In order to store these compiled templates, the web server needs to have write access to the directory %s under the top level web folder."] = "In order to store these compiled templates, the web server needs to have write access to the directory %s under the top level web folder."; -App::$strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."; -App::$strings["Note: as a security measure, you should give the web server write access to %s only--not the template files (.tpl) that it contains."] = "Note: as a security measure, you should give the web server write access to %s only--not the template files (.tpl) that it contains."; -App::$strings["%s is writable"] = "%s is writable"; -App::$strings["This software uses the store directory to save uploaded files. The web server needs to have write access to the store directory under the Red top level folder"] = "This software uses the store directory to save uploaded files. The web server needs to have write access to the store directory under the Red top level folder"; -App::$strings["store is writable"] = "store is writable"; -App::$strings["SSL certificate cannot be validated. Fix certificate or disable https access to this site."] = "SSL certificate cannot be validated. Fix certificate or disable https access to this hub."; -App::$strings["If you have https access to your website or allow connections to TCP port 443 (the https: port), you MUST use a browser-valid certificate. You MUST NOT use self-signed certificates!"] = "If you have https access to your hub or allow connections to TCP port 443 (the https: port), you MUST use a browser-valid certificate. You MUST NOT use self-signed certificates!"; -App::$strings["This restriction is incorporated because public posts from you may for example contain references to images on your own hub."] = "This restriction is incorporated because public posts from you may for example contain references to images on your own hub."; -App::$strings["If your certificate is not recognized, members of other sites (who may themselves have valid certificates) will get a warning message on their own site complaining about security issues."] = "If your certificate is not recognized, members of other hubs (who may themselves have valid certificates) will get a warning message on their own hub complaining about security issues."; -App::$strings["This can cause usability issues elsewhere (not just on your own site) so we must insist on this requirement."] = "This can cause usability issues elsewhere (not just on your own hub) so we must insist on this requirement."; -App::$strings["Providers are available that issue free certificates which are browser-valid."] = "Providers are available that issue free certificates which are browser-valid."; -App::$strings["If you are confident that the certificate is valid and signed by a trusted authority, check to see if you have failed to install an intermediate cert. These are not normally required by browsers, but are required for server-to-server communications."] = "If you are confident that the certificate is valid and signed by a trusted authority, check to see if you have failed to install an intermediate cert. These are not normally required by browsers, but are required for server-to-server communications."; -App::$strings["SSL certificate validation"] = "SSL certificate validation"; -App::$strings["Url rewrite in .htaccess is not working. Check your server configuration.Test: "] = "Url rewrite in .htaccess is not working. Check your server configuration.Test: "; -App::$strings["Url rewrite is working"] = "Url rewrite is working"; -App::$strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."; -App::$strings["Errors encountered creating database tables."] = "Errors encountered creating database tables."; -App::$strings["

What next

"] = "

What next

"; -App::$strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANT: You will need to [manually] setup a scheduled task for the poller."; -App::$strings["Files: shared with me"] = "Bestanden: met mij gedeeld"; -App::$strings["NEW"] = "NIEUW"; -App::$strings["Remove all files"] = "Verwijder alle bestanden"; -App::$strings["Remove this file"] = "Verwijder dit bestand"; -App::$strings["Thing updated"] = "Ding bijgewerkt"; -App::$strings["Object store: failed"] = "Opslaan van ding mislukt"; -App::$strings["Thing added"] = "Ding toegevoegd"; -App::$strings["OBJ: %1\$s %2\$s %3\$s"] = "OBJ: %1\$s %2\$s %3\$s"; -App::$strings["Show Thing"] = "Ding weergeven"; -App::$strings["item not found."] = "Item niet gevonden"; -App::$strings["Edit Thing"] = "Ding bewerken"; -App::$strings["Select a profile"] = "Kies een profiel"; -App::$strings["Post an activity"] = "Plaats een bericht"; -App::$strings["Only sends to viewers of the applicable profile"] = "Toont dit alleen aan diegene die het gekozen profiel mogen zien."; -App::$strings["Name of thing e.g. something"] = "Naam van ding"; -App::$strings["URL of thing (optional)"] = "URL van ding (optioneel)"; -App::$strings["URL for photo of thing (optional)"] = "URL voor foto van ding (optioneel)"; -App::$strings["Add Thing to your Profile"] = "Ding aan je profiel toevoegen"; -App::$strings["Failed to create source. No channel selected."] = "Aanmaken bron mislukt. Geen kanaal geselecteerd."; -App::$strings["Source created."] = "Bron aangemaakt."; -App::$strings["Source updated."] = "Bron aangemaakt."; -App::$strings["*"] = "*"; -App::$strings["Channel Sources"] = "Kanaalbronnen"; -App::$strings["Manage remote sources of content for your channel."] = "Beheer externe bronnen met inhoud voor jouw kanaal"; -App::$strings["New Source"] = "Nieuwe bron"; -App::$strings["Import all or selected content from the following channel into this channel and distribute it according to your channel settings."] = "Importeer complete of gedeelde inhoud vanuit het volgende kanaal naar dit kanaal, en verdeel het vervolgens volgens jouw kanaalinstellingen."; -App::$strings["Only import content with these words (one per line)"] = "Importeer alleen inhoud met deze woorden (één per regel)"; -App::$strings["Leave blank to import all public content"] = "Laat leeg om alle openbare inhoud te importeren"; -App::$strings["Channel Name"] = "Kanaalnaam"; -App::$strings["Add the following categories to posts imported from this source (comma separated)"] = "De volgende categorieën aan berichten toevoegen die uit deze bron zijn geïmporteerd (door komma's gescheiden)"; -App::$strings["Source not found."] = "Bron niet gevonden"; -App::$strings["Edit Source"] = "Bron bewerken"; -App::$strings["Delete Source"] = "Bron verwijderen"; -App::$strings["Source removed"] = "Bron verwijderd"; -App::$strings["Unable to remove source."] = "Verwijderen bron mislukt."; -App::$strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s volgt het %3\$s van %2\$s"; -App::$strings["%1\$s stopped following %2\$s's %3\$s"] = "%1\$s volgt het %3\$s van %2\$s niet meer"; -App::$strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Geen voorgestelde kanalen gevonden. Wanneer dit een nieuwe hub is, probeer het dan over 24 uur weer."; -App::$strings["Ignore/Hide"] = "Negeren/Verbergen"; -App::$strings["post"] = "bericht"; -App::$strings["comment"] = "reactie"; -App::$strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s heeft het %3\$s van %2\$s getagd met %4\$s"; -App::$strings["Tag removed"] = "Tag verwijderd"; -App::$strings["Remove Item Tag"] = "Verwijder item-tag"; -App::$strings["Select a tag to remove: "] = "Kies een tag om te verwijderen"; -App::$strings["Webpages"] = "Webpagina's"; -App::$strings["Actions"] = "Acties"; -App::$strings["Page Link"] = "Paginalink"; -App::$strings["Page Title"] = "Paginatitel"; -App::$strings["Not found"] = "Niet gevonden"; -App::$strings["Wiki"] = "Wiki"; -App::$strings["Sandbox"] = "Zandbak"; -App::$strings["\"# Wiki Sandbox\\n\\nContent you **edit** and **preview** here *will not be saved*.\""] = "\"# Wiki Sandbox\\n\\nWat er hier onder **edit** en **preview** staat *wordt niet opgeslagen*.\""; -App::$strings["Revision Comparison"] = "Revisies vergelijken"; -App::$strings["Revert"] = "Ongedaan maken"; -App::$strings["Enter the name of your new wiki:"] = "Vul de naam in van jouw nieuwe wiki:"; -App::$strings["Enter the name of the new page:"] = "Vul de naam in van de nieuwe pagina:"; -App::$strings["Enter the new name:"] = "Vul de nieuwe naam in:"; -App::$strings["Embed image from photo albums"] = "Afbeelding uit een fotoalbum invoegen"; -App::$strings["Embed an image from your albums"] = "Afbeelding uit jouw albums invoegen"; -App::$strings["OK"] = "OK"; -App::$strings["Choose images to embed"] = "Kies afbeeldingen om in te voegen"; -App::$strings["Choose an album"] = "Kies een album"; -App::$strings["Choose a different album..."] = "Kies een ander album..."; -App::$strings["Error getting album list"] = "Fout met ophalen albumlijst"; -App::$strings["Error getting photo link"] = "Fout met ophalen fotolink"; -App::$strings["Error getting album"] = "Fout met ophalen album"; App::$strings["No connections."] = "Geen connecties."; App::$strings["Visit %s's profile [%s]"] = "Bezoek het profiel van %s [%s]"; App::$strings["View Connections"] = "Connecties weergeven"; App::$strings["Source of Item"] = "Bron van item"; -App::$strings["Authorize application connection"] = "Geef toestemming voor applicatiekoppeling"; -App::$strings["Return to your app and insert this Securty Code:"] = "Ga terug naar je app en voeg deze beveiligingscode in:"; -App::$strings["Please login to continue."] = "Inloggen om verder te kunnen gaan."; -App::$strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Wil je deze applicatie toestemming geven om jouw berichten en connecties te zien, en/of nieuwe berichten voor jou te plaatsen?"; +App::$strings["Item is not editable"] = "Item is niet te bewerken"; App::$strings["Xchan Lookup"] = "Xchan opzoeken"; App::$strings["Lookup xchan beginning with (or webbie): "] = "Zoek een xchan (of webbie) die begint met:"; App::$strings["Missing room name"] = "Naam chatkanaal ontbreekt"; @@ -1535,8 +1521,24 @@ App::$strings["Suggest"] = "Voorstellen"; App::$strings["Random Channel"] = "Willekeurig kanaal"; App::$strings["Invite"] = "Uitnodigen "; App::$strings["Features"] = "Extra functies"; +App::$strings["Language"] = "Taal"; App::$strings["Post"] = "Bericht"; +App::$strings["Profile Photo"] = "Profielfoto"; App::$strings["Purchase"] = "Aanschaffen"; +App::$strings["Visible to your default audience"] = "Voor iedereen zichtbaar, mits niet anders ingesteld"; +App::$strings["Only me"] = "Alleen ik"; +App::$strings["Public"] = "Openbaar"; +App::$strings["Anybody in the \$Projectname network"] = "Iedereen in het \$Projectname-netwerk"; +App::$strings["Any account on %s"] = "Iedereen op %s"; +App::$strings["Any of my connections"] = "Al mijn geaccepteerde connecties"; +App::$strings["Only connections I specifically allow"] = "Alleen connecties die uitdrukkelijk door jou zijn toegestaan"; +App::$strings["Anybody authenticated (could include visitors from other networks)"] = "Geauthenticeerde leden (kan bezoekers van andere netwerken bevatten)"; +App::$strings["Any connections including those who haven't yet been approved"] = "Al mijn geaccepteerde en nog niet geaccepteerde connecties"; +App::$strings["This is your default setting for the audience of your normal stream, and posts."] = "Dit is de standaard privacy-instelling voor wie jouw berichten kan bekijken"; +App::$strings["This is your default setting for who can view your default channel profile"] = "Dit is de standaard privacy-instelling voor wie jouw standaardprofiel kan bekijken"; +App::$strings["This is your default setting for who can view your connections"] = "Dit is de standaard privacy-instelling voor wie een lijst met jouw connecties kan bekijken"; +App::$strings["This is your default setting for who can view your file storage and photos"] = "Dit is de standaard privacy-instelling voor wie jouw bestanden en foto's kan bekijken"; +App::$strings["This is your default setting for the audience of your webpages"] = "Dit is de standaard privacy-instelling voor wie jouw webpagina's kan bekijken"; App::$strings["Private Message"] = "Niet voor iedereen zichtbaar"; App::$strings["Select"] = "Kies"; App::$strings["Save to Folder"] = "In map opslaan"; @@ -1582,143 +1584,29 @@ App::$strings["Code"] = "Broncode"; App::$strings["Image"] = "Afbeelding"; App::$strings["Insert Link"] = "Link invoegen"; App::$strings["Video"] = "Video"; -App::$strings["Visible to your default audience"] = "Voor iedereen zichtbaar, mits niet anders ingesteld"; -App::$strings["Only me"] = "Alleen ik"; -App::$strings["Public"] = "Openbaar"; -App::$strings["Anybody in the \$Projectname network"] = "Iedereen in het \$Projectname-netwerk"; -App::$strings["Any account on %s"] = "Iedereen op %s"; -App::$strings["Any of my connections"] = "Al mijn geaccepteerde connecties"; -App::$strings["Only connections I specifically allow"] = "Alleen connecties die uitdrukkelijk door jou zijn toegestaan"; -App::$strings["Anybody authenticated (could include visitors from other networks)"] = "Geauthenticeerde leden (kan bezoekers van andere netwerken bevatten)"; -App::$strings["Any connections including those who haven't yet been approved"] = "Al mijn geaccepteerde en nog niet geaccepteerde connecties"; -App::$strings["This is your default setting for the audience of your normal stream, and posts."] = "Dit is de standaard privacy-instelling voor wie jouw berichten kan bekijken"; -App::$strings["This is your default setting for who can view your default channel profile"] = "Dit is de standaard privacy-instelling voor wie jouw standaardprofiel kan bekijken"; -App::$strings["This is your default setting for who can view your connections"] = "Dit is de standaard privacy-instelling voor wie een lijst met jouw connecties kan bekijken"; -App::$strings["This is your default setting for who can view your file storage and photos"] = "Dit is de standaard privacy-instelling voor wie jouw bestanden en foto's kan bekijken"; -App::$strings["This is your default setting for the audience of your webpages"] = "Dit is de standaard privacy-instelling voor wie jouw webpagina's kan bekijken"; App::$strings["No username found in import file."] = "Geen gebruikersnaam in het importbestand gevonden."; App::$strings["Unable to create a unique channel address. Import failed."] = "Niet in staat om een uniek kanaaladres aan te maken. Importeren is mislukt."; App::$strings["Cannot locate DNS info for database server '%s'"] = "Kan DNS-informatie voor databaseserver '%s' niet vinden"; -App::$strings["Image exceeds website size limit of %lu bytes"] = "Afbeelding is groter dan op deze hub toegestane limiet van %lu bytes"; -App::$strings["Image file is empty."] = "Afbeeldingsbestand is leeg"; -App::$strings["Photo storage failed."] = "Foto kan niet worden opgeslagen"; -App::$strings["a new photo"] = "een nieuwe foto"; -App::$strings["__ctx:photo_upload__ %1\$s posted %2\$s to %3\$s"] = "%1\$s plaatste %2\$s op %3\$s"; -App::$strings["Photo Albums"] = "Fotoalbums"; -App::$strings["Upload New Photos"] = "Nieuwe foto's uploaden"; -App::$strings["Logout"] = "Uitloggen"; -App::$strings["End this session"] = "Beëindig deze sessie"; -App::$strings["Home"] = "Home"; -App::$strings["Your posts and conversations"] = "Jouw kanaal"; -App::$strings["Your profile page"] = "Jouw profielpagina"; -App::$strings["Manage/Edit profiles"] = "Beheer/wijzig profielen"; -App::$strings["Edit Profile"] = "Profiel bewerken"; -App::$strings["Edit your profile"] = "Jouw profiel bewerken"; -App::$strings["Your photos"] = "Jouw foto's"; -App::$strings["Your files"] = "Jouw bestanden"; -App::$strings["Your chatrooms"] = "Jouw chatkanalen"; -App::$strings["Bookmarks"] = "Bladwijzers"; -App::$strings["Your bookmarks"] = "Jouw bladwijzers"; -App::$strings["Your webpages"] = "Jouw webpagina's"; -App::$strings["Your wiki"] = "Jouw wiki"; -App::$strings["Sign in"] = "Inloggen"; -App::$strings["%s - click to logout"] = "%s - klik om uit te loggen"; -App::$strings["Remote authentication"] = "Authenticatie op afstand"; -App::$strings["Click to authenticate to your home hub"] = "Authenticeer jezelf via (bijvoorbeeld) jouw hub"; -App::$strings["Home Page"] = "Homepage"; -App::$strings["Create an account"] = "Maak een account aan"; -App::$strings["Help and documentation"] = "Hulp en documentatie"; -App::$strings["Applications, utilities, links, games"] = "Apps"; -App::$strings["Search site @name, #tag, ?docs, content"] = "Zoek een @kanaal, doorzoek inhoud hub met tekst en #tags, of doorzoek ?documentatie "; -App::$strings["Channel Directory"] = "Kanalengids"; -App::$strings["Your grid"] = "Jouw grid"; -App::$strings["Mark all grid notifications seen"] = "Markeer alle gridnotificaties als bekeken"; -App::$strings["Channel home"] = "Jouw kanaal"; -App::$strings["Mark all channel notifications seen"] = "Alle kanaalnotificaties als gelezen markeren"; -App::$strings["Notices"] = "Notificaties"; -App::$strings["Notifications"] = "Notificaties"; -App::$strings["See all notifications"] = "Alle notificaties weergeven"; -App::$strings["Private mail"] = "Privéberichten"; -App::$strings["See all private messages"] = "Alle privéberichten weergeven"; -App::$strings["Mark all private messages seen"] = "Markeer alle privéberichten als bekeken"; -App::$strings["Inbox"] = "Postvak IN"; -App::$strings["Outbox"] = "Postvak UIT"; -App::$strings["New Message"] = "Nieuw bericht"; -App::$strings["Event Calendar"] = "Agenda"; -App::$strings["See all events"] = "Alle gebeurtenissen weergeven"; -App::$strings["Mark all events seen"] = "Markeer alle gebeurtenissen als bekeken"; -App::$strings["Manage Your Channels"] = "Beheer je kanalen"; -App::$strings["Account/Channel Settings"] = "Account-/kanaal-instellingen"; -App::$strings["Admin"] = "Beheer"; -App::$strings["Site Setup and Configuration"] = "Hub instellen en beheren"; -App::$strings["Loading..."] = "Aan het laden..."; -App::$strings["@name, #tag, ?doc, content"] = "@kanaal, #tag, inhoud, ?hulp"; -App::$strings["Please wait..."] = "Wachten aub..."; -App::$strings["view full size"] = "volledige grootte tonen"; -App::$strings["Administrator"] = "Beheerder"; -App::$strings["No Subject"] = "Geen onderwerp"; -App::$strings["Friendica"] = "Friendica"; -App::$strings["OStatus"] = "OStatus"; -App::$strings["GNU-Social"] = "GNU social"; -App::$strings["RSS/Atom"] = "RSS/Atom"; -App::$strings["Diaspora"] = "Diaspora"; -App::$strings["Facebook"] = "Facebook"; -App::$strings["Zot"] = "Zot"; -App::$strings["LinkedIn"] = "LinkedIn"; -App::$strings["XMPP/IM"] = "XMPP/IM"; -App::$strings["MySpace"] = "MySpace"; -App::$strings["New Page"] = "Nieuwe pagina"; -App::$strings["Title"] = "Titel"; -App::$strings["Categories"] = "Categorieën"; -App::$strings["Tags"] = "Tags"; -App::$strings["Keywords"] = "Trefwoorden"; -App::$strings["have"] = "heb"; -App::$strings["has"] = "heeft"; -App::$strings["want"] = "wil"; -App::$strings["wants"] = "wil"; -App::$strings["likes"] = "vindt dit leuk"; -App::$strings["dislikes"] = "vindt dit niet leuk"; -App::$strings["Unable to obtain identity information from database"] = "Niet in staat om identiteitsinformatie uit de database te verkrijgen"; -App::$strings["Empty name"] = "Ontbrekende naam"; -App::$strings["Name too long"] = "Naam te lang"; -App::$strings["No account identifier"] = "Geen account-identificator"; -App::$strings["Nickname is required."] = "Bijnaam is verplicht"; -App::$strings["Reserved nickname. Please choose another."] = "Deze naam is gereserveerd. Kies een andere."; -App::$strings["Nickname has unsupported characters or is already being used on this site."] = "Deze naam heeft niet ondersteunde karakters of is al op deze hub in gebruik."; -App::$strings["Unable to retrieve created identity"] = "Niet in staat om aangemaakte identiteit te vinden"; -App::$strings["Default Profile"] = "Standaardprofiel"; -App::$strings["Requested channel is not available."] = "Opgevraagd kanaal is niet beschikbaar."; -App::$strings["Create New Profile"] = "Nieuw profiel aanmaken"; -App::$strings["Visible to everybody"] = "Voor iedereen zichtbaar"; -App::$strings["Gender:"] = "Geslacht:"; -App::$strings["Status:"] = "Status:"; -App::$strings["Homepage:"] = "Homepagina:"; -App::$strings["Online Now"] = "Nu online"; -App::$strings["Like this channel"] = "Vind dit kanaal leuk"; -App::$strings["j F, Y"] = "F j Y"; -App::$strings["j F"] = "F j"; -App::$strings["Birthday:"] = "Geboortedatum:"; -App::$strings["for %1\$d %2\$s"] = "voor %1\$d %2\$s"; -App::$strings["Sexual Preference:"] = "Seksuele voorkeur:"; -App::$strings["Tags:"] = "Tags:"; -App::$strings["Political Views:"] = "Politieke overtuigingen:"; -App::$strings["Religion:"] = "Religie:"; -App::$strings["Hobbies/Interests:"] = "Hobby's/interesses:"; -App::$strings["Likes:"] = "Houdt van:"; -App::$strings["Dislikes:"] = "Houdt niet van:"; -App::$strings["Contact information and Social Networks:"] = "Contactinformatie en sociale netwerken:"; -App::$strings["My other channels:"] = "Mijn andere kanalen"; -App::$strings["Musical interests:"] = "Muzikale interesses:"; -App::$strings["Books, literature:"] = "Boeken, literatuur:"; -App::$strings["Television:"] = "Televisie:"; -App::$strings["Film/dance/culture/entertainment:"] = "Films/dansen/cultuur/vermaak:"; -App::$strings["Love/Romance:"] = "Liefde/romantiek:"; -App::$strings["Work/employment:"] = "Werk/beroep:"; -App::$strings["School/education:"] = "School/opleiding:"; -App::$strings["Like this thing"] = "Vind dit ding leuk"; -App::$strings["New window"] = "Nieuw venster"; -App::$strings["Open the selected location in a different window or browser tab"] = "Open de geselecteerde locatie in een ander venster of tab"; -App::$strings["User '%s' deleted"] = "Account '%s' verwijderd"; +App::$strings["Logged out."] = "Uitgelogd."; +App::$strings["Failed authentication"] = "Mislukte authenticatie"; +App::$strings["Login failed."] = "Inloggen mislukt."; +App::$strings["Image/photo"] = "Afbeelding/foto"; +App::$strings["Encrypted content"] = "Versleutelde inhoud"; +App::$strings["Install %s element: "] = "Installeer %s-element: "; +App::$strings["This post contains an installable %s element, however you lack permissions to install it on this site."] = "Dit bericht heeft een te installeren %s-element, maar je hebt geen permissies om het op deze hub te installeren."; +App::$strings["%1\$s wrote the following %2\$s %3\$s"] = "%1\$s schreef het volgende %2\$s %3\$s"; +App::$strings["Click to open/close"] = "Klik om te openen of te sluiten"; +App::$strings["spoiler"] = "spoiler"; +App::$strings["Different viewers will see this text differently"] = "Deze tekst wordt per persoon anders weergeven."; +App::$strings["$1 wrote:"] = "$1 schreef:"; +App::$strings["Channel is blocked on this site."] = "Kanaal is op deze hub geblokkeerd."; +App::$strings["Channel location missing."] = "Ontbrekende kanaallocatie."; +App::$strings["Response from remote channel was incomplete."] = "Antwoord van het kanaal op afstand was niet volledig."; +App::$strings["Channel was deleted and no longer exists."] = "Kanaal is verwijderd en bestaat niet meer."; +App::$strings["Protocol disabled."] = "Protocol uitgeschakeld."; +App::$strings["Channel discovery failed."] = "Kanaal ontdekken mislukt."; +App::$strings["Cannot connect to yourself."] = "Kan niet met jezelf verbinden"; +App::$strings["Public Timeline"] = "Openbare tijdlijn"; App::$strings["%1\$s is now connected with %2\$s"] = "%1\$s is nu met %2\$s verbonden"; App::$strings["%1\$s poked %2\$s"] = "%1\$s heeft %2\$s aangestoten"; App::$strings["poked"] = "aangestoten"; @@ -1727,6 +1615,7 @@ App::$strings["Categories:"] = "Categorieën:"; App::$strings["Filed under:"] = "Bewaard onder:"; App::$strings["View in context"] = "In context bekijken"; App::$strings["remove"] = "verwijderen"; +App::$strings["Loading..."] = "Aan het laden..."; App::$strings["Delete Selected Items"] = "Verwijder de geselecteerde items"; App::$strings["View Source"] = "Bron weergeven"; App::$strings["Follow Thread"] = "Conversatie volgen"; @@ -1755,9 +1644,13 @@ App::$strings["Set your location"] = "Locatie instellen"; App::$strings["Clear browser location"] = "Locatie van webbrowser wissen"; App::$strings["Tag term:"] = "Tag:"; App::$strings["Where are you right now?"] = "Waar bevind je je op dit moment?"; +App::$strings["Comments enabled"] = "Reacties ingeschakeld"; +App::$strings["Comments disabled"] = "Reacties uitgeschakeld"; App::$strings["Page link name"] = "Linknaam pagina"; App::$strings["Post as"] = "Bericht plaatsen als"; App::$strings["Toggle voting"] = "Peiling in- of uitschakelen"; +App::$strings["Disable comments"] = "Reacties uitschakelen"; +App::$strings["Toggle comments"] = "Reacties in- of uitschakelen"; App::$strings["Categories (optional, comma-separated list)"] = "Categorieën (optioneel, door komma's gescheiden lijst)"; App::$strings["Set publish date"] = "Publicatiedatum instellen"; App::$strings["Discover"] = "Ontdekken"; @@ -1775,8 +1668,10 @@ App::$strings["Posts flagged as SPAM"] = "Berichten gemarkeerd als SPAM"; App::$strings["Status Messages and Posts"] = "Berichten in dit kanaal"; App::$strings["About"] = "Over"; App::$strings["Profile Details"] = "Profiel"; +App::$strings["Photo Albums"] = "Fotoalbums"; App::$strings["Files and Storage"] = "Bestanden en opslagruimte"; App::$strings["Chatrooms"] = "Chatkanalen"; +App::$strings["Bookmarks"] = "Bladwijzers"; App::$strings["Saved Bookmarks"] = "Opgeslagen bladwijzers"; App::$strings["Manage Webpages"] = "Webpagina's beheren"; App::$strings["__ctx:noun__ Attending"] = array( @@ -1803,14 +1698,129 @@ App::$strings["__ctx:noun__ Abstain"] = array( 0 => "onthouding", 1 => "onthoudingen", ); -App::$strings["Cannot create a duplicate channel identifier on this system. Import failed."] = "Kan geen dubbele kanaal-identificator op deze hub aanmaken. Importeren mislukt."; -App::$strings["Channel clone failed. Import failed."] = "Het klonen van het kanaal is mislukt. Importeren mislukt."; +App::$strings["General Features"] = "Algemene functies"; +App::$strings["Content Expiration"] = "Inhoud laten verlopen"; +App::$strings["Remove posts/comments and/or private messages at a future time"] = "Berichten, reacties en/of privéberichten na een bepaalde tijd verwijderen"; +App::$strings["Multiple Profiles"] = "Meerdere profielen"; +App::$strings["Ability to create multiple profiles"] = "Mogelijkheid om meerdere profielen aan te maken"; +App::$strings["Advanced Profiles"] = "Geavanceerde profielen"; +App::$strings["Additional profile sections and selections"] = "Extra onderdelen en keuzes voor je profiel"; +App::$strings["Profile Import/Export"] = "Profiel importen/exporteren"; +App::$strings["Save and load profile details across sites/channels"] = "Profielgegevens opslaan en in andere hubs/kanalen gebruiken."; +App::$strings["Web Pages"] = "Webpagina's"; +App::$strings["Provide managed web pages on your channel"] = "Sta beheerde webpagina's op jouw kanaal toe"; +App::$strings["Provide a wiki for your channel"] = "Voeg een wiki aan jouw kanaal toe"; +App::$strings["Hide Rating"] = "Beoordelingen verbergen"; +App::$strings["Hide the rating buttons on your channel and profile pages. Note: People can still rate you somewhere else."] = "Verbergt de beoordelingsknoppen op jouw kanaal- en profielpagina's. Let op: Mensen kunnen jou nog steeds ergens anders beoordelen. "; +App::$strings["Private Notes"] = "Privé-aantekeningen"; +App::$strings["Enables a tool to store notes and reminders (note: not encrypted)"] = "Een eenvoudige toepassing om aantekeningen en herinneringen in te bewaren (let op: niet versleuteld)"; +App::$strings["Navigation Channel Select"] = "Kanaal kiezen in navigatiemenu"; +App::$strings["Change channels directly from within the navigation dropdown menu"] = "Kies een ander kanaal direct vanuit het dropdown-menu op de navigatiebalk"; +App::$strings["Photo Location"] = "Fotolocatie"; +App::$strings["If location data is available on uploaded photos, link this to a map."] = "Wanneer in de geüploade foto's locatiegegevens aanwezig zijn, link dit dan aan een kaart."; +App::$strings["Access Controlled Chatrooms"] = "Chatkanalen met toegangscontrole "; +App::$strings["Provide chatrooms and chat services with access control."] = "Chatkanalen en chatdiensten met toegangscontrole aanbieden."; +App::$strings["Smart Birthdays"] = "Slimme verjaardagen"; +App::$strings["Make birthday events timezone aware in case your friends are scattered across the planet."] = "Maak verjaardagen bewust van tijdzones. Voor het geval dat jouw vrienden over de hele wereld verspreid zijn."; +App::$strings["Expert Mode"] = "Expertmodus"; +App::$strings["Enable Expert Mode to provide advanced configuration options"] = "Schakel de expertmodus in voor geavanceerde instellingen"; +App::$strings["Premium Channel"] = "Premiumkanaal"; +App::$strings["Allows you to set restrictions and terms on those that connect with your channel"] = "Stelt je in staat om beperkingen en voorwaarden in te stellen voor jouw kanaal"; +App::$strings["Post Composition Features"] = "Functies voor het opstellen van berichten"; +App::$strings["Large Photos"] = "Grote foto's"; +App::$strings["Include large (1024px) photo thumbnails in posts. If not enabled, use small (640px) photo thumbnails"] = "Gebruik grotere foto's (1024px) in berichten. Wanneer dit is uitgeschakeld worden er kleinere foto's (640px) gebruikt."; +App::$strings["Automatically import channel content from other channels or feeds"] = "Automatisch inhoud uit andere kanalen of feeds importeren."; +App::$strings["Even More Encryption"] = "Extra encryptie"; +App::$strings["Allow optional encryption of content end-to-end with a shared secret key"] = "Sta toe dat inhoud extra end-to-end wordt versleuteld met een gedeelde geheime sleutel."; +App::$strings["Enable Voting Tools"] = "Peilingen inschakelen"; +App::$strings["Provide a class of post which others can vote on"] = "Maakt het mogelijk om een bericht op te stellen, waar mensen op kunnen stemmen."; +App::$strings["Disable Comments"] = "Reacties uitschakelen"; +App::$strings["Provide the option to disable comments for a post"] = "Maak het mogelijk dat reacties op een bericht kunnen worden uitgeschakeld"; +App::$strings["Delayed Posting"] = "Berichten uitstellen"; +App::$strings["Allow posts to be published at a later date"] = "Maakt het mogelijk dat berichten op een toekomstig moment gepubliceerd kunnen worden."; +App::$strings["Suppress Duplicate Posts/Comments"] = "Dubbele berichten/reacties tegenhouden"; +App::$strings["Prevent posts with identical content to be published with less than two minutes in between submissions."] = "Voorkomt dat berichten en reacties met identieke inhoud en die binnen twee minuten zijn verstuurd, worden gepubliceerd. "; +App::$strings["Network and Stream Filtering"] = "Netwerk- en streamfilter"; +App::$strings["Search by Date"] = "Zoek op datum"; +App::$strings["Ability to select posts by date ranges"] = "Mogelijkheid om berichten op datum te filteren "; +App::$strings["Privacy Groups"] = "Privacygroepen"; +App::$strings["Enable management and selection of privacy groups"] = "Beheer en selectie van privacygroepen inschakelen"; +App::$strings["Saved Searches"] = "Opgeslagen zoekopdrachten"; +App::$strings["Save search terms for re-use"] = "Sla zoekopdrachten op voor hergebruik"; +App::$strings["Network Personal Tab"] = "Persoonlijke netwerktab"; +App::$strings["Enable tab to display only Network posts that you've interacted on"] = "Sta het toe dat de tab netwerkberichten toont waarmee je interactie had"; +App::$strings["Network New Tab"] = "Nieuwe netwerktab"; +App::$strings["Enable tab to display all new Network activity"] = "Laat de tab alle nieuwe netwerkactiviteit tonen"; +App::$strings["Affinity Tool"] = "Verwantschapsfilter"; +App::$strings["Filter stream activity by depth of relationships"] = "Filter wat je in jouw grid ziet op hoe goed je iemand kent of mag"; +App::$strings["Connection Filtering"] = "Berichtenfilters"; +App::$strings["Filter incoming posts from connections based on keywords/content"] = "Filter binnenkomende berichten van connecties aan de hand van trefwoorden en taal"; +App::$strings["Show channel suggestions"] = "Voor jou mogelijk interessante kanalen voorstellen"; +App::$strings["Post/Comment Tools"] = "Bericht- en reactiehulpmiddelen"; +App::$strings["Community Tagging"] = "Taggen door anderen"; +App::$strings["Ability to tag existing posts"] = "Geeft andere mensen de mogelijkheid om jouw (bestaande) berichten te taggen"; +App::$strings["Post Categories"] = "Categorieën berichten"; +App::$strings["Add categories to your posts"] = "Voeg categorieën toe aan je berichten"; +App::$strings["Emoji Reactions"] = "Emoji-reacties"; +App::$strings["Add emoji reaction ability to posts"] = "Emoji-reacties in berichten toestaan"; +App::$strings["Saved Folders"] = "Bewaarde mappen"; +App::$strings["Ability to file posts under folders"] = "Mogelijkheid om berichten in mappen op te slaan"; +App::$strings["Dislike Posts"] = "Vind berichten niet leuk"; +App::$strings["Ability to dislike posts/comments"] = "Mogelijkheid om berichten en reacties niet leuk te vinden"; +App::$strings["Star Posts"] = "Geef berichten een ster"; +App::$strings["Ability to mark special posts with a star indicator"] = "Mogelijkheid om speciale berichten met een ster te markeren"; +App::$strings["Tag Cloud"] = "Tagwolk"; +App::$strings["Provide a personal tag cloud on your channel page"] = "Zorgt voor een persoonlijke wolk met tags op jouw kanaalpagina"; +App::$strings["Birthday"] = "Verjaardag of geboortedatum"; +App::$strings["Age: "] = "Leeftijd:"; +App::$strings["YYYY-MM-DD or MM-DD"] = "JJJJ-MM-DD of MM-DD"; +App::$strings["never"] = "nooit"; +App::$strings["less than a second ago"] = "minder dan een seconde geleden"; +App::$strings["__ctx:e.g. 22 hours ago, 1 minute ago__ %1\$d %2\$s ago"] = "%1\$d %2\$s geleden"; +App::$strings["__ctx:relative_date__ year"] = array( + 0 => "jaar", + 1 => "jaren", +); +App::$strings["__ctx:relative_date__ month"] = array( + 0 => "maand", + 1 => "maanden", +); +App::$strings["__ctx:relative_date__ week"] = array( + 0 => "week", + 1 => "weken", +); +App::$strings["__ctx:relative_date__ day"] = array( + 0 => "dag", + 1 => "dagen", +); +App::$strings["__ctx:relative_date__ hour"] = array( + 0 => "uur", + 1 => "uren", +); +App::$strings["__ctx:relative_date__ minute"] = array( + 0 => "minuut", + 1 => "minuten", +); +App::$strings["__ctx:relative_date__ second"] = array( + 0 => "seconde", + 1 => "seconden", +); +App::$strings["%1\$s's birthday"] = "Verjaardag van %1\$s"; +App::$strings["Happy Birthday %1\$s"] = "Gefeliciteerd met je verjaardag %1\$s"; +App::$strings["Image exceeds website size limit of %lu bytes"] = "Afbeelding is groter dan op deze hub toegestane limiet van %lu bytes"; +App::$strings["Image file is empty."] = "Afbeeldingsbestand is leeg"; +App::$strings["Photo storage failed."] = "Foto kan niet worden opgeslagen"; +App::$strings["a new photo"] = "een nieuwe foto"; +App::$strings["__ctx:photo_upload__ %1\$s posted %2\$s to %3\$s"] = "%1\$s plaatste %2\$s op %3\$s"; +App::$strings["Upload New Photos"] = "Nieuwe foto's uploaden"; App::$strings["Frequently"] = "Regelmatig"; App::$strings["Hourly"] = "Elk uur"; App::$strings["Twice daily"] = "Twee keer per dag"; App::$strings["Daily"] = "Dagelijks"; App::$strings["Weekly"] = "Wekelijks"; App::$strings["Monthly"] = "Maandelijks"; +App::$strings["Male"] = "Man"; +App::$strings["Female"] = "Vrouw"; App::$strings["Currently Male"] = "Momenteel man"; App::$strings["Currently Female"] = "Momenteel vrouw"; App::$strings["Mostly Male"] = "Voornamelijk man"; @@ -1865,9 +1875,241 @@ App::$strings["Uncertain"] = "Onzeker"; App::$strings["It's complicated"] = "Het is ingewikkeld"; App::$strings["Don't care"] = "Maakt mij niks uit"; App::$strings["Ask me"] = "Vraag het me"; -App::$strings["%1\$s's bookmarks"] = "Bladwijzers van %1\$s"; +App::$strings["Can view my normal stream and posts"] = "Kan mijn normale kanaalstream en berichten bekijken"; +App::$strings["Can view my webpages"] = "Kan mijn pagina's bekijken"; +App::$strings["Can post on my channel page (\"wall\")"] = "Kan een bericht in mijn kanaal plaatsen"; +App::$strings["Can like/dislike stuff"] = "Kan dingen leuk of niet leuk vinden"; +App::$strings["Profiles and things other than posts/comments"] = "Profielen en dingen, buiten berichten en reacties"; +App::$strings["Can forward to all my channel contacts via post @mentions"] = "Kan naar al mijn kanaalconnecties berichten doorsturen met behulp van @vermeldingen+"; +App::$strings["Advanced - useful for creating group forum channels"] = "Geavanceerd - nuttig voor groepforums"; +App::$strings["Can chat with me (when available)"] = "Kan met mij chatten (wanneer beschikbaar)"; +App::$strings["Can write to my file storage and photos"] = "Kan foto's en andere bestanden aan mijn bestandsopslag toevoegen"; +App::$strings["Can edit my webpages"] = "Kan mijn pagina's bewerken"; +App::$strings["Somewhat advanced - very useful in open communities"] = "Enigszins geavanceerd (erg nuttig voor kanalen van forums/groepen)"; +App::$strings["Can administer my channel resources"] = "Kan mijn kanaal beheren"; +App::$strings["Extremely advanced. Leave this alone unless you know what you are doing"] = "Zeer geavanceerd. Laat dit met rust, behalve als je weet wat je doet."; App::$strings["guest:"] = "gast:"; App::$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."] = "De beveiligings-token van het tekstvak was ongeldig. Dit is mogelijk het gevolg van dat er te lang (meer dan 3 uur) gewacht is om de tekst op te slaan. "; +App::$strings["%1\$s's bookmarks"] = "Bladwijzers van %1\$s"; +App::$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."] = "Een verwijderde collectie met deze naam is gereactiveerd. Bestaande itemrechten kunnen van toepassing zijn op deze collectie en toekomstige leden. Wanneer je dit niet zo bedoeld hebt, moet je een nieuwe collectie met een andere naam aanmaken."; +App::$strings["Add new connections to this privacy group"] = "Voeg nieuwe connecties aan deze privacygroep toe"; +App::$strings["edit"] = "bewerken"; +App::$strings["Edit group"] = "Privacygroep bewerken"; +App::$strings["Add privacy group"] = "Privacygroep toevoegen"; +App::$strings["Channels not in any privacy group"] = "Kanalen die zich in geen enkele privacygroep bevinden"; +App::$strings["add"] = "toevoegen"; +App::$strings["New Page"] = "Nieuwe pagina"; +App::$strings["Title"] = "Titel"; +App::$strings["Categories"] = "Categorieën"; +App::$strings["System"] = "Systeem"; +App::$strings["New App"] = "Nieuwe app"; +App::$strings["Suggestions"] = "Voorgestelde kanalen"; +App::$strings["See more..."] = "Meer..."; +App::$strings["You have %1$.0f of %2$.0f allowed connections."] = "Je hebt %1$.0f van de %2$.0f toegestane connecties."; +App::$strings["Add New Connection"] = "Nieuwe connectie toevoegen"; +App::$strings["Enter channel address"] = "Vul kanaaladres in"; +App::$strings["Examples: bob@example.com, https://example.com/barbara"] = "Voorbeelden: bob@example.com, http://example.com/barbara"; +App::$strings["Notes"] = "Aantekeningen"; +App::$strings["Remove term"] = "Verwijder zoekterm"; +App::$strings["Everything"] = "Alles"; +App::$strings["Archives"] = "Archieven"; +App::$strings["Refresh"] = "Vernieuwen"; +App::$strings["Account settings"] = "Account"; +App::$strings["Channel settings"] = "Kanaal"; +App::$strings["Additional features"] = "Extra functies"; +App::$strings["Feature/Addon settings"] = "Plugin-instellingen"; +App::$strings["Display settings"] = "Weergave"; +App::$strings["Manage locations"] = "Locaties beheren"; +App::$strings["Export channel"] = "Kanaal exporteren"; +App::$strings["Connected apps"] = "Verbonden applicaties"; +App::$strings["Premium Channel Settings"] = "Instellingen premiumkanaal"; +App::$strings["Private Mail Menu"] = "Privéberichten"; +App::$strings["Combined View"] = "Gecombineerd postvak"; +App::$strings["Inbox"] = "Postvak IN"; +App::$strings["Outbox"] = "Postvak UIT"; +App::$strings["New Message"] = "Nieuw bericht"; +App::$strings["Conversations"] = "Conversaties"; +App::$strings["Received Messages"] = "Ontvangen berichten"; +App::$strings["Sent Messages"] = "Verzonden berichten"; +App::$strings["No messages."] = "Geen berichten"; +App::$strings["Delete conversation"] = "Verwijder conversatie"; +App::$strings["Events Tools"] = "Agenda-hulpmiddelen"; +App::$strings["Export Calendar"] = "Exporteren"; +App::$strings["Import Calendar"] = "Importeren"; +App::$strings["Overview"] = "Overzicht"; +App::$strings["Chat Members"] = "Chatleden"; +App::$strings["Wiki List"] = "Wiki's"; +App::$strings["Wiki Pages"] = "Wikipagina's"; +App::$strings["Bookmarked Chatrooms"] = "Bladwijzers van chatkanalen"; +App::$strings["Suggested Chatrooms"] = "Voorgestelde chatkanalen"; +App::$strings["photo/image"] = "foto/afbeelding"; +App::$strings["Click to show more"] = "Klik voor meer"; +App::$strings["Rating Tools"] = "Beoordelingen"; +App::$strings["Rate Me"] = "Beoordeel mij"; +App::$strings["View Ratings"] = "Bekijk beoordelingen"; +App::$strings["Forums"] = "Forums"; +App::$strings["Tasks"] = "Taken"; +App::$strings["Documentation"] = "Documentatie"; +App::$strings["Project/Site Information"] = "Project- en hub-informatie"; +App::$strings["For Members"] = "Voor leden"; +App::$strings["For Administrators"] = "Voor beheerders"; +App::$strings["For Developers"] = "Voor ontwikkelaars"; +App::$strings["Member registrations waiting for confirmation"] = "Accounts die op goedkeuring wachten"; +App::$strings["Inspect queue"] = "Inspecteer berichtenwachtrij"; +App::$strings["DB updates"] = "Database-updates"; +App::$strings["Admin"] = "Beheer"; +App::$strings["Plugin Features"] = "Plugin-opties"; +App::$strings["Attachments:"] = "Bijlagen:"; +App::$strings["l F d, Y \\@ g:i A"] = "l d F Y \\@ G:i"; +App::$strings["\$Projectname event notification:"] = "Notificatie \$Projectname-gebeurtenis:"; +App::$strings["Starts:"] = "Start:"; +App::$strings["Finishes:"] = "Einde:"; +App::$strings["Delete this item?"] = "Dit item verwijderen?"; +App::$strings["%s show less"] = "%s minder reacties weergeven"; +App::$strings["%s expand"] = "%s uitklappen"; +App::$strings["%s collapse"] = "%s inklappen"; +App::$strings["Password too short"] = "Wachtwoord te kort"; +App::$strings["Passwords do not match"] = "Wachtwoorden komen niet overeen"; +App::$strings["everybody"] = "iedereen"; +App::$strings["Secret Passphrase"] = "Geheim wachtwoord"; +App::$strings["Passphrase hint"] = "Wachtwoordhint"; +App::$strings["Notice: Permissions have changed but have not yet been submitted."] = "Mededeling: de permissies zijn veranderd, maar zijn nog niet opgeslagen."; +App::$strings["close all"] = "Alles sluiten"; +App::$strings["Nothing new here"] = "Niets nieuw hier"; +App::$strings["Rate This Channel (this is public)"] = "Beoordeel dit kanaal (dit is openbaar)"; +App::$strings["Describe (optional)"] = "Omschrijving (optioneel)"; +App::$strings["Please enter a link URL"] = "Vul een URL in:"; +App::$strings["Unsaved changes. Are you sure you wish to leave this page?"] = "Niet opgeslagen wijzigingen. Ben je er zeker van dat je deze pagina wil verlaten?"; +App::$strings["timeago.prefixAgo"] = "timeago.prefixAgo"; +App::$strings["timeago.prefixFromNow"] = "timeago.prefixFromNow"; +App::$strings["ago"] = "geleden"; +App::$strings["from now"] = "vanaf nu"; +App::$strings["less than a minute"] = "minder dan een minuut"; +App::$strings["about a minute"] = "ongeveer een minuut"; +App::$strings["%d minutes"] = "%d minuten"; +App::$strings["about an hour"] = "ongeveer een uur"; +App::$strings["about %d hours"] = "ongeveer %d uren"; +App::$strings["a day"] = "een dag"; +App::$strings["%d days"] = "%d dagen"; +App::$strings["about a month"] = "ongeveer een maand"; +App::$strings["%d months"] = "%d maanden"; +App::$strings["about a year"] = "ongeveer een jaar"; +App::$strings["%d years"] = "%d jaren"; +App::$strings[" "] = " "; +App::$strings["timeago.numbers"] = "timeago.numbers"; +App::$strings["January"] = "januari"; +App::$strings["February"] = "februari"; +App::$strings["March"] = "maart"; +App::$strings["April"] = "april"; +App::$strings["__ctx:long__ May"] = "mei"; +App::$strings["June"] = "juni"; +App::$strings["July"] = "juli"; +App::$strings["August"] = "augustus"; +App::$strings["September"] = "september"; +App::$strings["October"] = "oktober"; +App::$strings["November"] = "november"; +App::$strings["December"] = "december"; +App::$strings["Jan"] = "jan"; +App::$strings["Feb"] = "feb"; +App::$strings["Mar"] = "mrt"; +App::$strings["Apr"] = "apr"; +App::$strings["__ctx:short__ May"] = "mei"; +App::$strings["Jun"] = "jun"; +App::$strings["Jul"] = "jul"; +App::$strings["Aug"] = "aug"; +App::$strings["Sep"] = "sep"; +App::$strings["Oct"] = "okt"; +App::$strings["Nov"] = "nov"; +App::$strings["Dec"] = "dec"; +App::$strings["Sunday"] = "zondag"; +App::$strings["Monday"] = "maandag"; +App::$strings["Tuesday"] = "dinsdag"; +App::$strings["Wednesday"] = "woensdag"; +App::$strings["Thursday"] = "donderdag"; +App::$strings["Friday"] = "vrijdag"; +App::$strings["Saturday"] = "zaterdag"; +App::$strings["Sun"] = "zo"; +App::$strings["Mon"] = "ma"; +App::$strings["Tue"] = "di"; +App::$strings["Wed"] = "wo"; +App::$strings["Thu"] = "do"; +App::$strings["Fri"] = "vr"; +App::$strings["Sat"] = "za"; +App::$strings["__ctx:calendar__ today"] = "vandaag"; +App::$strings["__ctx:calendar__ month"] = "maand"; +App::$strings["__ctx:calendar__ week"] = "week"; +App::$strings["__ctx:calendar__ day"] = "dag"; +App::$strings["__ctx:calendar__ All day"] = "hele dag"; +App::$strings["Logout"] = "Uitloggen"; +App::$strings["End this session"] = "Beëindig deze sessie"; +App::$strings["Home"] = "Home"; +App::$strings["Your posts and conversations"] = "Jouw kanaal"; +App::$strings["Your profile page"] = "Jouw profielpagina"; +App::$strings["Manage/Edit profiles"] = "Beheer/wijzig profielen"; +App::$strings["Edit Profile"] = "Profiel bewerken"; +App::$strings["Edit your profile"] = "Jouw profiel bewerken"; +App::$strings["Your photos"] = "Jouw foto's"; +App::$strings["Your files"] = "Jouw bestanden"; +App::$strings["Your chatrooms"] = "Jouw chatkanalen"; +App::$strings["Your bookmarks"] = "Jouw bladwijzers"; +App::$strings["Your webpages"] = "Jouw webpagina's"; +App::$strings["Your wiki"] = "Jouw wiki"; +App::$strings["Sign in"] = "Inloggen"; +App::$strings["%s - click to logout"] = "%s - klik om uit te loggen"; +App::$strings["Remote authentication"] = "Authenticatie op afstand"; +App::$strings["Click to authenticate to your home hub"] = "Authenticeer jezelf via (bijvoorbeeld) jouw hub"; +App::$strings["Home Page"] = "Homepage"; +App::$strings["Create an account"] = "Maak een account aan"; +App::$strings["Help and documentation"] = "Hulp en documentatie"; +App::$strings["Applications, utilities, links, games"] = "Apps"; +App::$strings["Search site @name, #tag, ?docs, content"] = "Zoek een @kanaal, doorzoek inhoud hub met tekst en #tags, of doorzoek ?documentatie "; +App::$strings["Channel Directory"] = "Kanalengids"; +App::$strings["Your grid"] = "Jouw grid"; +App::$strings["Mark all grid notifications seen"] = "Markeer alle gridnotificaties als bekeken"; +App::$strings["Channel home"] = "Jouw kanaal"; +App::$strings["Mark all channel notifications seen"] = "Alle kanaalnotificaties als gelezen markeren"; +App::$strings["Notices"] = "Notificaties"; +App::$strings["Notifications"] = "Notificaties"; +App::$strings["See all notifications"] = "Alle notificaties weergeven"; +App::$strings["Private mail"] = "Privéberichten"; +App::$strings["See all private messages"] = "Alle privéberichten weergeven"; +App::$strings["Mark all private messages seen"] = "Markeer alle privéberichten als bekeken"; +App::$strings["Event Calendar"] = "Agenda"; +App::$strings["See all events"] = "Alle gebeurtenissen weergeven"; +App::$strings["Mark all events seen"] = "Markeer alle gebeurtenissen als bekeken"; +App::$strings["Manage Your Channels"] = "Beheer je kanalen"; +App::$strings["Account/Channel Settings"] = "Account-/kanaal-instellingen"; +App::$strings["Site Setup and Configuration"] = "Hub instellen en beheren"; +App::$strings["@name, #tag, ?doc, content"] = "@kanaal, #tag, inhoud, ?hulp"; +App::$strings["Please wait..."] = "Wachten aub..."; +App::$strings["view full size"] = "volledige grootte tonen"; +App::$strings["Administrator"] = "Beheerder"; +App::$strings["No Subject"] = "Geen onderwerp"; +App::$strings["Friendica"] = "Friendica"; +App::$strings["OStatus"] = "OStatus"; +App::$strings["GNU-Social"] = "GNU social"; +App::$strings["RSS/Atom"] = "RSS/Atom"; +App::$strings["Diaspora"] = "Diaspora"; +App::$strings["Facebook"] = "Facebook"; +App::$strings["Zot"] = "Zot"; +App::$strings["LinkedIn"] = "LinkedIn"; +App::$strings["XMPP/IM"] = "XMPP/IM"; +App::$strings["MySpace"] = "MySpace"; +App::$strings["Cannot create a duplicate channel identifier on this system. Import failed."] = "Kan geen dubbele kanaal-identificator op deze hub aanmaken. Importeren mislukt."; +App::$strings["Channel clone failed. Import failed."] = "Het klonen van het kanaal is mislukt. Importeren mislukt."; +App::$strings["(Unknown)"] = "(Onbekend)"; +App::$strings["Visible to anybody on the internet."] = "Voor iedereen op het internet zichtbaar."; +App::$strings["Visible to you only."] = "Alleen voor jou zichtbaar."; +App::$strings["Visible to anybody in this network."] = "Voor iedereen in dit netwerk zichtbaar."; +App::$strings["Visible to anybody authenticated."] = "Voor iedereen die geauthenticeerd is zichtbaar."; +App::$strings["Visible to anybody on %s."] = "Voor iedereen op %s zichtbaar."; +App::$strings["Visible to all connections."] = "Voor alle connecties zichtbaar."; +App::$strings["Visible to approved connections."] = "Voor alle geaccepteerde connecties zichtbaar."; +App::$strings["Visible to specific connections."] = "Voor specifieke connecties zichtbaar."; +App::$strings["Privacy group is empty."] = "Privacygroep is leeg"; +App::$strings["Privacy group: %s"] = "Privacygroep: %s"; +App::$strings["Connection not found."] = "Connectie niet gevonden."; +App::$strings["profile photo"] = "profielfoto"; App::$strings["prev"] = "vorige"; App::$strings["first"] = "eerste"; App::$strings["last"] = "laatste"; @@ -1908,25 +2150,7 @@ App::$strings["depressed"] = "gedeprimeerd"; App::$strings["motivated"] = "gemotiveerd"; App::$strings["relaxed"] = "ontspannen"; App::$strings["surprised"] = "verrast"; -App::$strings["Monday"] = "maandag"; -App::$strings["Tuesday"] = "dinsdag"; -App::$strings["Wednesday"] = "woensdag"; -App::$strings["Thursday"] = "donderdag"; -App::$strings["Friday"] = "vrijdag"; -App::$strings["Saturday"] = "zaterdag"; -App::$strings["Sunday"] = "zondag"; -App::$strings["January"] = "januari"; -App::$strings["February"] = "februari"; -App::$strings["March"] = "maart"; -App::$strings["April"] = "april"; App::$strings["May"] = "mei"; -App::$strings["June"] = "juni"; -App::$strings["July"] = "juli"; -App::$strings["August"] = "augustus"; -App::$strings["September"] = "september"; -App::$strings["October"] = "oktober"; -App::$strings["November"] = "november"; -App::$strings["December"] = "december"; App::$strings["Unknown Attachment"] = "Onbekende bijlage"; App::$strings["unknown"] = "onbekend"; App::$strings["remove category"] = "categorie verwijderen"; @@ -1939,131 +2163,27 @@ App::$strings["Select an alternate language"] = "Kies een andere taal"; App::$strings["activity"] = "activiteit"; App::$strings["Design Tools"] = "Ontwerp-hulpmiddelen"; App::$strings["Pages"] = "Pagina's"; -App::$strings["Logged out."] = "Uitgelogd."; -App::$strings["Failed authentication"] = "Mislukte authenticatie"; -App::$strings["Can view my normal stream and posts"] = "Kan mijn normale kanaalstream en berichten bekijken"; -App::$strings["Can view my webpages"] = "Kan mijn pagina's bekijken"; -App::$strings["Can post on my channel page (\"wall\")"] = "Kan een bericht in mijn kanaal plaatsen"; -App::$strings["Can like/dislike stuff"] = "Kan dingen leuk of niet leuk vinden"; -App::$strings["Profiles and things other than posts/comments"] = "Profielen en dingen, buiten berichten en reacties"; -App::$strings["Can forward to all my channel contacts via post @mentions"] = "Kan naar al mijn kanaalconnecties berichten doorsturen met behulp van @vermeldingen+"; -App::$strings["Advanced - useful for creating group forum channels"] = "Geavanceerd - nuttig voor groepforums"; -App::$strings["Can chat with me (when available)"] = "Kan met mij chatten (wanneer beschikbaar)"; -App::$strings["Can write to my file storage and photos"] = "Kan foto's en andere bestanden aan mijn bestandsopslag toevoegen"; -App::$strings["Can edit my webpages"] = "Kan mijn pagina's bewerken"; -App::$strings["Somewhat advanced - very useful in open communities"] = "Enigszins geavanceerd (erg nuttig voor kanalen van forums/groepen)"; -App::$strings["Can administer my channel resources"] = "Kan mijn kanaal beheren"; -App::$strings["Extremely advanced. Leave this alone unless you know what you are doing"] = "Zeer geavanceerd. Laat dit met rust, behalve als je weet wat je doet."; -App::$strings["General Features"] = "Algemene functies"; -App::$strings["Content Expiration"] = "Inhoud laten verlopen"; -App::$strings["Remove posts/comments and/or private messages at a future time"] = "Berichten, reacties en/of privéberichten na een bepaalde tijd verwijderen"; -App::$strings["Multiple Profiles"] = "Meerdere profielen"; -App::$strings["Ability to create multiple profiles"] = "Mogelijkheid om meerdere profielen aan te maken"; -App::$strings["Advanced Profiles"] = "Geavanceerde profielen"; -App::$strings["Additional profile sections and selections"] = "Extra onderdelen en keuzes voor je profiel"; -App::$strings["Profile Import/Export"] = "Profiel importen/exporteren"; -App::$strings["Save and load profile details across sites/channels"] = "Profielgegevens opslaan en in andere hubs/kanalen gebruiken."; -App::$strings["Web Pages"] = "Webpagina's"; -App::$strings["Provide managed web pages on your channel"] = "Sta beheerde webpagina's op jouw kanaal toe"; -App::$strings["Provide a wiki for your channel"] = "Voeg een wiki aan jouw kanaal toe"; -App::$strings["Hide Rating"] = "Beoordelingen verbergen"; -App::$strings["Hide the rating buttons on your channel and profile pages. Note: People can still rate you somewhere else."] = "Verbergt de beoordelingsknoppen op jouw kanaal- en profielpagina's. Let op: Mensen kunnen jou nog steeds ergens anders beoordelen. "; -App::$strings["Private Notes"] = "Privé-aantekeningen"; -App::$strings["Enables a tool to store notes and reminders (note: not encrypted)"] = "Een eenvoudige toepassing om aantekeningen en herinneringen in te bewaren (let op: niet versleuteld)"; -App::$strings["Navigation Channel Select"] = "Kanaal kiezen in navigatiemenu"; -App::$strings["Change channels directly from within the navigation dropdown menu"] = "Kies een ander kanaal direct vanuit het dropdown-menu op de navigatiebalk"; -App::$strings["Photo Location"] = "Fotolocatie"; -App::$strings["If location data is available on uploaded photos, link this to a map."] = "Wanneer in de geüploade foto's locatiegegevens aanwezig zijn, link dit dan aan een kaart."; -App::$strings["Access Controlled Chatrooms"] = "Chatkanalen met toegangscontrole "; -App::$strings["Provide chatrooms and chat services with access control."] = "Chatkanalen en chatdiensten met toegangscontrole aanbieden."; -App::$strings["Smart Birthdays"] = "Slimme verjaardagen"; -App::$strings["Make birthday events timezone aware in case your friends are scattered across the planet."] = "Maak verjaardagen bewust van tijdzones. Voor het geval dat jouw vrienden over de hele wereld verspreid zijn."; -App::$strings["Expert Mode"] = "Expertmodus"; -App::$strings["Enable Expert Mode to provide advanced configuration options"] = "Schakel de expertmodus in voor geavanceerde instellingen"; -App::$strings["Premium Channel"] = "Premiumkanaal"; -App::$strings["Allows you to set restrictions and terms on those that connect with your channel"] = "Stelt je in staat om beperkingen en voorwaarden in te stellen voor jouw kanaal"; -App::$strings["Post Composition Features"] = "Functies voor het opstellen van berichten"; -App::$strings["Large Photos"] = "Grote foto's"; -App::$strings["Include large (1024px) photo thumbnails in posts. If not enabled, use small (640px) photo thumbnails"] = "Gebruik grotere foto's (1024px) in berichten. Wanneer dit is uitgeschakeld worden er kleinere foto's (640px) gebruikt."; -App::$strings["Automatically import channel content from other channels or feeds"] = "Automatisch inhoud uit andere kanalen of feeds importeren."; -App::$strings["Even More Encryption"] = "Extra encryptie"; -App::$strings["Allow optional encryption of content end-to-end with a shared secret key"] = "Sta toe dat inhoud extra end-to-end wordt versleuteld met een gedeelde geheime sleutel."; -App::$strings["Enable Voting Tools"] = "Peilingen inschakelen"; -App::$strings["Provide a class of post which others can vote on"] = "Maakt het mogelijk om een bericht op te stellen, waar mensen op kunnen stemmen."; -App::$strings["Delayed Posting"] = "Berichten uitstellen"; -App::$strings["Allow posts to be published at a later date"] = "Maakt het mogelijk dat berichten op een toekomstig moment gepubliceerd kunnen worden."; -App::$strings["Suppress Duplicate Posts/Comments"] = "Dubbele berichten/reacties tegenhouden"; -App::$strings["Prevent posts with identical content to be published with less than two minutes in between submissions."] = "Voorkomt dat berichten en reacties met identieke inhoud en die binnen twee minuten zijn verstuurd, worden gepubliceerd. "; -App::$strings["Network and Stream Filtering"] = "Netwerk- en streamfilter"; -App::$strings["Search by Date"] = "Zoek op datum"; -App::$strings["Ability to select posts by date ranges"] = "Mogelijkheid om berichten op datum te filteren "; -App::$strings["Privacy Groups"] = "Privacygroepen"; -App::$strings["Enable management and selection of privacy groups"] = "Beheer en selectie van privacygroepen inschakelen"; -App::$strings["Saved Searches"] = "Opgeslagen zoekopdrachten"; -App::$strings["Save search terms for re-use"] = "Sla zoekopdrachten op voor hergebruik"; -App::$strings["Network Personal Tab"] = "Persoonlijke netwerktab"; -App::$strings["Enable tab to display only Network posts that you've interacted on"] = "Sta het toe dat de tab netwerkberichten toont waarmee je interactie had"; -App::$strings["Network New Tab"] = "Nieuwe netwerktab"; -App::$strings["Enable tab to display all new Network activity"] = "Laat de tab alle nieuwe netwerkactiviteit tonen"; -App::$strings["Affinity Tool"] = "Verwantschapsfilter"; -App::$strings["Filter stream activity by depth of relationships"] = "Filter wat je in jouw grid ziet op hoe goed je iemand kent of mag"; -App::$strings["Connection Filtering"] = "Berichtenfilters"; -App::$strings["Filter incoming posts from connections based on keywords/content"] = "Filter binnenkomende berichten van connecties aan de hand van trefwoorden en taal"; -App::$strings["Show channel suggestions"] = "Voor jou mogelijk interessante kanalen voorstellen"; -App::$strings["Post/Comment Tools"] = "Bericht- en reactiehulpmiddelen"; -App::$strings["Community Tagging"] = "Taggen door anderen"; -App::$strings["Ability to tag existing posts"] = "Geeft andere mensen de mogelijkheid om jouw (bestaande) berichten te taggen"; -App::$strings["Post Categories"] = "Categorieën berichten"; -App::$strings["Add categories to your posts"] = "Voeg categorieën toe aan je berichten"; -App::$strings["Emoji Reactions"] = "Emoji-reacties"; -App::$strings["Add emoji reaction ability to posts"] = "Emoji-reacties in berichten toestaan"; -App::$strings["Saved Folders"] = "Bewaarde mappen"; -App::$strings["Ability to file posts under folders"] = "Mogelijkheid om berichten in mappen op te slaan"; -App::$strings["Dislike Posts"] = "Vind berichten niet leuk"; -App::$strings["Ability to dislike posts/comments"] = "Mogelijkheid om berichten en reacties niet leuk te vinden"; -App::$strings["Star Posts"] = "Geef berichten een ster"; -App::$strings["Ability to mark special posts with a star indicator"] = "Mogelijkheid om speciale berichten met een ster te markeren"; -App::$strings["Tag Cloud"] = "Tagwolk"; -App::$strings["Provide a personal tag cloud on your channel page"] = "Zorgt voor een persoonlijke wolk met tags op jouw kanaalpagina"; -App::$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."] = "Een verwijderde collectie met deze naam is gereactiveerd. Bestaande itemrechten kunnen van toepassing zijn op deze collectie en toekomstige leden. Wanneer je dit niet zo bedoeld hebt, moet je een nieuwe collectie met een andere naam aanmaken."; -App::$strings["Add new connections to this privacy group"] = "Voeg nieuwe connecties aan deze privacygroep toe"; -App::$strings["edit"] = "bewerken"; -App::$strings["Edit group"] = "Privacygroep bewerken"; -App::$strings["Add privacy group"] = "Privacygroep toevoegen"; -App::$strings["Channels not in any privacy group"] = "Kanalen die zich in geen enkele privacygroep bevinden"; -App::$strings["add"] = "toevoegen"; -App::$strings["l F d, Y \\@ g:i A"] = "l d F Y \\@ G:i"; -App::$strings["Starts:"] = "Start:"; -App::$strings["Finishes:"] = "Einde:"; -App::$strings["This event has been added to your calendar."] = "Dit evenement is aan jouw agenda toegevoegd."; -App::$strings["Not specified"] = "Niet aangegeven"; -App::$strings["Needs Action"] = "Actie vereist"; -App::$strings["Completed"] = "Voltooid"; -App::$strings["In Process"] = "In behandeling"; -App::$strings["Cancelled"] = "Geannuleerd"; -App::$strings["Not a valid email address"] = "Geen geldig e-mailadres"; -App::$strings["Your email domain is not among those allowed on this site"] = "Jouw e-maildomein is op deze hub niet toegestaan"; -App::$strings["Your email address is already registered at this site."] = "Jouw e-mailadres is al op deze hub geregistreerd."; -App::$strings["An invitation is required."] = "Een uitnodiging is vereist"; -App::$strings["Invitation could not be verified."] = "Uitnodiging kon niet geverifieerd worden"; -App::$strings["Please enter the required information."] = "Vul de vereiste informatie in."; -App::$strings["Failed to store account information."] = "Account-informatie kon niet opgeslagen worden."; -App::$strings["Registration confirmation for %s"] = "Registratiebevestiging voor %s"; -App::$strings["Registration request at %s"] = "Registratiebevestiging voor %s"; -App::$strings["your registration password"] = "jouw registratiewachtwoord"; -App::$strings["Registration details for %s"] = "Registratiegegevens voor %s"; -App::$strings["Account approved."] = "Account goedgekeurd"; -App::$strings["Registration revoked for %s"] = "Registratie ingetrokken voor %s"; -App::$strings["Click here to upgrade."] = "Klik hier om te upgraden."; -App::$strings["This action exceeds the limits set by your subscription plan."] = "Deze handeling overschrijdt de beperkingen die voor jouw abonnement gelden."; -App::$strings["This action is not available under your subscription plan."] = "Deze handeling is niet mogelijk met jouw abonnement."; -App::$strings["Channel is blocked on this site."] = "Kanaal is op deze hub geblokkeerd."; -App::$strings["Channel location missing."] = "Ontbrekende kanaallocatie."; -App::$strings["Response from remote channel was incomplete."] = "Antwoord van het kanaal op afstand was niet volledig."; -App::$strings["Channel was deleted and no longer exists."] = "Kanaal is verwijderd en bestaat niet meer."; -App::$strings["Protocol disabled."] = "Protocol uitgeschakeld."; -App::$strings["Channel discovery failed."] = "Kanaal ontdekken mislukt."; -App::$strings["Cannot connect to yourself."] = "Kan niet met jezelf verbinden"; +App::$strings["Import website..."] = "Website importeren..."; +App::$strings["Select folder to import"] = "Kies een map om te importeren"; +App::$strings["Import from a zipped folder:"] = "Vanuit een zipbestand importeren:"; +App::$strings["Import from cloud files:"] = "Vanuit de cloud importeren:"; +App::$strings["/cloud/channel/path/to/folder"] = "/cloud/channel/maplocatie"; +App::$strings["Enter path to website files"] = "Voer de locatie in van de websitebestanden"; +App::$strings["Select folder"] = "Kies een map"; +App::$strings["Who can see this?"] = "Wie kan dit zien?"; +App::$strings["Custom selection"] = "Handmatige selectie"; +App::$strings["Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit the scope of \"Show\"."] = "Kies \"Tonen\" om weergave toe te staan. Met \"Niet tonen\" kan je uitzonderingen maken op \"Tonen\"."; +App::$strings["Show"] = "Tonen"; +App::$strings["Don't show"] = "Niet tonen"; +App::$strings["Other networks and post services"] = "Andere netwerken en diensten"; +App::$strings["Post permissions %s cannot be changed %s after a post is shared.
These permissions set who is allowed to view the post."] = "Permissies van berichten %s zijn niet meer te veranderen %s nadat een bericht is gedeeld.
Met deze permissies bepaal je wie het bericht kan zien."; +App::$strings["Embedded content"] = "Ingesloten (embedded) inhoud"; +App::$strings["Embedding disabled"] = "Insluiten (embedding) uitgeschakeld"; +App::$strings[" and "] = " en "; +App::$strings["public profile"] = "openbaar profiel"; +App::$strings["%1\$s changed %2\$s to “%3\$s”"] = "%1\$s veranderde %2\$s naar “%3\$s”"; +App::$strings["Visit %1\$s's %2\$s"] = "Bezoek het %2\$s van %1\$s"; +App::$strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s heeft een aangepaste %2\$s, %3\$s veranderd."; App::$strings["Item was not found."] = "Item niet gevonden"; App::$strings["No source file."] = "Geen bronbestand."; App::$strings["Cannot locate file to replace"] = "Kan het te vervangen bestand niet vinden"; @@ -2072,156 +2192,72 @@ App::$strings["File exceeds size limit of %d"] = "Bestand is groter dan de toege App::$strings["You have reached your limit of %1$.0f Mbytes attachment storage."] = "Je hebt jouw limiet van %1$.0f MB opslagruimte voor bijlagen bereikt."; App::$strings["File upload failed. Possible system limit or action terminated."] = "Uploaden van bestand mislukt. Mogelijk systeemlimiet bereikt of actie afgebroken."; App::$strings["Stored file could not be verified. Upload failed."] = "Opgeslagen bestand kon niet worden geverifieerd. Uploaden mislukt."; -App::$strings["Path not available."] = "Pad niet beschikbaar."; -App::$strings["Empty pathname"] = "Padnaam leeg"; -App::$strings["duplicate filename or path"] = "dubbele bestandsnaam of pad"; -App::$strings["Path not found."] = "Pad niet gevonden"; +App::$strings["Path not available."] = "Locatie niet beschikbaar."; +App::$strings["Empty pathname"] = "Ontbrekende locatienaam"; +App::$strings["duplicate filename or path"] = "dubbele bestandsnaam of locatie"; +App::$strings["Path not found."] = "Locatie niet gevonden"; App::$strings["mkdir failed."] = "directory aanmaken (mkdir) mislukt."; App::$strings["database storage failed."] = "opslag in database mislukt."; -App::$strings["Empty path"] = "Ontbrekend bestandspad"; -App::$strings["Image/photo"] = "Afbeelding/foto"; -App::$strings["Encrypted content"] = "Versleutelde inhoud"; -App::$strings["Install %s element: "] = "Installeer %s-element: "; -App::$strings["This post contains an installable %s element, however you lack permissions to install it on this site."] = "Dit bericht heeft een te installeren %s-element, maar je hebt geen permissies om het op deze hub te installeren."; -App::$strings["%1\$s wrote the following %2\$s %3\$s"] = "%1\$s schreef het volgende %2\$s %3\$s"; -App::$strings["Click to open/close"] = "Klik om te openen of te sluiten"; -App::$strings["spoiler"] = "spoiler"; -App::$strings["Different viewers will see this text differently"] = "Deze tekst wordt per persoon anders weergeven."; -App::$strings["$1 wrote:"] = "$1 schreef:"; -App::$strings["(Unknown)"] = "(Onbekend)"; -App::$strings["Visible to anybody on the internet."] = "Voor iedereen op het internet zichtbaar."; -App::$strings["Visible to you only."] = "Alleen voor jou zichtbaar."; -App::$strings["Visible to anybody in this network."] = "Voor iedereen in dit netwerk zichtbaar."; -App::$strings["Visible to anybody authenticated."] = "Voor iedereen die geauthenticeerd is zichtbaar."; -App::$strings["Visible to anybody on %s."] = "Voor iedereen op %s zichtbaar."; -App::$strings["Visible to all connections."] = "Voor alle connecties zichtbaar."; -App::$strings["Visible to approved connections."] = "Voor alle geaccepteerde connecties zichtbaar."; -App::$strings["Visible to specific connections."] = "Voor specifieke connecties zichtbaar."; -App::$strings["Privacy group is empty."] = "Privacygroep is leeg"; -App::$strings["Privacy group: %s"] = "Privacygroep: %s"; -App::$strings["Connection not found."] = "Connectie niet gevonden."; -App::$strings["profile photo"] = "profielfoto"; -App::$strings["Embedded content"] = "Ingesloten (embedded) inhoud"; -App::$strings["Embedding disabled"] = "Insluiten (embedding) uitgeschakeld"; -App::$strings["System"] = "Systeem"; -App::$strings["New App"] = "Nieuwe app"; -App::$strings["Suggestions"] = "Voorgestelde kanalen"; -App::$strings["See more..."] = "Meer..."; -App::$strings["You have %1$.0f of %2$.0f allowed connections."] = "Je hebt %1$.0f van de %2$.0f toegestane connecties."; -App::$strings["Add New Connection"] = "Nieuwe connectie toevoegen"; -App::$strings["Enter channel address"] = "Vul kanaaladres in"; -App::$strings["Examples: bob@example.com, https://example.com/barbara"] = "Voorbeelden: bob@example.com, http://example.com/barbara"; -App::$strings["Notes"] = "Aantekeningen"; -App::$strings["Remove term"] = "Verwijder zoekterm"; -App::$strings["Everything"] = "Alles"; -App::$strings["Archives"] = "Archieven"; -App::$strings["Refresh"] = "Vernieuwen"; -App::$strings["Account settings"] = "Account"; -App::$strings["Channel settings"] = "Kanaal"; -App::$strings["Additional features"] = "Extra functies"; -App::$strings["Feature/Addon settings"] = "Plugin-instellingen"; -App::$strings["Display settings"] = "Weergave"; -App::$strings["Manage locations"] = "Locaties beheren"; -App::$strings["Export channel"] = "Kanaal exporteren"; -App::$strings["Connected apps"] = "Verbonden applicaties"; -App::$strings["Premium Channel Settings"] = "Instellingen premiumkanaal"; -App::$strings["Private Mail Menu"] = "PrivĆ©berichten"; -App::$strings["Combined View"] = "Gecombineerd postvak"; -App::$strings["Conversations"] = "Conversaties"; -App::$strings["Received Messages"] = "Ontvangen berichten"; -App::$strings["Sent Messages"] = "Verzonden berichten"; -App::$strings["No messages."] = "Geen berichten"; -App::$strings["Delete conversation"] = "Verwijder conversatie"; -App::$strings["Events Tools"] = "Agenda-hulpmiddelen"; -App::$strings["Export Calendar"] = "Exporteren"; -App::$strings["Import Calendar"] = "Importeren"; -App::$strings["Overview"] = "Overzicht"; -App::$strings["Chat Members"] = "Chatleden"; -App::$strings["Wiki List"] = "Wiki's"; -App::$strings["Wiki Pages"] = "Wikipagina's"; -App::$strings["Bookmarked Chatrooms"] = "Bladwijzers van chatkanalen"; -App::$strings["Suggested Chatrooms"] = "Voorgestelde chatkanalen"; -App::$strings["photo/image"] = "foto/afbeelding"; -App::$strings["Click to show more"] = "Klik voor meer"; -App::$strings["Rating Tools"] = "Beoordelingen"; -App::$strings["Rate Me"] = "Beoordeel mij"; -App::$strings["View Ratings"] = "Bekijk beoordelingen"; -App::$strings["Forums"] = "Forums"; -App::$strings["Tasks"] = "Taken"; -App::$strings["Documentation"] = "Documentatie"; -App::$strings["Project/Site Information"] = "Project- en hub-informatie"; -App::$strings["For Members"] = "Voor leden"; -App::$strings["For Administrators"] = "Voor beheerders"; -App::$strings["For Developers"] = "Voor ontwikkelaars"; -App::$strings["Member registrations waiting for confirmation"] = "Accounts die op goedkeuring wachten"; -App::$strings["Inspect queue"] = "Inspecteer berichtenwachtrij"; -App::$strings["DB updates"] = "Database-updates"; -App::$strings["Plugin Features"] = "Plugin-opties"; -App::$strings[" and "] = " en "; -App::$strings["public profile"] = "openbaar profiel"; -App::$strings["%1\$s changed %2\$s to “%3\$s”"] = "%1\$s veranderde %2\$s naar “%3\$s”"; -App::$strings["Visit %1\$s's %2\$s"] = "Bezoek het %2\$s van %1\$s"; -App::$strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s heeft een aangepaste %2\$s, %3\$s veranderd."; -App::$strings["Attachments:"] = "Bijlagen:"; -App::$strings["\$Projectname event notification:"] = "Notificatie \$Projectname-gebeurtenis:"; -App::$strings["Delete this item?"] = "Dit item verwijderen?"; -App::$strings["%s show less"] = "%s minder reacties weergeven"; -App::$strings["%s expand"] = "%s uitklappen"; -App::$strings["%s collapse"] = "%s inklappen"; -App::$strings["Password too short"] = "Wachtwoord te kort"; -App::$strings["Passwords do not match"] = "Wachtwoorden komen niet overeen"; -App::$strings["everybody"] = "iedereen"; -App::$strings["Secret Passphrase"] = "Geheim wachtwoord"; -App::$strings["Passphrase hint"] = "Wachtwoordhint"; -App::$strings["Notice: Permissions have changed but have not yet been submitted."] = "Mededeling: de permissies zijn veranderd, maar zijn nog niet opgeslagen."; -App::$strings["close all"] = "Alles sluiten"; -App::$strings["Nothing new here"] = "Niets nieuw hier"; -App::$strings["Rate This Channel (this is public)"] = "Beoordeel dit kanaal (dit is openbaar)"; -App::$strings["Describe (optional)"] = "Omschrijving (optioneel)"; -App::$strings["Please enter a link URL"] = "Vul een URL in:"; -App::$strings["Unsaved changes. Are you sure you wish to leave this page?"] = "Niet opgeslagen wijzigingen. Ben je er zeker van dat je deze pagina wil verlaten?"; -App::$strings["timeago.prefixAgo"] = "timeago.prefixAgo"; -App::$strings["timeago.prefixFromNow"] = "timeago.prefixFromNow"; -App::$strings["ago"] = "geleden"; -App::$strings["from now"] = "vanaf nu"; -App::$strings["less than a minute"] = "minder dan een minuut"; -App::$strings["about a minute"] = "ongeveer een minuut"; -App::$strings["%d minutes"] = "%d minuten"; -App::$strings["about an hour"] = "ongeveer een uur"; -App::$strings["about %d hours"] = "ongeveer %d uren"; -App::$strings["a day"] = "een dag"; -App::$strings["%d days"] = "%d dagen"; -App::$strings["about a month"] = "ongeveer een maand"; -App::$strings["%d months"] = "%d maanden"; -App::$strings["about a year"] = "ongeveer een jaar"; -App::$strings["%d years"] = "%d jaren"; -App::$strings[" "] = " "; -App::$strings["timeago.numbers"] = "timeago.numbers"; -App::$strings["__ctx:long__ May"] = "mei"; -App::$strings["Jan"] = "jan"; -App::$strings["Feb"] = "feb"; -App::$strings["Mar"] = "mrt"; -App::$strings["Apr"] = "apr"; -App::$strings["__ctx:short__ May"] = "mei"; -App::$strings["Jun"] = "jun"; -App::$strings["Jul"] = "jul"; -App::$strings["Aug"] = "aug"; -App::$strings["Sep"] = "sep"; -App::$strings["Oct"] = "okt"; -App::$strings["Nov"] = "nov"; -App::$strings["Dec"] = "dec"; -App::$strings["Sun"] = "zo"; -App::$strings["Mon"] = "ma"; -App::$strings["Tue"] = "di"; -App::$strings["Wed"] = "wo"; -App::$strings["Thu"] = "do"; -App::$strings["Fri"] = "vr"; -App::$strings["Sat"] = "za"; -App::$strings["__ctx:calendar__ today"] = "vandaag"; -App::$strings["__ctx:calendar__ month"] = "maand"; -App::$strings["__ctx:calendar__ week"] = "week"; -App::$strings["__ctx:calendar__ day"] = "dag"; -App::$strings["__ctx:calendar__ All day"] = "hele dag"; +App::$strings["Empty path"] = "Ontbrekende locatie"; +App::$strings["Tags"] = "Tags"; +App::$strings["Keywords"] = "Trefwoorden"; +App::$strings["have"] = "heb"; +App::$strings["has"] = "heeft"; +App::$strings["want"] = "wil"; +App::$strings["wants"] = "wil"; +App::$strings["likes"] = "vindt dit leuk"; +App::$strings["dislikes"] = "vindt dit niet leuk"; +App::$strings["Invalid data packet"] = "Datapakket ongeldig"; +App::$strings["Unable to verify channel signature"] = "Kanaalkenmerk kon niet worden geverifieerd. "; +App::$strings["Unable to verify site signature for %s"] = "Hubkenmerk voor %s kon niet worden geverifieerd"; +App::$strings["invalid target signature"] = "ongeldig doelkenmerk"; +App::$strings["Unable to obtain identity information from database"] = "Niet in staat om identiteitsinformatie uit de database te verkrijgen"; +App::$strings["Empty name"] = "Ontbrekende naam"; +App::$strings["Name too long"] = "Naam te lang"; +App::$strings["No account identifier"] = "Geen account-identificator"; +App::$strings["Nickname is required."] = "Bijnaam is verplicht"; +App::$strings["Reserved nickname. Please choose another."] = "Deze naam is gereserveerd. Kies een andere."; +App::$strings["Nickname has unsupported characters or is already being used on this site."] = "Deze naam heeft niet ondersteunde karakters of is al op deze hub in gebruik."; +App::$strings["Unable to retrieve created identity"] = "Niet in staat om aangemaakte identiteit te vinden"; +App::$strings["Default Profile"] = "Standaardprofiel"; +App::$strings["Requested channel is not available."] = "Opgevraagd kanaal is niet beschikbaar."; +App::$strings["Create New Profile"] = "Nieuw profiel aanmaken"; +App::$strings["Visible to everybody"] = "Voor iedereen zichtbaar"; +App::$strings["Gender:"] = "Geslacht:"; +App::$strings["Status:"] = "Status:"; +App::$strings["Homepage:"] = "Homepagina:"; +App::$strings["Online Now"] = "Nu online"; +App::$strings["Like this channel"] = "Vind dit kanaal leuk"; +App::$strings["j F, Y"] = "F j Y"; +App::$strings["j F"] = "F j"; +App::$strings["Birthday:"] = "Geboortedatum:"; +App::$strings["for %1\$d %2\$s"] = "voor %1\$d %2\$s"; +App::$strings["Sexual Preference:"] = "Seksuele voorkeur:"; +App::$strings["Tags:"] = "Tags:"; +App::$strings["Political Views:"] = "Politieke overtuigingen:"; +App::$strings["Religion:"] = "Religie:"; +App::$strings["Hobbies/Interests:"] = "Hobby's/interesses:"; +App::$strings["Likes:"] = "Houdt van:"; +App::$strings["Dislikes:"] = "Houdt niet van:"; +App::$strings["Contact information and Social Networks:"] = "Contactinformatie en sociale netwerken:"; +App::$strings["My other channels:"] = "Mijn andere kanalen"; +App::$strings["Musical interests:"] = "Muzikale interesses:"; +App::$strings["Books, literature:"] = "Boeken, literatuur:"; +App::$strings["Television:"] = "Televisie:"; +App::$strings["Film/dance/culture/entertainment:"] = "Films/dansen/cultuur/vermaak:"; +App::$strings["Love/Romance:"] = "Liefde/romantiek:"; +App::$strings["Work/employment:"] = "Werk/beroep:"; +App::$strings["School/education:"] = "School/opleiding:"; +App::$strings["Like this thing"] = "Vind dit ding leuk"; +App::$strings["New window"] = "Nieuw venster"; +App::$strings["Open the selected location in a different window or browser tab"] = "Open de geselecteerde locatie in een ander venster of tab"; +App::$strings["User '%s' deleted"] = "Account '%s' verwijderd"; +App::$strings["This event has been added to your calendar."] = "Dit evenement is aan jouw agenda toegevoegd."; +App::$strings["Not specified"] = "Niet aangegeven"; +App::$strings["Needs Action"] = "Actie vereist"; +App::$strings["Completed"] = "Voltooid"; +App::$strings["In Process"] = "In behandeling"; +App::$strings["Cancelled"] = "Geannuleerd"; App::$strings["%d invitation available"] = array( 0 => "%d uitnodiging beschikbaar", 1 => "%d uitnodigingen beschikbaar", @@ -2246,57 +2282,24 @@ App::$strings["No recipient provided."] = "Geen ontvanger opgegeven."; App::$strings["[no subject]"] = "[geen onderwerp]"; App::$strings["Unable to determine sender."] = "Afzender kan niet bepaald worden."; App::$strings["Stored post could not be verified."] = "Opgeslagen bericht kon niet worden geverifieerd."; -App::$strings["Who can see this?"] = "Wie kan dit zien?"; -App::$strings["Custom selection"] = "Handmatige selectie"; -App::$strings["Select \"Show\" to allow viewing. \"Don't show\" lets you override and limit the scope of \"Show\"."] = "Kies \"Tonen\" om weergave toe te staan. Met \"Niet tonen\" kan je uitzonderingen maken op \"Tonen\"."; -App::$strings["Show"] = "Tonen"; -App::$strings["Don't show"] = "Niet tonen"; -App::$strings["Other networks and post services"] = "Andere netwerken en diensten"; -App::$strings["Post permissions %s cannot be changed %s after a post is shared.
These permissions set who is allowed to view the post."] = "Permissies van berichten %s zijn niet meer te veranderen %s nadat een bericht is gedeeld.
Met deze permissies bepaal je wie het bericht kan zien."; -App::$strings["Birthday"] = "Verjaardag of geboortedatum"; -App::$strings["Age: "] = "Leeftijd:"; -App::$strings["YYYY-MM-DD or MM-DD"] = "JJJJ-MM-DD of MM-DD"; -App::$strings["never"] = "nooit"; -App::$strings["less than a second ago"] = "minder dan een seconde geleden"; -App::$strings["__ctx:e.g. 22 hours ago, 1 minute ago__ %1\$d %2\$s ago"] = "%1\$d %2\$s geleden"; -App::$strings["__ctx:relative_date__ year"] = array( - 0 => "jaar", - 1 => "jaren", -); -App::$strings["__ctx:relative_date__ month"] = array( - 0 => "maand", - 1 => "maanden", -); -App::$strings["__ctx:relative_date__ week"] = array( - 0 => "week", - 1 => "weken", -); -App::$strings["__ctx:relative_date__ day"] = array( - 0 => "dag", - 1 => "dagen", -); -App::$strings["__ctx:relative_date__ hour"] = array( - 0 => "uur", - 1 => "uren", -); -App::$strings["__ctx:relative_date__ minute"] = array( - 0 => "minuut", - 1 => "minuten", -); -App::$strings["__ctx:relative_date__ second"] = array( - 0 => "seconde", - 1 => "seconden", -); -App::$strings["%1\$s's birthday"] = "Verjaardag van %1\$s"; -App::$strings["Happy Birthday %1\$s"] = "Gefeliciteerd met je verjaardag %1\$s"; -App::$strings["Public Timeline"] = "Openbare tijdlijn"; -App::$strings["Invalid data packet"] = "Datapakket ongeldig"; -App::$strings["Unable to verify channel signature"] = "Kanaalkenmerk kon niet worden geverifieerd. "; -App::$strings["Unable to verify site signature for %s"] = "Hubkenmerk voor %s kon niet worden geverifieerd"; -App::$strings["invalid target signature"] = "ongeldig doelkenmerk"; +App::$strings["Not a valid email address"] = "Geen geldig e-mailadres"; +App::$strings["Your email domain is not among those allowed on this site"] = "Jouw e-maildomein is op deze hub niet toegestaan"; +App::$strings["Your email address is already registered at this site."] = "Jouw e-mailadres is al op deze hub geregistreerd."; +App::$strings["An invitation is required."] = "Een uitnodiging is vereist"; +App::$strings["Invitation could not be verified."] = "Uitnodiging kon niet geverifieerd worden"; +App::$strings["Please enter the required information."] = "Vul de vereiste informatie in."; +App::$strings["Failed to store account information."] = "Account-informatie kon niet opgeslagen worden."; +App::$strings["Registration confirmation for %s"] = "Registratiebevestiging voor %s"; +App::$strings["Registration request at %s"] = "Registratiebevestiging voor %s"; +App::$strings["your registration password"] = "jouw registratiewachtwoord"; +App::$strings["Registration details for %s"] = "Registratiegegevens voor %s"; +App::$strings["Account approved."] = "Account goedgekeurd"; +App::$strings["Registration revoked for %s"] = "Registratie ingetrokken voor %s"; +App::$strings["Click here to upgrade."] = "Klik hier om te upgraden."; +App::$strings["This action exceeds the limits set by your subscription plan."] = "Deze handeling overschrijdt de beperkingen die voor jouw abonnement gelden."; +App::$strings["This action is not available under your subscription plan."] = "Deze handeling is niet mogelijk met jouw abonnement."; App::$strings["Focus (Hubzilla default)"] = "Focus (Hubzilla-standaard)"; App::$strings["Theme settings"] = "Thema-instellingen"; -App::$strings["Select scheme"] = "Kies schema van thema"; App::$strings["Narrow navbar"] = "Smalle navigatiebalk"; App::$strings["Navigation bar background color"] = "Achtergrondkleur navigatiebalk"; App::$strings["Navigation bar gradient top color"] = "Bovenste gradiƫntkleur navigatiebalk"; diff --git a/view/pdl/mod_webpages.pdl b/view/pdl/mod_webpages.pdl index cef69f194..b62ec6e7c 100644 --- a/view/pdl/mod_webpages.pdl +++ b/view/pdl/mod_webpages.pdl @@ -1,3 +1,4 @@ [region=aside] [widget=design_tools][/widget] +[widget=website_import_tools][/widget] [/region] \ No newline at end of file diff --git a/view/pt-br/htconfig.tpl b/view/pt-br/htconfig.tpl index 802b31b49..ea3f5b5c2 100644 --- a/view/pt-br/htconfig.tpl +++ b/view/pt-br/htconfig.tpl @@ -10,8 +10,6 @@ $db_pass = '{{$dbpass}}'; $db_data = '{{$dbdata}}'; $db_type = '{{$dbtype}}'; // an integer. 0 or unset for mysql, 1 for postgres -define( 'UNO', {{$uno}} ); - /* * Notice: Many of the following settings will be available in the admin panel * after a successful site install. Once they are set in the admin panel, they @@ -36,6 +34,14 @@ App::$config['system']['baseurl'] = '{{$siteurl}}'; App::$config['system']['sitename'] = "Hubzilla"; App::$config['system']['location_hash'] = '{{$site_id}}'; +// Choices are 'basic', 'standard', and 'pro'. +// basic sets up the sevrer for basic social networking and removes "complicated" features +// standard provides most desired features except e-commerce +// pro gives you access to everything + +App::$config['system']['server_role'] = '{{$server_role}}'; + + // These lines set additional security headers to be sent with all responses // You may wish to set transport_security_header to 0 if your server already sends // this header. content_security_policy may need to be disabled if you wish to diff --git a/view/ru/htconfig.tpl b/view/ru/htconfig.tpl index 5456d12c1..00da08c91 100644 --- a/view/ru/htconfig.tpl +++ b/view/ru/htconfig.tpl @@ -10,8 +10,6 @@ $db_pass = '{{$dbpass}}'; $db_data = '{{$dbdata}}'; $db_type = '{{$dbtype}}'; // an integer. 0 or unset for mysql, 1 for postgres -define( 'UNO', {{$uno}} ); - /* * Notice: Many of the following settings will be available in the admin panel * after a successful site install. Once they are set in the admin panel, they @@ -36,6 +34,13 @@ App::$config['system']['baseurl'] = '{{$siteurl}}'; App::$config['system']['sitename'] = "Hubzilla"; App::$config['system']['location_hash'] = '{{$site_id}}'; +// Choices are 'basic', 'standard', and 'pro'. +// basic sets up the sevrer for basic social networking and removes "complicated" features +// standard provides most desired features except e-commerce +// pro gives you access to everything + +App::$config['system']['server_role'] = '{{$server_role}}'; + // Your choices are REGISTER_OPEN, REGISTER_APPROVE, or REGISTER_CLOSED. // Be certain to create your own personal account before setting // REGISTER_CLOSED. 'register_text' (if set) will be displayed prominently on diff --git a/view/sv/htconfig.tpl b/view/sv/htconfig.tpl index 5456d12c1..00da08c91 100644 --- a/view/sv/htconfig.tpl +++ b/view/sv/htconfig.tpl @@ -10,8 +10,6 @@ $db_pass = '{{$dbpass}}'; $db_data = '{{$dbdata}}'; $db_type = '{{$dbtype}}'; // an integer. 0 or unset for mysql, 1 for postgres -define( 'UNO', {{$uno}} ); - /* * Notice: Many of the following settings will be available in the admin panel * after a successful site install. Once they are set in the admin panel, they @@ -36,6 +34,13 @@ App::$config['system']['baseurl'] = '{{$siteurl}}'; App::$config['system']['sitename'] = "Hubzilla"; App::$config['system']['location_hash'] = '{{$site_id}}'; +// Choices are 'basic', 'standard', and 'pro'. +// basic sets up the sevrer for basic social networking and removes "complicated" features +// standard provides most desired features except e-commerce +// pro gives you access to everything + +App::$config['system']['server_role'] = '{{$server_role}}'; + // Your choices are REGISTER_OPEN, REGISTER_APPROVE, or REGISTER_CLOSED. // Be certain to create your own personal account before setting // REGISTER_CLOSED. 'register_text' (if set) will be displayed prominently on diff --git a/view/theme/redbasic/schema/dark.css b/view/theme/redbasic/schema/dark.css index ea50f50ec..ed2714dfc 100644 --- a/view/theme/redbasic/schema/dark.css +++ b/view/theme/redbasic/schema/dark.css @@ -3,6 +3,31 @@ background-color: transparent; } +textarea, input, select +{ + color: #BBB !important; + background: #333 !important; + border-color: #2B2B2B !important; + } + +#profile-jot-submit-wrapper { + border-top: none; + padding: 10px 0; +} + +#jot-title-wrap { + border-bottom: none; + margin-bottom: 5px; +} + +optgroup { + color: #CCC !important; +} + +option { + color: $link_colour !important; +} + .vcard, #contact-block, .widget { background-color: transparent; border: none; @@ -390,3 +415,21 @@ pre { box-shadow: 0px 3px 3px #222; } +.contextual-help-content-open { + background: $nav_bg; + top: 50px; + border-bottom: #555 1px solid; + box-shadow: 0px 3px 3px rgba(85,85,85,0.2); +} + +.contextual-help-tool { + opacity: 0.5; +} + +.contextual-help-tool:hover { + opacity: 1; +} + +.contextual-help-tool i { + color: $link_colour; +} diff --git a/view/theme/redbasic/schema/simple_black_on_white.css b/view/theme/redbasic/schema/simple_black_on_white.css index b7cca0930..7dd8125a4 100644 --- a/view/theme/redbasic/schema/simple_black_on_white.css +++ b/view/theme/redbasic/schema/simple_black_on_white.css @@ -290,3 +290,10 @@ pre { -webkit-box-shadow: none; box-shadow: none; } + + +.contextual-help-content-open { + background: #FFF; + top: 50px; + +} diff --git a/view/theme/redbasic/schema/simple_green_on_black.css b/view/theme/redbasic/schema/simple_green_on_black.css index 990980e8f..ca2e5b15a 100644 --- a/view/theme/redbasic/schema/simple_green_on_black.css +++ b/view/theme/redbasic/schema/simple_green_on_black.css @@ -3,6 +3,31 @@ background-color: transparent; } +textarea, input, select +{ + color: $font_colour !important; + background: $bgcolour !important; + border: 1px solid #143D12 !important; + } + +#profile-jot-submit-wrapper { + border-top: none; + padding: 10px 0; +} + +#jot-title-wrap { + border-bottom: none; + margin-bottom: 5px; +} + +optgroup { + color: #32962D !important; +} + +option { + color: $link_colour !important; +} + .vcard, #contact-block, .widget { background-color: transparent; border: none; @@ -153,22 +178,22 @@ input[type="submit"] { color: #50f148 !important; } -nav .dropdown-menu>li>a{ +nav .dropdown-menu>li>a { color: #50f148; } -nav .dropdown-menu>li>a:hover,nav .dropdown-menu>li>a:focus{ +nav .dropdown-menu>li>a:hover,nav .dropdown-menu>li>a:focus { color: #50f148; background-color: #143D12; background-image: none; } -nav .dropdown-menu .divider{ +nav .dropdown-menu .divider { background-color: #143D12; } -nav .dropdown-menu>li>a:hover,nav .dropdown-menu>li>a:focus{ +nav .dropdown-menu>li>a:hover,nav .dropdown-menu>li>a:focus { color: #50f148; background-color: #143D12; background-image: none; @@ -339,3 +364,22 @@ pre { -webkit-box-shadow: none; box-shadow: none; } + +.contextual-help-content-open { + background: $nav_bg; + top: 50px; + border-bottom: #1C5419 1px solid; + box-shadow: 0px 3px 3px rgba(28,84,25,0.2); +} + +.contextual-help-tool { + opacity: 0.5; +} + +.contextual-help-tool:hover { + opacity: 1; +} + +.contextual-help-tool i { + color: $link_colour; +} diff --git a/view/theme/redbasic/schema/simple_white_on_black.css b/view/theme/redbasic/schema/simple_white_on_black.css index c23dbaf68..a462c4d29 100644 --- a/view/theme/redbasic/schema/simple_white_on_black.css +++ b/view/theme/redbasic/schema/simple_white_on_black.css @@ -3,6 +3,31 @@ background-color: transparent; } +textarea, input, select +{ + color: $font_colour !important; + background: $bgcolour !important; + border: 1px solid #FFF !important; + } + +#profile-jot-submit-wrapper { + border-top: none; + padding: 10px 0; +} + +#jot-title-wrap { + border-bottom: none; + margin-bottom: 5px; +} + +optgroup { + color: #FFF !important; +} + +option { + color: $link_colour !important; +} + .vcard, #contact-block, .widget { background-color: transparent; border: none; @@ -312,3 +337,22 @@ pre { -webkit-box-shadow: none; box-shadow: none; } + +.contextual-help-content-open { + background: $nav_bg; + top: 50px; + border-bottom: #FFF 1px solid; + box-shadow: 0px 3px 3px rgba(255,255,255,0.2); +} + +.contextual-help-tool { + opacity: 0.5; +} + +.contextual-help-tool:hover { + opacity: 1; +} + +.contextual-help-tool i { + color: $link_colour; +} diff --git a/view/tpl/acl_selector.tpl b/view/tpl/acl_selector.tpl index 60fae0a29..ddeb25a39 100755 --- a/view/tpl/acl_selector.tpl +++ b/view/tpl/acl_selector.tpl @@ -1,3 +1,4 @@ +
- +
diff --git a/view/tpl/attach_edit.tpl b/view/tpl/attach_edit.tpl index 965fb4819..1d58004e5 100644 --- a/view/tpl/attach_edit.tpl +++ b/view/tpl/attach_edit.tpl @@ -1,4 +1,4 @@ -
+ @@ -16,15 +16,13 @@
-
- {{$aclselect}} -