From 9fa3956aa886f7522553ac161a42569706613b0c Mon Sep 17 00:00:00 2001 From: Mario Vavti Date: Thu, 28 Jul 2016 10:28:48 +0200 Subject: translate mime types to icons, update some icons, move file preview (upload progress) below table header --- view/js/mod_cloud.js | 57 +++++++++++++++++++++++++++++++++++++++++++++++----- 1 file changed, 52 insertions(+), 5 deletions(-) (limited to 'view') diff --git a/view/js/mod_cloud.js b/view/js/mod_cloud.js index 4ef87ec4b..e29efd664 100644 --- a/view/js/mod_cloud.js +++ b/view/js/mod_cloud.js @@ -83,11 +83,13 @@ function UploadFileSelectHandler(e) { } function prepareHtml(f, i) { - $("#cloud-index").prepend( - "" + "" + f.name + - "" + f.type + - "" + formatSizeUnits(f.size) + - "" + $("#cloud-index tr:nth-child(2)").after( + "" + + "" + + "" + f.name + "" + + "" + + "" + formatSizeUnits(f.size) + "" + + "" ); } @@ -101,6 +103,51 @@ function formatSizeUnits(bytes){ 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/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) { -- cgit v1.2.3 From b05c1a98293a4a7c17a57589db750eace2db4c9d Mon Sep 17 00:00:00 2001 From: Mario Vavti Date: Thu, 28 Jul 2016 11:45:57 +0200 Subject: use single quote for js and double quote for html with proper escapes and implement a simple progressbar --- view/js/mod_cloud.js | 13 +++++++------ 1 file changed, 7 insertions(+), 6 deletions(-) (limited to 'view') diff --git a/view/js/mod_cloud.js b/view/js/mod_cloud.js index e29efd664..8e6b8cb05 100644 --- a/view/js/mod_cloud.js +++ b/view/js/mod_cloud.js @@ -84,12 +84,12 @@ function UploadFileSelectHandler(e) { function prepareHtml(f, i) { $("#cloud-index tr:nth-child(2)").after( - "" + - "" + - "" + f.name + "" + - "" + - "" + formatSizeUnits(f.size) + "" + - "" + '' + + '' + + '' + f.name + '' + + '' + + '' + formatSizeUnits(f.size) + '' + + '' ); } @@ -162,6 +162,7 @@ function UploadFile(file, idx) { 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) + '%'); + $('#new-upload-' + idx).css('background-size', Math.round(done / total * 100) + '%'); }); xhr.addEventListener('load', function (e) { -- cgit v1.2.3 From e65949f5947d38aff1ac8a5bb2abf682543dfc4f Mon Sep 17 00:00:00 2001 From: Mario Vavti Date: Thu, 28 Jul 2016 11:54:42 +0200 Subject: make progressbar slightly more transparent and give it a default width of 3px to indicate which files are to be uploaded --- view/js/mod_cloud.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) (limited to 'view') diff --git a/view/js/mod_cloud.js b/view/js/mod_cloud.js index 8e6b8cb05..f7f9092c0 100644 --- a/view/js/mod_cloud.js +++ b/view/js/mod_cloud.js @@ -84,7 +84,7 @@ function UploadFileSelectHandler(e) { function prepareHtml(f, i) { $("#cloud-index tr:nth-child(2)").after( - '' + + '' + '' + '' + f.name + '' + '' + -- cgit v1.2.3 From fc105cf1415cf4124f69d40419b5c52307e993a2 Mon Sep 17 00:00:00 2001 From: Mario Vavti Date: Thu, 28 Jul 2016 15:35:45 +0200 Subject: reusing the original form did not work so well via xhr upload - let us create a new form for this action. revert progressbar- only works nice in firefox --- view/js/mod_cloud.js | 20 ++++++++++++-------- view/tpl/cloud_actionspanel.tpl | 2 +- 2 files changed, 13 insertions(+), 9 deletions(-) (limited to 'view') diff --git a/view/js/mod_cloud.js b/view/js/mod_cloud.js index f7f9092c0..ea1ce35a7 100644 --- a/view/js/mod_cloud.js +++ b/view/js/mod_cloud.js @@ -22,6 +22,7 @@ function UploadInit() { if (xhr.upload) { // file select + fileselect.attr("multiple", 'multiple'); fileselect.on("change", UploadFileSelectHandler); // file submit @@ -64,27 +65,30 @@ function DragDropUploadFileSelectHandler(e) { // file selection via input function UploadFileSelectHandler(e) { // fetch FileList object - if(e.type === 'click') { + if(e.target.id === 'upload-submit') { e.preventDefault(); var files = e.data[0].files; } - else { + if(e.target.id === 'files-upload') { + $('.new-upload').remove(); var files = e.target.files; } - $('.new-upload').remove(); + // process all File objects for (var i = 0, f; f = files[i]; i++) { - prepareHtml(f, i); - if(e.type === 'click') + if(e.target.id === 'files-upload') + prepareHtml(f, i); + if(e.target.id === 'upload-submit') { UploadFile(f, i); + } } } function prepareHtml(f, i) { $("#cloud-index tr:nth-child(2)").after( - '' + + '' + '' + '' + f.name + '' + '' + @@ -182,8 +186,8 @@ function UploadFile(file, idx) { // POST to the entire cloud path xhr.open('post', window.location.pathname, true); - var data = new FormData(document.getElementById("ajax-upload-files")); - + var data = new FormData(); + data.append('sabreAction', 'put'); data.append('file', file); xhr.send(data); diff --git a/view/tpl/cloud_actionspanel.tpl b/view/tpl/cloud_actionspanel.tpl index 8976b3007..eaa613dc4 100644 --- a/view/tpl/cloud_actionspanel.tpl +++ b/view/tpl/cloud_actionspanel.tpl @@ -13,7 +13,7 @@
- +
-- cgit v1.2.3 From 500ee4c1bf50efc5a9db419d9ad1c722851c29aa Mon Sep 17 00:00:00 2001 From: Mario Vavti Date: Thu, 28 Jul 2016 16:35:27 +0200 Subject: re-implement progress-bar to work with all browsers --- view/css/mod_cloud.css | 7 +++++++ view/js/mod_cloud.js | 13 ++++++++----- 2 files changed, 15 insertions(+), 5 deletions(-) (limited to 'view') diff --git a/view/css/mod_cloud.css b/view/css/mod_cloud.css index 51c3709c1..eb5bec1f1 100644 --- a/view/css/mod_cloud.css +++ b/view/css/mod_cloud.css @@ -47,3 +47,10 @@ opacity: 0.5; box-shadow: inset 0 0px 7px #5cb85c; } + +.upload-progress-bar { + background: url('data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAYAAAAfFcSJAAAADUlEQVR42mOM2RFTDwAE2QHxFMHIIwAAAABJRU5ErkJggg==') repeat-y; + background-size: 3px; + padding: 0px !important; + height: 3px; +} diff --git a/view/js/mod_cloud.js b/view/js/mod_cloud.js index ea1ce35a7..72e6185d6 100644 --- a/view/js/mod_cloud.js +++ b/view/js/mod_cloud.js @@ -88,11 +88,14 @@ function UploadFileSelectHandler(e) { function prepareHtml(f, i) { $("#cloud-index tr:nth-child(2)").after( - '' + - '' + + '' + + '' + '' + f.name + '' + - '' + - '' + formatSizeUnits(f.size) + '' + + '' + + '' + formatSizeUnits(f.size) + '' + + '' + + '' + + '' + '' ); } @@ -166,7 +169,7 @@ function UploadFile(file, idx) { 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) + '%'); - $('#new-upload-' + idx).css('background-size', Math.round(done / total * 100) + '%'); + $('#upload-progress-bar-' + idx).css('background-size', Math.round(done / total * 100) + '%'); }); xhr.addEventListener('load', function (e) { -- cgit v1.2.3 From 3bf2935ee363a784f0140242b569eb4e2a837249 Mon Sep 17 00:00:00 2001 From: Mario Vavti Date: Thu, 28 Jul 2016 22:32:58 +0200 Subject: add more info on what is happening after we are at 100% and minor fixes --- view/css/conversation.css | 2 +- view/css/mod_cloud.css | 2 +- view/js/mod_cloud.js | 22 +++++++++++++++++++--- 3 files changed, 21 insertions(+), 5 deletions(-) (limited to 'view') diff --git a/view/css/conversation.css b/view/css/conversation.css index d1adaf20f..5af0c55e7 100644 --- a/view/css/conversation.css +++ b/view/css/conversation.css @@ -43,7 +43,7 @@ #profile-jot-text.hover { background-color: aliceblue; opacity: 0.5; - box-shadow: inset 0 3px 4px #888; + box-shadow: inset 0 0px 7px #5cb85c; } .jot-attachment { diff --git a/view/css/mod_cloud.css b/view/css/mod_cloud.css index eb5bec1f1..53eb80b44 100644 --- a/view/css/mod_cloud.css +++ b/view/css/mod_cloud.css @@ -50,7 +50,7 @@ .upload-progress-bar { background: url('data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAYAAAAfFcSJAAAADUlEQVR42mOM2RFTDwAE2QHxFMHIIwAAAABJRU5ErkJggg==') repeat-y; - background-size: 3px; + background-size: 0px; padding: 0px !important; height: 3px; } diff --git a/view/js/mod_cloud.js b/view/js/mod_cloud.js index 72e6185d6..cdcb0c8ee 100644 --- a/view/js/mod_cloud.js +++ b/view/js/mod_cloud.js @@ -88,13 +88,13 @@ function UploadFileSelectHandler(e) { function prepareHtml(f, i) { $("#cloud-index tr:nth-child(2)").after( - '' + + '' + '' + '' + f.name + '' + '' + '' + formatSizeUnits(f.size) + '' + '' + - '' + + '' + '' + '' ); @@ -134,6 +134,7 @@ function getIconFromType(type) { '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', @@ -158,27 +159,37 @@ function getIconFromType(type) { // upload files function UploadFile(file, idx) { - window.filesToUpload = window.filesToUpload + 1; + 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 @@ -186,6 +197,11 @@ function UploadFile(file, idx) { } }); + + xhr.addEventListener('error', function (e) { + $('#upload-progress-' + idx).html('ERROR'); + }); + // POST to the entire cloud path xhr.open('post', window.location.pathname, true); -- cgit v1.2.3 From ed7e4df0142c51096ef7f1219d80289ad3d14085 Mon Sep 17 00:00:00 2001 From: Mario Vavti Date: Thu, 28 Jul 2016 22:57:07 +0200 Subject: missing semicolon --- view/js/mod_cloud.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) (limited to 'view') diff --git a/view/js/mod_cloud.js b/view/js/mod_cloud.js index cdcb0c8ee..6d6ef9fd1 100644 --- a/view/js/mod_cloud.js +++ b/view/js/mod_cloud.js @@ -159,7 +159,7 @@ function getIconFromType(type) { // upload files function UploadFile(file, idx) { - window.filesToUpload = window.filesToUpload + 1 + window.filesToUpload = window.filesToUpload + 1; var xhr = new XMLHttpRequest(); -- cgit v1.2.3 From b15a53b672fa6b94181c9144e8a11a8b774fb7d5 Mon Sep 17 00:00:00 2001 From: Mario Vavti Date: Thu, 28 Jul 2016 22:59:01 +0200 Subject: missing space --- view/js/mod_cloud.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) (limited to 'view') diff --git a/view/js/mod_cloud.js b/view/js/mod_cloud.js index 6d6ef9fd1..0c3bfe120 100644 --- a/view/js/mod_cloud.js +++ b/view/js/mod_cloud.js @@ -94,7 +94,7 @@ function prepareHtml(f, i) { '' + '' + formatSizeUnits(f.size) + '' + '' + - '' + + '' + '' + '' ); -- cgit v1.2.3 From 8925e0c6c90e4c6cf75b346978d3f6d963b5c7d7 Mon Sep 17 00:00:00 2001 From: Andrew Manning Date: Thu, 28 Jul 2016 19:21:33 -0400 Subject: Fixed bug where multiple post attachements by drag-and-drop were not being added to the post content. --- view/tpl/jot-header.tpl | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) (limited to 'view') diff --git a/view/tpl/jot-header.tpl b/view/tpl/jot-header.tpl index ee00e25e6..c0d524764 100755 --- a/view/tpl/jot-header.tpl +++ b/view/tpl/jot-header.tpl @@ -511,10 +511,10 @@ function enableOnUser(){ xhr.addEventListener('load', function (e) { //console.log('xhr upload complete', e); window.fileUploadsCompleted = window.fileUploadsCompleted + 1; + addeditortext(xhr.responseText); + $('#jot-media').val($('#jot-media').val() + xhr.responseText); // When all the uploads have completed, refresh the page - if (window.filesToUpload > 0 && window.fileUploadsCompleted === window.filesToUpload) { - addeditortext(xhr.responseText); - $('#jot-media').val($('#jot-media').val() + xhr.responseText); + if (window.filesToUpload > 0 && window.fileUploadsCompleted === window.filesToUpload) { $('#profile-rotator').spin(false); window.fileUploadsCompleted = window.filesToUpload = 0; } -- cgit v1.2.3 From 5e5ec5a66a64d43ef5ea14c03b32055863f11bf1 Mon Sep 17 00:00:00 2001 From: Mario Vavti Date: Fri, 29 Jul 2016 11:30:33 +0200 Subject: catch all input fields (in preparation for acl in this place) and display the files to upload in the right order --- view/js/mod_cloud.js | 11 +++++++---- view/tpl/cloud_directory.tpl | 2 ++ 2 files changed, 9 insertions(+), 4 deletions(-) (limited to 'view') diff --git a/view/js/mod_cloud.js b/view/js/mod_cloud.js index 0c3bfe120..e56ec2a81 100644 --- a/view/js/mod_cloud.js +++ b/view/js/mod_cloud.js @@ -74,8 +74,6 @@ function UploadFileSelectHandler(e) { var files = e.target.files; } - - // process all File objects for (var i = 0, f; f = files[i]; i++) { if(e.target.id === 'files-upload') @@ -87,7 +85,8 @@ function UploadFileSelectHandler(e) { } function prepareHtml(f, i) { - $("#cloud-index tr:nth-child(2)").after( + var num = i - 1; + $('#cloud-index #new-upload-progress-bar-' + num.toString()).after( '' + '' + '' + f.name + '' + @@ -205,8 +204,12 @@ function UploadFile(file, idx) { // POST to the entire cloud path xhr.open('post', window.location.pathname, true); + var formfields = $("#ajax-upload-files").serializeArray(); + var data = new FormData(); - data.append('sabreAction', 'put'); + $.each(formfields, function(i, field) { + data.append(field.name, field.value); + }); data.append('file', file); xhr.send(data); diff --git a/view/tpl/cloud_directory.tpl b/view/tpl/cloud_directory.tpl index 06176fdb8..5a84028c1 100644 --- a/view/tpl/cloud_directory.tpl +++ b/view/tpl/cloud_directory.tpl @@ -18,6 +18,7 @@ {{/if}} + {{* this is needed to append the upload files in the right order *}} {{foreach $entries as $item}} @@ -38,6 +39,7 @@ + {{/foreach}} -- cgit v1.2.3 From d858bd9265a4a0fa3589cdb2126031998310c7c3 Mon Sep 17 00:00:00 2001 From: jeroenpraat Date: Fri, 29 Jul 2016 14:31:53 +0200 Subject: Updating es-es strings --- view/es-es/hmessages.po | 11708 +++++++++++++++++++++++----------------------- view/es-es/hstrings.php | 1832 ++++---- 2 files changed, 6890 insertions(+), 6650 deletions(-) (limited to 'view') diff --git a/view/es-es/hmessages.po b/view/es-es/hmessages.po index d7a918c55..0c3c85159 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-06-10 00:02-0700\n" -"PO-Revision-Date: 2016-06-10 18:33+0000\n" +"POT-Creation-Date: 2016-07-22 00:02-0700\n" +"PO-Revision-Date: 2016-07-29 07:05+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" @@ -23,11 +23,156 @@ msgstr "" "Language: es_ES\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: ../../Zotlabs/Access/PermissionRoles.php:182 +#: ../../include/permissions.php:904 +msgid "Social Networking" +msgstr "Redes sociales" + +#: ../../Zotlabs/Access/PermissionRoles.php:183 +#: ../../include/permissions.php:904 +msgid "Social - Mostly Public" +msgstr "Social - Público en su mayor parte" + +#: ../../Zotlabs/Access/PermissionRoles.php:184 +#: ../../include/permissions.php:904 +msgid "Social - Restricted" +msgstr "Social - Restringido" + +#: ../../Zotlabs/Access/PermissionRoles.php:185 +#: ../../include/permissions.php:904 +msgid "Social - Private" +msgstr "Social - Privado" + +#: ../../Zotlabs/Access/PermissionRoles.php:188 +#: ../../include/permissions.php:905 +msgid "Community Forum" +msgstr "Foro de discusión" + +#: ../../Zotlabs/Access/PermissionRoles.php:189 +#: ../../include/permissions.php:905 +msgid "Forum - Mostly Public" +msgstr "Foro - Público en su mayor parte" + +#: ../../Zotlabs/Access/PermissionRoles.php:190 +#: ../../include/permissions.php:905 +msgid "Forum - Restricted" +msgstr "Foro - Restringido" + +#: ../../Zotlabs/Access/PermissionRoles.php:191 +#: ../../include/permissions.php:905 +msgid "Forum - Private" +msgstr "Foro - Privado" + +#: ../../Zotlabs/Access/PermissionRoles.php:194 +#: ../../include/permissions.php:906 +msgid "Feed Republish" +msgstr "Republicar un \"feed\"" + +#: ../../Zotlabs/Access/PermissionRoles.php:195 +#: ../../include/permissions.php:906 +msgid "Feed - Mostly Public" +msgstr "Feed - Público en su mayor parte" + +#: ../../Zotlabs/Access/PermissionRoles.php:196 +#: ../../include/permissions.php:906 +msgid "Feed - Restricted" +msgstr "Feed - Restringido" + +#: ../../Zotlabs/Access/PermissionRoles.php:199 +#: ../../include/permissions.php:907 +msgid "Special Purpose" +msgstr "Propósito especial" + +#: ../../Zotlabs/Access/PermissionRoles.php:200 +#: ../../include/permissions.php:907 +msgid "Special - Celebrity/Soapbox" +msgstr "Especial - Celebridad / Tribuna improvisada" + +#: ../../Zotlabs/Access/PermissionRoles.php:201 +#: ../../include/permissions.php:907 +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 +msgid "Other" +msgstr "Otro" + +#: ../../Zotlabs/Access/PermissionRoles.php:205 +#: ../../include/permissions.php:908 +msgid "Custom/Expert Mode" +msgstr "Modo personalizado/experto" + +#: ../../Zotlabs/Access/Permissions.php:30 +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 +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 +msgid "Can view my default channel profile" +msgstr "Puede verse mi perfil de canal predeterminado." + +#: ../../Zotlabs/Access/Permissions.php:33 ../../include/permissions.php:28 +msgid "Can view my connections" +msgstr "Pueden verse mis conexiones" + +#: ../../Zotlabs/Access/Permissions.php:34 ../../include/permissions.php:29 +msgid "Can view my file storage and photos" +msgstr "Pueden verse mi repositorio de ficheros y mis fotos" + +#: ../../Zotlabs/Access/Permissions.php:35 +msgid "Can upload/modify my file storage and photos" +msgstr "Se pueden subir / modificar elementos en mi repositorio de ficheros y fotos" + +#: ../../Zotlabs/Access/Permissions.php:36 +msgid "Can view my channel webpages" +msgstr "Pueden verse las páginas personales de mi canal" + +#: ../../Zotlabs/Access/Permissions.php:37 +msgid "Can create/edit my channel webpages" +msgstr "Pueden crearse / modificarse páginas personales en mi canal" + +#: ../../Zotlabs/Access/Permissions.php:38 +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 +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 +msgid "Can send me private mail messages" +msgstr "Se me pueden enviar mensajes privados" + +#: ../../Zotlabs/Access/Permissions.php:41 +msgid "Can like/dislike profiles and profile things" +msgstr "Se puede mostrar agrado o desagrado (Me gusta / No me gusta) en mis perfiles y sus distintos apartados" + +#: ../../Zotlabs/Access/Permissions.php:42 +msgid "Can forward to all my channel connections via @+ mentions in posts" +msgstr "Pueden reenviarse publicaciones a todas las conexiones de mi canal a través de @+ menciones en las entradas" + +#: ../../Zotlabs/Access/Permissions.php:43 +msgid "Can chat with me" +msgstr "Se puede chatear conmigo" + +#: ../../Zotlabs/Access/Permissions.php:44 ../../include/permissions.php:44 +msgid "Can source my public posts in derived channels" +msgstr "Pueden utilizarse mis publicaciones públicas como origen de contenidos en canales derivados" + +#: ../../Zotlabs/Access/Permissions.php:45 +msgid "Can administer my channel" +msgstr "Se puede administrar mi canal" + #: ../../Zotlabs/Storage/Browser.php:107 ../../Zotlabs/Storage/Browser.php:239 msgid "parent" msgstr "padre" -#: ../../Zotlabs/Storage/Browser.php:131 ../../include/text.php:2620 +#: ../../Zotlabs/Storage/Browser.php:131 ../../include/text.php:2605 msgid "Collection" msgstr "Colección" @@ -51,16 +196,17 @@ msgstr "Programar bandeja de entrada" msgid "Schedule Outbox" msgstr "Programar bandeja de salida" -#: ../../Zotlabs/Storage/Browser.php:164 ../../Zotlabs/Module/Photos.php:798 -#: ../../Zotlabs/Module/Photos.php:1243 ../../Zotlabs/Lib/Apps.php:486 -#: ../../Zotlabs/Lib/Apps.php:561 ../../include/widgets.php:1505 -#: ../../include/conversation.php:1032 +#: ../../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/conversation.php:1035 +#: ../../include/widgets.php:1599 msgid "Unknown" msgstr "Desconocido" #: ../../Zotlabs/Storage/Browser.php:226 ../../Zotlabs/Module/Fbrowser.php:85 -#: ../../Zotlabs/Lib/Apps.php:216 ../../include/nav.php:93 -#: ../../include/conversation.php:1639 +#: ../../Zotlabs/Lib/Apps.php:217 ../../include/nav.php:93 +#: ../../include/conversation.php:1654 msgid "Files" msgstr "Ficheros" @@ -73,22 +219,23 @@ msgid "Shared" msgstr "Compartido" #: ../../Zotlabs/Storage/Browser.php:230 ../../Zotlabs/Storage/Browser.php:306 -#: ../../Zotlabs/Module/Blocks.php:156 ../../Zotlabs/Module/Layouts.php:182 -#: ../../Zotlabs/Module/Menu.php:118 ../../Zotlabs/Module/New_channel.php:142 -#: ../../Zotlabs/Module/Webpages.php:186 +#: ../../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 msgid "Create" msgstr "Crear" #: ../../Zotlabs/Storage/Browser.php:231 ../../Zotlabs/Storage/Browser.php:308 #: ../../Zotlabs/Module/Cover_photo.php:357 -#: ../../Zotlabs/Module/Photos.php:825 ../../Zotlabs/Module/Photos.php:1364 -#: ../../Zotlabs/Module/Profile_photo.php:368 ../../include/widgets.php:1518 +#: ../../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 msgid "Upload" msgstr "Subir" #: ../../Zotlabs/Storage/Browser.php:235 ../../Zotlabs/Module/Chat.php:247 -#: ../../Zotlabs/Module/Admin.php:1223 ../../Zotlabs/Module/Settings.php:592 -#: ../../Zotlabs/Module/Settings.php:618 +#: ../../Zotlabs/Module/Admin.php:1223 ../../Zotlabs/Module/Settings.php:646 +#: ../../Zotlabs/Module/Settings.php:672 #: ../../Zotlabs/Module/Sharedwithme.php:99 msgid "Name" msgstr "Nombre" @@ -98,7 +245,7 @@ msgid "Type" msgstr "Tipo" #: ../../Zotlabs/Storage/Browser.php:237 -#: ../../Zotlabs/Module/Sharedwithme.php:101 ../../include/text.php:1344 +#: ../../Zotlabs/Module/Sharedwithme.php:101 ../../include/text.php:1324 msgid "Size" msgstr "Tamaño" @@ -107,34 +254,32 @@ msgstr "Tamaño" msgid "Last Modified" msgstr "Última modificación" -#: ../../Zotlabs/Storage/Browser.php:240 ../../Zotlabs/Module/Blocks.php:157 -#: ../../Zotlabs/Module/Editblock.php:109 +#: ../../Zotlabs/Storage/Browser.php:240 ../../Zotlabs/Module/Editpost.php:84 #: ../../Zotlabs/Module/Connections.php:290 #: ../../Zotlabs/Module/Connections.php:310 -#: ../../Zotlabs/Module/Editpost.php:84 -#: ../../Zotlabs/Module/Editlayout.php:113 -#: ../../Zotlabs/Module/Editwebpage.php:146 -#: ../../Zotlabs/Module/Layouts.php:190 ../../Zotlabs/Module/Menu.php:112 -#: ../../Zotlabs/Module/Admin.php:2113 ../../Zotlabs/Module/Settings.php:652 -#: ../../Zotlabs/Module/Thing.php:260 ../../Zotlabs/Module/Webpages.php:187 -#: ../../Zotlabs/Lib/Apps.php:337 ../../Zotlabs/Lib/ThreadItem.php:106 -#: ../../include/channel.php:937 ../../include/channel.php:941 -#: ../../include/menu.php:108 ../../include/page_widgets.php:8 -#: ../../include/page_widgets.php:36 +#: ../../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 msgid "Edit" msgstr "Editar" -#: ../../Zotlabs/Storage/Browser.php:241 ../../Zotlabs/Module/Blocks.php:159 -#: ../../Zotlabs/Module/Connedit.php:572 -#: ../../Zotlabs/Module/Editblock.php:134 +#: ../../Zotlabs/Storage/Browser.php:241 ../../Zotlabs/Module/Connedit.php:602 #: ../../Zotlabs/Module/Connections.php:263 -#: ../../Zotlabs/Module/Editlayout.php:136 -#: ../../Zotlabs/Module/Editwebpage.php:170 ../../Zotlabs/Module/Group.php:177 -#: ../../Zotlabs/Module/Photos.php:1173 ../../Zotlabs/Module/Admin.php:1039 +#: ../../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/Settings.php:653 ../../Zotlabs/Module/Thing.php:261 -#: ../../Zotlabs/Module/Webpages.php:189 ../../Zotlabs/Lib/Apps.php:338 -#: ../../Zotlabs/Lib/ThreadItem.php:126 ../../include/conversation.php:657 +#: ../../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/Lib/ThreadItem.php:126 ../../include/conversation.php:660 msgid "Delete" msgstr "Eliminar" @@ -160,74 +305,73 @@ msgstr "Crear nueva carpeta" msgid "Upload file" msgstr "Subir fichero" -#: ../../Zotlabs/Web/WebServer.php:120 ../../Zotlabs/Module/Dreport.php:10 -#: ../../Zotlabs/Module/Dreport.php:49 ../../Zotlabs/Module/Group.php:72 -#: ../../Zotlabs/Module/Like.php:284 ../../Zotlabs/Module/Import_items.php:112 +#: ../../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:385 +#: ../../include/items.php:384 msgid "Permission denied" msgstr "Permiso denegado" -#: ../../Zotlabs/Web/WebServer.php:121 ../../Zotlabs/Web/Router.php:65 -#: ../../Zotlabs/Module/Achievements.php:34 ../../Zotlabs/Module/Blocks.php:73 -#: ../../Zotlabs/Module/Blocks.php:80 ../../Zotlabs/Module/Channel.php:105 -#: ../../Zotlabs/Module/Channel.php:226 ../../Zotlabs/Module/Channel.php:267 -#: ../../Zotlabs/Module/Chat.php:100 ../../Zotlabs/Module/Chat.php:105 -#: ../../Zotlabs/Module/Authtest.php:16 ../../Zotlabs/Module/Block.php:26 -#: ../../Zotlabs/Module/Block.php:76 ../../Zotlabs/Module/Bookmarks.php:61 -#: ../../Zotlabs/Module/Connedit.php:366 ../../Zotlabs/Module/Editblock.php:67 -#: ../../Zotlabs/Module/Common.php:39 ../../Zotlabs/Module/Connections.php:33 +#: ../../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/Connections.php:33 #: ../../Zotlabs/Module/Cover_photo.php:277 -#: ../../Zotlabs/Module/Cover_photo.php:290 -#: ../../Zotlabs/Module/Editpost.php:17 ../../Zotlabs/Module/Events.php:265 -#: ../../Zotlabs/Module/Editlayout.php:67 +#: ../../Zotlabs/Module/Cover_photo.php:290 ../../Zotlabs/Module/Chat.php:100 +#: ../../Zotlabs/Module/Chat.php:105 ../../Zotlabs/Module/Editlayout.php:67 #: ../../Zotlabs/Module/Editlayout.php:90 -#: ../../Zotlabs/Module/Editwebpage.php:69 -#: ../../Zotlabs/Module/Editwebpage.php:90 -#: ../../Zotlabs/Module/Editwebpage.php:105 -#: ../../Zotlabs/Module/Editwebpage.php:127 ../../Zotlabs/Module/Group.php:13 -#: ../../Zotlabs/Module/Api.php:13 ../../Zotlabs/Module/Api.php:18 -#: ../../Zotlabs/Module/Filestorage.php:24 -#: ../../Zotlabs/Module/Filestorage.php:79 -#: ../../Zotlabs/Module/Filestorage.php:94 -#: ../../Zotlabs/Module/Filestorage.php:121 ../../Zotlabs/Module/Item.php:210 -#: ../../Zotlabs/Module/Item.php:218 ../../Zotlabs/Module/Item.php:1070 +#: ../../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/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/Id.php:76 -#: ../../Zotlabs/Module/Like.php:181 ../../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/Message.php:18 -#: ../../Zotlabs/Module/Mood.php:116 ../../Zotlabs/Module/Network.php:17 +#: ../../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/New_channel.php:104 -#: ../../Zotlabs/Module/Notifications.php:70 -#: ../../Zotlabs/Module/Photos.php:75 ../../Zotlabs/Module/Page.php:35 -#: ../../Zotlabs/Module/Page.php:90 ../../Zotlabs/Module/Pdledit.php:26 -#: ../../Zotlabs/Module/Poke.php:137 ../../Zotlabs/Module/Profile.php:68 -#: ../../Zotlabs/Module/Profile.php:76 ../../Zotlabs/Module/Profiles.php:203 -#: ../../Zotlabs/Module/Profiles.php:601 -#: ../../Zotlabs/Module/Profile_photo.php:256 -#: ../../Zotlabs/Module/Profile_photo.php:269 -#: ../../Zotlabs/Module/Rate.php:113 ../../Zotlabs/Module/Appman.php:75 -#: ../../Zotlabs/Module/Register.php:77 ../../Zotlabs/Module/Regmod.php:21 +#: ../../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/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/Service_limits.php:11 -#: ../../Zotlabs/Module/Settings.php:572 ../../Zotlabs/Module/Setup.php:215 -#: ../../Zotlabs/Module/Sharedwithme.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/Sources.php:74 ../../Zotlabs/Module/Suggest.php:30 -#: ../../Zotlabs/Module/Thing.php:274 ../../Zotlabs/Module/Thing.php:294 -#: ../../Zotlabs/Module/Thing.php:331 -#: ../../Zotlabs/Module/Viewconnections.php:25 -#: ../../Zotlabs/Module/Viewconnections.php:30 -#: ../../Zotlabs/Module/Viewsrc.php:18 ../../Zotlabs/Module/Webpages.php:74 -#: ../../Zotlabs/Lib/Chatroom.php:137 ../../include/items.php:3438 -#: ../../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:437 ../../include/attach.php:895 -#: ../../include/attach.php:966 ../../include/attach.php:1118 -#: ../../include/photos.php:27 +#: ../../Zotlabs/Module/Webpages.php:73 +#: ../../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 msgid "Permission denied." msgstr "Acceso denegado." @@ -235,9 +379,9 @@ msgstr "Acceso denegado." msgid "Not Found" msgstr "No encontrado" -#: ../../Zotlabs/Web/Router.php:149 ../../Zotlabs/Module/Block.php:79 -#: ../../Zotlabs/Module/Display.php:117 ../../Zotlabs/Module/Help.php:97 -#: ../../Zotlabs/Module/Page.php:93 +#: ../../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 msgid "Page not found." msgstr "Página no encontrada." @@ -253,13 +397,13 @@ msgstr "La autenticación desde su servidor está bloqueada. Ha iniciado sesión 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/Blocks.php:33 -#: ../../Zotlabs/Module/Connect.php:17 ../../Zotlabs/Module/Editblock.php:31 -#: ../../Zotlabs/Module/Editlayout.php:31 -#: ../../Zotlabs/Module/Editwebpage.php:33 -#: ../../Zotlabs/Module/Filestorage.php:60 ../../Zotlabs/Module/Hcard.php:12 -#: ../../Zotlabs/Module/Layouts.php:31 ../../Zotlabs/Module/Profile.php:20 -#: ../../Zotlabs/Module/Webpages.php:34 ../../include/channel.php:837 +#: ../../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/Profile.php:20 ../../Zotlabs/Module/Blocks.php:33 +#: ../../Zotlabs/Module/Editblock.php:31 ../../Zotlabs/Module/Webpages.php:33 +#: ../../include/channel.php:876 msgid "Requested profile is not available." msgstr "El perfil solicitado no está disponible." @@ -267,615 +411,366 @@ msgstr "El perfil solicitado no está disponible." msgid "Some blurb about what to do when you're new here" msgstr "Algunas propuestas para el nuevo usuario sobre qué se puede hacer aquí" -#: ../../Zotlabs/Module/Blocks.php:97 ../../Zotlabs/Module/Blocks.php:152 -#: ../../Zotlabs/Module/Editblock.php:108 -msgid "Block Name" -msgstr "Nombre del bloque" +#: ../../Zotlabs/Module/Chatsvc.php:117 +msgid "Away" +msgstr "Ausente" -#: ../../Zotlabs/Module/Blocks.php:151 ../../include/text.php:2265 -msgid "Blocks" -msgstr "Bloques" +#: ../../Zotlabs/Module/Chatsvc.php:122 +msgid "Online" +msgstr "Conectado/a" -#: ../../Zotlabs/Module/Blocks.php:153 -msgid "Block Title" -msgstr "Título del bloque" +#: ../../Zotlabs/Module/Connedit.php:80 +msgid "Could not access contact record." +msgstr "No se ha podido acceder al registro de contacto." -#: ../../Zotlabs/Module/Blocks.php:154 ../../Zotlabs/Module/Layouts.php:188 -#: ../../Zotlabs/Module/Menu.php:114 ../../Zotlabs/Module/Webpages.php:198 -#: ../../include/page_widgets.php:44 -msgid "Created" -msgstr "Creado" +#: ../../Zotlabs/Module/Connedit.php:104 +msgid "Could not locate selected profile." +msgstr "No se ha podido localizar el perfil seleccionado." -#: ../../Zotlabs/Module/Blocks.php:155 ../../Zotlabs/Module/Layouts.php:189 -#: ../../Zotlabs/Module/Menu.php:115 ../../Zotlabs/Module/Webpages.php:199 -#: ../../include/page_widgets.php:45 -msgid "Edited" -msgstr "Editado" +#: ../../Zotlabs/Module/Connedit.php:248 +msgid "Connection updated." +msgstr "Conexión actualizada." -#: ../../Zotlabs/Module/Blocks.php:158 ../../Zotlabs/Module/Layouts.php:191 -#: ../../Zotlabs/Module/Photos.php:1072 ../../Zotlabs/Module/Webpages.php:188 -#: ../../include/conversation.php:1208 -msgid "Share" -msgstr "Compartir" +#: ../../Zotlabs/Module/Connedit.php:250 +msgid "Failed to update connection record." +msgstr "Error al actualizar el registro de la conexión." -#: ../../Zotlabs/Module/Blocks.php:163 ../../Zotlabs/Module/Layouts.php:195 -#: ../../Zotlabs/Module/Pubsites.php:47 ../../Zotlabs/Module/Webpages.php:193 -#: ../../include/page_widgets.php:39 -msgid "View" -msgstr "Ver" +#: ../../Zotlabs/Module/Connedit.php:300 +msgid "is now connected to" +msgstr "ahora está conectado/a" -#: ../../Zotlabs/Module/Cal.php:62 ../../Zotlabs/Module/Block.php:43 -#: ../../Zotlabs/Module/Page.php:56 ../../Zotlabs/Module/Wall_upload.php:33 -msgid "Channel not found." -msgstr "Canal no encontrado." +#: ../../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/Cal.php:69 -msgid "Permissions denied." -msgstr "Permisos denegados." +#: ../../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/Cal.php:259 ../../Zotlabs/Module/Events.php:588 -msgid "l, F j" -msgstr "l j F" +#: ../../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/Cal.php:308 ../../Zotlabs/Module/Events.php:637 -#: ../../include/text.php:1732 -msgid "Link to Source" -msgstr "Enlazar con la entrada en su ubicación original" +#: ../../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/Cal.php:331 ../../Zotlabs/Module/Events.php:665 -msgid "Edit Event" -msgstr "Editar el evento" +#: ../../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/Cal.php:331 ../../Zotlabs/Module/Events.php:665 -msgid "Create Event" -msgstr "Crear un evento" +#: ../../Zotlabs/Module/Connedit.php:533 +msgid "Connection has been removed." +msgstr "La conexión ha sido eliminada." -#: ../../Zotlabs/Module/Cal.php:332 ../../Zotlabs/Module/Cal.php:339 -#: ../../Zotlabs/Module/Events.php:666 ../../Zotlabs/Module/Events.php:673 -#: ../../Zotlabs/Module/Photos.php:949 -msgid "Previous" -msgstr "Anterior" +#: ../../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/Cal.php:333 ../../Zotlabs/Module/Cal.php:340 -#: ../../Zotlabs/Module/Events.php:667 ../../Zotlabs/Module/Events.php:674 -#: ../../Zotlabs/Module/Photos.php:958 ../../Zotlabs/Module/Setup.php:267 -msgid "Next" -msgstr "Siguiente" +#: ../../Zotlabs/Module/Connedit.php:552 +#, php-format +msgid "View %s's profile" +msgstr "Ver el perfil de %s" -#: ../../Zotlabs/Module/Cal.php:334 ../../Zotlabs/Module/Events.php:668 -#: ../../include/widgets.php:755 -msgid "Export" -msgstr "Exportar" +#: ../../Zotlabs/Module/Connedit.php:556 +msgid "Refresh Permissions" +msgstr "Recargar los permisos" -#: ../../Zotlabs/Module/Cal.php:337 ../../Zotlabs/Module/Events.php:671 -#: ../../include/widgets.php:756 -msgid "Import" -msgstr "Importar" +#: ../../Zotlabs/Module/Connedit.php:559 +msgid "Fetch updated permissions" +msgstr "Obtener los permisos actualizados" -#: ../../Zotlabs/Module/Cal.php:338 ../../Zotlabs/Module/Chat.php:196 -#: ../../Zotlabs/Module/Chat.php:238 ../../Zotlabs/Module/Connect.php:98 -#: ../../Zotlabs/Module/Connedit.php:731 ../../Zotlabs/Module/Events.php:475 -#: ../../Zotlabs/Module/Events.php:672 ../../Zotlabs/Module/Group.php:85 -#: ../../Zotlabs/Module/Filestorage.php:162 -#: ../../Zotlabs/Module/Import.php:550 -#: ../../Zotlabs/Module/Import_items.php:120 -#: ../../Zotlabs/Module/Invite.php:146 ../../Zotlabs/Module/Locs.php:121 -#: ../../Zotlabs/Module/Mail.php:378 ../../Zotlabs/Module/Mood.php:139 -#: ../../Zotlabs/Module/Mitem.php:235 ../../Zotlabs/Module/Photos.php:677 -#: ../../Zotlabs/Module/Photos.php:1052 ../../Zotlabs/Module/Photos.php:1092 -#: ../../Zotlabs/Module/Photos.php:1210 ../../Zotlabs/Module/Pconfig.php:107 -#: ../../Zotlabs/Module/Pdledit.php:66 ../../Zotlabs/Module/Poke.php:186 -#: ../../Zotlabs/Module/Profiles.php:687 ../../Zotlabs/Module/Rate.php:170 -#: ../../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/Appman.php:126 -#: ../../Zotlabs/Module/Settings.php:590 ../../Zotlabs/Module/Settings.php:703 -#: ../../Zotlabs/Module/Settings.php:731 ../../Zotlabs/Module/Settings.php:754 -#: ../../Zotlabs/Module/Settings.php:842 -#: ../../Zotlabs/Module/Settings.php:1034 ../../Zotlabs/Module/Setup.php:312 -#: ../../Zotlabs/Module/Setup.php:353 ../../Zotlabs/Module/Sources.php:114 -#: ../../Zotlabs/Module/Sources.php:149 ../../Zotlabs/Module/Thing.php:316 -#: ../../Zotlabs/Module/Thing.php:362 ../../Zotlabs/Module/Xchan.php:15 -#: ../../Zotlabs/Lib/ThreadItem.php:710 ../../include/widgets.php:757 -#: ../../include/widgets.php:769 ../../include/js_strings.php:22 -#: ../../view/theme/redbasic/php/config.php:99 -msgid "Submit" -msgstr "Enviar" +#: ../../Zotlabs/Module/Connedit.php:563 +msgid "Recent Activity" +msgstr "Actividad reciente" -#: ../../Zotlabs/Module/Cal.php:341 ../../Zotlabs/Module/Events.php:675 -msgid "Today" -msgstr "Hoy" +#: ../../Zotlabs/Module/Connedit.php:566 +msgid "View recent posts and comments" +msgstr "Ver publicaciones y comentarios recientes" -#: ../../Zotlabs/Module/Channel.php:29 ../../Zotlabs/Module/Chat.php:25 -msgid "You must be logged in to see this page." -msgstr "Debe haber iniciado sesión para poder ver esta página." +#: ../../Zotlabs/Module/Connedit.php:570 ../../Zotlabs/Module/Admin.php:1041 +msgid "Unblock" +msgstr "Desbloquear" -#: ../../Zotlabs/Module/Channel.php:41 -msgid "Posts and comments" -msgstr "Publicaciones y comentarios" +#: ../../Zotlabs/Module/Connedit.php:570 ../../Zotlabs/Module/Admin.php:1040 +msgid "Block" +msgstr "Bloquear" -#: ../../Zotlabs/Module/Channel.php:42 -msgid "Only posts" -msgstr "Solo publicaciones" +#: ../../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/Channel.php:102 -msgid "Insufficient permissions. Request redirected to profile page." -msgstr "Permisos insuficientes. Petición redirigida a la página del perfil." +#: ../../Zotlabs/Module/Connedit.php:574 +msgid "This connection is blocked!" +msgstr "¡Esta conexión está bloqueada!" -#: ../../Zotlabs/Module/Chat.php:181 -msgid "Room not found" -msgstr "Sala no encontrada" +#: ../../Zotlabs/Module/Connedit.php:578 +msgid "Unignore" +msgstr "Dejar de ignorar" -#: ../../Zotlabs/Module/Chat.php:197 -msgid "Leave Room" -msgstr "Abandonar la sala" +#: ../../Zotlabs/Module/Connedit.php:578 +#: ../../Zotlabs/Module/Connections.php:277 +#: ../../Zotlabs/Module/Notifications.php:55 +msgid "Ignore" +msgstr "Ignorar" -#: ../../Zotlabs/Module/Chat.php:198 -msgid "Delete Room" -msgstr "Eliminar esta sala" +#: ../../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/Chat.php:199 -msgid "I am away right now" -msgstr "Estoy ausente momentáneamente" +#: ../../Zotlabs/Module/Connedit.php:582 +msgid "This connection is ignored!" +msgstr "¡Esta conexión es ignorada!" -#: ../../Zotlabs/Module/Chat.php:200 -msgid "I am online" -msgstr "Estoy conectado/a" +#: ../../Zotlabs/Module/Connedit.php:586 +msgid "Unarchive" +msgstr "Desarchivar" -#: ../../Zotlabs/Module/Chat.php:202 -msgid "Bookmark this room" -msgstr "Añadir esta sala a Marcadores" +#: ../../Zotlabs/Module/Connedit.php:586 +msgid "Archive" +msgstr "Archivar" -#: ../../Zotlabs/Module/Chat.php:205 ../../Zotlabs/Module/Mail.php:205 -#: ../../Zotlabs/Module/Mail.php:314 ../../include/conversation.php:1176 -msgid "Please enter a link URL:" -msgstr "Por favor, introduzca la dirección del enlace:" +#: ../../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/Chat.php:206 ../../Zotlabs/Module/Mail.php:258 -#: ../../Zotlabs/Module/Mail.php:383 ../../Zotlabs/Lib/ThreadItem.php:722 -#: ../../include/conversation.php:1256 -msgid "Encrypt text" -msgstr "Cifrar texto" +#: ../../Zotlabs/Module/Connedit.php:590 +msgid "This connection is archived!" +msgstr "¡Esta conexión esta archivada!" -#: ../../Zotlabs/Module/Chat.php:207 ../../Zotlabs/Module/Editblock.php:111 -#: ../../Zotlabs/Module/Editwebpage.php:147 ../../Zotlabs/Module/Mail.php:252 -#: ../../Zotlabs/Module/Mail.php:377 ../../include/conversation.php:1143 -msgid "Insert web link" -msgstr "Insertar enlace web" +#: ../../Zotlabs/Module/Connedit.php:594 +msgid "Unhide" +msgstr "Mostrar" -#: ../../Zotlabs/Module/Chat.php:218 -msgid "Feature disabled." -msgstr "Funcionalidad deshabilitada." +#: ../../Zotlabs/Module/Connedit.php:594 +msgid "Hide" +msgstr "Ocultar" -#: ../../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:153 -#: ../../Zotlabs/Module/Photos.php:671 ../../Zotlabs/Module/Photos.php:1045 -#: ../../Zotlabs/Module/Thing.php:313 ../../Zotlabs/Module/Thing.php:359 -#: ../../include/acl_selectors.php:283 -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/Manage.php:143 -#: ../../Zotlabs/Module/Profiles.php:778 -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/Chatsvc.php:117 -msgid "Away" -msgstr "Ausente" - -#: ../../Zotlabs/Module/Chatsvc.php:122 -msgid "Online" -msgstr "Conectado/a" - -#: ../../Zotlabs/Module/Block.php:31 ../../Zotlabs/Module/Page.php:40 -msgid "Invalid item." -msgstr "Elemento no válido." - -#: ../../Zotlabs/Module/Bookmarks.php:53 -msgid "Bookmark added" -msgstr "Marcador añadido" - -#: ../../Zotlabs/Module/Bookmarks.php:75 -msgid "My Bookmarks" -msgstr "Mis marcadores" - -#: ../../Zotlabs/Module/Bookmarks.php:86 -msgid "My Connections Bookmarks" -msgstr "Marcadores de mis conexiones" - -#: ../../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/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:227 -msgid "Connection updated." -msgstr "Conexión actualizada." - -#: ../../Zotlabs/Module/Connedit.php:229 -msgid "Failed to update connection record." -msgstr "Error al actualizar el registro de la conexión." - -#: ../../Zotlabs/Module/Connedit.php:276 -msgid "is now connected to" -msgstr "ahora está conectado/a" - -#: ../../Zotlabs/Module/Connedit.php:379 ../../Zotlabs/Module/Connedit.php:654 -#: ../../Zotlabs/Module/Events.php:459 ../../Zotlabs/Module/Events.php:460 -#: ../../Zotlabs/Module/Events.php:469 ../../Zotlabs/Module/Api.php:89 -#: ../../Zotlabs/Module/Filestorage.php:157 -#: ../../Zotlabs/Module/Filestorage.php:165 ../../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/Photos.php:666 -#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Admin.php:459 -#: ../../Zotlabs/Module/Removeme.php:61 ../../Zotlabs/Module/Settings.php:581 -#: ../../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:1707 -msgid "No" -msgstr "No" - -#: ../../Zotlabs/Module/Connedit.php:379 ../../Zotlabs/Module/Events.php:459 -#: ../../Zotlabs/Module/Events.php:460 ../../Zotlabs/Module/Events.php:469 -#: ../../Zotlabs/Module/Api.php:88 ../../Zotlabs/Module/Filestorage.php:157 -#: ../../Zotlabs/Module/Filestorage.php:165 ../../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/Photos.php:666 -#: ../../Zotlabs/Module/Profiles.php:647 ../../Zotlabs/Module/Admin.php:461 -#: ../../Zotlabs/Module/Removeme.php:61 ../../Zotlabs/Module/Settings.php:581 -#: ../../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:1707 -msgid "Yes" -msgstr "Sí" - -#: ../../Zotlabs/Module/Connedit.php:411 -msgid "Could not access address book record." -msgstr "No se pudo acceder al registro en su libreta de direcciones." - -#: ../../Zotlabs/Module/Connedit.php:425 -msgid "Refresh failed - channel is currently unavailable." -msgstr "Recarga fallida - no se puede encontrar el canal en este momento." - -#: ../../Zotlabs/Module/Connedit.php:440 ../../Zotlabs/Module/Connedit.php:449 -#: ../../Zotlabs/Module/Connedit.php:458 ../../Zotlabs/Module/Connedit.php:467 -#: ../../Zotlabs/Module/Connedit.php:480 -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:503 -msgid "Connection has been removed." -msgstr "La conexión ha sido eliminada." - -#: ../../Zotlabs/Module/Connedit.php:519 ../../Zotlabs/Lib/Apps.php:219 -#: ../../include/nav.php:86 ../../include/conversation.php:954 -msgid "View Profile" -msgstr "Ver el perfil" - -#: ../../Zotlabs/Module/Connedit.php:522 -#, php-format -msgid "View %s's profile" -msgstr "Ver el perfil de %s" - -#: ../../Zotlabs/Module/Connedit.php:526 -msgid "Refresh Permissions" -msgstr "Recargar los permisos" - -#: ../../Zotlabs/Module/Connedit.php:529 -msgid "Fetch updated permissions" -msgstr "Obtener los permisos actualizados" - -#: ../../Zotlabs/Module/Connedit.php:533 -msgid "Recent Activity" -msgstr "Actividad reciente" - -#: ../../Zotlabs/Module/Connedit.php:536 -msgid "View recent posts and comments" -msgstr "Ver publicaciones y comentarios recientes" - -#: ../../Zotlabs/Module/Connedit.php:540 ../../Zotlabs/Module/Admin.php:1041 -msgid "Unblock" -msgstr "Desbloquear" - -#: ../../Zotlabs/Module/Connedit.php:540 ../../Zotlabs/Module/Admin.php:1040 -msgid "Block" -msgstr "Bloquear" - -#: ../../Zotlabs/Module/Connedit.php:543 -msgid "Block (or Unblock) all communications with this connection" -msgstr "Bloquear (o desbloquear) todas las comunicaciones con esta conexión" - -#: ../../Zotlabs/Module/Connedit.php:544 -msgid "This connection is blocked!" -msgstr "¡Esta conexión está bloqueada!" - -#: ../../Zotlabs/Module/Connedit.php:548 -msgid "Unignore" -msgstr "Dejar de ignorar" - -#: ../../Zotlabs/Module/Connedit.php:548 -#: ../../Zotlabs/Module/Connections.php:277 -#: ../../Zotlabs/Module/Notifications.php:55 -msgid "Ignore" -msgstr "Ignorar" - -#: ../../Zotlabs/Module/Connedit.php:551 -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:552 -msgid "This connection is ignored!" -msgstr "¡Esta conexión es ignorada!" - -#: ../../Zotlabs/Module/Connedit.php:556 -msgid "Unarchive" -msgstr "Desarchivar" - -#: ../../Zotlabs/Module/Connedit.php:556 -msgid "Archive" -msgstr "Archivar" - -#: ../../Zotlabs/Module/Connedit.php:559 -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:560 -msgid "This connection is archived!" -msgstr "¡Esta conexión esta archivada!" - -#: ../../Zotlabs/Module/Connedit.php:564 -msgid "Unhide" -msgstr "Mostrar" - -#: ../../Zotlabs/Module/Connedit.php:564 -msgid "Hide" -msgstr "Ocultar" - -#: ../../Zotlabs/Module/Connedit.php:567 +#: ../../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:568 +#: ../../Zotlabs/Module/Connedit.php:598 msgid "This connection is hidden!" msgstr "¡Esta conexión está oculta!" -#: ../../Zotlabs/Module/Connedit.php:575 +#: ../../Zotlabs/Module/Connedit.php:605 msgid "Delete this connection" msgstr "Eliminar esta conexión" -#: ../../Zotlabs/Module/Connedit.php:590 ../../include/widgets.php:493 +#: ../../Zotlabs/Module/Connedit.php:620 ../../include/widgets.php:493 msgid "Me" msgstr "Yo" -#: ../../Zotlabs/Module/Connedit.php:591 ../../include/widgets.php:494 +#: ../../Zotlabs/Module/Connedit.php:621 ../../include/widgets.php:494 msgid "Family" msgstr "Familia" -#: ../../Zotlabs/Module/Connedit.php:592 ../../Zotlabs/Module/Settings.php:342 -#: ../../Zotlabs/Module/Settings.php:346 ../../Zotlabs/Module/Settings.php:347 -#: ../../Zotlabs/Module/Settings.php:350 ../../Zotlabs/Module/Settings.php:361 -#: ../../include/widgets.php:495 ../../include/selectors.php:123 -#: ../../include/channel.php:389 ../../include/channel.php:390 -#: ../../include/channel.php:397 +#: ../../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:593 ../../include/widgets.php:496 +#: ../../Zotlabs/Module/Connedit.php:623 ../../include/widgets.php:496 msgid "Acquaintances" msgstr "Conocidos/as" -#: ../../Zotlabs/Module/Connedit.php:594 +#: ../../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:654 +#: ../../Zotlabs/Module/Connedit.php:685 msgid "Approve this connection" msgstr "Aprobar esta conexión" -#: ../../Zotlabs/Module/Connedit.php:654 +#: ../../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:659 +#: ../../Zotlabs/Module/Connedit.php:690 msgid "Set Affinity" msgstr "Ajustar la afinidad" -#: ../../Zotlabs/Module/Connedit.php:662 +#: ../../Zotlabs/Module/Connedit.php:693 msgid "Set Profile" msgstr "Ajustar el perfil" -#: ../../Zotlabs/Module/Connedit.php:665 +#: ../../Zotlabs/Module/Connedit.php:696 msgid "Set Affinity & Profile" msgstr "Ajustar la afinidad y el perfil" -#: ../../Zotlabs/Module/Connedit.php:698 +#: ../../Zotlabs/Module/Connedit.php:745 msgid "none" msgstr "-" -#: ../../Zotlabs/Module/Connedit.php:702 ../../include/widgets.php:614 +#: ../../Zotlabs/Module/Connedit.php:749 ../../include/widgets.php:623 msgid "Connection Default Permissions" msgstr "Permisos predeterminados de conexión" -#: ../../Zotlabs/Module/Connedit.php:702 ../../include/items.php:3926 +#: ../../Zotlabs/Module/Connedit.php:749 ../../include/items.php:3935 #, php-format msgid "Connection: %s" msgstr "Conexión: %s" -#: ../../Zotlabs/Module/Connedit.php:703 +#: ../../Zotlabs/Module/Connedit.php:750 msgid "Apply these permissions automatically" msgstr "Aplicar estos permisos automaticamente" -#: ../../Zotlabs/Module/Connedit.php:703 +#: ../../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:705 +#: ../../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:706 +#: ../../Zotlabs/Module/Connedit.php:753 msgid "Available locations:" msgstr "Ubicaciones disponibles:" -#: ../../Zotlabs/Module/Connedit.php:710 +#: ../../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:711 +#: ../../Zotlabs/Module/Connedit.php:758 msgid "Connection Tools" msgstr "Gestión de las conexiones" -#: ../../Zotlabs/Module/Connedit.php:713 +#: ../../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:714 ../../Zotlabs/Module/Rate.php:159 +#: ../../Zotlabs/Module/Connedit.php:761 ../../Zotlabs/Module/Rate.php:159 #: ../../include/js_strings.php:20 msgid "Rating" msgstr "Valoración" -#: ../../Zotlabs/Module/Connedit.php:715 +#: ../../Zotlabs/Module/Connedit.php:762 msgid "Slide to adjust your rating" msgstr "Deslizar para ajustar su valoración" -#: ../../Zotlabs/Module/Connedit.php:716 ../../Zotlabs/Module/Connedit.php:721 +#: ../../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:718 +#: ../../Zotlabs/Module/Connedit.php:765 msgid "Custom Filter" msgstr "Filtro personalizado" -#: ../../Zotlabs/Module/Connedit.php:719 +#: ../../Zotlabs/Module/Connedit.php:766 msgid "Only import posts with this text" msgstr "Importar solo entradas que contengan este texto" -#: ../../Zotlabs/Module/Connedit.php:719 ../../Zotlabs/Module/Connedit.php:720 +#: ../../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:720 +#: ../../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:722 +#: ../../Zotlabs/Module/Connedit.php:769 msgid "This information is public!" msgstr "¡Esta información es pública!" -#: ../../Zotlabs/Module/Connedit.php:727 +#: ../../Zotlabs/Module/Connedit.php:774 msgid "Connection Pending Approval" msgstr "Conexión pendiente de aprobación" -#: ../../Zotlabs/Module/Connedit.php:730 +#: ../../Zotlabs/Module/Connedit.php:777 msgid "inherited" msgstr "heredado" -#: ../../Zotlabs/Module/Connedit.php:732 +#: ../../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/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 +msgid "Submit" +msgstr "Enviar" + +#: ../../Zotlabs/Module/Connedit.php:779 #, 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:734 +#: ../../Zotlabs/Module/Connedit.php:781 msgid "Their Settings" msgstr "Sus ajustes" -#: ../../Zotlabs/Module/Connedit.php:735 +#: ../../Zotlabs/Module/Connedit.php:782 msgid "My Settings" msgstr "Mis ajustes" -#: ../../Zotlabs/Module/Connedit.php:737 +#: ../../Zotlabs/Module/Connedit.php:784 msgid "Individual Permissions" msgstr "Permisos individuales" -#: ../../Zotlabs/Module/Connedit.php:738 +#: ../../Zotlabs/Module/Connedit.php:785 msgid "" "Some permissions may be inherited from your channel's privacy settings, which have higher " @@ -883,7 +778,7 @@ msgid "" " 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:739 +#: ../../Zotlabs/Module/Connedit.php:786 msgid "" "Some permissions may be inherited from your channel's privacy settings, which have higher " @@ -891,62 +786,166 @@ msgid "" "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:740 +#: ../../Zotlabs/Module/Connedit.php:787 msgid "Last update:" msgstr "Última actualización:" -#: ../../Zotlabs/Module/Directory.php:63 ../../Zotlabs/Module/Display.php:17 -#: ../../Zotlabs/Module/Photos.php:522 ../../Zotlabs/Module/Ratings.php:86 +#: ../../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:20 +#: ../../Zotlabs/Module/Viewconnections.php:23 msgid "Public access denied." msgstr "Acceso público denegado." -#: ../../Zotlabs/Module/Directory.php:243 -#, php-format -msgid "%d rating" -msgid_plural "%d ratings" -msgstr[0] "%d valoración" -msgstr[1] "%d valoraciones" - -#: ../../Zotlabs/Module/Directory.php:254 -msgid "Gender: " -msgstr "Género:" +#: ../../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/Directory.php:256 -msgid "Status: " -msgstr "Estado:" +#: ../../Zotlabs/Module/Id.php:13 +msgid "First Name" +msgstr "Nombre" -#: ../../Zotlabs/Module/Directory.php:258 -msgid "Homepage: " -msgstr "Página personal:" +#: ../../Zotlabs/Module/Id.php:14 +msgid "Last Name" +msgstr "Apellido" -#: ../../Zotlabs/Module/Directory.php:306 ../../include/channel.php:1183 -msgid "Age:" -msgstr "Edad:" +#: ../../Zotlabs/Module/Id.php:15 +msgid "Nickname" +msgstr "Sobrenombre o Alias" -#: ../../Zotlabs/Module/Directory.php:311 ../../include/event.php:52 -#: ../../include/event.php:84 ../../include/channel.php:1027 -#: ../../include/bb2diaspora.php:507 -msgid "Location:" -msgstr "Ubicación:" +#: ../../Zotlabs/Module/Id.php:16 +msgid "Full Name" +msgstr "Nombre completo" -#: ../../Zotlabs/Module/Directory.php:317 -msgid "Description:" +#: ../../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" +msgid_plural "%d ratings" +msgstr[0] "%d valoración" +msgstr[1] "%d valoraciones" + +#: ../../Zotlabs/Module/Directory.php:254 +msgid "Gender: " +msgstr "Género:" + +#: ../../Zotlabs/Module/Directory.php:256 +msgid "Status: " +msgstr "Estado:" + +#: ../../Zotlabs/Module/Directory.php:258 +msgid "Homepage: " +msgstr "Página personal:" + +#: ../../Zotlabs/Module/Directory.php:306 ../../include/channel.php:1223 +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 +msgid "Location:" +msgstr "Ubicación:" + +#: ../../Zotlabs/Module/Directory.php:317 +msgid "Description:" msgstr "Descripción:" -#: ../../Zotlabs/Module/Directory.php:322 ../../include/channel.php:1199 +#: ../../Zotlabs/Module/Directory.php:322 ../../include/channel.php:1239 msgid "Hometown:" msgstr "Lugar de nacimiento:" -#: ../../Zotlabs/Module/Directory.php:324 ../../include/channel.php:1207 +#: ../../Zotlabs/Module/Directory.php:324 ../../include/channel.php:1247 msgid "About:" msgstr "Sobre mí:" #: ../../Zotlabs/Module/Directory.php:325 ../../Zotlabs/Module/Match.php:68 -#: ../../Zotlabs/Module/Suggest.php:56 ../../include/widgets.php:147 -#: ../../include/widgets.php:184 ../../include/connections.php:78 -#: ../../include/conversation.php:956 ../../include/channel.php:1012 +#: ../../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 msgid "Connect" msgstr "Conectar" @@ -1022,117 +1021,401 @@ 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/Display.php:40 ../../Zotlabs/Module/Filestorage.php:33 -#: ../../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:3359 -msgid "Item not found." -msgstr "Elemento no encontrado." +#: ../../Zotlabs/Module/Connect.php:61 ../../Zotlabs/Module/Connect.php:109 +msgid "Continue" +msgstr "Continuar" -#: ../../Zotlabs/Module/Editblock.php:79 ../../Zotlabs/Module/Editblock.php:95 -#: ../../Zotlabs/Module/Editpost.php:24 ../../Zotlabs/Module/Editlayout.php:79 -#: ../../Zotlabs/Module/Editwebpage.php:81 -msgid "Item not found" -msgstr "Elemento no encontrado" +#: ../../Zotlabs/Module/Connect.php:90 +msgid "Premium Channel Setup" +msgstr "Configuración del canal premium" -#: ../../Zotlabs/Module/Editblock.php:124 ../../include/conversation.php:1228 -msgid "Title (optional)" -msgstr "Título (opcional)" +#: ../../Zotlabs/Module/Connect.php:92 +msgid "Enable premium channel connection restrictions" +msgstr "Habilitar restricciones de conexión del canal premium" -#: ../../Zotlabs/Module/Editblock.php:133 -msgid "Edit Block" -msgstr "Modificar este bloque" +#: ../../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/Common.php:14 -msgid "No channel." -msgstr "Ningún canal." +#: ../../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/Common.php:43 -msgid "Common connections" -msgstr "Conexiones comunes" +#: ../../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/Common.php:48 -msgid "No connections in common." -msgstr "Ninguna conexión en común." +#: ../../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/Connections.php:56 -#: ../../Zotlabs/Module/Connections.php:161 -#: ../../Zotlabs/Module/Connections.php:242 -msgid "Blocked" -msgstr "Bloqueadas" +#: ../../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/Connections.php:61 -#: ../../Zotlabs/Module/Connections.php:168 -#: ../../Zotlabs/Module/Connections.php:241 -msgid "Ignored" -msgstr "Ignoradas" +#: ../../Zotlabs/Module/Connect.php:114 +msgid "Restricted or Premium Channel" +msgstr "Canal premium o restringido" -#: ../../Zotlabs/Module/Connections.php:66 -#: ../../Zotlabs/Module/Connections.php:182 -#: ../../Zotlabs/Module/Connections.php:240 -msgid "Hidden" -msgstr "Ocultas" +#: ../../Zotlabs/Module/Events.php:25 +msgid "Calendar entries imported." +msgstr "Entradas de calendario importadas." -#: ../../Zotlabs/Module/Connections.php:71 -#: ../../Zotlabs/Module/Connections.php:175 -#: ../../Zotlabs/Module/Connections.php:239 -msgid "Archived" -msgstr "Archivadas" +#: ../../Zotlabs/Module/Events.php:27 +msgid "No calendar entries found." +msgstr "No se han encontrado entradas de calendario." -#: ../../Zotlabs/Module/Connections.php:76 -#: ../../Zotlabs/Module/Connections.php:86 ../../Zotlabs/Module/Menu.php:116 -#: ../../include/conversation.php:1535 -msgid "New" -msgstr "Nuevas" +#: ../../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/Connections.php:138 -msgid "New Connections" -msgstr "Nuevas conexiones" +#: ../../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/Connections.php:141 -msgid "Show pending (new) connections" -msgstr "Mostrar conexiones (nuevas) pendientes" +#: ../../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/Connections.php:145 -#: ../../Zotlabs/Module/Profperm.php:144 -msgid "All Connections" -msgstr "Todas las conexiones" +#: ../../Zotlabs/Module/Events.php:133 ../../Zotlabs/Module/Events.php:258 +msgid "Event not found." +msgstr "Evento no encontrado." -#: ../../Zotlabs/Module/Connections.php:148 -msgid "Show all connections" -msgstr "Mostrar todas las conexiones" +#: ../../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/Connections.php:164 -msgid "Only show blocked connections" -msgstr "Mostrar solo las conexiones bloqueadas" +#: ../../Zotlabs/Module/Events.php:448 +msgid "Edit event title" +msgstr "Editar el título del evento" -#: ../../Zotlabs/Module/Connections.php:171 -msgid "Only show ignored connections" -msgstr "Mostrar solo conexiones ignoradas" +#: ../../Zotlabs/Module/Events.php:448 +msgid "Event title" +msgstr "Título del evento" -#: ../../Zotlabs/Module/Connections.php:178 -msgid "Only show archived connections" -msgstr "Mostrar solo las conexiones archivadas" +#: ../../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/Connections.php:185 -msgid "Only show hidden connections" -msgstr "Mostrar solo las conexiones ocultas" +#: ../../Zotlabs/Module/Events.php:450 +msgid "Categories (comma-separated list)" +msgstr "Categorías (lista separada por comas)" -#: ../../Zotlabs/Module/Connections.php:238 -msgid "Pending approval" -msgstr "Pendiente de aprobación" +#: ../../Zotlabs/Module/Events.php:451 +msgid "Edit Category" +msgstr "Editar la categoría" -#: ../../Zotlabs/Module/Connections.php:254 -#, php-format -msgid "%1$s [%2$s]" -msgstr "%1$s [%2$s]" +#: ../../Zotlabs/Module/Events.php:451 +msgid "Category" +msgstr "Categoría" -#: ../../Zotlabs/Module/Connections.php:255 -msgid "Edit connection" -msgstr "Editar conexión" +#: ../../Zotlabs/Module/Events.php:454 +msgid "Edit start date and time" +msgstr "Modificar la fecha y hora de comienzo" -#: ../../Zotlabs/Module/Connections.php:256 -msgid "Delete connection" +#: ../../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/Bookmarks.php:53 +msgid "Bookmark added" +msgstr "Marcador añadido" + +#: ../../Zotlabs/Module/Bookmarks.php:75 +msgid "My Bookmarks" +msgstr "Mis marcadores" + +#: ../../Zotlabs/Module/Bookmarks.php:86 +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/Editpost.php:35 +msgid "Item is not editable" +msgstr "El elemento no es editable" + +#: ../../Zotlabs/Module/Editpost.php:106 ../../Zotlabs/Module/Rpost.php:134 +msgid "Edit post" +msgstr "Editar la entrada" + +#: ../../Zotlabs/Module/Fbrowser.php:29 ../../Zotlabs/Lib/Apps.php:222 +#: ../../include/nav.php:92 ../../include/conversation.php:1647 +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 +msgid "Channel not found." +msgstr "Canal no encontrado." + +#: ../../Zotlabs/Module/Page.php:131 +msgid "" +"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." +msgstr "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." + +#: ../../Zotlabs/Module/Filer.php:52 +msgid "Save to Folder:" +msgstr "Guardar en carpeta:" + +#: ../../Zotlabs/Module/Filer.php:52 +msgid "- select -" +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 +msgid "Save" +msgstr "Guardar" + +#: ../../Zotlabs/Module/Connections.php:56 +#: ../../Zotlabs/Module/Connections.php:161 +#: ../../Zotlabs/Module/Connections.php:242 +msgid "Blocked" +msgstr "Bloqueadas" + +#: ../../Zotlabs/Module/Connections.php:61 +#: ../../Zotlabs/Module/Connections.php:168 +#: ../../Zotlabs/Module/Connections.php:241 +msgid "Ignored" +msgstr "Ignoradas" + +#: ../../Zotlabs/Module/Connections.php:66 +#: ../../Zotlabs/Module/Connections.php:182 +#: ../../Zotlabs/Module/Connections.php:240 +msgid "Hidden" +msgstr "Ocultas" + +#: ../../Zotlabs/Module/Connections.php:71 +#: ../../Zotlabs/Module/Connections.php:175 +#: ../../Zotlabs/Module/Connections.php:239 +msgid "Archived" +msgstr "Archivadas" + +#: ../../Zotlabs/Module/Connections.php:76 +#: ../../Zotlabs/Module/Connections.php:86 ../../Zotlabs/Module/Menu.php:116 +#: ../../include/conversation.php:1550 +msgid "New" +msgstr "Nuevas" + +#: ../../Zotlabs/Module/Connections.php:138 +msgid "New Connections" +msgstr "Nuevas conexiones" + +#: ../../Zotlabs/Module/Connections.php:141 +msgid "Show pending (new) connections" +msgstr "Mostrar conexiones (nuevas) pendientes" + +#: ../../Zotlabs/Module/Connections.php:145 +#: ../../Zotlabs/Module/Profperm.php:144 +msgid "All Connections" +msgstr "Todas las conexiones" + +#: ../../Zotlabs/Module/Connections.php:148 +msgid "Show all connections" +msgstr "Mostrar todas las conexiones" + +#: ../../Zotlabs/Module/Connections.php:164 +msgid "Only show blocked connections" +msgstr "Mostrar solo las conexiones bloqueadas" + +#: ../../Zotlabs/Module/Connections.php:171 +msgid "Only show ignored connections" +msgstr "Mostrar solo conexiones ignoradas" + +#: ../../Zotlabs/Module/Connections.php:178 +msgid "Only show archived connections" +msgstr "Mostrar solo las conexiones archivadas" + +#: ../../Zotlabs/Module/Connections.php:185 +msgid "Only show hidden connections" +msgstr "Mostrar solo las conexiones ocultas" + +#: ../../Zotlabs/Module/Connections.php:238 +msgid "Pending approval" +msgstr "Pendiente de aprobación" + +#: ../../Zotlabs/Module/Connections.php:254 +#, php-format +msgid "%1$s [%2$s]" +msgstr "%1$s [%2$s]" + +#: ../../Zotlabs/Module/Connections.php:255 +msgid "Edit connection" +msgstr "Editar conexión" + +#: ../../Zotlabs/Module/Connections.php:256 +msgid "Delete connection" msgstr "Eliminar conexión" #: ../../Zotlabs/Module/Connections.php:265 @@ -1168,15 +1451,15 @@ msgstr "Ignorar esta conexión" msgid "Recent activity" msgstr "Actividad reciente" -#: ../../Zotlabs/Module/Connections.php:302 ../../Zotlabs/Lib/Apps.php:208 -#: ../../include/text.php:875 ../../include/nav.php:186 +#: ../../Zotlabs/Module/Connections.php:302 ../../Zotlabs/Lib/Apps.php:209 +#: ../../include/nav.php:188 ../../include/text.php:855 msgid "Connections" msgstr "Conexiones" #: ../../Zotlabs/Module/Connections.php:306 ../../Zotlabs/Module/Search.php:44 -#: ../../Zotlabs/Lib/Apps.php:228 ../../include/text.php:945 -#: ../../include/text.php:957 ../../include/nav.php:165 -#: ../../include/acl_selectors.php:276 +#: ../../Zotlabs/Lib/Apps.php:230 ../../include/nav.php:167 +#: ../../include/text.php:925 ../../include/text.php:937 +#: ../../include/acl_selectors.php:274 msgid "Search" msgstr "Buscar" @@ -1189,7 +1472,7 @@ msgid "Connections search" msgstr "Buscar conexiones" #: ../../Zotlabs/Module/Cover_photo.php:58 -#: ../../Zotlabs/Module/Profile_photo.php:79 +#: ../../Zotlabs/Module/Profile_photo.php:61 msgid "Image uploaded but image cropping failed." msgstr "Imagen actualizada, pero el recorte de la imagen ha fallado. " @@ -1199,66 +1482,66 @@ msgid "Cover Photos" msgstr "Imágenes de portada del perfil" #: ../../Zotlabs/Module/Cover_photo.php:154 -#: ../../Zotlabs/Module/Profile_photo.php:133 +#: ../../Zotlabs/Module/Profile_photo.php:135 msgid "Image resize failed." msgstr "El ajuste del tamaño de la imagen ha fallado." #: ../../Zotlabs/Module/Cover_photo.php:168 -#: ../../Zotlabs/Module/Profile_photo.php:192 ../../include/photos.php:144 +#: ../../Zotlabs/Module/Profile_photo.php:196 ../../include/photos.php:148 msgid "Unable to process image" msgstr "No ha sido posible procesar la imagen" #: ../../Zotlabs/Module/Cover_photo.php:192 -#: ../../Zotlabs/Module/Profile_photo.php:217 +#: ../../Zotlabs/Module/Profile_photo.php:223 msgid "Image upload failed." msgstr "La carga de la imagen ha fallado." #: ../../Zotlabs/Module/Cover_photo.php:210 -#: ../../Zotlabs/Module/Profile_photo.php:236 +#: ../../Zotlabs/Module/Profile_photo.php:242 msgid "Unable to process image." msgstr "No ha sido posible procesar la imagen." -#: ../../Zotlabs/Module/Cover_photo.php:233 ../../include/items.php:4270 +#: ../../Zotlabs/Module/Cover_photo.php:233 ../../include/items.php:4283 msgid "female" msgstr "mujer" -#: ../../Zotlabs/Module/Cover_photo.php:234 ../../include/items.php:4271 +#: ../../Zotlabs/Module/Cover_photo.php:234 ../../include/items.php:4284 #, 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:4272 +#: ../../Zotlabs/Module/Cover_photo.php:235 ../../include/items.php:4285 msgid "male" msgstr "hombre" -#: ../../Zotlabs/Module/Cover_photo.php:236 ../../include/items.php:4273 +#: ../../Zotlabs/Module/Cover_photo.php:236 ../../include/items.php:4286 #, 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:4275 +#: ../../Zotlabs/Module/Cover_photo.php:238 ../../include/items.php:4288 #, 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:1661 +#: ../../Zotlabs/Module/Cover_photo.php:240 ../../include/channel.php:1726 msgid "cover photo" msgstr "Imagen de portada del perfil" #: ../../Zotlabs/Module/Cover_photo.php:303 #: ../../Zotlabs/Module/Cover_photo.php:318 -#: ../../Zotlabs/Module/Profile_photo.php:283 -#: ../../Zotlabs/Module/Profile_photo.php:324 +#: ../../Zotlabs/Module/Profile_photo.php:300 +#: ../../Zotlabs/Module/Profile_photo.php:341 msgid "Photo not available." msgstr "Foto no disponible." #: ../../Zotlabs/Module/Cover_photo.php:354 -#: ../../Zotlabs/Module/Profile_photo.php:365 +#: ../../Zotlabs/Module/Profile_photo.php:387 msgid "Upload File:" msgstr "Subir fichero:" #: ../../Zotlabs/Module/Cover_photo.php:355 -#: ../../Zotlabs/Module/Profile_photo.php:366 +#: ../../Zotlabs/Module/Profile_photo.php:388 msgid "Select a profile:" msgstr "Seleccionar un perfil:" @@ -1267,315 +1550,256 @@ msgid "Upload Cover Photo" msgstr "Subir imagen de portada del perfil" #: ../../Zotlabs/Module/Cover_photo.php:361 -#: ../../Zotlabs/Module/Profile_photo.php:374 -#: ../../Zotlabs/Module/Settings.php:985 +#: ../../Zotlabs/Module/Profile_photo.php:396 +#: ../../Zotlabs/Module/Settings.php:1080 msgid "or" msgstr "o" #: ../../Zotlabs/Module/Cover_photo.php:361 -#: ../../Zotlabs/Module/Profile_photo.php:374 +#: ../../Zotlabs/Module/Profile_photo.php:396 msgid "skip this step" msgstr "Omitir este paso" #: ../../Zotlabs/Module/Cover_photo.php:361 -#: ../../Zotlabs/Module/Profile_photo.php:374 +#: ../../Zotlabs/Module/Profile_photo.php:396 msgid "select a photo from your photo albums" msgstr "Seleccione una foto de sus álbumes de fotos" #: ../../Zotlabs/Module/Cover_photo.php:377 -#: ../../Zotlabs/Module/Profile_photo.php:390 +#: ../../Zotlabs/Module/Profile_photo.php:415 msgid "Crop Image" msgstr "Recortar imagen" #: ../../Zotlabs/Module/Cover_photo.php:378 -#: ../../Zotlabs/Module/Profile_photo.php:391 +#: ../../Zotlabs/Module/Profile_photo.php:416 msgid "Please adjust the image cropping for optimum viewing." msgstr "Por favor ajuste el recorte de la imagen para una visión óptima." #: ../../Zotlabs/Module/Cover_photo.php:380 -#: ../../Zotlabs/Module/Profile_photo.php:393 +#: ../../Zotlabs/Module/Profile_photo.php:418 msgid "Done Editing" msgstr "Edición completada" -#: ../../Zotlabs/Module/Editpost.php:35 -msgid "Item is not editable" -msgstr "El elemento no es editable" - -#: ../../Zotlabs/Module/Editpost.php:106 ../../Zotlabs/Module/Rpost.php:135 -msgid "Edit post" -msgstr "Editar la entrada" +#: ../../Zotlabs/Module/Impel.php:41 ../../include/bbcode.php:192 +msgid "webpage" +msgstr "página web" -#: ../../Zotlabs/Module/Events.php:26 -msgid "Calendar entries imported." -msgstr "Entradas de calendario importadas." +#: ../../Zotlabs/Module/Impel.php:46 ../../include/bbcode.php:198 +msgid "block" +msgstr "bloque" -#: ../../Zotlabs/Module/Events.php:28 -msgid "No calendar entries found." -msgstr "No se han encontrado entradas de calendario." +#: ../../Zotlabs/Module/Impel.php:51 ../../include/bbcode.php:195 +msgid "layout" +msgstr "plantilla" -#: ../../Zotlabs/Module/Events.php:105 -msgid "Event can not end before it has started." -msgstr "Un evento no puede terminar antes de que haya comenzado." +#: ../../Zotlabs/Module/Impel.php:58 ../../include/bbcode.php:201 +msgid "menu" +msgstr "menú" -#: ../../Zotlabs/Module/Events.php:107 ../../Zotlabs/Module/Events.php:116 -#: ../../Zotlabs/Module/Events.php:136 -msgid "Unable to generate preview." -msgstr "No se puede crear la vista previa." - -#: ../../Zotlabs/Module/Events.php:114 -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:134 ../../Zotlabs/Module/Events.php:259 -msgid "Event not found." -msgstr "Evento no encontrado." - -#: ../../Zotlabs/Module/Events.php:254 ../../Zotlabs/Module/Like.php:373 -#: ../../Zotlabs/Module/Tagger.php:51 ../../include/event.php:949 -#: ../../include/text.php:1943 ../../include/conversation.php:123 -msgid "event" -msgstr "evento" - -#: ../../Zotlabs/Module/Events.php:449 -msgid "Edit event title" -msgstr "Editar el título del evento" - -#: ../../Zotlabs/Module/Events.php:449 -msgid "Event title" -msgstr "Título del evento" - -#: ../../Zotlabs/Module/Events.php:449 ../../Zotlabs/Module/Events.php:454 -#: ../../Zotlabs/Module/Profiles.php:709 ../../Zotlabs/Module/Profiles.php:713 -#: ../../Zotlabs/Module/Appman.php:115 ../../Zotlabs/Module/Appman.php:116 -#: ../../include/datetime.php:245 -msgid "Required" -msgstr "Obligatorio" - -#: ../../Zotlabs/Module/Events.php:451 -msgid "Categories (comma-separated list)" -msgstr "Categorías (lista separada por comas)" - -#: ../../Zotlabs/Module/Events.php:452 -msgid "Edit Category" -msgstr "Editar la categoría" - -#: ../../Zotlabs/Module/Events.php:452 -msgid "Category" -msgstr "Categoría" - -#: ../../Zotlabs/Module/Events.php:455 -msgid "Edit start date and time" -msgstr "Modificar la fecha y hora de comienzo" - -#: ../../Zotlabs/Module/Events.php:455 -msgid "Start date and time" -msgstr "Fecha y hora de comienzo" +#: ../../Zotlabs/Module/Impel.php:187 +#, php-format +msgid "%s element installed" +msgstr "%s elemento instalado" -#: ../../Zotlabs/Module/Events.php:456 ../../Zotlabs/Module/Events.php:459 -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/Impel.php:190 +#, php-format +msgid "%s element installation failed" +msgstr "Elemento con instalación fallida: %s" -#: ../../Zotlabs/Module/Events.php:458 -msgid "Edit finish date and time" -msgstr "Modificar la fecha y hora de terminación" +#: ../../Zotlabs/Module/Cal.php:69 +msgid "Permissions denied." +msgstr "Permisos denegados." -#: ../../Zotlabs/Module/Events.php:458 -msgid "Finish date and time" -msgstr "Fecha y hora de terminación" +#: ../../Zotlabs/Module/Cal.php:337 +msgid "Import" +msgstr "Importar" -#: ../../Zotlabs/Module/Events.php:460 ../../Zotlabs/Module/Events.php:461 -msgid "Adjust for viewer timezone" -msgstr "Ajustar para obtener el visor de los husos horarios" +#: ../../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/Events.php:460 -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/Dirsearch.php:33 +msgid "This directory server requires an access token" +msgstr "El servidor de este directorio necesita un \"token\" de acceso" -#: ../../Zotlabs/Module/Events.php:462 -msgid "Edit Description" -msgstr "Editar la descripción" +#: ../../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/Events.php:462 ../../Zotlabs/Module/Appman.php:117 -#: ../../Zotlabs/Module/Rbmark.php:101 -msgid "Description" -msgstr "Descripción" +#: ../../Zotlabs/Module/Chat.php:181 +msgid "Room not found" +msgstr "Sala no encontrada" -#: ../../Zotlabs/Module/Events.php:464 -msgid "Edit Location" -msgstr "Modificar la dirección" +#: ../../Zotlabs/Module/Chat.php:197 +msgid "Leave Room" +msgstr "Abandonar la sala" -#: ../../Zotlabs/Module/Events.php:464 ../../Zotlabs/Module/Locs.php:117 -#: ../../Zotlabs/Module/Profiles.php:477 ../../Zotlabs/Module/Profiles.php:698 -#: ../../Zotlabs/Module/Pubsites.php:41 ../../include/js_strings.php:25 -msgid "Location" -msgstr "Ubicación" +#: ../../Zotlabs/Module/Chat.php:198 +msgid "Delete Room" +msgstr "Eliminar esta sala" -#: ../../Zotlabs/Module/Events.php:467 ../../Zotlabs/Module/Events.php:469 -msgid "Share this event" -msgstr "Compartir este evento" +#: ../../Zotlabs/Module/Chat.php:199 +msgid "I am away right now" +msgstr "Estoy ausente momentáneamente" -#: ../../Zotlabs/Module/Events.php:470 ../../Zotlabs/Module/Photos.php:1093 -#: ../../Zotlabs/Module/Webpages.php:194 ../../Zotlabs/Lib/ThreadItem.php:719 -#: ../../include/conversation.php:1187 ../../include/page_widgets.php:40 -msgid "Preview" -msgstr "Previsualizar" +#: ../../Zotlabs/Module/Chat.php:200 +msgid "I am online" +msgstr "Estoy conectado/a" -#: ../../Zotlabs/Module/Events.php:471 ../../include/conversation.php:1232 -msgid "Permission settings" -msgstr "Configuración de permisos" +#: ../../Zotlabs/Module/Chat.php:202 +msgid "Bookmark this room" +msgstr "Añadir esta sala a Marcadores" -#: ../../Zotlabs/Module/Events.php:476 -msgid "Advanced Options" -msgstr "Opciones avanzadas" +#: ../../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/Events.php:610 -msgid "Edit event" -msgstr "Editar evento" +#: ../../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/Events.php:612 -msgid "Delete event" -msgstr "Borrar evento" +#: ../../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/Events.php:646 -msgid "calendar" -msgstr "calendario" +#: ../../Zotlabs/Module/Chat.php:218 +msgid "Feature disabled." +msgstr "Funcionalidad deshabilitada." -#: ../../Zotlabs/Module/Events.php:706 -msgid "Event removed" -msgstr "Evento borrado" +#: ../../Zotlabs/Module/Chat.php:232 +msgid "New Chatroom" +msgstr "Nueva sala de chat" -#: ../../Zotlabs/Module/Events.php:709 -msgid "Failed to remove event" -msgstr "Error al eliminar el evento" +#: ../../Zotlabs/Module/Chat.php:233 +msgid "Chatroom name" +msgstr "Nombre de la sala de chat" -#: ../../Zotlabs/Module/Fbrowser.php:29 ../../Zotlabs/Lib/Apps.php:220 -#: ../../include/nav.php:92 ../../include/conversation.php:1632 -msgid "Photos" -msgstr "Fotos" +#: ../../Zotlabs/Module/Chat.php:234 +msgid "Expiration of chats (minutes)" +msgstr "Caducidad de los mensajes en los chats (en minutos)" -#: ../../Zotlabs/Module/Fbrowser.php:66 ../../Zotlabs/Module/Fbrowser.php:88 -#: ../../Zotlabs/Module/Admin.php:1406 ../../Zotlabs/Module/Settings.php:591 -#: ../../Zotlabs/Module/Settings.php:617 ../../Zotlabs/Module/Tagrm.php:15 -#: ../../Zotlabs/Module/Tagrm.php:138 ../../include/conversation.php:1259 -msgid "Cancel" -msgstr "Cancelar" +#: ../../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/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/Chat.php:246 +#, php-format +msgid "%1$s's Chatrooms" +msgstr "Salas de chat de %1$s" -#: ../../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:251 +msgid "No chatrooms available" +msgstr "No hay salas de chat disponibles" -#: ../../Zotlabs/Module/Filer.php:52 -msgid "Save to Folder:" -msgstr "Guardar en carpeta:" +#: ../../Zotlabs/Module/Chat.php:252 ../../Zotlabs/Module/Profiles.php:778 +#: ../../Zotlabs/Module/Manage.php:143 +msgid "Create New" +msgstr "Crear" -#: ../../Zotlabs/Module/Filer.php:52 -msgid "- select -" -msgstr "- seleccionar -" +#: ../../Zotlabs/Module/Chat.php:255 +msgid "Expiration" +msgstr "Caducidad" -#: ../../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:946 -#: ../../include/text.php:958 ../../include/widgets.php:201 -msgid "Save" -msgstr "Guardar" +#: ../../Zotlabs/Module/Chat.php:256 +msgid "min" +msgstr "min" -#: ../../Zotlabs/Module/Dreport.php:27 +#: ../../Zotlabs/Module/Dreport.php:44 msgid "Invalid message" msgstr "Mensaje no válido" -#: ../../Zotlabs/Module/Dreport.php:59 +#: ../../Zotlabs/Module/Dreport.php:76 msgid "no results" msgstr "sin resultados" -#: ../../Zotlabs/Module/Dreport.php:64 -#, php-format -msgid "Delivery report for %1$s" -msgstr "Informe de entrega para %1$s" - -#: ../../Zotlabs/Module/Dreport.php:78 +#: ../../Zotlabs/Module/Dreport.php:91 msgid "channel sync processed" msgstr "se ha realizado la sincronización del canal" -#: ../../Zotlabs/Module/Dreport.php:82 +#: ../../Zotlabs/Module/Dreport.php:95 msgid "queued" msgstr "encolado" -#: ../../Zotlabs/Module/Dreport.php:86 +#: ../../Zotlabs/Module/Dreport.php:99 msgid "posted" msgstr "enviado" -#: ../../Zotlabs/Module/Dreport.php:90 +#: ../../Zotlabs/Module/Dreport.php:103 msgid "accepted for delivery" msgstr "aceptado para el envío" -#: ../../Zotlabs/Module/Dreport.php:94 +#: ../../Zotlabs/Module/Dreport.php:107 msgid "updated" msgstr "actualizado" -#: ../../Zotlabs/Module/Dreport.php:97 +#: ../../Zotlabs/Module/Dreport.php:110 msgid "update ignored" msgstr "actualización ignorada" -#: ../../Zotlabs/Module/Dreport.php:100 +#: ../../Zotlabs/Module/Dreport.php:113 msgid "permission denied" msgstr "permiso denegado" -#: ../../Zotlabs/Module/Dreport.php:104 +#: ../../Zotlabs/Module/Dreport.php:117 msgid "recipient not found" msgstr "destinatario no encontrado" -#: ../../Zotlabs/Module/Dreport.php:107 +#: ../../Zotlabs/Module/Dreport.php:120 msgid "mail recalled" msgstr "mensaje de correo revocado" -#: ../../Zotlabs/Module/Dreport.php:110 +#: ../../Zotlabs/Module/Dreport.php:123 msgid "duplicate mail received" msgstr "se ha recibido mensaje duplicado" -#: ../../Zotlabs/Module/Dreport.php:113 +#: ../../Zotlabs/Module/Dreport.php:126 msgid "mail delivered" msgstr "correo enviado" -#: ../../Zotlabs/Module/Editlayout.php:126 -#: ../../Zotlabs/Module/Layouts.php:127 ../../Zotlabs/Module/Layouts.php:186 +#: ../../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:127 -#: ../../Zotlabs/Module/Layouts.php:130 +#: ../../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:135 +#: ../../Zotlabs/Module/Editlayout.php:136 msgid "Edit Layout" msgstr "Modificar la plantilla" -#: ../../Zotlabs/Module/Editwebpage.php:143 +#: ../../Zotlabs/Module/Editwebpage.php:142 msgid "Page link" msgstr "Enlace de la página" -#: ../../Zotlabs/Module/Editwebpage.php:169 +#: ../../Zotlabs/Module/Editwebpage.php:168 msgid "Edit Webpage" msgstr "Editar la página web" -#: ../../Zotlabs/Module/Follow.php:34 -msgid "Channel added." -msgstr "Canal añadido." - -#: ../../Zotlabs/Module/Acl.php:227 -msgid "network" -msgstr "red" - -#: ../../Zotlabs/Module/Acl.php:237 -msgid "RSS" -msgstr "RSS" - #: ../../Zotlabs/Module/Group.php:24 msgid "Privacy group created." msgstr "El grupo de canales ha sido creado." @@ -1585,7 +1809,7 @@ 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:3893 +#: ../../include/items.php:3902 msgid "Privacy group not found." msgstr "Grupo de canales no encontrado." @@ -1629,44 +1853,70 @@ msgstr "Todos los canales conectados" msgid "Click on a channel to add or remove." msgstr "Haga clic en un canal para agregarlo o quitarlo." -#: ../../Zotlabs/Module/Ffsapi.php:12 -msgid "Share content from Firefox to $Projectname" -msgstr "Compartir contenido desde Firefox a $Projectname" +#: ../../Zotlabs/Module/Appman.php:37 ../../Zotlabs/Module/Appman.php:53 +msgid "App installed." +msgstr "Aplicación instalada." -#: ../../Zotlabs/Module/Ffsapi.php:15 -msgid "Activate the Firefox $Projectname provider" -msgstr "Servicio de compartición de Firefox: activar el proveedor $Projectname " +#: ../../Zotlabs/Module/Appman.php:46 +msgid "Malformed app." +msgstr "Aplicación con errores" -#: ../../Zotlabs/Module/Api.php:61 ../../Zotlabs/Module/Api.php:85 -msgid "Authorize application connection" -msgstr "Autorizar una conexión de aplicación" +#: ../../Zotlabs/Module/Appman.php:104 +msgid "Embed code" +msgstr "Código incorporado" -#: ../../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/Appman.php:110 ../../include/widgets.php:107 +msgid "Edit App" +msgstr "Modificar la aplicación" -#: ../../Zotlabs/Module/Api.php:72 -msgid "Please login to continue." -msgstr "Por favor inicie sesión para continuar." +#: ../../Zotlabs/Module/Appman.php:110 +msgid "Create App" +msgstr "Crear una aplicación" -#: ../../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/Appman.php:115 +msgid "Name of app" +msgstr "Nombre de la aplicación" -#: ../../Zotlabs/Module/Help.php:26 -msgid "Documentation Search" -msgstr "Búsqueda de Documentación" +#: ../../Zotlabs/Module/Appman.php:116 +msgid "Location (URL) of app" +msgstr "Dirección (URL) de la aplicación" -#: ../../Zotlabs/Module/Help.php:67 ../../Zotlabs/Module/Help.php:73 -#: ../../Zotlabs/Module/Help.php:79 -msgid "Help:" -msgstr "Ayuda:" +#: ../../Zotlabs/Module/Appman.php:118 +msgid "Photo icon URL" +msgstr "Dirección del icono" -#: ../../Zotlabs/Module/Help.php:85 ../../Zotlabs/Module/Help.php:90 -#: ../../Zotlabs/Module/Layouts.php:183 ../../Zotlabs/Lib/Apps.php:223 -#: ../../include/nav.php:159 +#: ../../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" @@ -1674,2983 +1924,2967 @@ msgstr "Ayuda" msgid "$Projectname Documentation" msgstr "Documentación de $Projectname" -#: ../../Zotlabs/Module/Filestorage.php:88 +#: ../../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:104 +#: ../../Zotlabs/Module/Filestorage.php:103 msgid "File not found." msgstr "Fichero no encontrado." -#: ../../Zotlabs/Module/Filestorage.php:147 +#: ../../Zotlabs/Module/Filestorage.php:146 msgid "Edit file permissions" msgstr "Modificar los permisos del fichero" -#: ../../Zotlabs/Module/Filestorage.php:156 +#: ../../Zotlabs/Module/Filestorage.php:155 msgid "Set/edit permissions" msgstr "Establecer/editar los permisos" -#: ../../Zotlabs/Module/Filestorage.php:157 +#: ../../Zotlabs/Module/Filestorage.php:156 msgid "Include all files and sub folders" msgstr "Incluir todos los ficheros y subcarpetas" -#: ../../Zotlabs/Module/Filestorage.php:158 +#: ../../Zotlabs/Module/Filestorage.php:157 msgid "Return to file list" msgstr "Volver a la lista de ficheros" -#: ../../Zotlabs/Module/Filestorage.php:160 +#: ../../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:161 +#: ../../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:163 +#: ../../Zotlabs/Module/Filestorage.php:162 msgid "Share this file" msgstr "Compartir este fichero" -#: ../../Zotlabs/Module/Filestorage.php:164 +#: ../../Zotlabs/Module/Filestorage.php:163 msgid "Show URL to this file" msgstr "Mostrar la dirección de este fichero" -#: ../../Zotlabs/Module/Filestorage.php:165 +#: ../../Zotlabs/Module/Filestorage.php:164 msgid "Notify your contacts about this file" msgstr "Avisar a sus contactos sobre este fichero" -#: ../../Zotlabs/Module/Apps.php:47 ../../include/widgets.php:102 -#: ../../include/nav.php:163 -msgid "Apps" -msgstr "Aplicaciones (apps)" - -#: ../../Zotlabs/Module/Attach.php:13 -msgid "Item not available." -msgstr "Elemento no disponible" - -#: ../../Zotlabs/Module/Import.php:32 -#, php-format -msgid "Your service plan only allows %d channels." -msgstr "Su paquete de servicios solo permite %d canales." - -#: ../../Zotlabs/Module/Import.php:70 ../../Zotlabs/Module/Import_items.php:42 -msgid "Nothing to import." -msgstr "No hay nada para importar." +#: ../../Zotlabs/Module/Layouts.php:183 ../../include/text.php:2240 +msgid "Layouts" +msgstr "Plantillas" -#: ../../Zotlabs/Module/Import.php:94 ../../Zotlabs/Module/Import_items.php:66 -msgid "Unable to download data from old server" -msgstr "No se han podido descargar datos de su antiguo servidor" +#: ../../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/Import.php:100 -#: ../../Zotlabs/Module/Import_items.php:72 -msgid "Imported file is empty." -msgstr "El fichero importado está vacío." +#: ../../Zotlabs/Module/Layouts.php:189 +msgid "Layout Description" +msgstr "Descripción de la plantilla" -#: ../../Zotlabs/Module/Import.php:122 -#: ../../Zotlabs/Module/Import_items.php:86 -#, php-format -msgid "Warning: Database versions differ by %1$d updates." -msgstr "Atención: Las versiones de la base de datos difieren en %1$d actualizaciones." +#: ../../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/Import.php:150 ../../include/import.php:86 -msgid "Cloned channel not found. Import failed." -msgstr "No se ha podido importar el canal porque el canal clonado no se ha encontrado." +#: ../../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/Import.php:160 -msgid "No channel. Import failed." -msgstr "No hay canal. La importación ha fallado" +#: ../../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/Import.php:510 -#: ../../include/Import/import_diaspora.php:142 -msgid "Import completed." -msgstr "Importación completada." +#: ../../Zotlabs/Module/Layouts.php:194 +msgid "Download PDL file" +msgstr "Descargar el fichero PDL" -#: ../../Zotlabs/Module/Import.php:532 -msgid "You must be logged in to use this feature." -msgstr "Debe estar registrado para poder usar esta funcionalidad." +#: ../../Zotlabs/Module/Like.php:19 +msgid "Like/Dislike" +msgstr "Me gusta/No me gusta" -#: ../../Zotlabs/Module/Import.php:537 -msgid "Import Channel" -msgstr "Importar canal" +#: ../../Zotlabs/Module/Like.php:24 +msgid "This action is restricted to members." +msgstr "Esta acción está restringida solo para miembros." -#: ../../Zotlabs/Module/Import.php:538 +#: ../../Zotlabs/Module/Like.php:25 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 "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." - -#: ../../Zotlabs/Module/Import.php:539 -#: ../../Zotlabs/Module/Import_items.php:119 -msgid "File to Upload" -msgstr "Fichero para subir" - -#: ../../Zotlabs/Module/Import.php:540 -msgid "Or provide the old server/hub details" -msgstr "O proporcione los detalles de su antiguo servidor/hub" +"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/Import.php:541 -msgid "Your old identity address (xyz@example.com)" -msgstr "Su identidad en el antiguo servidor (canal@ejemplo.com)" +#: ../../Zotlabs/Module/Like.php:105 ../../Zotlabs/Module/Like.php:131 +#: ../../Zotlabs/Module/Like.php:169 +msgid "Invalid request." +msgstr "Solicitud incorrecta." -#: ../../Zotlabs/Module/Import.php:542 -msgid "Your old login email address" -msgstr "Su antigua dirección de correo electrónico" +#: ../../Zotlabs/Module/Like.php:117 ../../include/conversation.php:126 +msgid "channel" +msgstr "el canal" -#: ../../Zotlabs/Module/Import.php:543 -msgid "Your old login password" -msgstr "Su antigua contraseña" +#: ../../Zotlabs/Module/Like.php:146 +msgid "thing" +msgstr "elemento" -#: ../../Zotlabs/Module/Import.php:544 -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 "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." +#: ../../Zotlabs/Module/Like.php:192 +msgid "Channel unavailable." +msgstr "Canal no disponible." -#: ../../Zotlabs/Module/Import.php:545 -msgid "Make this hub my primary location" -msgstr "Convertir este servidor en mi ubicación primaria" +#: ../../Zotlabs/Module/Like.php:240 +msgid "Previous action reversed." +msgstr "Acción anterior revocada." -#: ../../Zotlabs/Module/Import.php:546 -msgid "" -"Import existing posts if possible (experimental - limited by available " -"memory" -msgstr "Importar el contenido publicado si es posible (experimental - limitado por la memoria disponible" +#: ../../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/Import.php:547 -msgid "" -"This process may take several minutes to complete. Please submit the form " -"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/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/Item.php:178 -msgid "Unable to locate original post." -msgstr "No ha sido posible encontrar la entrada original." +#: ../../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/Item.php:427 -msgid "Empty post discarded." -msgstr "La entrada vacía ha sido desechada." +#: ../../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/Item.php:467 -msgid "Executable content type not permitted to this channel." -msgstr "Contenido de tipo ejecutable no permitido en este canal." +#: ../../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/Item.php:847 -msgid "Duplicate post suppressed." -msgstr "Se ha suprimido la entrada duplicada." +#: ../../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/Item.php:977 -msgid "System error. Post not saved." -msgstr "Error del sistema. La entrada no se ha podido salvar." +#: ../../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/Item.php:1241 -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/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/Item.php:1248 +#: ../../Zotlabs/Module/Like.php:431 #, 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." +msgid "%1$s is not attending %2$s's %3$s" +msgstr "%3$s de %2$s: %1$s no participa" -#: ../../Zotlabs/Module/Item.php:1255 +#: ../../Zotlabs/Module/Like.php:433 #, php-format -msgid "You have reached your limit of %1$.0f webpages." -msgstr "Ha alcanzado su límite de %1$.0f páginas web." +msgid "%1$s may attend %2$s's %3$s" +msgstr "%3$s de %2$s: %1$s quizá participe" -#: ../../Zotlabs/Module/Layouts.php:181 ../../include/text.php:2267 -msgid "Layouts" -msgstr "Plantillas" +#: ../../Zotlabs/Module/Like.php:536 +msgid "Action completed." +msgstr "Acción completada." -#: ../../Zotlabs/Module/Layouts.php:183 -msgid "Comanche page description language help" -msgstr "Página de ayuda del lenguaje de descripción de páginas (PDL) Comanche" +#: ../../Zotlabs/Module/Like.php:537 +msgid "Thank you." +msgstr "Gracias." -#: ../../Zotlabs/Module/Layouts.php:187 -msgid "Layout Description" -msgstr "Descripción de la plantilla" +#: ../../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/Layouts.php:192 -msgid "Download PDL file" -msgstr "Descargar el fichero PDL" +#: ../../Zotlabs/Module/Profiles.php:44 +msgid "Profile deleted." +msgstr "Perfil eliminado." -#: ../../Zotlabs/Module/Home.php:61 ../../Zotlabs/Module/Home.php:69 -#: ../../Zotlabs/Module/Siteinfo.php:65 -msgid "$Projectname" -msgstr "$Projectname" +#: ../../Zotlabs/Module/Profiles.php:68 ../../Zotlabs/Module/Profiles.php:104 +msgid "Profile-" +msgstr "Perfil-" -#: ../../Zotlabs/Module/Home.php:79 -#, php-format -msgid "Welcome to %s" -msgstr "Bienvenido a %s" - -#: ../../Zotlabs/Module/Id.php:13 -msgid "First Name" -msgstr "Nombre" +#: ../../Zotlabs/Module/Profiles.php:89 ../../Zotlabs/Module/Profiles.php:132 +msgid "New profile created." +msgstr "El nuevo perfil ha sido creado." -#: ../../Zotlabs/Module/Id.php:14 -msgid "Last Name" -msgstr "Apellido" +#: ../../Zotlabs/Module/Profiles.php:110 +msgid "Profile unavailable to clone." +msgstr "Perfil no disponible para clonar." -#: ../../Zotlabs/Module/Id.php:15 -msgid "Nickname" -msgstr "Sobrenombre o Alias" +#: ../../Zotlabs/Module/Profiles.php:151 +msgid "Profile unavailable to export." +msgstr "Perfil no disponible para exportar." -#: ../../Zotlabs/Module/Id.php:16 -msgid "Full Name" -msgstr "Nombre completo" +#: ../../Zotlabs/Module/Profiles.php:256 +msgid "Profile Name is required." +msgstr "Se necesita el nombre del perfil." -#: ../../Zotlabs/Module/Id.php:17 ../../Zotlabs/Module/Id.php:18 -#: ../../Zotlabs/Module/Admin.php:1035 ../../Zotlabs/Module/Admin.php:1047 -#: ../../include/network.php:2151 ../../boot.php:1705 -msgid "Email" -msgstr "Correo electrónico" +#: ../../Zotlabs/Module/Profiles.php:427 +msgid "Marital Status" +msgstr "Estado civil" -#: ../../Zotlabs/Module/Id.php:19 ../../Zotlabs/Module/Id.php:20 -#: ../../Zotlabs/Module/Id.php:21 ../../Zotlabs/Lib/Apps.php:236 -msgid "Profile Photo" -msgstr "Foto del perfil" +#: ../../Zotlabs/Module/Profiles.php:431 +msgid "Romantic Partner" +msgstr "Pareja sentimental" -#: ../../Zotlabs/Module/Id.php:22 -msgid "Profile Photo 16px" -msgstr "Foto del perfil 16px" +#: ../../Zotlabs/Module/Profiles.php:435 ../../Zotlabs/Module/Profiles.php:736 +msgid "Likes" +msgstr "Me gusta" -#: ../../Zotlabs/Module/Id.php:23 -msgid "Profile Photo 32px" -msgstr "Foto del perfil 32px" +#: ../../Zotlabs/Module/Profiles.php:439 ../../Zotlabs/Module/Profiles.php:737 +msgid "Dislikes" +msgstr "No me gusta" -#: ../../Zotlabs/Module/Id.php:24 -msgid "Profile Photo 48px" -msgstr "Foto del perfil 48px" +#: ../../Zotlabs/Module/Profiles.php:443 ../../Zotlabs/Module/Profiles.php:744 +msgid "Work/Employment" +msgstr "Trabajo:" -#: ../../Zotlabs/Module/Id.php:25 -msgid "Profile Photo 64px" -msgstr "Foto del perfil 64px" +#: ../../Zotlabs/Module/Profiles.php:446 +msgid "Religion" +msgstr "Religión" -#: ../../Zotlabs/Module/Id.php:26 -msgid "Profile Photo 80px" -msgstr "Foto del perfil 80px" +#: ../../Zotlabs/Module/Profiles.php:450 +msgid "Political Views" +msgstr "Ideas políticas" -#: ../../Zotlabs/Module/Id.php:27 -msgid "Profile Photo 128px" -msgstr "Foto del perfil 128px" +#: ../../Zotlabs/Module/Profiles.php:458 +msgid "Sexual Preference" +msgstr "Preferencia sexual" -#: ../../Zotlabs/Module/Id.php:28 -msgid "Timezone" -msgstr "Huso horario" +#: ../../Zotlabs/Module/Profiles.php:462 +msgid "Homepage" +msgstr "Página personal" -#: ../../Zotlabs/Module/Id.php:29 ../../Zotlabs/Module/Profiles.php:731 -msgid "Homepage URL" -msgstr "Dirección de la página personal" +#: ../../Zotlabs/Module/Profiles.php:466 +msgid "Interests" +msgstr "Intereses" -#: ../../Zotlabs/Module/Id.php:30 ../../Zotlabs/Lib/Apps.php:234 -msgid "Language" -msgstr "Idioma" +#: ../../Zotlabs/Module/Profiles.php:470 ../../Zotlabs/Module/Locs.php:118 +#: ../../Zotlabs/Module/Admin.php:1224 +msgid "Address" +msgstr "Dirección" -#: ../../Zotlabs/Module/Id.php:31 -msgid "Birth Year" -msgstr "Año de nacimiento" +#: ../../Zotlabs/Module/Profiles.php:560 +msgid "Profile updated." +msgstr "Perfil actualizado." -#: ../../Zotlabs/Module/Id.php:32 -msgid "Birth Month" -msgstr "Mes de nacimiento" +#: ../../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/Id.php:33 -msgid "Birth Day" -msgstr "Día de nacimiento" +#: ../../Zotlabs/Module/Profiles.php:686 +msgid "Edit Profile Details" +msgstr "Modificar los detalles de este perfil" -#: ../../Zotlabs/Module/Id.php:34 -msgid "Birthdate" -msgstr "Fecha de nacimiento" +#: ../../Zotlabs/Module/Profiles.php:688 +msgid "View this profile" +msgstr "Ver este perfil" -#: ../../Zotlabs/Module/Id.php:35 ../../Zotlabs/Module/Profiles.php:454 -msgid "Gender" -msgstr "Género" +#: ../../Zotlabs/Module/Profiles.php:689 ../../Zotlabs/Module/Profiles.php:771 +#: ../../include/channel.php:998 +msgid "Edit visibility" +msgstr "Editar visibilidad" -#: ../../Zotlabs/Module/Id.php:108 ../../include/selectors.php:49 -#: ../../include/selectors.php:66 -msgid "Male" -msgstr "Hombre" +#: ../../Zotlabs/Module/Profiles.php:690 +msgid "Profile Tools" +msgstr "Gestión del perfil" -#: ../../Zotlabs/Module/Id.php:110 ../../include/selectors.php:49 -#: ../../include/selectors.php:66 -msgid "Female" -msgstr "Mujer" +#: ../../Zotlabs/Module/Profiles.php:691 +msgid "Change cover photo" +msgstr "Cambiar la imagen de portada del perfil" -#: ../../Zotlabs/Module/Impel.php:41 ../../include/bbcode.php:192 -msgid "webpage" -msgstr "página web" +#: ../../Zotlabs/Module/Profiles.php:692 ../../include/channel.php:969 +msgid "Change profile photo" +msgstr "Cambiar la foto del perfil" -#: ../../Zotlabs/Module/Impel.php:46 ../../include/bbcode.php:198 -msgid "block" -msgstr "bloque" +#: ../../Zotlabs/Module/Profiles.php:693 +msgid "Create a new profile using these settings" +msgstr "Crear un nuevo perfil usando estos ajustes" -#: ../../Zotlabs/Module/Impel.php:51 ../../include/bbcode.php:195 -msgid "layout" -msgstr "plantilla" +#: ../../Zotlabs/Module/Profiles.php:694 +msgid "Clone this profile" +msgstr "Clonar este perfil" -#: ../../Zotlabs/Module/Impel.php:58 ../../include/bbcode.php:201 -msgid "menu" -msgstr "menú" +#: ../../Zotlabs/Module/Profiles.php:695 +msgid "Delete this profile" +msgstr "Eliminar este perfil" -#: ../../Zotlabs/Module/Impel.php:196 -#, php-format -msgid "%s element installed" -msgstr "%s elemento instalado" +#: ../../Zotlabs/Module/Profiles.php:696 +msgid "Add profile things" +msgstr "Añadir cosas al perfil" -#: ../../Zotlabs/Module/Impel.php:199 -#, php-format -msgid "%s element installation failed" -msgstr "Elemento con instalación fallida: %s" +#: ../../Zotlabs/Module/Profiles.php:697 ../../include/conversation.php:1541 +#: ../../include/widgets.php:105 +msgid "Personal" +msgstr "Personales" -#: ../../Zotlabs/Module/Like.php:19 -msgid "Like/Dislike" -msgstr "Me gusta/No me gusta" +#: ../../Zotlabs/Module/Profiles.php:699 +msgid "Relation" +msgstr "Relación" -#: ../../Zotlabs/Module/Like.php:24 -msgid "This action is restricted to members." -msgstr "Esta acción está restringida solo para miembros." +#: ../../Zotlabs/Module/Profiles.php:700 ../../include/datetime.php:48 +msgid "Miscellaneous" +msgstr "Varios" -#: ../../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/Profiles.php:702 +msgid "Import profile from file" +msgstr "Importar perfil desde un fichero" -#: ../../Zotlabs/Module/Like.php:105 ../../Zotlabs/Module/Like.php:131 -#: ../../Zotlabs/Module/Like.php:169 -msgid "Invalid request." -msgstr "Solicitud incorrecta." +#: ../../Zotlabs/Module/Profiles.php:703 +msgid "Export profile to file" +msgstr "Exportar perfil a un fichero" -#: ../../Zotlabs/Module/Like.php:117 ../../include/conversation.php:126 -msgid "channel" -msgstr "el canal" +#: ../../Zotlabs/Module/Profiles.php:704 +msgid "Your gender" +msgstr "Género" -#: ../../Zotlabs/Module/Like.php:146 -msgid "thing" -msgstr "elemento" +#: ../../Zotlabs/Module/Profiles.php:705 +msgid "Marital status" +msgstr "Estado civil" -#: ../../Zotlabs/Module/Like.php:192 -msgid "Channel unavailable." -msgstr "Canal no disponible." +#: ../../Zotlabs/Module/Profiles.php:706 +msgid "Sexual preference" +msgstr "Preferencia sexual" -#: ../../Zotlabs/Module/Like.php:240 -msgid "Previous action reversed." -msgstr "Acción anterior revocada." +#: ../../Zotlabs/Module/Profiles.php:709 +msgid "Profile name" +msgstr "Nombre del perfil" -#: ../../Zotlabs/Module/Like.php:371 ../../Zotlabs/Module/Subthread.php:87 -#: ../../Zotlabs/Module/Tagger.php:47 ../../include/text.php:1940 -#: ../../include/conversation.php:120 -msgid "photo" -msgstr "foto" +#: ../../Zotlabs/Module/Profiles.php:711 +msgid "This is your default profile." +msgstr "Este es su perfil principal." -#: ../../Zotlabs/Module/Like.php:371 ../../Zotlabs/Module/Subthread.php:87 -#: ../../include/text.php:1946 ../../include/conversation.php:148 -msgid "status" -msgstr "el mensaje de estado" +#: ../../Zotlabs/Module/Profiles.php:713 +msgid "Your full name" +msgstr "Nombre completo" -#: ../../Zotlabs/Module/Like.php:420 ../../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/Profiles.php:714 +msgid "Title/Description" +msgstr "Título o descripción" -#: ../../Zotlabs/Module/Like.php:422 ../../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/Profiles.php:717 +msgid "Street address" +msgstr "Dirección" -#: ../../Zotlabs/Module/Like.php:424 -#, 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/Profiles.php:718 +msgid "Locality/City" +msgstr "Ciudad" -#: ../../Zotlabs/Module/Like.php:426 -#, 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/Profiles.php:719 +msgid "Region/State" +msgstr "Región o Estado" -#: ../../Zotlabs/Module/Like.php:428 -#, 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/Profiles.php:720 +msgid "Postal/Zip code" +msgstr "Código postal" -#: ../../Zotlabs/Module/Like.php:430 -#, php-format -msgid "%1$s is attending %2$s's %3$s" -msgstr "%3$s de %2$s: %1$s participa" +#: ../../Zotlabs/Module/Profiles.php:721 +msgid "Country" +msgstr "País" -#: ../../Zotlabs/Module/Like.php:432 -#, 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/Profiles.php:726 +msgid "Who (if applicable)" +msgstr "Quién (si es pertinente)" -#: ../../Zotlabs/Module/Like.php:434 -#, php-format -msgid "%1$s may attend %2$s's %3$s" -msgstr "%3$s de %2$s: %1$s quizá participe" +#: ../../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/Like.php:537 -msgid "Action completed." -msgstr "Acción completada." +#: ../../Zotlabs/Module/Profiles.php:727 +msgid "Since (date)" +msgstr "Desde (fecha)" -#: ../../Zotlabs/Module/Like.php:538 -msgid "Thank you." -msgstr "Gracias." +#: ../../Zotlabs/Module/Profiles.php:730 +msgid "Tell us about yourself" +msgstr "Háblenos de usted" -#: ../../Zotlabs/Module/Import_items.php:102 -msgid "Import completed" -msgstr "Importación completada" +#: ../../Zotlabs/Module/Profiles.php:732 +msgid "Hometown" +msgstr "Lugar de nacimiento" -#: ../../Zotlabs/Module/Import_items.php:117 -msgid "Import Items" -msgstr "Importar elementos" +#: ../../Zotlabs/Module/Profiles.php:733 +msgid "Political views" +msgstr "Ideas políticas" -#: ../../Zotlabs/Module/Import_items.php:118 -msgid "" -"Use this form to import existing posts and content from an export file." -msgstr "Utilice este formulario para importar entradas existentes y contenido desde un archivo de exportación." +#: ../../Zotlabs/Module/Profiles.php:734 +msgid "Religious views" +msgstr "Creencias religiosas" -#: ../../Zotlabs/Module/Invite.php:29 -msgid "Total invitation limit exceeded." -msgstr "Se ha superado el límite máximo de invitaciones." +#: ../../Zotlabs/Module/Profiles.php:735 +msgid "Keywords used in directory listings" +msgstr "Palabras clave utilizadas en los listados de directorios" -#: ../../Zotlabs/Module/Invite.php:53 -#, php-format -msgid "%s : Not a valid email address." -msgstr "%s : No es una dirección de correo electrónico válida. " +#: ../../Zotlabs/Module/Profiles.php:735 +msgid "Example: fishing photography software" +msgstr "Por ejemplo: software de fotografía submarina" -#: ../../Zotlabs/Module/Invite.php:63 -msgid "Please join us on $Projectname" -msgstr "Únase a nosotros en $Projectname" +#: ../../Zotlabs/Module/Profiles.php:738 +msgid "Musical interests" +msgstr "Preferencias musicales" -#: ../../Zotlabs/Module/Invite.php:74 -msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "Excedido el límite de invitaciones. Por favor, contacte con el Administrador de su sitio." +#: ../../Zotlabs/Module/Profiles.php:739 +msgid "Books, literature" +msgstr "Libros, literatura" -#: ../../Zotlabs/Module/Invite.php:79 -#, php-format -msgid "%s : Message delivery failed." -msgstr "%s : Falló el envío del mensaje." +#: ../../Zotlabs/Module/Profiles.php:740 +msgid "Television" +msgstr "Televisión" -#: ../../Zotlabs/Module/Invite.php:83 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d mensajes enviados." -msgstr[1] "%d mensajes enviados." +#: ../../Zotlabs/Module/Profiles.php:741 +msgid "Film/Dance/Culture/Entertainment" +msgstr "Cine, danza, cultura, entretenimiento" -#: ../../Zotlabs/Module/Invite.php:102 -msgid "You have no more invitations available" -msgstr "No tiene más invitaciones disponibles" +#: ../../Zotlabs/Module/Profiles.php:742 +msgid "Hobbies/Interests" +msgstr "Aficiones o intereses" -#: ../../Zotlabs/Module/Invite.php:133 -msgid "Send invitations" -msgstr "Enviar invitaciones" +#: ../../Zotlabs/Module/Profiles.php:743 +msgid "Love/Romance" +msgstr "Vida sentimental o amorosa" -#: ../../Zotlabs/Module/Invite.php:134 -msgid "Enter email addresses, one per line:" -msgstr "Introduzca las direcciones de correo electrónico, una por línea:" +#: ../../Zotlabs/Module/Profiles.php:745 +msgid "School/Education" +msgstr "Estudios" -#: ../../Zotlabs/Module/Invite.php:135 ../../Zotlabs/Module/Mail.php:249 -msgid "Your message:" -msgstr "Su mensaje:" +#: ../../Zotlabs/Module/Profiles.php:746 +msgid "Contact information and social networks" +msgstr "Información de contacto y redes sociales" -#: ../../Zotlabs/Module/Invite.php:136 -msgid "Please join my community on $Projectname." -msgstr "Por favor, únase a mi comunidad en $Projectname." +#: ../../Zotlabs/Module/Profiles.php:747 +msgid "My other channels" +msgstr "Mis otros canales" -#: ../../Zotlabs/Module/Invite.php:138 -msgid "You will need to supply this invitation code:" -msgstr "Tendrá que suministrar este código de invitación:" +#: ../../Zotlabs/Module/Profiles.php:767 ../../include/channel.php:994 +msgid "Profile Image" +msgstr "Imagen del perfil" -#: ../../Zotlabs/Module/Invite.php:139 -msgid "" -"1. Register at any $Projectname location (they are all inter-connected)" -msgstr "1. Regístrese en cualquier sitio de $Projectname (están todos interconectados)" +#: ../../Zotlabs/Module/Profiles.php:777 ../../include/nav.php:88 +#: ../../include/channel.php:976 +msgid "Edit Profiles" +msgstr "Editar perfiles" -#: ../../Zotlabs/Module/Invite.php:141 -msgid "2. Enter my $Projectname network address into the site searchbar." -msgstr "2. Introduzca mi dirección $Projectname en la caja de búsqueda del sitio." +#: ../../Zotlabs/Module/Import.php:33 +#, php-format +msgid "Your service plan only allows %d channels." +msgstr "Su paquete de servicios solo permite %d canales." -#: ../../Zotlabs/Module/Invite.php:142 -msgid "or visit" -msgstr "o visitar" +#: ../../Zotlabs/Module/Import.php:71 ../../Zotlabs/Module/Import_items.php:42 +msgid "Nothing to import." +msgstr "No hay nada para importar." -#: ../../Zotlabs/Module/Invite.php:144 -msgid "3. Click [Connect]" -msgstr "3. Pulse [conectar]" +#: ../../Zotlabs/Module/Import.php:95 ../../Zotlabs/Module/Import_items.php:66 +msgid "Unable to download data from old server" +msgstr "No se han podido descargar datos de su antiguo servidor" -#: ../../Zotlabs/Module/Lockview.php:61 -msgid "Remote privacy information not available." -msgstr "La información privada remota no está disponible." +#: ../../Zotlabs/Module/Import.php:101 +#: ../../Zotlabs/Module/Import_items.php:72 +msgid "Imported file is empty." +msgstr "El fichero importado está vacío." -#: ../../Zotlabs/Module/Lockview.php:82 -msgid "Visible to:" -msgstr "Visible para:" +#: ../../Zotlabs/Module/Import.php:123 +#: ../../Zotlabs/Module/Import_items.php:88 +#, php-format +msgid "Warning: Database versions differ by %1$d updates." +msgstr "Atención: Las versiones de la base de datos difieren en %1$d actualizaciones." -#: ../../Zotlabs/Module/Locs.php:25 ../../Zotlabs/Module/Locs.php:54 -msgid "Location not found." -msgstr "Dirección no encontrada." +#: ../../Zotlabs/Module/Import.php:153 ../../include/import.php:107 +msgid "Cloned channel not found. Import failed." +msgstr "No se ha podido importar el canal porque el canal clonado no se ha encontrado." -#: ../../Zotlabs/Module/Locs.php:62 -msgid "Location lookup failed." -msgstr "Ha fallado la búsqueda de la dirección." +#: ../../Zotlabs/Module/Import.php:163 +msgid "No channel. Import failed." +msgstr "No hay canal. La importación ha fallado" -#: ../../Zotlabs/Module/Locs.php:66 -msgid "" -"Please select another location to become primary before removing the primary" -" location." -msgstr "Por favor, seleccione una copia de su canal (un clon) para convertirlo en primario antes de eliminar su canal principal." +#: ../../Zotlabs/Module/Import.php:520 +#: ../../include/Import/import_diaspora.php:142 +msgid "Import completed." +msgstr "Importación completada." -#: ../../Zotlabs/Module/Locs.php:95 -msgid "Syncing locations" -msgstr "Sincronización de ubicaciones" +#: ../../Zotlabs/Module/Import.php:542 +msgid "You must be logged in to use this feature." +msgstr "Debe estar registrado para poder usar esta funcionalidad." -#: ../../Zotlabs/Module/Locs.php:105 -msgid "No locations found." -msgstr "No encontrada ninguna dirección." +#: ../../Zotlabs/Module/Import.php:547 +msgid "Import Channel" +msgstr "Importar canal" -#: ../../Zotlabs/Module/Locs.php:116 -msgid "Manage Channel Locations" -msgstr "Gestionar las direcciones del canal" +#: ../../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 "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." -#: ../../Zotlabs/Module/Locs.php:118 ../../Zotlabs/Module/Profiles.php:470 -#: ../../Zotlabs/Module/Admin.php:1224 -msgid "Address" -msgstr "Dirección" +#: ../../Zotlabs/Module/Import.php:549 +#: ../../Zotlabs/Module/Import_items.php:121 +msgid "File to Upload" +msgstr "Fichero para subir" -#: ../../Zotlabs/Module/Locs.php:119 -msgid "Primary" -msgstr "Primario" +#: ../../Zotlabs/Module/Import.php:550 +msgid "Or provide the old server/hub details" +msgstr "O proporcione los detalles de su antiguo servidor/hub" -#: ../../Zotlabs/Module/Locs.php:120 ../../Zotlabs/Module/Menu.php:113 -msgid "Drop" -msgstr "Eliminar" +#: ../../Zotlabs/Module/Import.php:551 +msgid "Your old identity address (xyz@example.com)" +msgstr "Su identidad en el antiguo servidor (canal@ejemplo.com)" -#: ../../Zotlabs/Module/Locs.php:122 -msgid "Sync Now" -msgstr "Sincronizar ahora" +#: ../../Zotlabs/Module/Import.php:552 +msgid "Your old login email address" +msgstr "Su antigua dirección de correo electrónico" -#: ../../Zotlabs/Module/Locs.php:123 -msgid "Please wait several minutes between consecutive operations." -msgstr "Por favor, espere algunos minutos entre operaciones consecutivas." +#: ../../Zotlabs/Module/Import.php:553 +msgid "Your old login password" +msgstr "Su antigua contraseña" -#: ../../Zotlabs/Module/Locs.php:124 +#: ../../Zotlabs/Module/Import.php:554 msgid "" -"When possible, drop a location by logging into that website/hub and removing" -" your channel." -msgstr "Cuando sea posible, elimine una ubicación iniciando sesión en el sitio web o \"hub\" y borrando su canal." +"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 "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." -#: ../../Zotlabs/Module/Locs.php:125 -msgid "Use this form to drop the location if the hub is no longer operating." -msgstr "Utilice este formulario para eliminar la dirección si el \"hub\" no está funcionando desde hace tiempo." +#: ../../Zotlabs/Module/Import.php:555 +msgid "Make this hub my primary location" +msgstr "Convertir este servidor en mi ubicación primaria" -#: ../../Zotlabs/Module/Magic.php:71 -msgid "Hub not found." -msgstr "Servidor no encontrado" +#: ../../Zotlabs/Module/Import.php:556 +msgid "" +"Import existing posts if possible (experimental - limited by available " +"memory" +msgstr "Importar el contenido publicado si es posible (experimental - limitado por la memoria disponible" -#: ../../Zotlabs/Module/Mail.php:38 -msgid "Unable to lookup recipient." -msgstr "Imposible asociar a un destinatario." +#: ../../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 "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:45 -msgid "Unable to communicate with requested channel." -msgstr "Imposible comunicar con el canal solicitado." +#: ../../Zotlabs/Module/Home.php:74 ../../Zotlabs/Module/Home.php:82 +#: ../../Zotlabs/Module/Siteinfo.php:48 +msgid "$Projectname" +msgstr "$Projectname" -#: ../../Zotlabs/Module/Mail.php:52 -msgid "Cannot verify requested channel." -msgstr "No se puede verificar el canal solicitado." - -#: ../../Zotlabs/Module/Mail.php:78 -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:143 -msgid "Messages" -msgstr "Mensajes" - -#: ../../Zotlabs/Module/Mail.php:178 -msgid "Message recalled." -msgstr "Mensaje revocado." +#: ../../Zotlabs/Module/Home.php:92 +#, php-format +msgid "Welcome to %s" +msgstr "Bienvenido a %s" -#: ../../Zotlabs/Module/Mail.php:191 -msgid "Conversation removed." -msgstr "Conversación eliminada." +#: ../../Zotlabs/Module/Item.php:179 +msgid "Unable to locate original post." +msgstr "No ha sido posible encontrar la entrada original." -#: ../../Zotlabs/Module/Mail.php:206 ../../Zotlabs/Module/Mail.php:315 -msgid "Expires YYYY-MM-DD HH:MM" -msgstr "Caduca YYYY-MM-DD HH:MM" +#: ../../Zotlabs/Module/Item.php:432 +msgid "Empty post discarded." +msgstr "La entrada vacía ha sido desechada." -#: ../../Zotlabs/Module/Mail.php:234 -msgid "Requested channel is not in this network" -msgstr "El canal solicitado no existe en esta red" +#: ../../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/Mail.php:242 -msgid "Send Private Message" -msgstr "Enviar un mensaje privado" +#: ../../Zotlabs/Module/Item.php:856 +msgid "Duplicate post suppressed." +msgstr "Se ha suprimido la entrada duplicada." -#: ../../Zotlabs/Module/Mail.php:243 ../../Zotlabs/Module/Mail.php:368 -msgid "To:" -msgstr "Para:" +#: ../../Zotlabs/Module/Item.php:989 +msgid "System error. Post not saved." +msgstr "Error del sistema. La entrada no se ha podido salvar." -#: ../../Zotlabs/Module/Mail.php:246 ../../Zotlabs/Module/Mail.php:370 -msgid "Subject:" -msgstr "Asunto:" +#: ../../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/Mail.php:251 ../../Zotlabs/Module/Mail.php:376 -#: ../../include/conversation.php:1220 -msgid "Attach file" -msgstr "Adjuntar fichero" +#: ../../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/Mail.php:253 -msgid "Send" -msgstr "Enviar" +#: ../../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/Mail.php:256 ../../Zotlabs/Module/Mail.php:381 -#: ../../include/conversation.php:1251 -msgid "Set expiration date" -msgstr "Configurar fecha de caducidad" +#: ../../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/Mail.php:340 -msgid "Delete message" -msgstr "Borrar mensaje" +#: ../../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/Mail.php:341 -msgid "Delivery report" -msgstr "Informe de transmisión" +#: ../../Zotlabs/Module/Photos.php:103 ../../Zotlabs/Module/Photos.php:147 +msgid "Album not found." +msgstr "Álbum no encontrado." -#: ../../Zotlabs/Module/Mail.php:342 -msgid "Recall message" -msgstr "Revocar el mensaje" +#: ../../Zotlabs/Module/Photos.php:130 +msgid "Delete Album" +msgstr "Borrar álbum" -#: ../../Zotlabs/Module/Mail.php:344 -msgid "Message has been recalled." -msgstr "El mensaje ha sido revocado." +#: ../../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/Mail.php:361 -msgid "Delete Conversation" -msgstr "Eliminar conversación" +#: ../../Zotlabs/Module/Photos.php:208 ../../Zotlabs/Module/Photos.php:1051 +msgid "Delete Photo" +msgstr "Borrar foto" -#: ../../Zotlabs/Module/Mail.php:363 -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/Photos.php:531 +msgid "No photos selected" +msgstr "No hay fotos seleccionadas" -#: ../../Zotlabs/Module/Mail.php:367 -msgid "Send Reply" -msgstr "Responder" +#: ../../Zotlabs/Module/Photos.php:580 +msgid "Access to this item is restricted." +msgstr "El acceso a este elemento está restringido." -#: ../../Zotlabs/Module/Mail.php:372 +#: ../../Zotlabs/Module/Photos.php:619 #, php-format -msgid "Your message for %s (%s):" -msgstr "Su mensaje para %s (%s):" +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/Manage.php:136 -#: ../../Zotlabs/Module/New_channel.php:121 +#: ../../Zotlabs/Module/Photos.php:622 #, php-format -msgid "You have created %1$.0f of %2$.0f allowed channels." -msgstr "Ha creado %1$.0f de %2$.0f canales permitidos." +msgid "%1$.2f MB photo storage used." +msgstr "%1$.2f MB de almacenamiento de fotos utilizado." -#: ../../Zotlabs/Module/Manage.php:143 -msgid "Create a new channel" -msgstr "Crear un nuevo canal" +#: ../../Zotlabs/Module/Photos.php:658 +msgid "Upload Photos" +msgstr "Subir fotos" -#: ../../Zotlabs/Module/Manage.php:164 ../../Zotlabs/Lib/Apps.php:213 -#: ../../include/nav.php:206 -msgid "Channel Manager" -msgstr "Administración de canales" +#: ../../Zotlabs/Module/Photos.php:662 +msgid "Enter an album name" +msgstr "Introducir un nombre de álbum" -#: ../../Zotlabs/Module/Manage.php:165 -msgid "Current Channel" -msgstr "Canal actual" +#: ../../Zotlabs/Module/Photos.php:663 +msgid "or select an existing album (doubleclick)" +msgstr "o seleccionar uno existente (doble click)" -#: ../../Zotlabs/Module/Manage.php:167 -msgid "Switch to one of your channels by selecting it." -msgstr "Cambiar a uno de sus canales seleccionándolo." +#: ../../Zotlabs/Module/Photos.php:664 +msgid "Create a status post for this upload" +msgstr "Crear un mensaje de estado para esta subida" -#: ../../Zotlabs/Module/Manage.php:168 -msgid "Default Channel" -msgstr "Canal principal" +#: ../../Zotlabs/Module/Photos.php:665 +msgid "Caption (optional):" +msgstr "Título (opcional):" -#: ../../Zotlabs/Module/Manage.php:169 -msgid "Make Default" -msgstr "Convertir en predeterminado" +#: ../../Zotlabs/Module/Photos.php:666 +msgid "Description (optional):" +msgstr "Descripción (opcional):" -#: ../../Zotlabs/Module/Manage.php:172 -#, php-format -msgid "%d new messages" -msgstr "%d mensajes nuevos" +#: ../../Zotlabs/Module/Photos.php:693 +msgid "Album name could not be decoded" +msgstr "El nombre del álbum no ha podido ser descifrado" -#: ../../Zotlabs/Module/Manage.php:173 -#, php-format -msgid "%d new introductions" -msgstr "%d nuevas isolicitudes de conexión" +#: ../../Zotlabs/Module/Photos.php:741 +msgid "Contact Photos" +msgstr "Fotos de contacto" -#: ../../Zotlabs/Module/Manage.php:175 -msgid "Delegated Channel" -msgstr "Canal delegado" +#: ../../Zotlabs/Module/Photos.php:764 +msgid "Show Newest First" +msgstr "Mostrar lo más reciente primero" -#: ../../Zotlabs/Module/Lostpass.php:19 -msgid "No valid account found." -msgstr "No se ha encontrado una cuenta válida." +#: ../../Zotlabs/Module/Photos.php:766 +msgid "Show Oldest First" +msgstr "Mostrar lo más antiguo primero" -#: ../../Zotlabs/Module/Lostpass.php:33 -msgid "Password reset request issued. Check your email." -msgstr "Se ha recibido una solicitud de restablecimiento de contraseña. Consulte su correo electrónico." +#: ../../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/Lostpass.php:39 ../../Zotlabs/Module/Lostpass.php:107 -#, php-format -msgid "Site Member (%s)" -msgstr "Usuario del sitio (%s)" +#: ../../Zotlabs/Module/Photos.php:821 +#: ../../Zotlabs/Module/Embedphotos.php:157 ../../include/widgets.php:1610 +msgid "Edit Album" +msgstr "Editar álbum" -#: ../../Zotlabs/Module/Lostpass.php:44 -#, php-format -msgid "Password reset requested at %s" -msgstr "Se ha solicitado restablecer la contraseña en %s" +#: ../../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/Lostpass.php:67 -msgid "" -"Request could not be verified. (You may have previously submitted it.) " -"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/Photos.php:870 +msgid "Photo not available" +msgstr "Foto no disponible" -#: ../../Zotlabs/Module/Lostpass.php:90 ../../boot.php:1711 -msgid "Password Reset" -msgstr "Restablecer la contraseña" +#: ../../Zotlabs/Module/Photos.php:928 +msgid "Use as profile photo" +msgstr "Usar como foto del perfil" -#: ../../Zotlabs/Module/Lostpass.php:91 -msgid "Your password has been reset as requested." -msgstr "Su contraseña ha sido restablecida según lo solicitó." +#: ../../Zotlabs/Module/Photos.php:929 +msgid "Use as cover photo" +msgstr "Usar como imagen de portada del perfil" -#: ../../Zotlabs/Module/Lostpass.php:92 -msgid "Your new password is" -msgstr "Su nueva contraseña es" +#: ../../Zotlabs/Module/Photos.php:936 +msgid "Private Photo" +msgstr "Foto privada" -#: ../../Zotlabs/Module/Lostpass.php:93 -msgid "Save or copy your new password - and then" -msgstr "Guarde o copie su nueva contraseña - y después" +#: ../../Zotlabs/Module/Photos.php:951 +msgid "View Full Size" +msgstr "Ver tamaño completo" -#: ../../Zotlabs/Module/Lostpass.php:94 -msgid "click here to login" -msgstr "pulse aquí para conectarse" +#: ../../Zotlabs/Module/Photos.php:996 ../../Zotlabs/Module/Admin.php:1437 +#: ../../Zotlabs/Module/Tagrm.php:137 +msgid "Remove" +msgstr "Eliminar" -#: ../../Zotlabs/Module/Lostpass.php:95 -msgid "" -"Your password may be changed from the Settings page after " -"successful login." -msgstr "Puede cambiar la contraseña en la página Ajustes una vez iniciada la sesión." +#: ../../Zotlabs/Module/Photos.php:1030 +msgid "Edit photo" +msgstr "Editar foto" -#: ../../Zotlabs/Module/Lostpass.php:112 -#, php-format -msgid "Your password has changed at %s" -msgstr "Su contraseña en %s ha sido cambiada" +#: ../../Zotlabs/Module/Photos.php:1032 +msgid "Rotate CW (right)" +msgstr "Girar CW (a la derecha)" -#: ../../Zotlabs/Module/Lostpass.php:127 -msgid "Forgot your Password?" -msgstr "¿Ha olvidado su contraseña?" +#: ../../Zotlabs/Module/Photos.php:1033 +msgid "Rotate CCW (left)" +msgstr "Girar CCW (a la izquierda)" -#: ../../Zotlabs/Module/Lostpass.php:128 -msgid "" -"Enter your email address and submit to have your password reset. Then check " -"your email for further instructions." -msgstr "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." +#: ../../Zotlabs/Module/Photos.php:1036 +msgid "Enter a new album name" +msgstr "Introducir un nuevo nombre de álbum" -#: ../../Zotlabs/Module/Lostpass.php:129 -msgid "Email Address" -msgstr "Dirección de correo electrónico" +#: ../../Zotlabs/Module/Photos.php:1037 +msgid "or select an existing one (doubleclick)" +msgstr "o seleccionar uno (doble click) existente" -#: ../../Zotlabs/Module/Lostpass.php:130 -msgid "Reset" -msgstr "Reiniciar" +#: ../../Zotlabs/Module/Photos.php:1040 +msgid "Caption" +msgstr "Título" -#: ../../Zotlabs/Module/Menu.php:49 -msgid "Unable to update menu." -msgstr "No se puede actualizar el menú." +#: ../../Zotlabs/Module/Photos.php:1042 +msgid "Add a Tag" +msgstr "Añadir una etiqueta" -#: ../../Zotlabs/Module/Menu.php:60 -msgid "Unable to create menu." -msgstr "No se puede crear el menú." +#: ../../Zotlabs/Module/Photos.php:1046 +msgid "Example: @bob, @Barbara_Jensen, @jim@example.com" +msgstr "Ejemplos: @eva, @Carmen_Osuna, @jaime@ejemplo.com" -#: ../../Zotlabs/Module/Menu.php:98 ../../Zotlabs/Module/Menu.php:110 -msgid "Menu Name" -msgstr "Nombre del menú" +#: ../../Zotlabs/Module/Photos.php:1049 +msgid "Flag as adult in album view" +msgstr "Marcar como \"solo para adultos\" en el álbum" -#: ../../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/Photos.php:1068 ../../Zotlabs/Lib/ThreadItem.php:261 +msgid "I like this (toggle)" +msgstr "Me gusta (cambiar)" -#: ../../Zotlabs/Module/Menu.php:99 ../../Zotlabs/Module/Menu.php:111 -msgid "Menu Title" -msgstr "Título del menú" +#: ../../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/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/Photos.php:1071 ../../Zotlabs/Lib/ThreadItem.php:397 +#: ../../include/conversation.php:743 +msgid "Please wait" +msgstr "Espere por favor" -#: ../../Zotlabs/Module/Menu.php:100 -msgid "Allow Bookmarks" -msgstr "Permitir marcadores" +#: ../../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/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/Photos.php:1089 ../../Zotlabs/Module/Photos.php:1207 +#: ../../Zotlabs/Lib/ThreadItem.php:709 ../../include/js_strings.php:6 +msgid "Comment" +msgstr "Comentar" -#: ../../Zotlabs/Module/Menu.php:101 ../../Zotlabs/Module/Menu.php:159 -msgid "Submit and proceed" -msgstr "Enviar y proceder" +#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 +msgctxt "title" +msgid "Likes" +msgstr "Me gusta" -#: ../../Zotlabs/Module/Menu.php:107 ../../include/text.php:2266 -msgid "Menus" -msgstr "Menús" +#: ../../Zotlabs/Module/Photos.php:1105 ../../include/conversation.php:577 +msgctxt "title" +msgid "Dislikes" +msgstr "No me gusta" -#: ../../Zotlabs/Module/Menu.php:117 -msgid "Bookmarks allowed" -msgstr "Marcadores permitidos" +#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 +msgctxt "title" +msgid "Agree" +msgstr "De acuerdo" -#: ../../Zotlabs/Module/Menu.php:119 -msgid "Delete this menu" -msgstr "Borrar este menú" +#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 +msgctxt "title" +msgid "Disagree" +msgstr "En desacuerdo" -#: ../../Zotlabs/Module/Menu.php:120 ../../Zotlabs/Module/Menu.php:154 -msgid "Edit menu contents" -msgstr "Editar los contenidos del menú" +#: ../../Zotlabs/Module/Photos.php:1106 ../../include/conversation.php:578 +msgctxt "title" +msgid "Abstain" +msgstr "Abstención" -#: ../../Zotlabs/Module/Menu.php:121 -msgid "Edit this menu" -msgstr "Modificar este menú" +#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 +msgctxt "title" +msgid "Attending" +msgstr "Participaré" -#: ../../Zotlabs/Module/Menu.php:136 -msgid "Menu could not be deleted." -msgstr "El menú no puede ser eliminado." +#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 +msgctxt "title" +msgid "Not attending" +msgstr "No participaré" -#: ../../Zotlabs/Module/Menu.php:144 ../../Zotlabs/Module/Mitem.php:28 -msgid "Menu not found." -msgstr "Menú no encontrado" +#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:579 +msgctxt "title" +msgid "Might attend" +msgstr "Quizá participe" -#: ../../Zotlabs/Module/Menu.php:149 -msgid "Edit Menu" -msgstr "Modificar el menú" +#: ../../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/Menu.php:153 -msgid "Add or remove entries to this menu" -msgstr "Añadir o quitar entradas en este menú" +#: ../../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/Menu.php:155 -msgid "Menu name" -msgstr "Nombre del menú" +#: ../../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/Menu.php:155 -msgid "Must be unique, only seen by you" -msgstr "Debe ser único, solo será visible para usted" +#: ../../Zotlabs/Module/Photos.php:1233 +msgid "Photo Tools" +msgstr "Gestión de las fotos" -#: ../../Zotlabs/Module/Menu.php:156 -msgid "Menu title" -msgstr "Título del menú" +#: ../../Zotlabs/Module/Photos.php:1242 +msgid "In This Photo:" +msgstr "En esta foto:" -#: ../../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/Photos.php:1247 +msgid "Map" +msgstr "Mapa" -#: ../../Zotlabs/Module/Menu.php:157 -msgid "Allow bookmarks" -msgstr "Permitir marcadores" +#: ../../Zotlabs/Module/Photos.php:1255 ../../Zotlabs/Lib/ThreadItem.php:386 +msgctxt "noun" +msgid "Likes" +msgstr "Me gusta" -#: ../../Zotlabs/Module/Menu.php:166 ../../Zotlabs/Module/Mitem.php:120 -#: ../../Zotlabs/Module/Xchan.php:41 -msgid "Not found." -msgstr "No encontrado." +#: ../../Zotlabs/Module/Photos.php:1256 ../../Zotlabs/Lib/ThreadItem.php:387 +msgctxt "noun" +msgid "Dislikes" +msgstr "No me gusta" -#: ../../Zotlabs/Module/Mood.php:67 ../../include/conversation.php:260 -#, php-format -msgctxt "mood" -msgid "%1$s is %2$s" -msgstr "%1$s está %2$s" +#: ../../Zotlabs/Module/Photos.php:1261 ../../Zotlabs/Lib/ThreadItem.php:392 +#: ../../include/acl_selectors.php:283 +msgid "Close" +msgstr "Cerrar" -#: ../../Zotlabs/Module/Mood.php:135 ../../Zotlabs/Lib/Apps.php:225 -msgid "Mood" -msgstr "Estado de ánimo" +#: ../../Zotlabs/Module/Photos.php:1335 +msgid "View Album" +msgstr "Ver álbum" -#: ../../Zotlabs/Module/Mood.php:136 -msgid "Set your current mood and tell your friends" -msgstr "Describir su estado de ánimo para comunicárselo a sus amigos" +#: ../../Zotlabs/Module/Photos.php:1346 ../../Zotlabs/Module/Photos.php:1359 +#: ../../Zotlabs/Module/Photos.php:1360 +msgid "Recent Photos" +msgstr "Fotos recientes" -#: ../../Zotlabs/Module/Match.php:26 -msgid "Profile Match" -msgstr "Perfil compatible" +#: ../../Zotlabs/Module/Lockview.php:75 +msgid "Remote privacy information not available." +msgstr "La información privada remota no está disponible." -#: ../../Zotlabs/Module/Match.php:35 -msgid "No keywords to match. Please add keywords to your default profile." -msgstr "No hay palabras clave en el perfil principal para poder encontrar perfiles compatibles. Por favor, añada palabras clave a su perfil principal." +#: ../../Zotlabs/Module/Lockview.php:96 +msgid "Visible to:" +msgstr "Visible para:" -#: ../../Zotlabs/Module/Match.php:67 -msgid "is interested in:" -msgstr "está interesado en:" +#: ../../Zotlabs/Module/Import_items.php:104 +msgid "Import completed" +msgstr "Importación completada" -#: ../../Zotlabs/Module/Match.php:74 -msgid "No matches" -msgstr "No se han encontrado perfiles compatibles" +#: ../../Zotlabs/Module/Import_items.php:119 +msgid "Import Items" +msgstr "Importar elementos" -#: ../../Zotlabs/Module/Network.php:96 -msgid "No such group" -msgstr "No se encuentra el grupo" +#: ../../Zotlabs/Module/Import_items.php:120 +msgid "" +"Use this form to import existing posts and content from an export file." +msgstr "Utilice este formulario para importar entradas existentes y contenido desde un archivo de exportación." -#: ../../Zotlabs/Module/Network.php:136 -msgid "No such channel" -msgstr "No se encuentra el canal" +#: ../../Zotlabs/Module/Invite.php:29 +msgid "Total invitation limit exceeded." +msgstr "Se ha superado el límite máximo de invitaciones." -#: ../../Zotlabs/Module/Network.php:141 -msgid "forum" -msgstr "foro" +#: ../../Zotlabs/Module/Invite.php:53 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s : No es una dirección de correo electrónico válida. " -#: ../../Zotlabs/Module/Network.php:153 -msgid "Search Results For:" -msgstr "Buscar resultados para:" +#: ../../Zotlabs/Module/Invite.php:63 +msgid "Please join us on $Projectname" +msgstr "Únase a nosotros en $Projectname" -#: ../../Zotlabs/Module/Network.php:217 -msgid "Privacy group is empty" -msgstr "El grupo de canales está vacío" +#: ../../Zotlabs/Module/Invite.php:74 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "Excedido el límite de invitaciones. Por favor, contacte con el Administrador de su sitio." -#: ../../Zotlabs/Module/Network.php:226 -msgid "Privacy group: " -msgstr "Grupo de canales: " +#: ../../Zotlabs/Module/Invite.php:79 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s : Falló el envío del mensaje." -#: ../../Zotlabs/Module/Network.php:252 -msgid "Invalid connection." -msgstr "Conexión no válida." +#: ../../Zotlabs/Module/Invite.php:83 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d mensajes enviados." +msgstr[1] "%d mensajes enviados." -#: ../../Zotlabs/Module/Notify.php:57 -#: ../../Zotlabs/Module/Notifications.php:98 -msgid "No more system notifications." -msgstr "No hay más notificaciones del sistema" +#: ../../Zotlabs/Module/Invite.php:102 +msgid "You have no more invitations available" +msgstr "No tiene más invitaciones disponibles" -#: ../../Zotlabs/Module/Notify.php:61 -#: ../../Zotlabs/Module/Notifications.php:102 -msgid "System Notifications" -msgstr "Notificaciones del sistema" +#: ../../Zotlabs/Module/Invite.php:133 +msgid "Send invitations" +msgstr "Enviar invitaciones" -#: ../../Zotlabs/Module/Mitem.php:52 -msgid "Unable to create element." -msgstr "Imposible crear el elemento." +#: ../../Zotlabs/Module/Invite.php:134 +msgid "Enter email addresses, one per line:" +msgstr "Introduzca las direcciones de correo electrónico, una por línea:" -#: ../../Zotlabs/Module/Mitem.php:76 -msgid "Unable to update menu element." -msgstr "No es posible actualizar el elemento del menú." +#: ../../Zotlabs/Module/Invite.php:135 ../../Zotlabs/Module/Mail.php:241 +msgid "Your message:" +msgstr "Su mensaje:" -#: ../../Zotlabs/Module/Mitem.php:92 -msgid "Unable to add menu element." -msgstr "No es posible añadir el elemento al menú" +#: ../../Zotlabs/Module/Invite.php:136 +msgid "Please join my community on $Projectname." +msgstr "Por favor, únase a mi comunidad en $Projectname." -#: ../../Zotlabs/Module/Mitem.php:153 ../../Zotlabs/Module/Mitem.php:226 -msgid "Menu Item Permissions" -msgstr "Permisos del elemento del menú" +#: ../../Zotlabs/Module/Invite.php:138 +msgid "You will need to supply this invitation code:" +msgstr "Tendrá que suministrar este código de invitación:" -#: ../../Zotlabs/Module/Mitem.php:154 ../../Zotlabs/Module/Mitem.php:227 -#: ../../Zotlabs/Module/Settings.php:1068 -msgid "(click to open/close)" -msgstr "(pulsar para abrir o cerrar)" +#: ../../Zotlabs/Module/Invite.php:139 +msgid "" +"1. Register at any $Projectname location (they are all inter-connected)" +msgstr "1. Regístrese en cualquier sitio de $Projectname (están todos interconectados)" -#: ../../Zotlabs/Module/Mitem.php:156 ../../Zotlabs/Module/Mitem.php:172 -msgid "Link Name" -msgstr "Nombre del enlace" +#: ../../Zotlabs/Module/Invite.php:141 +msgid "2. Enter my $Projectname network address into the site searchbar." +msgstr "2. Introduzca mi dirección $Projectname en la caja de búsqueda del sitio." -#: ../../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/Invite.php:142 +msgid "or visit" +msgstr "o visitar" -#: ../../Zotlabs/Module/Mitem.php:161 -msgid "Submit and finish" -msgstr "Enviar y terminar" +#: ../../Zotlabs/Module/Invite.php:144 +msgid "3. Click [Connect]" +msgstr "3. Pulse [conectar]" -#: ../../Zotlabs/Module/Mitem.php:162 -msgid "Submit and continue" -msgstr "Enviar y continuar" +#: ../../Zotlabs/Module/Locs.php:25 ../../Zotlabs/Module/Locs.php:54 +msgid "Location not found." +msgstr "Dirección no encontrada." -#: ../../Zotlabs/Module/Mitem.php:170 -msgid "Menu:" -msgstr "Menú:" +#: ../../Zotlabs/Module/Locs.php:62 +msgid "Location lookup failed." +msgstr "Ha fallado la búsqueda de la dirección." -#: ../../Zotlabs/Module/Mitem.php:173 -msgid "Link Target" -msgstr "Destino del enlace" +#: ../../Zotlabs/Module/Locs.php:66 +msgid "" +"Please select another location to become primary before removing the primary" +" location." +msgstr "Por favor, seleccione una copia de su canal (un clon) para convertirlo en primario antes de eliminar su canal principal." -#: ../../Zotlabs/Module/Mitem.php:176 -msgid "Edit menu" -msgstr "Editar menú" +#: ../../Zotlabs/Module/Locs.php:95 +msgid "Syncing locations" +msgstr "Sincronización de ubicaciones" -#: ../../Zotlabs/Module/Mitem.php:179 -msgid "Edit element" -msgstr "Editar el elemento" +#: ../../Zotlabs/Module/Locs.php:105 +msgid "No locations found." +msgstr "No encontrada ninguna dirección." -#: ../../Zotlabs/Module/Mitem.php:180 -msgid "Drop element" -msgstr "Eliminar el elemento" +#: ../../Zotlabs/Module/Locs.php:116 +msgid "Manage Channel Locations" +msgstr "Gestionar las direcciones del canal" -#: ../../Zotlabs/Module/Mitem.php:181 -msgid "New element" -msgstr "Nuevo elemento" +#: ../../Zotlabs/Module/Locs.php:119 +msgid "Primary" +msgstr "Primario" -#: ../../Zotlabs/Module/Mitem.php:182 -msgid "Edit this menu container" -msgstr "Modificar el contenedor del menú" +#: ../../Zotlabs/Module/Locs.php:120 ../../Zotlabs/Module/Menu.php:113 +msgid "Drop" +msgstr "Eliminar" -#: ../../Zotlabs/Module/Mitem.php:183 -msgid "Add menu element" -msgstr "Añadir un elemento al menú" +#: ../../Zotlabs/Module/Locs.php:122 +msgid "Sync Now" +msgstr "Sincronizar ahora" -#: ../../Zotlabs/Module/Mitem.php:184 -msgid "Delete this menu item" -msgstr "Eliminar este elemento del menú" +#: ../../Zotlabs/Module/Locs.php:123 +msgid "Please wait several minutes between consecutive operations." +msgstr "Por favor, espere algunos minutos entre operaciones consecutivas." -#: ../../Zotlabs/Module/Mitem.php:185 -msgid "Edit this menu item" -msgstr "Modificar este elemento del menú" +#: ../../Zotlabs/Module/Locs.php:124 +msgid "" +"When possible, drop a location by logging into that website/hub and removing" +" your channel." +msgstr "Cuando sea posible, elimine una ubicación iniciando sesión en el sitio web o \"hub\" y borrando su canal." -#: ../../Zotlabs/Module/Mitem.php:202 -msgid "Menu item not found." -msgstr "Este elemento del menú no se ha encontrado" +#: ../../Zotlabs/Module/Locs.php:125 +msgid "Use this form to drop the location if the hub is no longer operating." +msgstr "Utilice este formulario para eliminar la dirección si el \"hub\" no está funcionando desde hace tiempo." -#: ../../Zotlabs/Module/Mitem.php:215 -msgid "Menu item deleted." -msgstr "Este elemento del menú ha sido borrado" +#: ../../Zotlabs/Module/Magic.php:71 +msgid "Hub not found." +msgstr "Servidor no encontrado" -#: ../../Zotlabs/Module/Mitem.php:217 -msgid "Menu item could not be deleted." -msgstr "Este elemento del menú no puede ser borrado." +#: ../../Zotlabs/Module/Mail.php:38 +msgid "Unable to lookup recipient." +msgstr "Imposible asociar a un destinatario." -#: ../../Zotlabs/Module/Mitem.php:224 -msgid "Edit Menu Element" -msgstr "Editar elemento del menú" +#: ../../Zotlabs/Module/Mail.php:45 +msgid "Unable to communicate with requested channel." +msgstr "Imposible comunicar con el canal solicitado." -#: ../../Zotlabs/Module/Mitem.php:230 -msgid "Link text" -msgstr "Texto del enlace" +#: ../../Zotlabs/Module/Mail.php:52 +msgid "Cannot verify requested channel." +msgstr "No se puede verificar el canal solicitado." -#: ../../Zotlabs/Module/New_channel.php:128 -#: ../../Zotlabs/Module/Register.php:231 -msgid "Name or caption" -msgstr "Nombre o descripción" +#: ../../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/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/Mail.php:135 +msgid "Messages" +msgstr "Mensajes" -#: ../../Zotlabs/Module/New_channel.php:130 -#: ../../Zotlabs/Module/Register.php:233 -msgid "Choose a short nickname" -msgstr "Elija un alias corto" +#: ../../Zotlabs/Module/Mail.php:170 +msgid "Message recalled." +msgstr "Mensaje revocado." -#: ../../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/Mail.php:183 +msgid "Conversation removed." +msgstr "Conversación eliminada." -#: ../../Zotlabs/Module/New_channel.php:132 -#: ../../Zotlabs/Module/Register.php:235 -msgid "Channel role and privacy" -msgstr "Clase de canal y privacidad" +#: ../../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/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/Mail.php:226 +msgid "Requested channel is not in this network" +msgstr "El canal solicitado no existe en esta red" -#: ../../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/Mail.php:234 +msgid "Send Private Message" +msgstr "Enviar un mensaje privado" -#: ../../Zotlabs/Module/New_channel.php:135 -msgid "Create Channel" -msgstr "Crear un canal" +#: ../../Zotlabs/Module/Mail.php:235 ../../Zotlabs/Module/Mail.php:360 +msgid "To:" +msgstr "Para:" -#: ../../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/Mail.php:238 ../../Zotlabs/Module/Mail.php:362 +msgid "Subject:" +msgstr "Asunto:" -#: ../../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/Mail.php:243 ../../Zotlabs/Module/Mail.php:368 +#: ../../include/conversation.php:1231 +msgid "Attach file" +msgstr "Adjuntar fichero" -#: ../../Zotlabs/Module/Notifications.php:30 -msgid "Invalid request identifier." -msgstr "Petición inválida del identificador." +#: ../../Zotlabs/Module/Mail.php:245 +msgid "Send" +msgstr "Enviar" -#: ../../Zotlabs/Module/Notifications.php:39 -msgid "Discard" -msgstr "Descartar" +#: ../../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/Notifications.php:103 ../../include/nav.php:191 -msgid "Mark all system notifications seen" -msgstr "Marcar todas las notificaciones de sistema como leídas" +#: ../../Zotlabs/Module/Mail.php:332 +msgid "Delete message" +msgstr "Borrar mensaje" -#: ../../Zotlabs/Module/Photos.php:84 -msgid "Page owner information could not be retrieved." -msgstr "La información del propietario de la página no pudo ser recuperada." +#: ../../Zotlabs/Module/Mail.php:333 +msgid "Delivery report" +msgstr "Informe de transmisión" -#: ../../Zotlabs/Module/Photos.php:99 ../../Zotlabs/Module/Photos.php:743 -#: ../../Zotlabs/Module/Profile_photo.php:114 -#: ../../Zotlabs/Module/Profile_photo.php:206 -#: ../../Zotlabs/Module/Profile_photo.php:294 -#: ../../include/photo/photo_driver.php:718 -msgid "Profile Photos" -msgstr "Fotos del perfil" +#: ../../Zotlabs/Module/Mail.php:334 +msgid "Recall message" +msgstr "Revocar el mensaje" -#: ../../Zotlabs/Module/Photos.php:105 ../../Zotlabs/Module/Photos.php:149 -msgid "Album not found." -msgstr "Álbum no encontrado." +#: ../../Zotlabs/Module/Mail.php:336 +msgid "Message has been recalled." +msgstr "El mensaje ha sido revocado." -#: ../../Zotlabs/Module/Photos.php:132 -msgid "Delete Album" -msgstr "Borrar álbum" +#: ../../Zotlabs/Module/Mail.php:353 +msgid "Delete Conversation" +msgstr "Eliminar conversación" -#: ../../Zotlabs/Module/Photos.php:153 +#: ../../Zotlabs/Module/Mail.php:355 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:210 ../../Zotlabs/Module/Photos.php:1053 -msgid "Delete Photo" -msgstr "Borrar foto" - -#: ../../Zotlabs/Module/Photos.php:533 -msgid "No photos selected" -msgstr "No hay fotos seleccionadas" +"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/Photos.php:582 -msgid "Access to this item is restricted." -msgstr "El acceso a este elemento está restringido." +#: ../../Zotlabs/Module/Mail.php:359 +msgid "Send Reply" +msgstr "Responder" -#: ../../Zotlabs/Module/Photos.php:621 +#: ../../Zotlabs/Module/Mail.php:364 #, 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." +msgid "Your message for %s (%s):" +msgstr "Su mensaje para %s (%s):" -#: ../../Zotlabs/Module/Photos.php:624 +#: ../../Zotlabs/Module/Manage.php:136 +#: ../../Zotlabs/Module/New_channel.php:121 #, php-format -msgid "%1$.2f MB photo storage used." -msgstr "%1$.2f MB de almacenamiento de fotos utilizado." +msgid "You have created %1$.0f of %2$.0f allowed channels." +msgstr "Ha creado %1$.0f de %2$.0f canales permitidos." -#: ../../Zotlabs/Module/Photos.php:660 -msgid "Upload Photos" -msgstr "Subir fotos" - -#: ../../Zotlabs/Module/Photos.php:664 -msgid "Enter an album name" -msgstr "Introducir un nombre de álbum" +#: ../../Zotlabs/Module/Manage.php:143 +msgid "Create a new channel" +msgstr "Crear un nuevo canal" -#: ../../Zotlabs/Module/Photos.php:665 -msgid "or select an existing album (doubleclick)" -msgstr "o seleccionar uno existente (doble click)" +#: ../../Zotlabs/Module/Manage.php:164 ../../Zotlabs/Lib/Apps.php:214 +#: ../../include/nav.php:208 +msgid "Channel Manager" +msgstr "Administración de canales" -#: ../../Zotlabs/Module/Photos.php:666 -msgid "Create a status post for this upload" -msgstr "Crear un mensaje de estado para esta subida" +#: ../../Zotlabs/Module/Manage.php:165 +msgid "Current Channel" +msgstr "Canal actual" -#: ../../Zotlabs/Module/Photos.php:667 -msgid "Caption (optional):" -msgstr "Título (opcional):" +#: ../../Zotlabs/Module/Manage.php:167 +msgid "Switch to one of your channels by selecting it." +msgstr "Cambiar a uno de sus canales seleccionándolo." -#: ../../Zotlabs/Module/Photos.php:668 -msgid "Description (optional):" -msgstr "Descripción (opcional):" +#: ../../Zotlabs/Module/Manage.php:168 +msgid "Default Channel" +msgstr "Canal principal" -#: ../../Zotlabs/Module/Photos.php:695 -msgid "Album name could not be decoded" -msgstr "El nombre del álbum no ha podido ser descifrado" +#: ../../Zotlabs/Module/Manage.php:169 +msgid "Make Default" +msgstr "Convertir en predeterminado" -#: ../../Zotlabs/Module/Photos.php:743 -msgid "Contact Photos" -msgstr "Fotos de contacto" +#: ../../Zotlabs/Module/Manage.php:172 +#, php-format +msgid "%d new messages" +msgstr "%d mensajes nuevos" -#: ../../Zotlabs/Module/Photos.php:766 -msgid "Show Newest First" -msgstr "Mostrar lo más reciente primero" +#: ../../Zotlabs/Module/Manage.php:173 +#, php-format +msgid "%d new introductions" +msgstr "%d nuevas isolicitudes de conexión" -#: ../../Zotlabs/Module/Photos.php:768 -msgid "Show Oldest First" -msgstr "Mostrar lo más antiguo primero" +#: ../../Zotlabs/Module/Manage.php:175 +msgid "Delegated Channel" +msgstr "Canal delegado" -#: ../../Zotlabs/Module/Photos.php:792 ../../Zotlabs/Module/Photos.php:1331 -#: ../../include/widgets.php:1499 -msgid "View Photo" -msgstr "Ver foto" +#: ../../Zotlabs/Module/Menu.php:49 +msgid "Unable to update menu." +msgstr "No se puede actualizar el menú." -#: ../../Zotlabs/Module/Photos.php:823 ../../include/widgets.php:1516 -msgid "Edit Album" -msgstr "Editar álbum" +#: ../../Zotlabs/Module/Menu.php:60 +msgid "Unable to create menu." +msgstr "No se puede crear el menú." -#: ../../Zotlabs/Module/Photos.php:870 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Permiso denegado. El acceso a este elemento puede estar restringido." +#: ../../Zotlabs/Module/Menu.php:98 ../../Zotlabs/Module/Menu.php:110 +msgid "Menu Name" +msgstr "Nombre del menú" -#: ../../Zotlabs/Module/Photos.php:872 -msgid "Photo not available" -msgstr "Foto no disponible" +#: ../../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/Photos.php:930 -msgid "Use as profile photo" -msgstr "Usar como foto del perfil" +#: ../../Zotlabs/Module/Menu.php:99 ../../Zotlabs/Module/Menu.php:111 +msgid "Menu Title" +msgstr "Título del menú" -#: ../../Zotlabs/Module/Photos.php:931 -msgid "Use as cover photo" -msgstr "Usar como imagen de portada del perfil" +#: ../../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/Photos.php:938 -msgid "Private Photo" -msgstr "Foto privada" +#: ../../Zotlabs/Module/Menu.php:100 +msgid "Allow Bookmarks" +msgstr "Permitir marcadores" -#: ../../Zotlabs/Module/Photos.php:953 -msgid "View Full Size" -msgstr "Ver tamaño completo" +#: ../../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/Photos.php:998 ../../Zotlabs/Module/Admin.php:1437 -#: ../../Zotlabs/Module/Tagrm.php:137 -msgid "Remove" -msgstr "Eliminar" +#: ../../Zotlabs/Module/Menu.php:101 ../../Zotlabs/Module/Menu.php:159 +msgid "Submit and proceed" +msgstr "Enviar y proceder" -#: ../../Zotlabs/Module/Photos.php:1032 -msgid "Edit photo" -msgstr "Editar foto" +#: ../../Zotlabs/Module/Menu.php:107 ../../include/text.php:2239 +msgid "Menus" +msgstr "Menús" -#: ../../Zotlabs/Module/Photos.php:1034 -msgid "Rotate CW (right)" -msgstr "Girar CW (a la derecha)" +#: ../../Zotlabs/Module/Menu.php:117 +msgid "Bookmarks allowed" +msgstr "Marcadores permitidos" -#: ../../Zotlabs/Module/Photos.php:1035 -msgid "Rotate CCW (left)" -msgstr "Girar CCW (a la izquierda)" +#: ../../Zotlabs/Module/Menu.php:119 +msgid "Delete this menu" +msgstr "Borrar este menú" -#: ../../Zotlabs/Module/Photos.php:1038 -msgid "Enter a new album name" -msgstr "Introducir un nuevo nombre de álbum" +#: ../../Zotlabs/Module/Menu.php:120 ../../Zotlabs/Module/Menu.php:154 +msgid "Edit menu contents" +msgstr "Editar los contenidos del menú" -#: ../../Zotlabs/Module/Photos.php:1039 -msgid "or select an existing one (doubleclick)" -msgstr "o seleccionar uno (doble click) existente" +#: ../../Zotlabs/Module/Menu.php:121 +msgid "Edit this menu" +msgstr "Modificar este menú" -#: ../../Zotlabs/Module/Photos.php:1042 -msgid "Caption" -msgstr "Título" +#: ../../Zotlabs/Module/Menu.php:136 +msgid "Menu could not be deleted." +msgstr "El menú no puede ser eliminado." -#: ../../Zotlabs/Module/Photos.php:1044 -msgid "Add a Tag" -msgstr "Añadir una etiqueta" +#: ../../Zotlabs/Module/Menu.php:144 ../../Zotlabs/Module/Mitem.php:28 +msgid "Menu not found." +msgstr "Menú no encontrado" -#: ../../Zotlabs/Module/Photos.php:1048 -msgid "Example: @bob, @Barbara_Jensen, @jim@example.com" -msgstr "Ejemplos: @eva, @Carmen_Osuna, @jaime@ejemplo.com" +#: ../../Zotlabs/Module/Menu.php:149 +msgid "Edit Menu" +msgstr "Modificar el menú" -#: ../../Zotlabs/Module/Photos.php:1051 -msgid "Flag as adult in album view" -msgstr "Marcar como \"solo para adultos\" en el álbum" +#: ../../Zotlabs/Module/Menu.php:153 +msgid "Add or remove entries to this menu" +msgstr "Añadir o quitar entradas en este menú" -#: ../../Zotlabs/Module/Photos.php:1070 ../../Zotlabs/Lib/ThreadItem.php:261 -msgid "I like this (toggle)" -msgstr "Me gusta (cambiar)" +#: ../../Zotlabs/Module/Menu.php:155 +msgid "Menu name" +msgstr "Nombre del menú" -#: ../../Zotlabs/Module/Photos.php:1071 ../../Zotlabs/Lib/ThreadItem.php:262 -msgid "I don't like this (toggle)" -msgstr "No me gusta esto (cambiar)" +#: ../../Zotlabs/Module/Menu.php:155 +msgid "Must be unique, only seen by you" +msgstr "Debe ser único, solo será visible para usted" -#: ../../Zotlabs/Module/Photos.php:1073 ../../Zotlabs/Lib/ThreadItem.php:397 -#: ../../include/conversation.php:740 -msgid "Please wait" -msgstr "Espere por favor" +#: ../../Zotlabs/Module/Menu.php:156 +msgid "Menu title" +msgstr "Título del menú" -#: ../../Zotlabs/Module/Photos.php:1089 ../../Zotlabs/Module/Photos.php:1207 -#: ../../Zotlabs/Lib/ThreadItem.php:707 -msgid "This is you" -msgstr "Este es usted" +#: ../../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/Photos.php:1091 ../../Zotlabs/Module/Photos.php:1209 -#: ../../Zotlabs/Lib/ThreadItem.php:709 ../../include/js_strings.php:6 -msgid "Comment" -msgstr "Comentar" +#: ../../Zotlabs/Module/Menu.php:157 +msgid "Allow bookmarks" +msgstr "Permitir marcadores" -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:574 -msgctxt "title" -msgid "Likes" -msgstr "Me gusta" +#: ../../Zotlabs/Module/Menu.php:166 ../../Zotlabs/Module/Mitem.php:120 +#: ../../Zotlabs/Module/Xchan.php:41 +msgid "Not found." +msgstr "No encontrado." -#: ../../Zotlabs/Module/Photos.php:1107 ../../include/conversation.php:574 -msgctxt "title" -msgid "Dislikes" -msgstr "No me gusta" +#: ../../Zotlabs/Module/Lostpass.php:19 +msgid "No valid account found." +msgstr "No se ha encontrado una cuenta válida." -#: ../../Zotlabs/Module/Photos.php:1108 ../../include/conversation.php:575 -msgctxt "title" -msgid "Agree" -msgstr "De acuerdo" +#: ../../Zotlabs/Module/Lostpass.php:33 +msgid "Password reset request issued. Check your email." +msgstr "Se ha recibido una solicitud de restablecimiento de contraseña. Consulte su correo electrónico." -#: ../../Zotlabs/Module/Photos.php:1108 ../../include/conversation.php:575 -msgctxt "title" -msgid "Disagree" -msgstr "En desacuerdo" +#: ../../Zotlabs/Module/Lostpass.php:39 ../../Zotlabs/Module/Lostpass.php:107 +#, php-format +msgid "Site Member (%s)" +msgstr "Usuario del sitio (%s)" -#: ../../Zotlabs/Module/Photos.php:1108 ../../include/conversation.php:575 -msgctxt "title" -msgid "Abstain" -msgstr "Abstención" +#: ../../Zotlabs/Module/Lostpass.php:44 +#, php-format +msgid "Password reset requested at %s" +msgstr "Se ha solicitado restablecer la contraseña en %s" -#: ../../Zotlabs/Module/Photos.php:1109 ../../include/conversation.php:576 -msgctxt "title" -msgid "Attending" -msgstr "Participaré" +#: ../../Zotlabs/Module/Lostpass.php:67 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"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/Photos.php:1109 ../../include/conversation.php:576 -msgctxt "title" -msgid "Not attending" -msgstr "No participaré" +#: ../../Zotlabs/Module/Lostpass.php:90 ../../boot.php:1712 +msgid "Password Reset" +msgstr "Restablecer la contraseña" -#: ../../Zotlabs/Module/Photos.php:1109 ../../include/conversation.php:576 -msgctxt "title" -msgid "Might attend" -msgstr "Quizá participe" +#: ../../Zotlabs/Module/Lostpass.php:91 +msgid "Your password has been reset as requested." +msgstr "Su contraseña ha sido restablecida según lo solicitó." -#: ../../Zotlabs/Module/Photos.php:1126 ../../Zotlabs/Module/Photos.php:1138 -#: ../../Zotlabs/Lib/ThreadItem.php:181 ../../Zotlabs/Lib/ThreadItem.php:193 -#: ../../include/conversation.php:1717 -msgid "View all" -msgstr "Ver todo" +#: ../../Zotlabs/Module/Lostpass.php:92 +msgid "Your new password is" +msgstr "Su nueva contraseña es" -#: ../../Zotlabs/Module/Photos.php:1130 ../../Zotlabs/Lib/ThreadItem.php:185 -#: ../../include/taxonomy.php:403 ../../include/conversation.php:1741 -#: ../../include/channel.php:1158 -msgctxt "noun" -msgid "Like" -msgid_plural "Likes" -msgstr[0] "Me gusta" -msgstr[1] "Me gusta" +#: ../../Zotlabs/Module/Lostpass.php:93 +msgid "Save or copy your new password - and then" +msgstr "Guarde o copie su nueva contraseña - y después" -#: ../../Zotlabs/Module/Photos.php:1135 ../../Zotlabs/Lib/ThreadItem.php:190 -#: ../../include/conversation.php:1744 -msgctxt "noun" -msgid "Dislike" -msgid_plural "Dislikes" -msgstr[0] "No me gusta" -msgstr[1] "No me gusta" +#: ../../Zotlabs/Module/Lostpass.php:94 +msgid "click here to login" +msgstr "pulse aquí para conectarse" -#: ../../Zotlabs/Module/Photos.php:1235 -msgid "Photo Tools" -msgstr "Gestión de las fotos" +#: ../../Zotlabs/Module/Lostpass.php:95 +msgid "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Puede cambiar la contraseña en la página Ajustes una vez iniciada la sesión." -#: ../../Zotlabs/Module/Photos.php:1244 -msgid "In This Photo:" -msgstr "En esta foto:" - -#: ../../Zotlabs/Module/Photos.php:1249 -msgid "Map" -msgstr "Mapa" +#: ../../Zotlabs/Module/Lostpass.php:112 +#, php-format +msgid "Your password has changed at %s" +msgstr "Su contraseña en %s ha sido cambiada" -#: ../../Zotlabs/Module/Photos.php:1257 ../../Zotlabs/Lib/ThreadItem.php:386 -msgctxt "noun" -msgid "Likes" -msgstr "Me gusta" +#: ../../Zotlabs/Module/Lostpass.php:127 +msgid "Forgot your Password?" +msgstr "¿Ha olvidado su contraseña?" -#: ../../Zotlabs/Module/Photos.php:1258 ../../Zotlabs/Lib/ThreadItem.php:387 -msgctxt "noun" -msgid "Dislikes" -msgstr "No me gusta" +#: ../../Zotlabs/Module/Lostpass.php:128 +msgid "" +"Enter your email address and submit to have your password reset. Then check " +"your email for further instructions." +msgstr "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." -#: ../../Zotlabs/Module/Photos.php:1263 ../../Zotlabs/Lib/ThreadItem.php:392 -#: ../../include/acl_selectors.php:285 -msgid "Close" -msgstr "Cerrar" +#: ../../Zotlabs/Module/Lostpass.php:129 +msgid "Email Address" +msgstr "Dirección de correo electrónico" -#: ../../Zotlabs/Module/Photos.php:1337 -msgid "View Album" -msgstr "Ver álbum" +#: ../../Zotlabs/Module/Lostpass.php:130 +msgid "Reset" +msgstr "Reiniciar" -#: ../../Zotlabs/Module/Photos.php:1348 ../../Zotlabs/Module/Photos.php:1361 -#: ../../Zotlabs/Module/Photos.php:1362 -msgid "Recent Photos" -msgstr "Fotos recientes" +#: ../../Zotlabs/Module/Mood.php:67 ../../include/conversation.php:260 +#, php-format +msgctxt "mood" +msgid "%1$s is %2$s" +msgstr "%1$s está %2$s" -#: ../../Zotlabs/Module/Ping.php:265 -msgid "sent you a private message" -msgstr "le ha enviado un mensaje privado" +#: ../../Zotlabs/Module/Mood.php:135 ../../Zotlabs/Lib/Apps.php:227 +msgid "Mood" +msgstr "Estado de ánimo" -#: ../../Zotlabs/Module/Ping.php:313 -msgid "added your channel" -msgstr "añadió este canal a sus conexiones" +#: ../../Zotlabs/Module/Mood.php:136 +msgid "Set your current mood and tell your friends" +msgstr "Describir su estado de ánimo para comunicárselo a sus amigos" -#: ../../Zotlabs/Module/Ping.php:323 -msgid "g A l F d" -msgstr "g A l d F" +#: ../../Zotlabs/Module/Network.php:94 +msgid "No such group" +msgstr "No se encuentra el grupo" -#: ../../Zotlabs/Module/Ping.php:346 -msgid "[today]" -msgstr "[hoy]" +#: ../../Zotlabs/Module/Network.php:134 +msgid "No such channel" +msgstr "No se encuentra el canal" -#: ../../Zotlabs/Module/Ping.php:355 -msgid "posted an event" -msgstr "publicó un evento" +#: ../../Zotlabs/Module/Network.php:139 +msgid "forum" +msgstr "foro" -#: ../../Zotlabs/Module/Oexchange.php:27 -msgid "Unable to find your hub." -msgstr "No se puede encontrar su servidor." +#: ../../Zotlabs/Module/Network.php:151 +msgid "Search Results For:" +msgstr "Buscar resultados para:" -#: ../../Zotlabs/Module/Oexchange.php:41 -msgid "Post successful." -msgstr "Enviado con éxito." +#: ../../Zotlabs/Module/Network.php:215 +msgid "Privacy group is empty" +msgstr "El grupo de canales está vacío" -#: ../../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/Network.php:224 +msgid "Privacy group: " +msgstr "Grupo de canales: " -#: ../../Zotlabs/Module/Openid.php:193 ../../include/auth.php:226 -msgid "Login failed." -msgstr "El acceso ha fallado." +#: ../../Zotlabs/Module/Network.php:250 +msgid "Invalid connection." +msgstr "Conexión no válida." -#: ../../Zotlabs/Module/Page.php:133 -msgid "" -"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." -msgstr "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." +#: ../../Zotlabs/Module/Notify.php:57 +#: ../../Zotlabs/Module/Notifications.php:98 +msgid "No more system notifications." +msgstr "No hay más notificaciones del sistema" -#: ../../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/Notify.php:61 +#: ../../Zotlabs/Module/Notifications.php:102 +msgid "System Notifications" +msgstr "Notificaciones del sistema" -#: ../../Zotlabs/Module/Pconfig.php:48 -msgid "Configuration Editor" -msgstr "Editor de configuración" +#: ../../Zotlabs/Module/Match.php:26 +msgid "Profile Match" +msgstr "Perfil compatible" -#: ../../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/Match.php:35 +msgid "No keywords to match. Please add keywords to your default profile." +msgstr "No hay palabras clave en el perfil principal para poder encontrar perfiles compatibles. Por favor, añada palabras clave a su perfil principal." -#: ../../Zotlabs/Module/Pdledit.php:18 -msgid "Layout updated." -msgstr "Plantilla actualizada." +#: ../../Zotlabs/Module/Match.php:67 +msgid "is interested in:" +msgstr "está interesado en:" -#: ../../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/Match.php:74 +msgid "No matches" +msgstr "No se han encontrado perfiles compatibles" -#: ../../Zotlabs/Module/Pdledit.php:56 -msgid "Layout not found." -msgstr "Plantilla no encontrada" +#: ../../Zotlabs/Module/Channel.php:40 +msgid "Posts and comments" +msgstr "Publicaciones y comentarios" -#: ../../Zotlabs/Module/Pdledit.php:62 -msgid "Module Name:" -msgstr "Nombre del módulo:" +#: ../../Zotlabs/Module/Channel.php:41 +msgid "Only posts" +msgstr "Solo publicaciones" -#: ../../Zotlabs/Module/Pdledit.php:63 -msgid "Layout Help" -msgstr "Ayuda para el diseño de plantillas de página" +#: ../../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/Poke.php:168 ../../Zotlabs/Lib/Apps.php:226 -#: ../../include/conversation.php:960 -msgid "Poke" -msgstr "Toques y otras cosas" +#: ../../Zotlabs/Module/Mitem.php:52 +msgid "Unable to create element." +msgstr "Imposible crear el elemento." -#: ../../Zotlabs/Module/Poke.php:169 -msgid "Poke somebody" -msgstr "Dar un toque a alguien" +#: ../../Zotlabs/Module/Mitem.php:76 +msgid "Unable to update menu element." +msgstr "No es posible actualizar el elemento del menú." -#: ../../Zotlabs/Module/Poke.php:172 -msgid "Poke/Prod" -msgstr "Toque/Incitación" +#: ../../Zotlabs/Module/Mitem.php:92 +msgid "Unable to add menu element." +msgstr "No es posible añadir el elemento al menú" -#: ../../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/Mitem.php:153 ../../Zotlabs/Module/Mitem.php:226 +msgid "Menu Item Permissions" +msgstr "Permisos del elemento del menú" -#: ../../Zotlabs/Module/Poke.php:180 -msgid "Recipient" -msgstr "Destinatario" +#: ../../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/Poke.php:181 -msgid "Choose what you wish to do to recipient" -msgstr "Elegir qué desea enviar al destinatario" +#: ../../Zotlabs/Module/Mitem.php:156 ../../Zotlabs/Module/Mitem.php:172 +msgid "Link Name" +msgstr "Nombre del enlace" -#: ../../Zotlabs/Module/Poke.php:184 ../../Zotlabs/Module/Poke.php:185 -msgid "Make this post private" -msgstr "Convertir en privado este envío" +#: ../../Zotlabs/Module/Mitem.php:157 ../../Zotlabs/Module/Mitem.php:231 +msgid "Link or Submenu Target" +msgstr "Destino del enlace o submenú" -#: ../../Zotlabs/Module/Probe.php:30 ../../Zotlabs/Module/Probe.php:34 -#, php-format -msgid "Fetching URL returns error: %1$s" -msgstr "Al intentar obtener la dirección, retorna el error: %1$s" +#: ../../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/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/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/Profiles.php:44 -msgid "Profile deleted." -msgstr "Perfil eliminado." +#: ../../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/Profiles.php:68 ../../Zotlabs/Module/Profiles.php:104 -msgid "Profile-" -msgstr "Perfil-" +#: ../../Zotlabs/Module/Mitem.php:160 ../../Zotlabs/Module/Mitem.php:234 +msgid "Order in list" +msgstr "Orden en la lista" -#: ../../Zotlabs/Module/Profiles.php:89 ../../Zotlabs/Module/Profiles.php:132 -msgid "New profile created." -msgstr "El nuevo perfil ha sido creado." +#: ../../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/Profiles.php:110 -msgid "Profile unavailable to clone." -msgstr "Perfil no disponible para clonar." +#: ../../Zotlabs/Module/Mitem.php:161 +msgid "Submit and finish" +msgstr "Enviar y terminar" -#: ../../Zotlabs/Module/Profiles.php:151 -msgid "Profile unavailable to export." -msgstr "Perfil no disponible para exportar." +#: ../../Zotlabs/Module/Mitem.php:162 +msgid "Submit and continue" +msgstr "Enviar y continuar" -#: ../../Zotlabs/Module/Profiles.php:256 -msgid "Profile Name is required." -msgstr "Se necesita el nombre del perfil." +#: ../../Zotlabs/Module/Mitem.php:170 +msgid "Menu:" +msgstr "Menú:" -#: ../../Zotlabs/Module/Profiles.php:427 -msgid "Marital Status" -msgstr "Estado civil" +#: ../../Zotlabs/Module/Mitem.php:173 +msgid "Link Target" +msgstr "Destino del enlace" -#: ../../Zotlabs/Module/Profiles.php:431 -msgid "Romantic Partner" -msgstr "Pareja sentimental" +#: ../../Zotlabs/Module/Mitem.php:176 +msgid "Edit menu" +msgstr "Editar menú" -#: ../../Zotlabs/Module/Profiles.php:435 ../../Zotlabs/Module/Profiles.php:736 -msgid "Likes" -msgstr "Me gusta" +#: ../../Zotlabs/Module/Mitem.php:179 +msgid "Edit element" +msgstr "Editar el elemento" -#: ../../Zotlabs/Module/Profiles.php:439 ../../Zotlabs/Module/Profiles.php:737 -msgid "Dislikes" -msgstr "No me gusta" +#: ../../Zotlabs/Module/Mitem.php:180 +msgid "Drop element" +msgstr "Eliminar el elemento" -#: ../../Zotlabs/Module/Profiles.php:443 ../../Zotlabs/Module/Profiles.php:744 -msgid "Work/Employment" -msgstr "Trabajo:" +#: ../../Zotlabs/Module/Mitem.php:181 +msgid "New element" +msgstr "Nuevo elemento" -#: ../../Zotlabs/Module/Profiles.php:446 -msgid "Religion" -msgstr "Religión" +#: ../../Zotlabs/Module/Mitem.php:182 +msgid "Edit this menu container" +msgstr "Modificar el contenedor del menú" -#: ../../Zotlabs/Module/Profiles.php:450 -msgid "Political Views" -msgstr "Ideas políticas" +#: ../../Zotlabs/Module/Mitem.php:183 +msgid "Add menu element" +msgstr "Añadir un elemento al menú" -#: ../../Zotlabs/Module/Profiles.php:458 -msgid "Sexual Preference" -msgstr "Preferencia sexual" +#: ../../Zotlabs/Module/Mitem.php:184 +msgid "Delete this menu item" +msgstr "Eliminar este elemento del menú" -#: ../../Zotlabs/Module/Profiles.php:462 -msgid "Homepage" -msgstr "Página personal" +#: ../../Zotlabs/Module/Mitem.php:185 +msgid "Edit this menu item" +msgstr "Modificar este elemento del menú" -#: ../../Zotlabs/Module/Profiles.php:466 -msgid "Interests" -msgstr "Intereses" +#: ../../Zotlabs/Module/Mitem.php:202 +msgid "Menu item not found." +msgstr "Este elemento del menú no se ha encontrado" -#: ../../Zotlabs/Module/Profiles.php:560 -msgid "Profile updated." -msgstr "Perfil actualizado." +#: ../../Zotlabs/Module/Mitem.php:215 +msgid "Menu item deleted." +msgstr "Este elemento del menú ha sido borrado" -#: ../../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/Mitem.php:217 +msgid "Menu item could not be deleted." +msgstr "Este elemento del menú no puede ser borrado." -#: ../../Zotlabs/Module/Profiles.php:686 -msgid "Edit Profile Details" -msgstr "Modificar los detalles de este perfil" +#: ../../Zotlabs/Module/Mitem.php:224 +msgid "Edit Menu Element" +msgstr "Editar elemento del menú" -#: ../../Zotlabs/Module/Profiles.php:688 -msgid "View this profile" -msgstr "Ver este perfil" +#: ../../Zotlabs/Module/Mitem.php:230 +msgid "Link text" +msgstr "Texto del enlace" -#: ../../Zotlabs/Module/Profiles.php:689 ../../Zotlabs/Module/Profiles.php:771 -#: ../../include/channel.php:959 -msgid "Edit visibility" -msgstr "Editar visibilidad" +#: ../../Zotlabs/Module/Admin.php:77 +msgid "Theme settings updated." +msgstr "Ajustes del tema actualizados." -#: ../../Zotlabs/Module/Profiles.php:690 -msgid "Profile Tools" -msgstr "Gestión del perfil" +#: ../../Zotlabs/Module/Admin.php:197 +msgid "# Accounts" +msgstr "# Cuentas" -#: ../../Zotlabs/Module/Profiles.php:691 -msgid "Change cover photo" -msgstr "Cambiar la imagen de portada del perfil" +#: ../../Zotlabs/Module/Admin.php:198 +msgid "# blocked accounts" +msgstr "# cuentas bloqueadas" -#: ../../Zotlabs/Module/Profiles.php:692 ../../include/channel.php:930 -msgid "Change profile photo" -msgstr "Cambiar la foto del perfil" +#: ../../Zotlabs/Module/Admin.php:199 +msgid "# expired accounts" +msgstr "# cuentas caducadas" -#: ../../Zotlabs/Module/Profiles.php:693 -msgid "Create a new profile using these settings" -msgstr "Crear un nuevo perfil usando estos ajustes" +#: ../../Zotlabs/Module/Admin.php:200 +msgid "# expiring accounts" +msgstr "# cuentas que caducan" -#: ../../Zotlabs/Module/Profiles.php:694 -msgid "Clone this profile" -msgstr "Clonar este perfil" +#: ../../Zotlabs/Module/Admin.php:211 +msgid "# Channels" +msgstr "# Canales" -#: ../../Zotlabs/Module/Profiles.php:695 -msgid "Delete this profile" -msgstr "Eliminar este perfil" +#: ../../Zotlabs/Module/Admin.php:212 +msgid "# primary" +msgstr "# primario" -#: ../../Zotlabs/Module/Profiles.php:696 -msgid "Add profile things" -msgstr "Añadir cosas al perfil" +#: ../../Zotlabs/Module/Admin.php:213 +msgid "# clones" +msgstr "# clones" -#: ../../Zotlabs/Module/Profiles.php:697 ../../include/widgets.php:105 -#: ../../include/conversation.php:1526 -msgid "Personal" -msgstr "Personales" +#: ../../Zotlabs/Module/Admin.php:219 +msgid "Message queues" +msgstr "Mensajes en cola" -#: ../../Zotlabs/Module/Profiles.php:699 -msgid "Relation" -msgstr "Relación" +#: ../../Zotlabs/Module/Admin.php:236 +msgid "Your software should be updated" +msgstr "Debe actualizar su software" -#: ../../Zotlabs/Module/Profiles.php:700 ../../include/datetime.php:48 -msgid "Miscellaneous" -msgstr "Varios" +#: ../../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/Profiles.php:702 -msgid "Import profile from file" -msgstr "Importar perfil desde un fichero" +#: ../../Zotlabs/Module/Admin.php:242 +msgid "Summary" +msgstr "Sumario" -#: ../../Zotlabs/Module/Profiles.php:703 -msgid "Export profile to file" -msgstr "Exportar perfil a un fichero" +#: ../../Zotlabs/Module/Admin.php:245 +msgid "Registered accounts" +msgstr "Cuentas registradas" -#: ../../Zotlabs/Module/Profiles.php:704 -msgid "Your gender" -msgstr "Género" +#: ../../Zotlabs/Module/Admin.php:246 ../../Zotlabs/Module/Admin.php:715 +msgid "Pending registrations" +msgstr "Registros pendientes" -#: ../../Zotlabs/Module/Profiles.php:705 -msgid "Marital status" -msgstr "Estado civil" +#: ../../Zotlabs/Module/Admin.php:247 +msgid "Registered channels" +msgstr "Canales registrados" -#: ../../Zotlabs/Module/Profiles.php:706 -msgid "Sexual preference" -msgstr "Preferencia sexual" +#: ../../Zotlabs/Module/Admin.php:248 ../../Zotlabs/Module/Admin.php:716 +msgid "Active plugins" +msgstr "Extensiones (plugins) activas" -#: ../../Zotlabs/Module/Profiles.php:709 -msgid "Profile name" -msgstr "Nombre del perfil" +#: ../../Zotlabs/Module/Admin.php:249 +msgid "Version" +msgstr "Versión" -#: ../../Zotlabs/Module/Profiles.php:711 -msgid "This is your default profile." -msgstr "Este es su perfil principal." +#: ../../Zotlabs/Module/Admin.php:250 +msgid "Repository version (master)" +msgstr "Versión del repositorio (master)" -#: ../../Zotlabs/Module/Profiles.php:713 -msgid "Your full name" -msgstr "Nombre completo" +#: ../../Zotlabs/Module/Admin.php:251 +msgid "Repository version (dev)" +msgstr "Versión del repositorio (dev)" -#: ../../Zotlabs/Module/Profiles.php:714 -msgid "Title/Description" -msgstr "Título o descripción" +#: ../../Zotlabs/Module/Admin.php:373 +msgid "Site settings updated." +msgstr "Ajustes del sitio actualizados." -#: ../../Zotlabs/Module/Profiles.php:717 -msgid "Street address" -msgstr "Dirección" +#: ../../Zotlabs/Module/Admin.php:400 ../../include/text.php:2829 +msgid "Default" +msgstr "Predeterminado" -#: ../../Zotlabs/Module/Profiles.php:718 -msgid "Locality/City" -msgstr "Ciudad" +#: ../../Zotlabs/Module/Admin.php:410 ../../Zotlabs/Module/Settings.php:899 +msgid "mobile" +msgstr "móvil" -#: ../../Zotlabs/Module/Profiles.php:719 -msgid "Region/State" -msgstr "Región o Estado" +#: ../../Zotlabs/Module/Admin.php:412 +msgid "experimental" +msgstr "experimental" -#: ../../Zotlabs/Module/Profiles.php:720 -msgid "Postal/Zip code" -msgstr "Código postal" +#: ../../Zotlabs/Module/Admin.php:414 +msgid "unsupported" +msgstr "no soportado" -#: ../../Zotlabs/Module/Profiles.php:721 -msgid "Country" -msgstr "País" +#: ../../Zotlabs/Module/Admin.php:460 +msgid "Yes - with approval" +msgstr "Sí - con aprobación" -#: ../../Zotlabs/Module/Profiles.php:726 -msgid "Who (if applicable)" -msgstr "Quién (si es pertinente)" +#: ../../Zotlabs/Module/Admin.php:466 +msgid "My site is not a public server" +msgstr "Mi sitio no es un servidor público" -#: ../../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/Admin.php:467 +msgid "My site has paid access only" +msgstr "Mi sitio es un servicio de pago" -#: ../../Zotlabs/Module/Profiles.php:727 -msgid "Since (date)" -msgstr "Desde (fecha)" +#: ../../Zotlabs/Module/Admin.php:468 +msgid "My site has free access only" +msgstr "Mi sitio es un servicio gratuito" -#: ../../Zotlabs/Module/Profiles.php:730 -msgid "Tell us about yourself" -msgstr "Háblenos de usted" +#: ../../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/Profiles.php:732 -msgid "Hometown" -msgstr "Lugar de nacimiento" +#: ../../Zotlabs/Module/Admin.php:491 ../../include/widgets.php:1476 +msgid "Site" +msgstr "Sitio" -#: ../../Zotlabs/Module/Profiles.php:733 -msgid "Political views" -msgstr "Ideas políticas" +#: ../../Zotlabs/Module/Admin.php:493 ../../Zotlabs/Module/Register.php:245 +msgid "Registration" +msgstr "Registro" -#: ../../Zotlabs/Module/Profiles.php:734 -msgid "Religious views" -msgstr "Creencias religiosas" +#: ../../Zotlabs/Module/Admin.php:494 +msgid "File upload" +msgstr "Subir fichero" -#: ../../Zotlabs/Module/Profiles.php:735 -msgid "Keywords used in directory listings" -msgstr "Palabras clave utilizadas en los listados de directorios" +#: ../../Zotlabs/Module/Admin.php:495 +msgid "Policies" +msgstr "Políticas" -#: ../../Zotlabs/Module/Profiles.php:735 -msgid "Example: fishing photography software" -msgstr "Por ejemplo: software de fotografía submarina" +#: ../../Zotlabs/Module/Admin.php:496 ../../include/contact_widgets.php:16 +msgid "Advanced" +msgstr "Avanzado" -#: ../../Zotlabs/Module/Profiles.php:738 -msgid "Musical interests" -msgstr "Preferencias musicales" +#: ../../Zotlabs/Module/Admin.php:500 +msgid "Site name" +msgstr "Nombre del sitio" -#: ../../Zotlabs/Module/Profiles.php:739 -msgid "Books, literature" -msgstr "Libros, literatura" +#: ../../Zotlabs/Module/Admin.php:501 +msgid "Banner/Logo" +msgstr "Banner/Logo" -#: ../../Zotlabs/Module/Profiles.php:740 -msgid "Television" -msgstr "Televisión" +#: ../../Zotlabs/Module/Admin.php:502 +msgid "Administrator Information" +msgstr "Información del Administrador" -#: ../../Zotlabs/Module/Profiles.php:741 -msgid "Film/Dance/Culture/Entertainment" -msgstr "Cine, danza, cultura, entretenimiento" +#: ../../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/Profiles.php:742 -msgid "Hobbies/Interests" -msgstr "Aficiones o intereses" +#: ../../Zotlabs/Module/Admin.php:503 +msgid "System language" +msgstr "Idioma del sistema" -#: ../../Zotlabs/Module/Profiles.php:743 -msgid "Love/Romance" -msgstr "Vida sentimental o amorosa" +#: ../../Zotlabs/Module/Admin.php:504 +msgid "System theme" +msgstr "Tema gráfico del sistema" -#: ../../Zotlabs/Module/Profiles.php:745 -msgid "School/Education" -msgstr "Estudios" +#: ../../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/Profiles.php:746 -msgid "Contact information and social networks" -msgstr "Información de contacto y redes sociales" +#: ../../Zotlabs/Module/Admin.php:505 +msgid "Mobile system theme" +msgstr "Tema del sistema para móviles" -#: ../../Zotlabs/Module/Profiles.php:747 -msgid "My other channels" -msgstr "Mis otros canales" +#: ../../Zotlabs/Module/Admin.php:505 +msgid "Theme for mobile devices" +msgstr "Tema para dispositivos móviles" -#: ../../Zotlabs/Module/Profiles.php:767 ../../include/channel.php:955 -msgid "Profile Image" -msgstr "Imagen del perfil" +#: ../../Zotlabs/Module/Admin.php:507 +msgid "Allow Feeds as Connections" +msgstr "Permitir contenidos RSS como conexiones" -#: ../../Zotlabs/Module/Profiles.php:777 ../../include/nav.php:88 -#: ../../include/channel.php:937 -msgid "Edit Profiles" -msgstr "Editar perfiles" +#: ../../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/Profile_photo.php:179 +#: ../../Zotlabs/Module/Admin.php:508 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." +"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/Profile_photo.php:367 -msgid "Upload Profile Photo" -msgstr "Subir foto de perfil" +#: ../../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/Profperm.php:34 ../../Zotlabs/Module/Profperm.php:63 -msgid "Invalid profile identifier." -msgstr "Identificador del perfil no válido" +#: ../../Zotlabs/Module/Admin.php:510 +msgid "Invitation only" +msgstr "Solo con una invitación" -#: ../../Zotlabs/Module/Profperm.php:115 -msgid "Profile Visibility Editor" -msgstr "Editor de visibilidad del perfil" +#: ../../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/Profperm.php:117 ../../include/channel.php:1249 -msgid "Profile" -msgstr "Perfil" +#: ../../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/Profperm.php:119 -msgid "Click on a contact to add or remove." -msgstr "Pulsar en un contacto para añadirlo o eliminarlo." +#: ../../Zotlabs/Module/Admin.php:512 +msgid "Register text" +msgstr "Texto del registro" -#: ../../Zotlabs/Module/Profperm.php:128 -msgid "Visible To" -msgstr "Visible para" +#: ../../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/Pubsites.php:22 ../../include/widgets.php:1270 -msgid "Public Hubs" -msgstr "Servidores públicos" +#: ../../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/Pubsites.php:25 +#: ../../Zotlabs/Module/Admin.php:513 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" +"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/Pubsites.php:31 -msgid "Access Type" -msgstr "Tipo de acceso" +#: ../../Zotlabs/Module/Admin.php:514 +msgid "Preserve site homepage URL" +msgstr "Preservar la dirección de la página personal" -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Registration Policy" -msgstr "Normas de registro" +#: ../../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/Pubsites.php:31 -msgid "Stats" -msgstr "Estadísticas" +#: ../../Zotlabs/Module/Admin.php:515 +msgid "Accounts abandoned after x days" +msgstr "Cuentas abandonadas después de x días" -#: ../../Zotlabs/Module/Pubsites.php:31 -msgid "Software" -msgstr "Software" +#: ../../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/Pubsites.php:31 ../../Zotlabs/Module/Ratings.php:103 -#: ../../include/conversation.php:959 -msgid "Ratings" -msgstr "Valoraciones" +#: ../../Zotlabs/Module/Admin.php:516 +msgid "Allowed friend domains" +msgstr "Dominios amigos permitidos" -#: ../../Zotlabs/Module/Pubsites.php:38 -msgid "Rate" -msgstr "Valorar" +#: ../../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/Rate.php:160 -msgid "Website:" -msgstr "Sitio web:" +#: ../../Zotlabs/Module/Admin.php:517 +msgid "Allowed email domains" +msgstr "Se aceptan dominios de correo electrónico" -#: ../../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/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/Rate.php:164 -msgid "Rating (this information is public)" -msgstr "Valoración (esta información es pública)" +#: ../../Zotlabs/Module/Admin.php:518 +msgid "Not allowed email domains" +msgstr "No se permiten dominios de correo electrónico" -#: ../../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/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/Ratings.php:73 -msgid "No ratings" -msgstr "Ninguna valoración" +#: ../../Zotlabs/Module/Admin.php:519 +msgid "Verify Email Addresses" +msgstr "Verificar las direcciones de correo electrónico" -#: ../../Zotlabs/Module/Ratings.php:104 -msgid "Rating: " -msgstr "Valoración:" +#: ../../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/Ratings.php:105 -msgid "Website: " -msgstr "Sitio web:" +#: ../../Zotlabs/Module/Admin.php:520 +msgid "Force publish" +msgstr "Forzar la publicación" -#: ../../Zotlabs/Module/Ratings.php:107 -msgid "Description: " -msgstr "Descripció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:77 -msgid "Theme settings updated." -msgstr "Ajustes del tema actualizados." +#: ../../Zotlabs/Module/Admin.php:521 +msgid "Import Public Streams" +msgstr "Importar contenido público" -#: ../../Zotlabs/Module/Admin.php:197 -msgid "# Accounts" -msgstr "# Cuentas" +#: ../../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:198 -msgid "# blocked accounts" -msgstr "# cuentas bloqueadas" +#: ../../Zotlabs/Module/Admin.php:522 +msgid "Login on Homepage" +msgstr "Iniciar sesión en la página personal" -#: ../../Zotlabs/Module/Admin.php:199 -msgid "# expired accounts" -msgstr "# cuentas caducadas" +#: ../../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:200 -msgid "# expiring accounts" -msgstr "# cuentas que caducan" +#: ../../Zotlabs/Module/Admin.php:523 +msgid "Enable context help" +msgstr "Habilitar la ayuda contextual" -#: ../../Zotlabs/Module/Admin.php:211 -msgid "# Channels" -msgstr "# Canales" +#: ../../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:212 -msgid "# primary" -msgstr "# primario" +#: ../../Zotlabs/Module/Admin.php:525 +msgid "Directory Server URL" +msgstr "URL del servidor de directorio" -#: ../../Zotlabs/Module/Admin.php:213 -msgid "# clones" -msgstr "# clones" +#: ../../Zotlabs/Module/Admin.php:525 +msgid "Default directory server" +msgstr "Servidor de directorio predeterminado" -#: ../../Zotlabs/Module/Admin.php:219 -msgid "Message queues" -msgstr "Mensajes en cola" +#: ../../Zotlabs/Module/Admin.php:527 +msgid "Proxy user" +msgstr "Usuario del proxy" -#: ../../Zotlabs/Module/Admin.php:236 -msgid "Your software should be updated" -msgstr "Debe actualizar su software" +#: ../../Zotlabs/Module/Admin.php:528 +msgid "Proxy URL" +msgstr "Dirección del proxy" -#: ../../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:529 +msgid "Network timeout" +msgstr "Tiempo de espera de la red" -#: ../../Zotlabs/Module/Admin.php:242 -msgid "Summary" -msgstr "Sumario" +#: ../../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:245 -msgid "Registered accounts" -msgstr "Cuentas registradas" +#: ../../Zotlabs/Module/Admin.php:530 +msgid "Delivery interval" +msgstr "Intervalo de entrega" -#: ../../Zotlabs/Module/Admin.php:246 ../../Zotlabs/Module/Admin.php:715 -msgid "Pending registrations" -msgstr "Registros pendientes" +#: ../../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:247 -msgid "Registered channels" -msgstr "Canales registrados" +#: ../../Zotlabs/Module/Admin.php:531 +msgid "Deliveries per process" +msgstr "Intentos de envío por proceso" -#: ../../Zotlabs/Module/Admin.php:248 ../../Zotlabs/Module/Admin.php:716 -msgid "Active plugins" -msgstr "Extensiones (plugins) activas" +#: ../../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:249 -msgid "Version" -msgstr "Versión" +#: ../../Zotlabs/Module/Admin.php:532 +msgid "Poll interval" +msgstr "Intervalo máximo de tiempo entre dos mensajes sucesivos" -#: ../../Zotlabs/Module/Admin.php:250 -msgid "Repository version (master)" -msgstr "Versión del repositorio (master)" +#: ../../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:251 -msgid "Repository version (dev)" -msgstr "Versión del repositorio (dev)" +#: ../../Zotlabs/Module/Admin.php:533 +msgid "Maximum Load Average" +msgstr "Carga media máxima" -#: ../../Zotlabs/Module/Admin.php:373 -msgid "Site settings updated." -msgstr "Ajustes del sitio actualizados." +#: ../../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:400 ../../include/text.php:2841 -msgid "Default" -msgstr "Predeterminado" +#: ../../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:410 ../../Zotlabs/Module/Settings.php:798 -msgid "mobile" -msgstr "móvil" +#: ../../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:412 -msgid "experimental" -msgstr "experimental" +#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 +#: ../../Zotlabs/Module/Settings.php:823 +msgid "Off" +msgstr "Desactivado" -#: ../../Zotlabs/Module/Admin.php:414 -msgid "unsupported" -msgstr "no soportado" +#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 +#: ../../Zotlabs/Module/Settings.php:823 +msgid "On" +msgstr "Activado" -#: ../../Zotlabs/Module/Admin.php:460 -msgid "Yes - with approval" -msgstr "Sí - con aprobación" +#: ../../Zotlabs/Module/Admin.php:678 +#, php-format +msgid "Lock feature %s" +msgstr "Bloquear la funcionalidad %s" -#: ../../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:686 +msgid "Manage Additional Features" +msgstr "Gestionar las funcionalidades" -#: ../../Zotlabs/Module/Admin.php:467 -msgid "My site has paid access only" -msgstr "Mi sitio es un servicio de pago" +#: ../../Zotlabs/Module/Admin.php:703 +msgid "No server found" +msgstr "Servidor no encontrado" -#: ../../Zotlabs/Module/Admin.php:468 -msgid "My site has free access only" -msgstr "Mi sitio es un servicio gratuito" +#: ../../Zotlabs/Module/Admin.php:710 ../../Zotlabs/Module/Admin.php:1046 +msgid "ID" +msgstr "ID" -#: ../../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:710 +msgid "for channel" +msgstr "por canal" -#: ../../Zotlabs/Module/Admin.php:491 ../../include/widgets.php:1382 -msgid "Site" -msgstr "Sitio" +#: ../../Zotlabs/Module/Admin.php:710 +msgid "on server" +msgstr "en el servidor" -#: ../../Zotlabs/Module/Admin.php:493 ../../Zotlabs/Module/Register.php:245 -msgid "Registration" -msgstr "Registro" +#: ../../Zotlabs/Module/Admin.php:712 +msgid "Server" +msgstr "Servidor" -#: ../../Zotlabs/Module/Admin.php:494 -msgid "File upload" -msgstr "Subir fichero" +#: ../../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:495 -msgid "Policies" -msgstr "Políticas" +#: ../../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:496 ../../include/contact_widgets.php:16 -msgid "Advanced" -msgstr "Avanzado" +#: ../../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:500 -msgid "Site name" -msgstr "Nombre del sitio" +#: ../../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:501 -msgid "Banner/Logo" -msgstr "Banner/Logo" +#: ../../Zotlabs/Module/Admin.php:756 ../../include/widgets.php:1479 +msgid "Security" +msgstr "Seguridad" -#: ../../Zotlabs/Module/Admin.php:502 -msgid "Administrator Information" -msgstr "Información del Administrador" +#: ../../Zotlabs/Module/Admin.php:758 +msgid "Block public" +msgstr "Bloquear páginas públicas" -#: ../../Zotlabs/Module/Admin.php:502 +#: ../../Zotlabs/Module/Admin.php:758 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" +"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:503 -msgid "System language" -msgstr "Idioma del sistema" +#: ../../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:504 -msgid "System theme" -msgstr "Tema gráfico del sistema" +#: ../../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:504 +#: ../../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 "" -"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" +"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:505 -msgid "Mobile system theme" -msgstr "Tema del sistema para móviles" +#: ../../Zotlabs/Module/Admin.php:762 +msgid "Block communications from these sites" +msgstr "Bloquear la comunicación desde estos sitios" -#: ../../Zotlabs/Module/Admin.php:505 -msgid "Theme for mobile devices" -msgstr "Tema para dispositivos móviles" +#: ../../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:507 -msgid "Allow Feeds as Connections" -msgstr "Permitir contenidos RSS como conexiones" +#: ../../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:507 -msgid "(Heavy system resource usage)" -msgstr "(Uso intenso de los recursos del sistema)" +#: ../../Zotlabs/Module/Admin.php:764 +msgid "Block communications from these channels" +msgstr "Bloquear la comunicación desde estos canales" -#: ../../Zotlabs/Module/Admin.php:508 -msgid "Maximum image size" -msgstr "Tamaño máximo de la imagen" +#: ../../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: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: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:509 -msgid "Does this site allow new member registration?" -msgstr "¿Debe este sitio permitir el registro de nuevos miembros?" +#: ../../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:510 -msgid "Invitation only" -msgstr "Solo con una invitación" +#: ../../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: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:785 +msgid "Update has been marked successful" +msgstr "La actualización ha sido marcada como exitosa" -#: ../../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: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:512 -msgid "Register text" -msgstr "Texto del registro" +#: ../../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: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: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: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: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: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:821 +msgid "No failed updates." +msgstr "No ha fallado ninguna actualización." -#: ../../Zotlabs/Module/Admin.php:514 -msgid "Preserve site homepage URL" -msgstr "Preservar la dirección de la página personal" +#: ../../Zotlabs/Module/Admin.php:825 +msgid "Failed Updates" +msgstr "Han fallado las actualizaciones" -#: ../../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: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:515 -msgid "Accounts abandoned after x days" -msgstr "Cuentas abandonadas después de x días" +#: ../../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: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:859 +msgid "Queue Statistics" +msgstr "Estadísticas de la cola" -#: ../../Zotlabs/Module/Admin.php:516 -msgid "Allowed friend domains" -msgstr "Dominios amigos permitidos" +#: ../../Zotlabs/Module/Admin.php:860 +msgid "Total Entries" +msgstr "Total de entradas" -#: ../../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:861 +msgid "Priority" +msgstr "Prioridad" -#: ../../Zotlabs/Module/Admin.php:517 -msgid "Allowed email domains" -msgstr "Se aceptan dominios de correo electrónico" +#: ../../Zotlabs/Module/Admin.php:862 +msgid "Destination URL" +msgstr "Dirección de destino" -#: ../../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:863 +msgid "Mark hub permanently offline" +msgstr "Marcar el servidor como permanentemente fuera de línea" -#: ../../Zotlabs/Module/Admin.php:518 -msgid "Not allowed email domains" -msgstr "No se permiten dominios de correo electrónico" +#: ../../Zotlabs/Module/Admin.php:864 +msgid "Empty queue for this hub" +msgstr "Vaciar la cola para este servidor" -#: ../../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:865 +msgid "Last known contact" +msgstr "Último contacto conocido" -#: ../../Zotlabs/Module/Admin.php:519 -msgid "Verify Email Addresses" -msgstr "Verificar las direcciones de correo electrónico" +#: ../../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: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: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:520 -msgid "Force publish" -msgstr "Forzar la publicación" +#: ../../Zotlabs/Module/Admin.php:944 +msgid "Account not found" +msgstr "Cuenta no encontrada" -#: ../../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:955 +#, php-format +msgid "Account '%s' deleted" +msgstr "La cuenta '%s' ha sido eliminada" -#: ../../Zotlabs/Module/Admin.php:521 -msgid "Import Public Streams" -msgstr "Importar contenido público" +#: ../../Zotlabs/Module/Admin.php:963 +#, php-format +msgid "Account '%s' blocked" +msgstr "La cuenta '%s' ha sido bloqueada" -#: ../../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:971 +#, php-format +msgid "Account '%s' unblocked" +msgstr "La cuenta '%s' ha sido desbloqueada" -#: ../../Zotlabs/Module/Admin.php:522 -msgid "Login on Homepage" -msgstr "Iniciar sesión en la página personal" +#: ../../Zotlabs/Module/Admin.php:1031 ../../Zotlabs/Module/Admin.php:1044 +#: ../../include/widgets.php:1477 +msgid "Accounts" +msgstr "Cuentas" -#: ../../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:1033 ../../Zotlabs/Module/Admin.php:1212 +msgid "select all" +msgstr "seleccionar todo" -#: ../../Zotlabs/Module/Admin.php:523 -msgid "Enable context help" -msgstr "Habilitar la ayuda contextual" +#: ../../Zotlabs/Module/Admin.php:1034 +msgid "Registrations waiting for confirm" +msgstr "Inscripciones en espera de confirmación" -#: ../../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:1035 +msgid "Request date" +msgstr "Fecha de solicitud" -#: ../../Zotlabs/Module/Admin.php:525 -msgid "Directory Server URL" -msgstr "URL del servidor de directorio" +#: ../../Zotlabs/Module/Admin.php:1036 +msgid "No registrations." +msgstr "Sin registros." -#: ../../Zotlabs/Module/Admin.php:525 -msgid "Default directory server" -msgstr "Servidor de directorio predeterminado" +#: ../../Zotlabs/Module/Admin.php:1038 +msgid "Deny" +msgstr "Rechazar" -#: ../../Zotlabs/Module/Admin.php:527 -msgid "Proxy user" -msgstr "Usuario del proxy" +#: ../../Zotlabs/Module/Admin.php:1048 ../../include/group.php:267 +msgid "All Channels" +msgstr "Todos los canales" -#: ../../Zotlabs/Module/Admin.php:528 -msgid "Proxy URL" -msgstr "Dirección del proxy" +#: ../../Zotlabs/Module/Admin.php:1049 +msgid "Register date" +msgstr "Fecha de registro" -#: ../../Zotlabs/Module/Admin.php:529 -msgid "Network timeout" -msgstr "Tiempo de espera de la red" +#: ../../Zotlabs/Module/Admin.php:1050 +msgid "Last login" +msgstr "Último acceso" -#: ../../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:1051 +msgid "Expires" +msgstr "Caduca" -#: ../../Zotlabs/Module/Admin.php:530 -msgid "Delivery interval" -msgstr "Intervalo de entrega" +#: ../../Zotlabs/Module/Admin.php:1052 +msgid "Service Class" +msgstr "Clase de servicio" -#: ../../Zotlabs/Module/Admin.php:530 +#: ../../Zotlabs/Module/Admin.php:1054 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" +"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:531 +#: ../../Zotlabs/Module/Admin.php:1055 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" +"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: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: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:533 -msgid "Maximum Load Average" -msgstr "Carga media máxima" +#: ../../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: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: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: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:1126 +msgid "Channel not found" +msgstr "Canal no encontrado" -#: ../../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:1136 +#, php-format +msgid "Channel '%s' deleted" +msgstr "Canal '%s' eliminado" -#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 -#: ../../Zotlabs/Module/Settings.php:722 -msgid "Off" -msgstr "Desactivado" +#: ../../Zotlabs/Module/Admin.php:1148 +#, php-format +msgid "Channel '%s' censored" +msgstr "Canal '%s' censurado" -#: ../../Zotlabs/Module/Admin.php:677 ../../Zotlabs/Module/Admin.php:678 -#: ../../Zotlabs/Module/Settings.php:722 -msgid "On" -msgstr "Activado" +#: ../../Zotlabs/Module/Admin.php:1148 +#, php-format +msgid "Channel '%s' uncensored" +msgstr "Canal '%s' no censurado" -#: ../../Zotlabs/Module/Admin.php:678 +#: ../../Zotlabs/Module/Admin.php:1159 #, php-format -msgid "Lock feature %s" -msgstr "Bloquear la funcionalidad %s" +msgid "Channel '%s' code allowed" +msgstr "Código permitido al canal '%s'" -#: ../../Zotlabs/Module/Admin.php:686 -msgid "Manage Additional Features" -msgstr "Gestionar las funcionalidades" +#: ../../Zotlabs/Module/Admin.php:1159 +#, php-format +msgid "Channel '%s' code disallowed" +msgstr "Código no permitido al canal '%s'" -#: ../../Zotlabs/Module/Admin.php:703 -msgid "No server found" -msgstr "Servidor no encontrado" +#: ../../Zotlabs/Module/Admin.php:1210 ../../include/widgets.php:1478 +msgid "Channels" +msgstr "Canales" -#: ../../Zotlabs/Module/Admin.php:710 ../../Zotlabs/Module/Admin.php:1046 -msgid "ID" -msgstr "ID" +#: ../../Zotlabs/Module/Admin.php:1214 +msgid "Censor" +msgstr "Censurar" -#: ../../Zotlabs/Module/Admin.php:710 -msgid "for channel" -msgstr "por canal" +#: ../../Zotlabs/Module/Admin.php:1215 +msgid "Uncensor" +msgstr "No censurar" -#: ../../Zotlabs/Module/Admin.php:710 -msgid "on server" -msgstr "en el servidor" +#: ../../Zotlabs/Module/Admin.php:1216 +msgid "Allow Code" +msgstr "Permitir código" -#: ../../Zotlabs/Module/Admin.php:712 -msgid "Server" -msgstr "Servidor" +#: ../../Zotlabs/Module/Admin.php:1217 +msgid "Disallow Code" +msgstr "No permitir código" -#: ../../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:1218 ../../include/conversation.php:1626 +msgid "Channel" +msgstr "Canal" -#: ../../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:1222 +msgid "UID" +msgstr "UID" -#: ../../Zotlabs/Module/Admin.php:750 +#: ../../Zotlabs/Module/Admin.php:1226 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/
" +"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:751 +#: ../../Zotlabs/Module/Admin.php:1227 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." +"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:756 ../../include/widgets.php:1385 -msgid "Security" -msgstr "Seguridad" +#: ../../Zotlabs/Module/Admin.php:1284 +#, php-format +msgid "Plugin %s disabled." +msgstr "Extensión %s desactivada." -#: ../../Zotlabs/Module/Admin.php:758 -msgid "Block public" -msgstr "Bloquear páginas públicas" +#: ../../Zotlabs/Module/Admin.php:1288 +#, php-format +msgid "Plugin %s enabled." +msgstr "Extensión %s activada." -#: ../../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:1298 ../../Zotlabs/Module/Admin.php:1585 +msgid "Disable" +msgstr "Desactivar" -#: ../../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:1301 ../../Zotlabs/Module/Admin.php:1587 +msgid "Enable" +msgstr "Activar" -#: ../../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:1330 ../../Zotlabs/Module/Admin.php:1420 +#: ../../include/widgets.php:1481 +msgid "Plugins" +msgstr "Extensiones (plugins)" -#: ../../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:1331 ../../Zotlabs/Module/Admin.php:1614 +msgid "Toggle" +msgstr "Cambiar" -#: ../../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: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:762 -msgid "Block communications from these sites" -msgstr "Bloquear la comunicación desde estos sitios" +#: ../../Zotlabs/Module/Admin.php:1339 ../../Zotlabs/Module/Admin.php:1624 +msgid "Author: " +msgstr "Autor:" -#: ../../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:1340 ../../Zotlabs/Module/Admin.php:1625 +msgid "Maintainer: " +msgstr "Mantenedor:" -#: ../../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:1341 +msgid "Minimum project version: " +msgstr "Versión mínima del proyecto:" -#: ../../Zotlabs/Module/Admin.php:764 -msgid "Block communications from these channels" -msgstr "Bloquear la comunicación desde estos canales" +#: ../../Zotlabs/Module/Admin.php:1342 +msgid "Maximum project version: " +msgstr "Versión máxima del proyecto:" -#: ../../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:1343 +msgid "Minimum PHP version: " +msgstr "Versión mínima de PHP:" -#: ../../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:1344 +msgid "Requires: " +msgstr "Se requiere:" -#: ../../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:1345 ../../Zotlabs/Module/Admin.php:1425 +msgid "Disabled - version incompatibility" +msgstr "Deshabilitado - versiones incompatibles" -#: ../../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: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:785 -msgid "Update has been marked successful" -msgstr "La actualización ha sido marcada como exitosa" +#: ../../Zotlabs/Module/Admin.php:1395 +msgid "Plugin repo git URL" +msgstr "URL del repositorio git del plugin" -#: ../../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:1396 +msgid "Custom repo name" +msgstr "Nombre personalizado del repositorio" -#: ../../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:1396 +msgid "(optional)" +msgstr "(opcional)" -#: ../../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:1397 +msgid "Download Plugin Repo" +msgstr "Descargar el repositorio" -#: ../../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:1404 +msgid "Install new repo" +msgstr "Instalar un nuevo repositorio" -#: ../../Zotlabs/Module/Admin.php:821 -msgid "No failed updates." -msgstr "No ha fallado ninguna actualización." +#: ../../Zotlabs/Module/Admin.php:1405 ../../Zotlabs/Lib/Apps.php:334 +msgid "Install" +msgstr "Instalar" -#: ../../Zotlabs/Module/Admin.php:825 -msgid "Failed Updates" -msgstr "Han fallado las actualizaciones" +#: ../../Zotlabs/Module/Admin.php:1427 +msgid "Manage Repos" +msgstr "Gestionar los repositorios" -#: ../../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:1428 +msgid "Installed Plugin Repositories" +msgstr "Repositorios de los plugins instalados" -#: ../../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:1429 +msgid "Install a New Plugin Repository" +msgstr "Instalar un nuevo repositorio de plugins" -#: ../../Zotlabs/Module/Admin.php:859 -msgid "Queue Statistics" -msgstr "Estadísticas de la cola" +#: ../../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:860 -msgid "Total Entries" -msgstr "Total de entradas" +#: ../../Zotlabs/Module/Admin.php:1436 +msgid "Switch branch" +msgstr "Cambiar la rama" -#: ../../Zotlabs/Module/Admin.php:861 -msgid "Priority" -msgstr "Prioridad" +#: ../../Zotlabs/Module/Admin.php:1550 +msgid "No themes found." +msgstr "No se han encontrado temas." -#: ../../Zotlabs/Module/Admin.php:862 -msgid "Destination URL" -msgstr "Dirección de destino" +#: ../../Zotlabs/Module/Admin.php:1606 +msgid "Screenshot" +msgstr "Instantánea de pantalla" -#: ../../Zotlabs/Module/Admin.php:863 -msgid "Mark hub permanently offline" -msgstr "Marcar el servidor como permanentemente fuera de línea" +#: ../../Zotlabs/Module/Admin.php:1613 ../../Zotlabs/Module/Admin.php:1647 +#: ../../include/widgets.php:1482 +msgid "Themes" +msgstr "Temas" -#: ../../Zotlabs/Module/Admin.php:864 -msgid "Empty queue for this hub" -msgstr "Vaciar la cola para este servidor" +#: ../../Zotlabs/Module/Admin.php:1652 +msgid "[Experimental]" +msgstr "[Experimental]" -#: ../../Zotlabs/Module/Admin.php:865 -msgid "Last known contact" -msgstr "Último contacto conocido" +#: ../../Zotlabs/Module/Admin.php:1653 +msgid "[Unsupported]" +msgstr "[No soportado]" -#: ../../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:1677 +msgid "Log settings updated." +msgstr "Actualizado el informe de configuraciones." -#: ../../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:1732 ../../include/widgets.php:1503 +#: ../../include/widgets.php:1513 +msgid "Logs" +msgstr "Informes" -#: ../../Zotlabs/Module/Admin.php:944 -msgid "Account not found" -msgstr "Cuenta no encontrada" +#: ../../Zotlabs/Module/Admin.php:1734 +msgid "Clear" +msgstr "Vaciar" -#: ../../Zotlabs/Module/Admin.php:955 -#, php-format -msgid "Account '%s' deleted" -msgstr "La cuenta '%s' ha sido eliminada" +#: ../../Zotlabs/Module/Admin.php:1740 +msgid "Debugging" +msgstr "Depuración" -#: ../../Zotlabs/Module/Admin.php:963 -#, php-format -msgid "Account '%s' blocked" -msgstr "La cuenta '%s' ha sido bloqueada" +#: ../../Zotlabs/Module/Admin.php:1741 +msgid "Log file" +msgstr "Fichero de informe" -#: ../../Zotlabs/Module/Admin.php:971 -#, php-format -msgid "Account '%s' unblocked" -msgstr "La cuenta '%s' ha sido desbloqueada" +#: ../../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:1031 ../../Zotlabs/Module/Admin.php:1044 -#: ../../include/widgets.php:1383 -msgid "Accounts" -msgstr "Cuentas" +#: ../../Zotlabs/Module/Admin.php:2029 ../../Zotlabs/Module/Admin.php:2049 +msgid "Field nickname" +msgstr "Alias del campo" -#: ../../Zotlabs/Module/Admin.php:1033 ../../Zotlabs/Module/Admin.php:1212 -msgid "select all" -msgstr "seleccionar todo" +#: ../../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:1034 -msgid "Registrations waiting for confirm" -msgstr "Inscripciones en espera de confirmación" +#: ../../Zotlabs/Module/Admin.php:2030 ../../Zotlabs/Module/Admin.php:2050 +msgid "Input type" +msgstr "Tipo de entrada" -#: ../../Zotlabs/Module/Admin.php:1035 -msgid "Request date" -msgstr "Fecha de solicitud" +#: ../../Zotlabs/Module/Admin.php:2031 ../../Zotlabs/Module/Admin.php:2051 +msgid "Field Name" +msgstr "Nombre del campo" -#: ../../Zotlabs/Module/Admin.php:1036 -msgid "No registrations." -msgstr "Sin registros." +#: ../../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:1038 -msgid "Deny" -msgstr "Rechazar" +#: ../../Zotlabs/Module/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 +msgid "Help text" +msgstr "Texto de ayuda" -#: ../../Zotlabs/Module/Admin.php:1048 ../../include/group.php:267 -msgid "All Channels" -msgstr "Todos los canales" +#: ../../Zotlabs/Module/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 +msgid "Additional info (optional)" +msgstr "Información adicional (opcional)" -#: ../../Zotlabs/Module/Admin.php:1049 -msgid "Register date" -msgstr "Fecha de registro" +#: ../../Zotlabs/Module/Admin.php:2042 +msgid "Field definition not found" +msgstr "Definición del campo no encontrada" -#: ../../Zotlabs/Module/Admin.php:1050 -msgid "Last login" -msgstr "Último acceso" +#: ../../Zotlabs/Module/Admin.php:2048 +msgid "Edit Profile Field" +msgstr "Modificar el campo del perfil" -#: ../../Zotlabs/Module/Admin.php:1051 -msgid "Expires" -msgstr "Caduca" +#: ../../Zotlabs/Module/Admin.php:2106 ../../include/widgets.php:1484 +msgid "Profile Fields" +msgstr "Campos del perfil" -#: ../../Zotlabs/Module/Admin.php:1052 -msgid "Service Class" -msgstr "Clase de servicio" +#: ../../Zotlabs/Module/Admin.php:2107 +msgid "Basic Profile Fields" +msgstr "Campos básicos del perfil" -#: ../../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:2108 +msgid "Advanced Profile Fields" +msgstr "Campos avanzados del perfil" -#: ../../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:2108 +msgid "(In addition to basic fields)" +msgstr "(Además de los campos básicos)" -#: ../../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:2110 +msgid "All available fields" +msgstr "Todos los campos disponibles" -#: ../../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:2111 +msgid "Custom Fields" +msgstr "Campos personalizados" -#: ../../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:2115 +msgid "Create Custom Field" +msgstr "Crear un campo personalizado" -#: ../../Zotlabs/Module/Admin.php:1126 -msgid "Channel not found" -msgstr "Canal no encontrado" +#: ../../Zotlabs/Module/New_channel.php:128 +#: ../../Zotlabs/Module/Register.php:231 +msgid "Name or caption" +msgstr "Nombre o descripción" -#: ../../Zotlabs/Module/Admin.php:1136 -#, php-format -msgid "Channel '%s' deleted" -msgstr "Canal '%s' eliminado" +#: ../../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/Admin.php:1148 -#, php-format -msgid "Channel '%s' censored" -msgstr "Canal '%s' censurado" +#: ../../Zotlabs/Module/New_channel.php:130 +#: ../../Zotlabs/Module/Register.php:233 +msgid "Choose a short nickname" +msgstr "Elija un alias corto" -#: ../../Zotlabs/Module/Admin.php:1148 +#: ../../Zotlabs/Module/New_channel.php:130 +#: ../../Zotlabs/Module/Register.php:233 #, php-format -msgid "Channel '%s' uncensored" -msgstr "Canal '%s' no censurado" +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/Admin.php:1159 -#, php-format -msgid "Channel '%s' code allowed" -msgstr "Código permitido al canal '%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/Admin.php:1159 -#, php-format -msgid "Channel '%s' code disallowed" -msgstr "Código no permitido al canal '%s'" +#: ../../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/Admin.php:1210 ../../include/widgets.php:1384 -msgid "Channels" -msgstr "Canales" +#: ../../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/Admin.php:1214 -msgid "Censor" -msgstr "Censurar" +#: ../../Zotlabs/Module/New_channel.php:135 +msgid "Create Channel" +msgstr "Crear un canal" -#: ../../Zotlabs/Module/Admin.php:1215 -msgid "Uncensor" -msgstr "No censurar" +#: ../../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/Admin.php:1216 -msgid "Allow Code" -msgstr "Permitir código" +#: ../../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/Admin.php:1217 -msgid "Disallow Code" -msgstr "No permitir código" +#: ../../Zotlabs/Module/Ping.php:265 +msgid "sent you a private message" +msgstr "le ha enviado un mensaje privado" -#: ../../Zotlabs/Module/Admin.php:1218 ../../include/conversation.php:1611 -msgid "Channel" -msgstr "Canal" +#: ../../Zotlabs/Module/Ping.php:313 +msgid "added your channel" +msgstr "añadió este canal a sus conexiones" -#: ../../Zotlabs/Module/Admin.php:1222 -msgid "UID" -msgstr "UID" +#: ../../Zotlabs/Module/Ping.php:323 +msgid "g A l F d" +msgstr "g A l d F" -#: ../../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/Ping.php:346 +msgid "[today]" +msgstr "[hoy]" -#: ../../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/Ping.php:355 +msgid "posted an event" +msgstr "publicó un evento" -#: ../../Zotlabs/Module/Admin.php:1284 -#, php-format -msgid "Plugin %s disabled." -msgstr "Extensión %s desactivada." +#: ../../Zotlabs/Module/Notifications.php:30 +msgid "Invalid request identifier." +msgstr "Petición inválida del identificador." -#: ../../Zotlabs/Module/Admin.php:1288 -#, php-format -msgid "Plugin %s enabled." -msgstr "Extensión %s activada." +#: ../../Zotlabs/Module/Notifications.php:39 +msgid "Discard" +msgstr "Descartar" -#: ../../Zotlabs/Module/Admin.php:1298 ../../Zotlabs/Module/Admin.php:1585 -msgid "Disable" -msgstr "Desactivar" +#: ../../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/Admin.php:1301 ../../Zotlabs/Module/Admin.php:1587 -msgid "Enable" -msgstr "Activar" +#: ../../Zotlabs/Module/Poke.php:168 ../../Zotlabs/Lib/Apps.php:228 +#: ../../include/conversation.php:963 +msgid "Poke" +msgstr "Toques y otras cosas" -#: ../../Zotlabs/Module/Admin.php:1330 ../../Zotlabs/Module/Admin.php:1420 -#: ../../include/widgets.php:1387 -msgid "Plugins" -msgstr "Extensiones (plugins)" +#: ../../Zotlabs/Module/Poke.php:169 +msgid "Poke somebody" +msgstr "Dar un toque a alguien" -#: ../../Zotlabs/Module/Admin.php:1331 ../../Zotlabs/Module/Admin.php:1614 -msgid "Toggle" -msgstr "Cambiar" +#: ../../Zotlabs/Module/Poke.php:172 +msgid "Poke/Prod" +msgstr "Toque/Incitación" -#: ../../Zotlabs/Module/Admin.php:1332 ../../Zotlabs/Module/Admin.php:1615 -#: ../../Zotlabs/Lib/Apps.php:215 ../../include/widgets.php:638 -#: ../../include/nav.php:208 -msgid "Settings" -msgstr "Ajustes" +#: ../../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/Admin.php:1339 ../../Zotlabs/Module/Admin.php:1624 -msgid "Author: " -msgstr "Autor:" +#: ../../Zotlabs/Module/Poke.php:180 +msgid "Recipient" +msgstr "Destinatario" -#: ../../Zotlabs/Module/Admin.php:1340 ../../Zotlabs/Module/Admin.php:1625 -msgid "Maintainer: " -msgstr "Mantenedor:" +#: ../../Zotlabs/Module/Poke.php:181 +msgid "Choose what you wish to do to recipient" +msgstr "Elegir qué desea enviar al destinatario" -#: ../../Zotlabs/Module/Admin.php:1341 -msgid "Minimum project version: " -msgstr "Versión mínima del proyecto:" +#: ../../Zotlabs/Module/Poke.php:184 ../../Zotlabs/Module/Poke.php:185 +msgid "Make this post private" +msgstr "Convertir en privado este envío" -#: ../../Zotlabs/Module/Admin.php:1342 -msgid "Maximum project version: " -msgstr "Versión máxima del proyecto:" +#: ../../Zotlabs/Module/Oexchange.php:27 +msgid "Unable to find your hub." +msgstr "No se puede encontrar su servidor." -#: ../../Zotlabs/Module/Admin.php:1343 -msgid "Minimum PHP version: " -msgstr "Versión mínima de PHP:" +#: ../../Zotlabs/Module/Oexchange.php:41 +msgid "Post successful." +msgstr "Enviado con éxito." -#: ../../Zotlabs/Module/Admin.php:1344 -msgid "Requires: " -msgstr "Se requiere:" +#: ../../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/Admin.php:1345 ../../Zotlabs/Module/Admin.php:1425 -msgid "Disabled - version incompatibility" -msgstr "Deshabilitado - versiones incompatibles" +#: ../../Zotlabs/Module/Openid.php:193 ../../include/auth.php:285 +msgid "Login failed." +msgstr "El acceso ha fallado." -#: ../../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/Profperm.php:34 ../../Zotlabs/Module/Profperm.php:63 +msgid "Invalid profile identifier." +msgstr "Identificador del perfil no válido" -#: ../../Zotlabs/Module/Admin.php:1395 -msgid "Plugin repo git URL" -msgstr "URL del repositorio git del plugin" +#: ../../Zotlabs/Module/Profperm.php:115 +msgid "Profile Visibility Editor" +msgstr "Editor de visibilidad del perfil" -#: ../../Zotlabs/Module/Admin.php:1396 -msgid "Custom repo name" -msgstr "Nombre personalizado del repositorio" +#: ../../Zotlabs/Module/Profperm.php:117 ../../include/channel.php:1290 +msgid "Profile" +msgstr "Perfil" -#: ../../Zotlabs/Module/Admin.php:1396 -msgid "(optional)" -msgstr "(opcional)" +#: ../../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/Admin.php:1397 -msgid "Download Plugin Repo" -msgstr "Descargar el repositorio" +#: ../../Zotlabs/Module/Profperm.php:128 +msgid "Visible To" +msgstr "Visible para" -#: ../../Zotlabs/Module/Admin.php:1404 -msgid "Install new repo" -msgstr "Instalar un nuevo repositorio" +#: ../../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/Admin.php:1405 ../../Zotlabs/Lib/Apps.php:330 -msgid "Install" -msgstr "Instalar" +#: ../../Zotlabs/Module/Pconfig.php:48 +msgid "Configuration Editor" +msgstr "Editor de configuración" -#: ../../Zotlabs/Module/Admin.php:1427 -msgid "Manage Repos" -msgstr "Gestionar los repositorios" +#: ../../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/Admin.php:1428 -msgid "Installed Plugin Repositories" -msgstr "Repositorios de los plugins instalados" +#: ../../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/Admin.php:1429 -msgid "Install a New Plugin Repository" -msgstr "Instalar un nuevo repositorio de plugins" +#: ../../Zotlabs/Module/Siteinfo.php:19 +#, php-format +msgid "Version %s" +msgstr "Versión %s" -#: ../../Zotlabs/Module/Admin.php:1435 ../../Zotlabs/Module/Settings.php:77 -#: ../../Zotlabs/Module/Settings.php:616 ../../Zotlabs/Lib/Apps.php:330 -msgid "Update" -msgstr "Actualizar" +#: ../../Zotlabs/Module/Siteinfo.php:34 +msgid "Installed plugins/addons/apps:" +msgstr "Extensiones (plugins), complementos o aplicaciones (apps) instaladas:" -#: ../../Zotlabs/Module/Admin.php:1436 -msgid "Switch branch" -msgstr "Cambiar la rama" +#: ../../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/Admin.php:1550 -msgid "No themes found." -msgstr "No se han encontrado temas." +#: ../../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/Admin.php:1606 -msgid "Screenshot" -msgstr "Instantánea de pantalla" +#: ../../Zotlabs/Module/Siteinfo.php:51 +msgid "Tag: " +msgstr "Etiqueta:" -#: ../../Zotlabs/Module/Admin.php:1613 ../../Zotlabs/Module/Admin.php:1647 -#: ../../include/widgets.php:1388 -msgid "Themes" -msgstr "Temas" +#: ../../Zotlabs/Module/Siteinfo.php:53 +msgid "Last background fetch: " +msgstr "Última actualización en segundo plano:" -#: ../../Zotlabs/Module/Admin.php:1652 -msgid "[Experimental]" -msgstr "[Experimental]" +#: ../../Zotlabs/Module/Siteinfo.php:55 +msgid "Current load average: " +msgstr "Carga media actual:" -#: ../../Zotlabs/Module/Admin.php:1653 -msgid "[Unsupported]" -msgstr "[No soportado]" +#: ../../Zotlabs/Module/Siteinfo.php:58 +msgid "Running at web location" +msgstr "Corriendo en el sitio web" -#: ../../Zotlabs/Module/Admin.php:1677 -msgid "Log settings updated." -msgstr "Actualizado el informe de configuraciones." +#: ../../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/Admin.php:1732 ../../include/widgets.php:1409 -#: ../../include/widgets.php:1419 -msgid "Logs" -msgstr "Informes" +#: ../../Zotlabs/Module/Siteinfo.php:60 +msgid "Bug reports and issues: please visit" +msgstr "Informes de errores e incidencias: por favor visite" -#: ../../Zotlabs/Module/Admin.php:1734 -msgid "Clear" -msgstr "Vaciar" +#: ../../Zotlabs/Module/Siteinfo.php:62 +msgid "$projectname issues" +msgstr "Problemas en $projectname" -#: ../../Zotlabs/Module/Admin.php:1740 -msgid "Debugging" -msgstr "Depuración" +#: ../../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/Admin.php:1741 -msgid "Log file" -msgstr "Fichero de informe" +#: ../../Zotlabs/Module/Siteinfo.php:65 +msgid "Site Administrators" +msgstr "Administradores del sitio" -#: ../../Zotlabs/Module/Admin.php:1741 +#: ../../Zotlabs/Module/Rmagic.php:44 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." +"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/Admin.php:1742 -msgid "Log level" -msgstr "Nivel de depuración" +#: ../../Zotlabs/Module/Rmagic.php:44 +msgid "The error message was:" +msgstr "El mensaje de error fue:" -#: ../../Zotlabs/Module/Admin.php:2028 -msgid "New Profile Field" -msgstr "Nuevo campo en el perfil" +#: ../../Zotlabs/Module/Rmagic.php:48 +msgid "Authentication failed." +msgstr "Falló la autenticación." -#: ../../Zotlabs/Module/Admin.php:2029 ../../Zotlabs/Module/Admin.php:2049 -msgid "Field nickname" -msgstr "Alias del campo" +#: ../../Zotlabs/Module/Rmagic.php:88 +msgid "Remote Authentication" +msgstr "Acceso desde su servidor" -#: ../../Zotlabs/Module/Admin.php:2029 ../../Zotlabs/Module/Admin.php:2049 -msgid "System name of field" -msgstr "Nombre del campo en el sistema" +#: ../../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/Admin.php:2030 ../../Zotlabs/Module/Admin.php:2050 -msgid "Input type" -msgstr "Tipo de entrada" +#: ../../Zotlabs/Module/Rmagic.php:90 +msgid "Authenticate" +msgstr "Acceder" -#: ../../Zotlabs/Module/Admin.php:2031 ../../Zotlabs/Module/Admin.php:2051 -msgid "Field Name" -msgstr "Nombre del campo" +#: ../../Zotlabs/Module/Pubsites.php:22 ../../include/widgets.php:1337 +msgid "Public Hubs" +msgstr "Servidores públicos" -#: ../../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/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/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 -msgid "Help text" -msgstr "Texto de ayuda" +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Hub URL" +msgstr "Dirección del hub" -#: ../../Zotlabs/Module/Admin.php:2032 ../../Zotlabs/Module/Admin.php:2052 -msgid "Additional info (optional)" -msgstr "Información adicional (opcional)" +#: ../../Zotlabs/Module/Pubsites.php:31 +msgid "Access Type" +msgstr "Tipo de acceso" -#: ../../Zotlabs/Module/Admin.php:2042 -msgid "Field definition not found" -msgstr "Definición del campo no encontrada" +#: ../../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/Admin.php:2048 -msgid "Edit Profile Field" -msgstr "Modificar el campo del perfil" +#: ../../Zotlabs/Module/Pubsites.php:31 ../../Zotlabs/Module/Ratings.php:103 +#: ../../include/conversation.php:962 +msgid "Ratings" +msgstr "Valoraciones" -#: ../../Zotlabs/Module/Admin.php:2106 ../../include/widgets.php:1390 -msgid "Profile Fields" -msgstr "Campos del perfil" +#: ../../Zotlabs/Module/Pubsites.php:38 +msgid "Rate" +msgstr "Valorar" -#: ../../Zotlabs/Module/Admin.php:2107 -msgid "Basic Profile Fields" -msgstr "Campos básicos 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/Admin.php:2108 -msgid "Advanced Profile Fields" -msgstr "Campos avanzados del perfil" +#: ../../Zotlabs/Module/Profile_photo.php:389 +msgid "Upload Profile Photo" +msgstr "Subir foto de perfil" -#: ../../Zotlabs/Module/Admin.php:2108 -msgid "(In addition to basic fields)" -msgstr "(Además de los campos básicos)" +#: ../../Zotlabs/Module/Blocks.php:97 ../../Zotlabs/Module/Blocks.php:155 +#: ../../Zotlabs/Module/Editblock.php:108 +msgid "Block Name" +msgstr "Nombre del bloque" -#: ../../Zotlabs/Module/Admin.php:2110 -msgid "All available fields" -msgstr "Todos los campos disponibles" +#: ../../Zotlabs/Module/Blocks.php:154 ../../include/text.php:2238 +msgid "Blocks" +msgstr "Bloques" -#: ../../Zotlabs/Module/Admin.php:2111 -msgid "Custom Fields" -msgstr "Campos personalizados" +#: ../../Zotlabs/Module/Blocks.php:156 +msgid "Block Title" +msgstr "Título del bloque" -#: ../../Zotlabs/Module/Admin.php:2115 -msgid "Create Custom Field" -msgstr "Crear un campo personalizado" +#: ../../Zotlabs/Module/Rate.php:160 +msgid "Website:" +msgstr "Sitio web:" -#: ../../Zotlabs/Module/Appman.php:37 ../../Zotlabs/Module/Appman.php:53 -msgid "App installed." -msgstr "Aplicación instalada." +#: ../../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/Appman.php:46 -msgid "Malformed app." -msgstr "Aplicación con errores" +#: ../../Zotlabs/Module/Rate.php:164 +msgid "Rating (this information is public)" +msgstr "Valoración (esta información es pública)" -#: ../../Zotlabs/Module/Appman.php:104 -msgid "Embed code" -msgstr "Código incorporado" +#: ../../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/Appman.php:110 ../../include/widgets.php:107 -msgid "Edit App" -msgstr "Modificar la aplicación" +#: ../../Zotlabs/Module/Ratings.php:73 +msgid "No ratings" +msgstr "Ninguna valoración" -#: ../../Zotlabs/Module/Appman.php:110 -msgid "Create App" -msgstr "Crear una aplicación" +#: ../../Zotlabs/Module/Ratings.php:104 +msgid "Rating: " +msgstr "Valoración:" -#: ../../Zotlabs/Module/Appman.php:115 -msgid "Name of app" -msgstr "Nombre de la aplicación" +#: ../../Zotlabs/Module/Ratings.php:105 +msgid "Website: " +msgstr "Sitio web:" -#: ../../Zotlabs/Module/Appman.php:116 -msgid "Location (URL) of app" -msgstr "Dirección (URL) de la aplicación" +#: ../../Zotlabs/Module/Ratings.php:107 +msgid "Description: " +msgstr "Descripción:" -#: ../../Zotlabs/Module/Appman.php:118 -msgid "Photo icon URL" -msgstr "Dirección del icono" +#: ../../Zotlabs/Module/Apps.php:47 ../../include/nav.php:165 +#: ../../include/widgets.php:102 +msgid "Apps" +msgstr "Aplicaciones (apps)" -#: ../../Zotlabs/Module/Appman.php:118 -msgid "80 x 80 pixels - optional" -msgstr "80 x 80 pixels - opcional" +#: ../../Zotlabs/Module/Editblock.php:124 ../../include/conversation.php:1243 +msgid "Title (optional)" +msgstr "Título (opcional)" -#: ../../Zotlabs/Module/Appman.php:119 -msgid "Categories (optional, comma separated list)" -msgstr "Categorías (opcional, lista separada por comas)" +#: ../../Zotlabs/Module/Editblock.php:133 +msgid "Edit Block" +msgstr "Modificar este bloque" -#: ../../Zotlabs/Module/Appman.php:120 -msgid "Version ID" -msgstr "Versión" +#: ../../Zotlabs/Module/Common.php:14 +msgid "No channel." +msgstr "Ningún canal." -#: ../../Zotlabs/Module/Appman.php:121 -msgid "Price of app" -msgstr "Precio de la aplicación" +#: ../../Zotlabs/Module/Common.php:43 +msgid "Common connections" +msgstr "Conexiones comunes" -#: ../../Zotlabs/Module/Appman.php:122 -msgid "Location (URL) to purchase app" -msgstr "Dirección (URL) donde adquirir la aplicación" +#: ../../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" @@ -4755,120 +4989,154 @@ msgstr "sí" 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:147 -#: ../../boot.php:1685 +#: ../../Zotlabs/Module/Register.php:262 ../../include/nav.php:149 +#: ../../boot.php:1686 msgid "Register" msgstr "Registrarse" -#: ../../Zotlabs/Module/Register.php:262 -msgid "Proceed to create your first channel" -msgstr "Crear su primer canal" +#: ../../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:34 +#: ../../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:56 +#: ../../Zotlabs/Module/Removeaccount.php:57 msgid "Remove This Account" msgstr "Eliminar esta cuenta" -#: ../../Zotlabs/Module/Removeaccount.php:57 -#: ../../Zotlabs/Module/Removeme.php:59 +#: ../../Zotlabs/Module/Removeaccount.php:58 +#: ../../Zotlabs/Module/Removeme.php:61 msgid "WARNING: " msgstr "ATENCIÓN:" -#: ../../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 "Esta cuenta y todos sus canales van a ser eliminados de la red." -#: ../../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 "¡Esta acción tiene carácter definitivo y no se puede deshacer!" -#: ../../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 "Por favor, introduzca su contraseña para su verificación:" -#: ../../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 "Remover esta cuenta, todos sus canales y clones de la red" -#: ../../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 "Por defecto, solo las instancias de los canales ubicados en este servidor serán eliminados de la red" -#: ../../Zotlabs/Module/Removeaccount.php:60 -#: ../../Zotlabs/Module/Settings.php:705 +#: ../../Zotlabs/Module/Removeaccount.php:61 +#: ../../Zotlabs/Module/Settings.php:759 msgid "Remove Account" msgstr "Eliminar cuenta" -#: ../../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 "La eliminación de canales no está permitida hasta pasadas 48 horas desde el último cambio de contraseña." -#: ../../Zotlabs/Module/Removeme.php:58 +#: ../../Zotlabs/Module/Removeme.php:60 msgid "Remove This Channel" msgstr "Eliminar este canal" -#: ../../Zotlabs/Module/Removeme.php:59 +#: ../../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:61 +#: ../../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: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 "Por defecto, solo la instancia del canal alojado en este servidor será eliminado de la red" -#: ../../Zotlabs/Module/Removeme.php:62 ../../Zotlabs/Module/Settings.php:1124 +#: ../../Zotlabs/Module/Removeme.php:64 ../../Zotlabs/Module/Settings.php:1219 msgid "Remove Channel" msgstr "Eliminar el canal" -#: ../../Zotlabs/Module/Rmagic.php:44 +#: ../../Zotlabs/Module/Uexport.php:55 ../../Zotlabs/Module/Uexport.php:56 +msgid "Export Channel" +msgstr "Exportar el canal" + +#: ../../Zotlabs/Module/Uexport.php:57 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." +"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/Rmagic.php:44 -msgid "The error message was:" -msgstr "El mensaje de error fue:" +#: ../../Zotlabs/Module/Uexport.php:58 +msgid "Export Content" +msgstr "Exportar contenidos" -#: ../../Zotlabs/Module/Rmagic.php:48 -msgid "Authentication failed." -msgstr "Falló la autenticación." +#: ../../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/Rmagic.php:88 -msgid "Remote Authentication" -msgstr "Acceso desde su servidor" +#: ../../Zotlabs/Module/Uexport.php:60 +msgid "Export your posts from a given year." +msgstr "Exporta sus publicaciones de un año dado." -#: ../../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/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/Rmagic.php:90 -msgid "Authenticate" -msgstr "Acceder" +#: ../../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 @@ -4884,609 +5152,652 @@ msgstr "Resultados de la búsqueda para: %s" msgid "No service class restrictions found." msgstr "No se han encontrado restricciones sobre esta clase de servicio." -#: ../../Zotlabs/Module/Settings.php:69 +#: ../../Zotlabs/Module/Settings.php:64 msgid "Name is required" msgstr "El nombre es obligatorio" -#: ../../Zotlabs/Module/Settings.php:73 +#: ../../Zotlabs/Module/Settings.php:68 msgid "Key and Secret are required" msgstr "\"Key\" y \"Secret\" son obligatorios" -#: ../../Zotlabs/Module/Settings.php:225 +#: ../../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:228 +#: ../../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:237 +#: ../../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:254 +#: ../../Zotlabs/Module/Settings.php:303 msgid "Password verification failed." msgstr "La comprobación de la contraseña ha fallado." -#: ../../Zotlabs/Module/Settings.php:261 +#: ../../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:265 +#: ../../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:279 +#: ../../Zotlabs/Module/Settings.php:328 msgid "Password changed." msgstr "Contraseña cambiada." -#: ../../Zotlabs/Module/Settings.php:281 +#: ../../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:525 +#: ../../Zotlabs/Module/Settings.php:579 msgid "Settings updated." msgstr "Ajustes actualizados." -#: ../../Zotlabs/Module/Settings.php:589 ../../Zotlabs/Module/Settings.php:615 -#: ../../Zotlabs/Module/Settings.php:651 +#: ../../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:592 +#: ../../Zotlabs/Module/Settings.php:646 msgid "Name of application" msgstr "Nombre de la aplicación" -#: ../../Zotlabs/Module/Settings.php:593 ../../Zotlabs/Module/Settings.php:619 +#: ../../Zotlabs/Module/Settings.php:647 ../../Zotlabs/Module/Settings.php:673 msgid "Consumer Key" msgstr "Consumer Key" -#: ../../Zotlabs/Module/Settings.php:593 ../../Zotlabs/Module/Settings.php:594 +#: ../../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:594 ../../Zotlabs/Module/Settings.php:620 +#: ../../Zotlabs/Module/Settings.php:648 ../../Zotlabs/Module/Settings.php:674 msgid "Consumer Secret" msgstr "Consumer Secret" -#: ../../Zotlabs/Module/Settings.php:595 ../../Zotlabs/Module/Settings.php:621 +#: ../../Zotlabs/Module/Settings.php:649 ../../Zotlabs/Module/Settings.php:675 msgid "Redirect" msgstr "Redirigir" -#: ../../Zotlabs/Module/Settings.php:595 +#: ../../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:596 ../../Zotlabs/Module/Settings.php:622 +#: ../../Zotlabs/Module/Settings.php:650 ../../Zotlabs/Module/Settings.php:676 msgid "Icon url" msgstr "Dirección del icono" -#: ../../Zotlabs/Module/Settings.php:596 ../../Zotlabs/Module/Sources.php:112 +#: ../../Zotlabs/Module/Settings.php:650 ../../Zotlabs/Module/Sources.php:112 #: ../../Zotlabs/Module/Sources.php:147 msgid "Optional" msgstr "Opcional" -#: ../../Zotlabs/Module/Settings.php:607 +#: ../../Zotlabs/Module/Settings.php:661 msgid "Application not found." msgstr "Aplicación no encontrada." -#: ../../Zotlabs/Module/Settings.php:650 +#: ../../Zotlabs/Module/Settings.php:704 msgid "Connected Apps" msgstr "Aplicaciones (apps) conectadas" -#: ../../Zotlabs/Module/Settings.php:654 +#: ../../Zotlabs/Module/Settings.php:708 msgid "Client key starts with" msgstr "La \"client key\" empieza por" -#: ../../Zotlabs/Module/Settings.php:655 +#: ../../Zotlabs/Module/Settings.php:709 msgid "No name" msgstr "Sin nombre" -#: ../../Zotlabs/Module/Settings.php:656 +#: ../../Zotlabs/Module/Settings.php:710 msgid "Remove authorization" msgstr "Eliminar autorización" -#: ../../Zotlabs/Module/Settings.php:669 +#: ../../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:676 +#: ../../Zotlabs/Module/Settings.php:730 msgid "Feature/Addon Settings" msgstr "Ajustes de los complementos" -#: ../../Zotlabs/Module/Settings.php:699 +#: ../../Zotlabs/Module/Settings.php:753 msgid "Account Settings" msgstr "Configuración de la cuenta" -#: ../../Zotlabs/Module/Settings.php:700 +#: ../../Zotlabs/Module/Settings.php:754 msgid "Current Password" msgstr "Contraseña actual" -#: ../../Zotlabs/Module/Settings.php:701 +#: ../../Zotlabs/Module/Settings.php:755 msgid "Enter New Password" msgstr "Escribir una nueva contraseña" -#: ../../Zotlabs/Module/Settings.php:702 +#: ../../Zotlabs/Module/Settings.php:756 msgid "Confirm New Password" msgstr "Confirmar la nueva contraseña" -#: ../../Zotlabs/Module/Settings.php:702 +#: ../../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:704 -#: ../../Zotlabs/Module/Settings.php:1041 +#: ../../Zotlabs/Module/Settings.php:758 +#: ../../Zotlabs/Module/Settings.php:1136 msgid "Email Address:" msgstr "Dirección de correo electrónico:" -#: ../../Zotlabs/Module/Settings.php:706 +#: ../../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:729 +#: ../../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:753 +#: ../../Zotlabs/Module/Settings.php:854 msgid "Connector Settings" msgstr "Configuración del conector" -#: ../../Zotlabs/Module/Settings.php:792 +#: ../../Zotlabs/Module/Settings.php:893 msgid "No special theme for mobile devices" msgstr "Sin tema especial para dispositivos móviles" -#: ../../Zotlabs/Module/Settings.php:795 +#: ../../Zotlabs/Module/Settings.php:896 #, php-format msgid "%s - (Experimental)" msgstr "%s - (Experimental)" -#: ../../Zotlabs/Module/Settings.php:837 +#: ../../Zotlabs/Module/Settings.php:938 msgid "Display Settings" msgstr "Ajustes de visualización" -#: ../../Zotlabs/Module/Settings.php:838 +#: ../../Zotlabs/Module/Settings.php:939 msgid "Theme Settings" msgstr "Ajustes del tema" -#: ../../Zotlabs/Module/Settings.php:839 +#: ../../Zotlabs/Module/Settings.php:940 msgid "Custom Theme Settings" msgstr "Ajustes personalizados del tema" -#: ../../Zotlabs/Module/Settings.php:840 +#: ../../Zotlabs/Module/Settings.php:941 msgid "Content Settings" msgstr "Ajustes del contenido" -#: ../../Zotlabs/Module/Settings.php:846 +#: ../../Zotlabs/Module/Settings.php:947 msgid "Display Theme:" msgstr "Tema gráfico del perfil:" -#: ../../Zotlabs/Module/Settings.php:847 +#: ../../Zotlabs/Module/Settings.php:948 msgid "Mobile Theme:" msgstr "Tema para el móvil:" -#: ../../Zotlabs/Module/Settings.php:848 +#: ../../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:848 +#: ../../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:849 +#: ../../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:850 +#: ../../Zotlabs/Module/Settings.php:951 msgid "Update browser every xx seconds" msgstr "Actualizar navegador cada xx segundos" -#: ../../Zotlabs/Module/Settings.php:850 +#: ../../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:851 +#: ../../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:851 +#: ../../Zotlabs/Module/Settings.php:952 msgid "Maximum of 100 items" msgstr "Máximo de 100 elementos" -#: ../../Zotlabs/Module/Settings.php:852 +#: ../../Zotlabs/Module/Settings.php:953 msgid "Show emoticons (smilies) as images" msgstr "Mostrar emoticonos (smilies) como imágenes" -#: ../../Zotlabs/Module/Settings.php:853 +#: ../../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:854 +#: ../../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:857 +#: ../../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:857 ../../Zotlabs/Module/Settings.php:858 +#: ../../Zotlabs/Module/Settings.php:958 ../../Zotlabs/Module/Settings.php:959 msgid "(comments displayed separately)" msgstr "(comentarios mostrados de forma separada)" -#: ../../Zotlabs/Module/Settings.php:858 +#: ../../Zotlabs/Module/Settings.php:959 msgid "Use blog/list mode on grid page" msgstr "Mostrar mi red en modo blog" -#: ../../Zotlabs/Module/Settings.php:859 +#: ../../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:859 ../../Zotlabs/Module/Settings.php:860 +#: ../../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:860 +#: ../../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:894 +#: ../../Zotlabs/Module/Settings.php:990 msgid "Nobody except yourself" msgstr "Nadie excepto usted" -#: ../../Zotlabs/Module/Settings.php:895 +#: ../../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:896 +#: ../../Zotlabs/Module/Settings.php:992 msgid "Approved connections" msgstr "Conexiones aprobadas" -#: ../../Zotlabs/Module/Settings.php:897 +#: ../../Zotlabs/Module/Settings.php:993 msgid "Any connections" msgstr "Cualquier conexión" -#: ../../Zotlabs/Module/Settings.php:898 +#: ../../Zotlabs/Module/Settings.php:994 msgid "Anybody on this website" msgstr "Cualquiera en este sitio web" -#: ../../Zotlabs/Module/Settings.php:899 +#: ../../Zotlabs/Module/Settings.php:995 msgid "Anybody in this network" msgstr "Cualquiera en esta red" -#: ../../Zotlabs/Module/Settings.php:900 +#: ../../Zotlabs/Module/Settings.php:996 msgid "Anybody authenticated" msgstr "Cualquiera que esté autenticado" -#: ../../Zotlabs/Module/Settings.php:901 +#: ../../Zotlabs/Module/Settings.php:997 msgid "Anybody on the internet" msgstr "Cualquiera en internet" -#: ../../Zotlabs/Module/Settings.php:976 +#: ../../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:981 +#: ../../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:990 +#: ../../Zotlabs/Module/Settings.php:1085 msgid "Your channel address is" msgstr "Su dirección de canal es" -#: ../../Zotlabs/Module/Settings.php:1032 +#: ../../Zotlabs/Module/Settings.php:1127 msgid "Channel Settings" msgstr "Ajustes del canal" -#: ../../Zotlabs/Module/Settings.php:1039 +#: ../../Zotlabs/Module/Settings.php:1134 msgid "Basic Settings" msgstr "Configuración básica" -#: ../../Zotlabs/Module/Settings.php:1040 ../../include/channel.php:1140 +#: ../../Zotlabs/Module/Settings.php:1135 ../../include/channel.php:1180 msgid "Full Name:" msgstr "Nombre completo:" -#: ../../Zotlabs/Module/Settings.php:1042 +#: ../../Zotlabs/Module/Settings.php:1137 msgid "Your Timezone:" msgstr "Su huso horario:" -#: ../../Zotlabs/Module/Settings.php:1043 +#: ../../Zotlabs/Module/Settings.php:1138 msgid "Default Post Location:" msgstr "Localización geográfica predeterminada para sus publicaciones:" -#: ../../Zotlabs/Module/Settings.php:1043 +#: ../../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:1044 +#: ../../Zotlabs/Module/Settings.php:1139 msgid "Use Browser Location:" msgstr "Usar la localización geográfica del navegador:" -#: ../../Zotlabs/Module/Settings.php:1046 +#: ../../Zotlabs/Module/Settings.php:1141 msgid "Adult Content" msgstr "Contenido solo para adultos" -#: ../../Zotlabs/Module/Settings.php:1046 +#: ../../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:1048 +#: ../../Zotlabs/Module/Settings.php:1143 msgid "Security and Privacy Settings" msgstr "Configuración de seguridad y privacidad" -#: ../../Zotlabs/Module/Settings.php:1051 +#: ../../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:1053 +#: ../../Zotlabs/Module/Settings.php:1148 msgid "Hide my online presence" msgstr "Ocultar mi presencia en línea" -#: ../../Zotlabs/Module/Settings.php:1053 +#: ../../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:1055 +#: ../../Zotlabs/Module/Settings.php:1150 msgid "Simple Privacy Settings:" msgstr "Configuración de privacidad sencilla:" -#: ../../Zotlabs/Module/Settings.php:1056 +#: ../../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:1057 +#: ../../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:1058 +#: ../../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:1059 +#: ../../Zotlabs/Module/Settings.php:1154 msgid "Blocked - default blocked to/from everybody" msgstr "Bloqueado - por defecto, bloqueado/a para cualquiera" -#: ../../Zotlabs/Module/Settings.php:1061 +#: ../../Zotlabs/Module/Settings.php:1156 msgid "Allow others to tag your posts" msgstr "Permitir a otros etiquetar sus publicaciones" -#: ../../Zotlabs/Module/Settings.php:1061 +#: ../../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:1063 +#: ../../Zotlabs/Module/Settings.php:1158 msgid "Advanced Privacy Settings" msgstr "Configuración de privacidad avanzada" -#: ../../Zotlabs/Module/Settings.php:1065 +#: ../../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:1065 +#: ../../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:1065 +#: ../../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:1065 +#: ../../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:1065 +#: ../../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:1066 +#: ../../Zotlabs/Module/Settings.php:1161 msgid "Maximum Friend Requests/Day:" msgstr "Máximo de solicitudes de amistad por día:" -#: ../../Zotlabs/Module/Settings.php:1066 +#: ../../Zotlabs/Module/Settings.php:1161 msgid "May reduce spam activity" msgstr "Podría reducir la actividad de spam" -#: ../../Zotlabs/Module/Settings.php:1067 +#: ../../Zotlabs/Module/Settings.php:1162 msgid "Default Post and Publish Permissions" msgstr "Permisos predeterminados de entradas y publicaciones" -#: ../../Zotlabs/Module/Settings.php:1069 +#: ../../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:1072 +#: ../../Zotlabs/Module/Settings.php:1167 msgid "Channel permissions category:" msgstr "Categoría de permisos del canal:" -#: ../../Zotlabs/Module/Settings.php:1078 +#: ../../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:1078 +#: ../../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:1081 +#: ../../Zotlabs/Module/Settings.php:1176 msgid "Notification Settings" msgstr "Configuración de las notificaciones" -#: ../../Zotlabs/Module/Settings.php:1082 +#: ../../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:1083 +#: ../../Zotlabs/Module/Settings.php:1178 msgid "accepting a friend request" msgstr "Acepte una solicitud de amistad" -#: ../../Zotlabs/Module/Settings.php:1084 +#: ../../Zotlabs/Module/Settings.php:1179 msgid "joining a forum/community" msgstr "al unirse a un foro o comunidad" -#: ../../Zotlabs/Module/Settings.php:1085 +#: ../../Zotlabs/Module/Settings.php:1180 msgid "making an interesting profile change" msgstr "Realice un cambio interesante en su perfil" -#: ../../Zotlabs/Module/Settings.php:1086 +#: ../../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:1087 +#: ../../Zotlabs/Module/Settings.php:1182 msgid "You receive a connection request" msgstr "Reciba una solicitud de conexión" -#: ../../Zotlabs/Module/Settings.php:1088 +#: ../../Zotlabs/Module/Settings.php:1183 msgid "Your connections are confirmed" msgstr "Sus conexiones hayan sido confirmadas" -#: ../../Zotlabs/Module/Settings.php:1089 +#: ../../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:1090 +#: ../../Zotlabs/Module/Settings.php:1185 msgid "Someone writes a followup comment" msgstr "Alguien escriba un comentario sobre sus publicaciones" -#: ../../Zotlabs/Module/Settings.php:1091 +#: ../../Zotlabs/Module/Settings.php:1186 msgid "You receive a private message" msgstr "Reciba un mensaje privado" -#: ../../Zotlabs/Module/Settings.php:1092 +#: ../../Zotlabs/Module/Settings.php:1187 msgid "You receive a friend suggestion" msgstr "Reciba una sugerencia de amistad" -#: ../../Zotlabs/Module/Settings.php:1093 +#: ../../Zotlabs/Module/Settings.php:1188 msgid "You are tagged in a post" msgstr "Usted sea etiquetado en una publicación" -#: ../../Zotlabs/Module/Settings.php:1094 +#: ../../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:1097 +#: ../../Zotlabs/Module/Settings.php:1192 msgid "Show visual notifications including:" msgstr "Mostrar notificaciones visuales que incluyan:" -#: ../../Zotlabs/Module/Settings.php:1099 +#: ../../Zotlabs/Module/Settings.php:1194 msgid "Unseen grid activity" msgstr "Nueva actividad en la red" -#: ../../Zotlabs/Module/Settings.php:1100 +#: ../../Zotlabs/Module/Settings.php:1195 msgid "Unseen channel activity" msgstr "Actividad no vista en el canal" -#: ../../Zotlabs/Module/Settings.php:1101 +#: ../../Zotlabs/Module/Settings.php:1196 msgid "Unseen private messages" msgstr "Mensajes privados no leídos" -#: ../../Zotlabs/Module/Settings.php:1101 -#: ../../Zotlabs/Module/Settings.php:1106 -#: ../../Zotlabs/Module/Settings.php:1107 -#: ../../Zotlabs/Module/Settings.php:1108 +#: ../../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:1102 +#: ../../Zotlabs/Module/Settings.php:1197 msgid "Upcoming events" msgstr "Próximos eventos" -#: ../../Zotlabs/Module/Settings.php:1103 +#: ../../Zotlabs/Module/Settings.php:1198 msgid "Events today" msgstr "Eventos de hoy" -#: ../../Zotlabs/Module/Settings.php:1104 +#: ../../Zotlabs/Module/Settings.php:1199 msgid "Upcoming birthdays" msgstr "Próximos cumpleaños" -#: ../../Zotlabs/Module/Settings.php:1104 +#: ../../Zotlabs/Module/Settings.php:1199 msgid "Not available in all themes" msgstr "No disponible en todos los temas" -#: ../../Zotlabs/Module/Settings.php:1105 +#: ../../Zotlabs/Module/Settings.php:1200 msgid "System (personal) notifications" msgstr "Notificaciones del sistema (personales)" -#: ../../Zotlabs/Module/Settings.php:1106 +#: ../../Zotlabs/Module/Settings.php:1201 msgid "System info messages" msgstr "Mensajes de información del sistema" -#: ../../Zotlabs/Module/Settings.php:1107 +#: ../../Zotlabs/Module/Settings.php:1202 msgid "System critical alerts" msgstr "Alertas críticas del sistema" -#: ../../Zotlabs/Module/Settings.php:1108 +#: ../../Zotlabs/Module/Settings.php:1203 msgid "New connections" msgstr "Nuevas conexiones" -#: ../../Zotlabs/Module/Settings.php:1109 +#: ../../Zotlabs/Module/Settings.php:1204 msgid "System Registrations" msgstr "Registros del sistema" -#: ../../Zotlabs/Module/Settings.php:1110 +#: ../../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:1112 +#: ../../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:1112 +#: ../../Zotlabs/Module/Settings.php:1207 msgid "Must be greater than 0" msgstr "Debe ser mayor que 0" -#: ../../Zotlabs/Module/Settings.php:1114 +#: ../../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:1115 +#: ../../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:1118 +#: ../../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:1119 +#: ../../Zotlabs/Module/Settings.php:1214 msgid "Miscellaneous Settings" msgstr "Ajustes diversos" -#: ../../Zotlabs/Module/Settings.php:1120 +#: ../../Zotlabs/Module/Settings.php:1215 msgid "Default photo upload folder" msgstr "Carpeta por defecto de las fotos subidas" -#: ../../Zotlabs/Module/Settings.php:1120 -#: ../../Zotlabs/Module/Settings.php:1121 +#: ../../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:1121 +#: ../../Zotlabs/Module/Settings.php:1216 msgid "Default file upload folder" msgstr "Carpeta por defecto de los archivos subidos" -#: ../../Zotlabs/Module/Settings.php:1123 +#: ../../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:1125 +#: ../../Zotlabs/Module/Settings.php:1220 msgid "Remove this channel." msgstr "Eliminar este canal." -#: ../../Zotlabs/Module/Settings.php:1126 +#: ../../Zotlabs/Module/Settings.php:1221 msgid "Firefox Share $Projectname provider" msgstr "Servicio de compartición de Firefox: proveedor $Projectname" -#: ../../Zotlabs/Module/Settings.php:1127 +#: ../../Zotlabs/Module/Settings.php:1222 msgid "Start calendar week on monday" msgstr "Comenzar el calendario semanal por el lunes" @@ -5519,7 +5830,7 @@ msgid "" msgstr "Podría tener que importar manualmente el fichero \"install/schema_xxx.sql\" usando un cliente de base de datos." #: ../../Zotlabs/Module/Setup.php:204 ../../Zotlabs/Module/Setup.php:266 -#: ../../Zotlabs/Module/Setup.php:721 +#: ../../Zotlabs/Module/Setup.php:722 msgid "Please see the file \"install/INSTALL.txt\"." msgstr "Por favor, lea el fichero \"install/INSTALL.txt\"." @@ -5719,199 +6030,200 @@ msgid "mb_string PHP module" msgstr "módulo PHP mb_string" #: ../../Zotlabs/Module/Setup.php:496 -msgid "mcrypt PHP module" -msgstr "módulo PHP mcrypt " - -#: ../../Zotlabs/Module/Setup.php:497 msgid "xml PHP module" msgstr "módulo PHP xml" -#: ../../Zotlabs/Module/Setup.php:501 ../../Zotlabs/Module/Setup.php:503 +#: ../../Zotlabs/Module/Setup.php:500 ../../Zotlabs/Module/Setup.php:502 msgid "Apache mod_rewrite module" msgstr "módulo Apache mod_rewrite " -#: ../../Zotlabs/Module/Setup.php:501 +#: ../../Zotlabs/Module/Setup.php:500 msgid "" "Error: Apache webserver mod-rewrite module is required but not installed." msgstr "Error: se necesita el módulo del servidor web Apache mod-rewrite pero no está instalado." -#: ../../Zotlabs/Module/Setup.php:507 ../../Zotlabs/Module/Setup.php:510 +#: ../../Zotlabs/Module/Setup.php:506 ../../Zotlabs/Module/Setup.php:509 msgid "proc_open" msgstr "proc_open" -#: ../../Zotlabs/Module/Setup.php:507 +#: ../../Zotlabs/Module/Setup.php:506 msgid "" "Error: proc_open is required but is either not installed or has been " "disabled in php.ini" msgstr "Error: se necesita proc_open pero o no está instalado o ha sido desactivado en el fichero php.ini" -#: ../../Zotlabs/Module/Setup.php:515 +#: ../../Zotlabs/Module/Setup.php:514 msgid "Error: libCURL PHP module required but not installed." msgstr "Error: se necesita el módulo PHP libCURL pero no está instalado." -#: ../../Zotlabs/Module/Setup.php:519 +#: ../../Zotlabs/Module/Setup.php:518 msgid "" "Error: GD graphics PHP module with JPEG support required but not installed." msgstr "Error: el módulo PHP GD graphics es necesario, pero no está instalado." -#: ../../Zotlabs/Module/Setup.php:523 +#: ../../Zotlabs/Module/Setup.php:522 msgid "Error: openssl PHP module required but not installed." msgstr "Error: el módulo PHP openssl es necesario, pero no está instalado." -#: ../../Zotlabs/Module/Setup.php:527 +#: ../../Zotlabs/Module/Setup.php:526 msgid "" "Error: mysqli or postgres PHP module required but neither are installed." msgstr "Error: el módulo PHP mysqli o postgres es necesario pero ninguno de los dos está instalado." -#: ../../Zotlabs/Module/Setup.php:531 +#: ../../Zotlabs/Module/Setup.php:530 msgid "Error: mb_string PHP module required but not installed." msgstr "Error: el módulo PHP mb_string es necesario, pero no está instalado." -#: ../../Zotlabs/Module/Setup.php:535 -msgid "Error: mcrypt PHP module required but not installed." -msgstr "Error: el módulo PHP mcrypt es necesario, pero no está instalado." - -#: ../../Zotlabs/Module/Setup.php:539 +#: ../../Zotlabs/Module/Setup.php:534 msgid "Error: xml PHP module required for DAV but not installed." msgstr "Error: el módulo PHP xml es necesario para DAV, pero no está instalado." -#: ../../Zotlabs/Module/Setup.php:557 +#: ../../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 "El instalador web no ha podido crear un fichero llamado “.htconfig.php” en la carpeta base de su servidor." -#: ../../Zotlabs/Module/Setup.php:558 +#: ../../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 "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." -#: ../../Zotlabs/Module/Setup.php:559 +#: ../../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 "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." -#: ../../Zotlabs/Module/Setup.php:560 +#: ../../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 "Como alternativa, puede dejar este procedimiento e intentar realizar una instalación manual. Lea, por favor, el fichero\"install/INSTALL.txt\" para las instrucciones." -#: ../../Zotlabs/Module/Setup.php:563 +#: ../../Zotlabs/Module/Setup.php:558 msgid ".htconfig.php is writable" msgstr ".htconfig.php tiene permisos de escritura" -#: ../../Zotlabs/Module/Setup.php:577 +#: ../../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 "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." -#: ../../Zotlabs/Module/Setup.php:578 +#: ../../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 "Para poder guardar las plantillas compiladas, el servidor web necesita permisos para acceder al directorio %s en la carpeta web principal." -#: ../../Zotlabs/Module/Setup.php:579 ../../Zotlabs/Module/Setup.php:600 +#: ../../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 "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)." -#: ../../Zotlabs/Module/Setup.php:580 +#: ../../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 "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." -#: ../../Zotlabs/Module/Setup.php:583 +#: ../../Zotlabs/Module/Setup.php:578 #, php-format msgid "%s is writable" msgstr "%s tiene permisos de escritura" -#: ../../Zotlabs/Module/Setup.php:599 +#: ../../Zotlabs/Module/Setup.php:594 msgid "" -"Red 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 "Hubzilla guarda los ficheros descargados en la carpeta \"store\". El servidor web necesita tener permisos de escritura sobre esa carpeta, en el directorio de instalación." +"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 "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" -#: ../../Zotlabs/Module/Setup.php:603 +#: ../../Zotlabs/Module/Setup.php:598 msgid "store is writable" msgstr "\"store\" tiene permisos de escritura" -#: ../../Zotlabs/Module/Setup.php:636 +#: ../../Zotlabs/Module/Setup.php:631 msgid "" "SSL certificate cannot be validated. Fix certificate or disable https access" " to this site." msgstr "El certificado SSL no ha podido ser validado. Corrija este problema o desactive el acceso https a este sitio." -#: ../../Zotlabs/Module/Setup.php:637 +#: ../../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 "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." -#: ../../Zotlabs/Module/Setup.php:638 +#: ../../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 "Se ha incorporado esta restricción para evitar que sus publicaciones públicas hagan referencia a imágenes en su propio servidor." -#: ../../Zotlabs/Module/Setup.php:639 +#: ../../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 "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." -#: ../../Zotlabs/Module/Setup.php:640 +#: ../../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 "Por razones de compatibilidad (sobre el conjunto de la red, no solo sobre su propio sitio), debemos insistir en estos requisitos." -#: ../../Zotlabs/Module/Setup.php:641 +#: ../../Zotlabs/Module/Setup.php:636 msgid "" "Providers are available that issue free certificates which are browser-" "valid." msgstr "Existen varias Autoridades de Certificación que le pueden proporcionar certificados válidos." -#: ../../Zotlabs/Module/Setup.php:643 +#: ../../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 "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." + +#: ../../Zotlabs/Module/Setup.php:641 msgid "SSL certificate validation" msgstr "validación del certificado SSL" -#: ../../Zotlabs/Module/Setup.php:649 +#: ../../Zotlabs/Module/Setup.php:647 msgid "" "Url rewrite in .htaccess is not working. Check your server " "configuration.Test: " msgstr "No se pueden reescribir las direcciones web en .htaccess. Compruebe la configuración de su servidor:" -#: ../../Zotlabs/Module/Setup.php:652 +#: ../../Zotlabs/Module/Setup.php:650 msgid "Url rewrite is working" msgstr "La reescritura de las direcciones funciona correctamente" -#: ../../Zotlabs/Module/Setup.php:661 +#: ../../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 "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." -#: ../../Zotlabs/Module/Setup.php:685 +#: ../../Zotlabs/Module/Setup.php:683 msgid "Errors encountered creating database tables." msgstr "Se han encontrado errores al crear las tablas de la base de datos." -#: ../../Zotlabs/Module/Setup.php:719 +#: ../../Zotlabs/Module/Setup.php:720 msgid "

What next

" msgstr "

Siguiente paso

" -#: ../../Zotlabs/Module/Setup.php:720 +#: ../../Zotlabs/Module/Setup.php:721 msgid "" "IMPORTANT: You will need to [manually] setup a scheduled task for the " "poller." @@ -5933,64 +6245,62 @@ msgstr "Eliminar todos los ficheros" msgid "Remove this file" msgstr "Eliminar este fichero" -#: ../../Zotlabs/Module/Siteinfo.php:19 -#, php-format -msgid "Version %s" -msgstr "Versión %s" +#: ../../Zotlabs/Module/Thing.php:114 +msgid "Thing updated" +msgstr "Elemento actualizado." -#: ../../Zotlabs/Module/Siteinfo.php:40 -msgid "Installed plugins/addons/apps:" -msgstr "Extensiones (plugins), complementos o aplicaciones (apps) instaladas:" +#: ../../Zotlabs/Module/Thing.php:166 +msgid "Object store: failed" +msgstr "Guardar objeto: ha fallado" -#: ../../Zotlabs/Module/Siteinfo.php:53 -msgid "No installed plugins/addons/apps" -msgstr "No hay instalada ninguna extensión (plugin), complemento o aplicación (app)" +#: ../../Zotlabs/Module/Thing.php:170 +msgid "Thing added" +msgstr "Elemento añadido" -#: ../../Zotlabs/Module/Siteinfo.php:66 -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/Thing.php:196 +#, php-format +msgid "OBJ: %1$s %2$s %3$s" +msgstr "OBJ: %1$s %2$s %3$s" -#: ../../Zotlabs/Module/Siteinfo.php:68 -msgid "Tag: " -msgstr "Etiqueta:" +#: ../../Zotlabs/Module/Thing.php:259 +msgid "Show Thing" +msgstr "Mostrar elemento" -#: ../../Zotlabs/Module/Siteinfo.php:70 -msgid "Last background fetch: " -msgstr "Última actualización en segundo plano:" +#: ../../Zotlabs/Module/Thing.php:266 +msgid "item not found." +msgstr "elemento no encontrado." -#: ../../Zotlabs/Module/Siteinfo.php:72 -msgid "Current load average: " -msgstr "Carga media actual:" +#: ../../Zotlabs/Module/Thing.php:299 +msgid "Edit Thing" +msgstr "Editar elemento" -#: ../../Zotlabs/Module/Siteinfo.php:75 -msgid "Running at web location" -msgstr "Corriendo en el sitio web" +#: ../../Zotlabs/Module/Thing.php:301 ../../Zotlabs/Module/Thing.php:351 +msgid "Select a profile" +msgstr "Seleccionar un perfil" -#: ../../Zotlabs/Module/Siteinfo.php:76 -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/Thing.php:305 ../../Zotlabs/Module/Thing.php:354 +msgid "Post an activity" +msgstr "Publicar una actividad" -#: ../../Zotlabs/Module/Siteinfo.php:77 -msgid "Bug reports and issues: please visit" -msgstr "Informes de errores e incidencias: por favor visite" +#: ../../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/Siteinfo.php:79 -msgid "$projectname issues" -msgstr "Problemas en $projectname" +#: ../../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/Siteinfo.php:80 -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/Thing.php:309 ../../Zotlabs/Module/Thing.php:357 +msgid "URL of thing (optional)" +msgstr "Dirección del elemento (opcional)" -#: ../../Zotlabs/Module/Siteinfo.php:82 -msgid "Site Administrators" -msgstr "Administradores del sitio" +#: ../../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/Sources.php:37 msgid "Failed to create source. No channel selected." @@ -6008,8 +6318,8 @@ msgstr "Fuente actualizada." msgid "*" msgstr "*" -#: ../../Zotlabs/Module/Sources.php:96 ../../include/widgets.php:630 -#: ../../include/features.php:71 +#: ../../Zotlabs/Module/Sources.php:96 ../../include/features.php:72 +#: ../../include/widgets.php:639 msgid "Channel Sources" msgstr "Orígenes de los contenidos del canal" @@ -6085,12 +6395,12 @@ msgstr "No hay sugerencias disponibles. Si es un sitio nuevo, espere 24 horas y msgid "Ignore/Hide" msgstr "Ignorar/Ocultar" -#: ../../Zotlabs/Module/Tagger.php:55 ../../include/bbcode.php:256 +#: ../../Zotlabs/Module/Tagger.php:55 ../../include/bbcode.php:263 msgid "post" msgstr "la entrada" -#: ../../Zotlabs/Module/Tagger.php:57 ../../include/text.php:1948 -#: ../../include/conversation.php:150 +#: ../../Zotlabs/Module/Tagger.php:57 ../../include/conversation.php:150 +#: ../../include/text.php:1929 msgid "comment" msgstr "el comentario" @@ -6111,248 +6421,142 @@ msgstr "Eliminar etiqueta del elemento." msgid "Select a tag to remove: " msgstr "Seleccionar una etiqueta para eliminar:" -#: ../../Zotlabs/Module/Thing.php:114 -msgid "Thing updated" -msgstr "Elemento actualizado." - -#: ../../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/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/Viewconnections.php:62 -msgid "No connections." -msgstr "Sin conexiones." - -#: ../../Zotlabs/Module/Viewconnections.php:75 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "Visitar el perfil de %s [%s]" - -#: ../../Zotlabs/Module/Viewconnections.php:104 -msgid "View Connections" -msgstr "Ver conexiones" - -#: ../../Zotlabs/Module/Viewsrc.php:44 -msgid "Source of Item" -msgstr "Origen del elemento" - -#: ../../Zotlabs/Module/Webpages.php:184 ../../Zotlabs/Lib/Apps.php:217 -#: ../../include/nav.php:106 ../../include/conversation.php:1685 +#: ../../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/Webpages.php:195 ../../include/page_widgets.php:41 +#: ../../Zotlabs/Module/Webpages.php:202 ../../include/page_widgets.php:44 msgid "Actions" msgstr "Acciones" -#: ../../Zotlabs/Module/Webpages.php:196 ../../include/page_widgets.php:42 +#: ../../Zotlabs/Module/Webpages.php:203 ../../include/page_widgets.php:45 msgid "Page Link" msgstr "Vínculo de la página" -#: ../../Zotlabs/Module/Webpages.php:197 +#: ../../Zotlabs/Module/Webpages.php:204 msgid "Page Title" msgstr "Título de página" -#: ../../Zotlabs/Module/Xchan.php:10 -msgid "Xchan Lookup" -msgstr "Búsqueda de canales" +#: ../../Zotlabs/Module/Wiki.php:34 +msgid "Not found" +msgstr "No encontrado" -#: ../../Zotlabs/Module/Xchan.php:13 -msgid "Lookup xchan beginning with (or webbie): " -msgstr "Buscar un canal (o un \"webbie\") que comience por:" +#: ../../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/Lib/Apps.php:204 -msgid "Site Admin" -msgstr "Administrador del sitio" +#: ../../Zotlabs/Module/Wiki.php:93 +msgid "Sandbox" +msgstr "Entorno de edición" -#: ../../Zotlabs/Lib/Apps.php:205 -msgid "Bug Report" -msgstr "Informe de errores" +#: ../../Zotlabs/Module/Wiki.php:95 +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á*.\"" -#: ../../Zotlabs/Lib/Apps.php:206 -msgid "View Bookmarks" -msgstr "Ver los marcadores" +#: ../../Zotlabs/Module/Wiki.php:164 +msgid "Revision Comparison" +msgstr "Comparación de revisiones" -#: ../../Zotlabs/Lib/Apps.php:207 -msgid "My Chatrooms" -msgstr "Mis salas de chat" +#: ../../Zotlabs/Module/Wiki.php:165 +msgid "Revert" +msgstr "Revertir" -#: ../../Zotlabs/Lib/Apps.php:209 -msgid "Firefox Share" -msgstr "Servicio de compartición de Firefox" +#: ../../Zotlabs/Module/Wiki.php:192 +msgid "Enter the name of your new wiki:" +msgstr "Nombre de su nuevo wiki:" -#: ../../Zotlabs/Lib/Apps.php:210 -msgid "Remote Diagnostics" -msgstr "Diagnóstico remoto" +#: ../../Zotlabs/Module/Wiki.php:193 +msgid "Enter the name of the new page:" +msgstr "Nombre de la nueva página:" -#: ../../Zotlabs/Lib/Apps.php:211 ../../include/features.php:89 -msgid "Suggest Channels" -msgstr "Sugerir canales" +#: ../../Zotlabs/Module/Wiki.php:194 +msgid "Enter the new name:" +msgstr "Nuevo nombre:" -#: ../../Zotlabs/Lib/Apps.php:212 ../../include/nav.php:110 -#: ../../boot.php:1703 -msgid "Login" -msgstr "Iniciar sesión" +#: ../../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/Lib/Apps.php:214 ../../include/nav.php:179 -msgid "Grid" -msgstr "Red" +#: ../../Zotlabs/Module/Wiki.php:201 ../../include/conversation.php:1234 +msgid "Embed an image from your albums" +msgstr "Incluir una imagen de sus álbumes" -#: ../../Zotlabs/Lib/Apps.php:218 ../../include/nav.php:182 -msgid "Channel Home" -msgstr "Mi canal" +#: ../../Zotlabs/Module/Wiki.php:203 ../../include/conversation.php:1236 +#: ../../include/conversation.php:1273 +msgid "OK" +msgstr "OK" -#: ../../Zotlabs/Lib/Apps.php:221 ../../include/nav.php:201 -#: ../../include/conversation.php:1649 ../../include/conversation.php:1652 -msgid "Events" -msgstr "Eventos" +#: ../../Zotlabs/Module/Wiki.php:204 ../../include/conversation.php:1186 +msgid "Choose images to embed" +msgstr "Elegir imágenes para incluir" -#: ../../Zotlabs/Lib/Apps.php:222 ../../include/nav.php:167 -msgid "Directory" -msgstr "Directorio" +#: ../../Zotlabs/Module/Wiki.php:205 ../../include/conversation.php:1187 +msgid "Choose an album" +msgstr "Elegir un álbum" + +#: ../../Zotlabs/Module/Wiki.php:206 ../../include/conversation.php:1188 +msgid "Choose a different album..." +msgstr "Elegir un álbum diferente..." + +#: ../../Zotlabs/Module/Wiki.php:207 ../../include/conversation.php:1189 +msgid "Error getting album list" +msgstr "Error al obtener la lista de álbumes" + +#: ../../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/Wiki.php:209 ../../include/conversation.php:1191 +msgid "Error getting album" +msgstr "Error al obtener el álbum" -#: ../../Zotlabs/Lib/Apps.php:224 ../../include/nav.php:193 -msgid "Mail" -msgstr "Correo" +#: ../../Zotlabs/Module/Viewconnections.php:65 +msgid "No connections." +msgstr "Sin conexiones." -#: ../../Zotlabs/Lib/Apps.php:227 ../../include/nav.php:96 -msgid "Chat" -msgstr "Chat" +#: ../../Zotlabs/Module/Viewconnections.php:78 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Visitar el perfil de %s [%s]" -#: ../../Zotlabs/Lib/Apps.php:229 -msgid "Probe" -msgstr "Probar" +#: ../../Zotlabs/Module/Viewconnections.php:107 +msgid "View Connections" +msgstr "Ver conexiones" -#: ../../Zotlabs/Lib/Apps.php:230 -msgid "Suggest" -msgstr "Sugerir" +#: ../../Zotlabs/Module/Viewsrc.php:44 +msgid "Source of Item" +msgstr "Origen del elemento" -#: ../../Zotlabs/Lib/Apps.php:231 -msgid "Random Channel" -msgstr "Canal aleatorio" +#: ../../Zotlabs/Module/Api.php:61 ../../Zotlabs/Module/Api.php:85 +msgid "Authorize application connection" +msgstr "Autorizar una conexión de aplicación" -#: ../../Zotlabs/Lib/Apps.php:232 -msgid "Invite" -msgstr "Invitar" +#: ../../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/Lib/Apps.php:233 ../../include/widgets.php:1386 -msgid "Features" -msgstr "Funcionalidades" +#: ../../Zotlabs/Module/Api.php:72 +msgid "Please login to continue." +msgstr "Por favor inicie sesión para continuar." -#: ../../Zotlabs/Lib/Apps.php:235 -msgid "Post" -msgstr "Publicación" +#: ../../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/Lib/Apps.php:335 -msgid "Purchase" -msgstr "Comprar" +#: ../../Zotlabs/Module/Xchan.php:10 +msgid "Xchan Lookup" +msgstr "Búsqueda de canales" + +#: ../../Zotlabs/Module/Xchan.php:13 +msgid "Lookup xchan beginning with (or webbie): " +msgstr "Buscar un canal (o un \"webbie\") que comience por:" #: ../../Zotlabs/Lib/Chatroom.php:27 msgid "Missing room name" @@ -6374,19 +6578,19 @@ msgstr "Sala no encontrada." msgid "Room is full" msgstr "La sala está llena." -#: ../../Zotlabs/Lib/Enotify.php:60 ../../include/network.php:1823 +#: ../../Zotlabs/Lib/Enotify.php:60 ../../include/network.php:1882 msgid "$Projectname Notification" msgstr "Notificación de $Projectname" -#: ../../Zotlabs/Lib/Enotify.php:61 ../../include/network.php:1824 +#: ../../Zotlabs/Lib/Enotify.php:61 ../../include/network.php:1883 msgid "$projectname" msgstr "$projectname" -#: ../../Zotlabs/Lib/Enotify.php:63 ../../include/network.php:1826 +#: ../../Zotlabs/Lib/Enotify.php:63 ../../include/network.php:1885 msgid "Thank You," msgstr "Gracias," -#: ../../Zotlabs/Lib/Enotify.php:65 ../../include/network.php:1828 +#: ../../Zotlabs/Lib/Enotify.php:65 ../../include/network.php:1887 #, php-format msgid "%s Administrator" msgstr "%s Administrador" @@ -6579,11 +6783,97 @@ msgstr "ha creado una nueva entrada" msgid "commented on %s's post" msgstr "ha comentado la entrada de %s" -#: ../../Zotlabs/Lib/ThreadItem.php:95 ../../include/conversation.php:664 +#: ../../Zotlabs/Lib/Apps.php:205 +msgid "Site Admin" +msgstr "Administrador del sitio" + +#: ../../Zotlabs/Lib/Apps.php:206 +msgid "Bug Report" +msgstr "Informe de errores" + +#: ../../Zotlabs/Lib/Apps.php:207 +msgid "View Bookmarks" +msgstr "Ver los marcadores" + +#: ../../Zotlabs/Lib/Apps.php:208 +msgid "My Chatrooms" +msgstr "Mis salas de chat" + +#: ../../Zotlabs/Lib/Apps.php:210 +msgid "Firefox Share" +msgstr "Servicio de compartición de Firefox" + +#: ../../Zotlabs/Lib/Apps.php:211 +msgid "Remote Diagnostics" +msgstr "Diagnóstico remoto" + +#: ../../Zotlabs/Lib/Apps.php:212 ../../include/features.php:90 +msgid "Suggest Channels" +msgstr "Sugerir canales" + +#: ../../Zotlabs/Lib/Apps.php:213 ../../include/nav.php:112 +#: ../../boot.php:1704 +msgid "Login" +msgstr "Iniciar sesión" + +#: ../../Zotlabs/Lib/Apps.php:215 ../../include/nav.php:181 +msgid "Grid" +msgstr "Red" + +#: ../../Zotlabs/Lib/Apps.php:220 ../../include/nav.php:184 +msgid "Channel Home" +msgstr "Mi canal" + +#: ../../Zotlabs/Lib/Apps.php:223 ../../include/nav.php:203 +#: ../../include/conversation.php:1664 ../../include/conversation.php:1667 +msgid "Events" +msgstr "Eventos" + +#: ../../Zotlabs/Lib/Apps.php:224 ../../include/nav.php:169 +msgid "Directory" +msgstr "Directorio" + +#: ../../Zotlabs/Lib/Apps.php:226 ../../include/nav.php:195 +msgid "Mail" +msgstr "Correo" + +#: ../../Zotlabs/Lib/Apps.php:229 ../../include/nav.php:96 +msgid "Chat" +msgstr "Chat" + +#: ../../Zotlabs/Lib/Apps.php:231 +msgid "Probe" +msgstr "Probar" + +#: ../../Zotlabs/Lib/Apps.php:232 +msgid "Suggest" +msgstr "Sugerir" + +#: ../../Zotlabs/Lib/Apps.php:233 +msgid "Random Channel" +msgstr "Canal aleatorio" + +#: ../../Zotlabs/Lib/Apps.php:234 +msgid "Invite" +msgstr "Invitar" + +#: ../../Zotlabs/Lib/Apps.php:235 ../../include/widgets.php:1480 +msgid "Features" +msgstr "Funcionalidades" + +#: ../../Zotlabs/Lib/Apps.php:237 +msgid "Post" +msgstr "Publicación" + +#: ../../Zotlabs/Lib/Apps.php:339 +msgid "Purchase" +msgstr "Comprar" + +#: ../../Zotlabs/Lib/ThreadItem.php:95 ../../include/conversation.php:667 msgid "Private Message" msgstr "Mensaje Privado" -#: ../../Zotlabs/Lib/ThreadItem.php:132 ../../include/conversation.php:656 +#: ../../Zotlabs/Lib/ThreadItem.php:132 ../../include/conversation.php:659 msgid "Select" msgstr "Seleccionar" @@ -6631,11 +6921,11 @@ msgstr "Activar o desactivar el estado de entrada preferida" msgid "starred" msgstr "preferidas" -#: ../../Zotlabs/Lib/ThreadItem.php:234 ../../include/conversation.php:671 +#: ../../Zotlabs/Lib/ThreadItem.php:234 ../../include/conversation.php:674 msgid "Message signature validated" msgstr "Firma de mensaje validada" -#: ../../Zotlabs/Lib/ThreadItem.php:235 ../../include/conversation.php:672 +#: ../../Zotlabs/Lib/ThreadItem.php:235 ../../include/conversation.php:675 msgid "Message signature incorrect" msgstr "Firma de mensaje incorrecta" @@ -6691,17 +6981,17 @@ msgstr "De página del perfil a página del perfil (de \"muro\" a \"muro\")" 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:719 +#: ../../Zotlabs/Lib/ThreadItem.php:341 ../../include/conversation.php:722 #, php-format msgid "from %s" msgstr "desde %s" -#: ../../Zotlabs/Lib/ThreadItem.php:344 ../../include/conversation.php:722 +#: ../../Zotlabs/Lib/ThreadItem.php:344 ../../include/conversation.php:725 #, php-format msgid "last edited: %s" msgstr "último cambio: %s" -#: ../../Zotlabs/Lib/ThreadItem.php:345 ../../include/conversation.php:723 +#: ../../Zotlabs/Lib/ThreadItem.php:345 ../../include/conversation.php:726 #, php-format msgid "Expires: %s" msgstr "Caduca: %s" @@ -6719,26 +7009,27 @@ msgid "Mark all seen" msgstr "Marcar todo como visto" #: ../../Zotlabs/Lib/ThreadItem.php:421 ../../include/js_strings.php:7 -msgid "[+] show all" -msgstr "[+] mostrar todo:" +#, php-format +msgid "%s show all" +msgstr "%s mostrar todo" -#: ../../Zotlabs/Lib/ThreadItem.php:711 ../../include/conversation.php:1215 +#: ../../Zotlabs/Lib/ThreadItem.php:711 ../../include/conversation.php:1226 msgid "Bold" msgstr "Negrita" -#: ../../Zotlabs/Lib/ThreadItem.php:712 ../../include/conversation.php:1216 +#: ../../Zotlabs/Lib/ThreadItem.php:712 ../../include/conversation.php:1227 msgid "Italic" msgstr "Itálico " -#: ../../Zotlabs/Lib/ThreadItem.php:713 ../../include/conversation.php:1217 +#: ../../Zotlabs/Lib/ThreadItem.php:713 ../../include/conversation.php:1228 msgid "Underline" msgstr "Subrayar" -#: ../../Zotlabs/Lib/ThreadItem.php:714 ../../include/conversation.php:1218 +#: ../../Zotlabs/Lib/ThreadItem.php:714 ../../include/conversation.php:1229 msgid "Quote" msgstr "Citar" -#: ../../Zotlabs/Lib/ThreadItem.php:715 ../../include/conversation.php:1219 +#: ../../Zotlabs/Lib/ThreadItem.php:715 ../../include/conversation.php:1230 msgid "Code" msgstr "Código" @@ -6754,1633 +7045,1811 @@ msgstr "Insertar enlace" msgid "Video" msgstr "Vídeo" -#: ../../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." +#: ../../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." + +#: ../../include/Import/import_diaspora.php:41 ../../include/import.php:51 +msgid "Unable to create a unique channel address. Import failed." +msgstr "No se ha podido crear una dirección de canal única. Ha fallado la importación." + +#: ../../include/dba/dba_driver.php:171 +#, php-format +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/photos.php:114 +#, php-format +msgid "Image exceeds website size limit of %lu bytes" +msgstr "La imagen excede el límite de %lu bytes del sitio" + +#: ../../include/photos.php:121 +msgid "Image file is empty." +msgstr "El fichero de imagen está vacío. " + +#: ../../include/photos.php:259 +msgid "Photo storage failed." +msgstr "La foto no ha podido ser guardada." + +#: ../../include/photos.php:299 +msgid "a new photo" +msgstr "una nueva foto" + +#: ../../include/photos.php:303 +#, php-format +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/Import/import_diaspora.php:41 ../../include/import.php:50 -msgid "Unable to create a unique channel address. Import failed." -msgstr "No se ha podido crear una dirección de canal única. Ha fallado la importación." +#: ../../include/nav.php:112 +msgid "Sign in" +msgstr "Acceder" -#: ../../include/dba/dba_driver.php:171 +#: ../../include/nav.php:129 #, php-format -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”" +msgid "%s - click to logout" +msgstr "%s - pulsar para finalizar sesión" -#: ../../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/nav.php:132 +msgid "Remote authentication" +msgstr "Acceder desde su servidor" -#: ../../include/taxonomy.php:228 ../../include/taxonomy.php:249 -msgid "Tags" -msgstr "Etiquetas" +#: ../../include/nav.php:132 +msgid "Click to authenticate to your home hub" +msgstr "Pulsar para identificarse en su servidor de inicio" -#: ../../include/taxonomy.php:293 -msgid "Keywords" -msgstr "Palabras clave" +#: ../../include/nav.php:146 +msgid "Home Page" +msgstr "Página de inicio" -#: ../../include/taxonomy.php:314 -msgid "have" -msgstr "tener" +#: ../../include/nav.php:149 +msgid "Create an account" +msgstr "Crear una cuenta" -#: ../../include/taxonomy.php:314 -msgid "has" -msgstr "tiene" +#: ../../include/nav.php:161 +msgid "Help and documentation" +msgstr "Ayuda y documentación" -#: ../../include/taxonomy.php:315 -msgid "want" -msgstr "quiero" +#: ../../include/nav.php:165 +msgid "Applications, utilities, links, games" +msgstr "Aplicaciones, utilidades, enlaces, juegos" -#: ../../include/taxonomy.php:315 -msgid "wants" -msgstr "quiere" +#: ../../include/nav.php:167 +msgid "Search site @name, #tag, ?docs, content" +msgstr "Buscar en el sitio por @nombre, #etiqueta, ?ayuda o contenido" -#: ../../include/taxonomy.php:316 -msgid "likes" -msgstr "gusta de" +#: ../../include/nav.php:169 +msgid "Channel Directory" +msgstr "Directorio de canales" -#: ../../include/taxonomy.php:317 -msgid "dislikes" -msgstr "no gusta de" +#: ../../include/nav.php:181 +msgid "Your grid" +msgstr "Mi red" -#: ../../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/nav.php:182 +msgid "Mark all grid notifications seen" +msgstr "Marcar todas las notificaciones de la red como vistas" -#: ../../include/event.php:30 ../../include/event.php:73 -#: ../../include/bb2diaspora.php:491 -msgid "Starts:" -msgstr "Comienza:" +#: ../../include/nav.php:184 +msgid "Channel home" +msgstr "Mi canal" -#: ../../include/event.php:40 ../../include/event.php:77 -#: ../../include/bb2diaspora.php:499 -msgid "Finishes:" -msgstr "Finaliza:" +#: ../../include/nav.php:185 +msgid "Mark all channel notifications seen" +msgstr "Marcar todas las notificaciones del canal como leídas" -#: ../../include/event.php:812 -msgid "This event has been added to your calendar." -msgstr "Este evento ha sido añadido a su calendario." +#: ../../include/nav.php:191 +msgid "Notices" +msgstr "Avisos" -#: ../../include/event.php:1012 -msgid "Not specified" -msgstr "Sin especificar" +#: ../../include/nav.php:191 +msgid "Notifications" +msgstr "Notificaciones" -#: ../../include/event.php:1013 -msgid "Needs Action" -msgstr "Necesita de una intervención" +#: ../../include/nav.php:192 +msgid "See all notifications" +msgstr "Ver todas las notificaciones" -#: ../../include/event.php:1014 -msgid "Completed" -msgstr "Completado/a" +#: ../../include/nav.php:195 +msgid "Private mail" +msgstr "Correo privado" -#: ../../include/event.php:1015 -msgid "In Process" -msgstr "En proceso" +#: ../../include/nav.php:196 +msgid "See all private messages" +msgstr "Ver todas los mensajes privados" -#: ../../include/event.php:1016 -msgid "Cancelled" -msgstr "Cancelado/a" +#: ../../include/nav.php:197 +msgid "Mark all private messages seen" +msgstr "Marcar todos los mensajes privados como leídos" -#: ../../include/import.php:29 -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/nav.php:198 ../../include/widgets.php:667 +msgid "Inbox" +msgstr "Bandeja de entrada" -#: ../../include/import.php:76 -msgid "Channel clone failed. Import failed." -msgstr "La clonación del canal no ha salido bien. La importación ha fallado." +#: ../../include/nav.php:199 ../../include/widgets.php:672 +msgid "Outbox" +msgstr "Bandeja de salida" -#: ../../include/items.php:892 ../../include/items.php:937 -msgid "(Unknown)" -msgstr "(Desconocido)" +#: ../../include/nav.php:200 ../../include/widgets.php:677 +msgid "New Message" +msgstr "Nuevo mensaje" -#: ../../include/items.php:1136 -msgid "Visible to anybody on the internet." -msgstr "Visible para cualquiera en internet." +#: ../../include/nav.php:203 +msgid "Event Calendar" +msgstr "Calendario de eventos" -#: ../../include/items.php:1138 -msgid "Visible to you only." -msgstr "Visible sólo para usted." +#: ../../include/nav.php:204 +msgid "See all events" +msgstr "Ver todos los eventos" -#: ../../include/items.php:1140 -msgid "Visible to anybody in this network." -msgstr "Visible para cualquiera en esta red." +#: ../../include/nav.php:205 +msgid "Mark all events seen" +msgstr "Marcar todos los eventos como leidos" -#: ../../include/items.php:1142 -msgid "Visible to anybody authenticated." -msgstr "Visible para cualquiera que esté autenticado." +#: ../../include/nav.php:208 +msgid "Manage Your Channels" +msgstr "Gestionar sus canales" -#: ../../include/items.php:1144 -#, php-format -msgid "Visible to anybody on %s." -msgstr "Visible para cualquiera en %s." +#: ../../include/nav.php:210 +msgid "Account/Channel Settings" +msgstr "Ajustes de cuenta/canales" -#: ../../include/items.php:1146 -msgid "Visible to all connections." -msgstr "Visible para todas las conexiones." +#: ../../include/nav.php:218 ../../include/widgets.php:1510 +msgid "Admin" +msgstr "Administrador" -#: ../../include/items.php:1148 -msgid "Visible to approved connections." -msgstr "Visible para las conexiones permitidas." +#: ../../include/nav.php:218 +msgid "Site Setup and Configuration" +msgstr "Ajustes y configuración del sitio" -#: ../../include/items.php:1150 -msgid "Visible to specific connections." -msgstr "Visible para conexiones específicas." +#: ../../include/nav.php:249 ../../include/conversation.php:854 +msgid "Loading..." +msgstr "Cargando..." -#: ../../include/items.php:3909 -msgid "Privacy group is empty." -msgstr "El grupo de canales está vacío." +#: ../../include/nav.php:254 +msgid "@name, #tag, ?doc, content" +msgstr "@nombre, #etiqueta, ?ayuda, contenido" -#: ../../include/items.php:3916 -#, php-format -msgid "Privacy group: %s" -msgstr "Grupo de canales: %s" +#: ../../include/nav.php:255 +msgid "Please wait..." +msgstr "Espere por favor…" -#: ../../include/items.php:3928 -msgid "Connection not found." -msgstr "Conexión no encontrada" +#: ../../include/network.php:704 +msgid "view full size" +msgstr "Ver en el tamaño original" -#: ../../include/items.php:4277 -msgid "profile photo" -msgstr "foto del perfil" +#: ../../include/network.php:1930 ../../include/account.php:317 +#: ../../include/account.php:344 ../../include/account.php:404 +msgid "Administrator" +msgstr "Administrador" -#: ../../include/message.php:20 -msgid "No recipient provided." -msgstr "No se ha especificado ningún destinatario." +#: ../../include/network.php:1944 +msgid "No Subject" +msgstr "Sin asunto" -#: ../../include/message.php:25 -msgid "[no subject]" -msgstr "[sin asunto]" +#: ../../include/network.php:2198 ../../include/network.php:2199 +msgid "Friendica" +msgstr "Friendica" -#: ../../include/message.php:45 -msgid "Unable to determine sender." -msgstr "No ha sido posible determinar el remitente. " +#: ../../include/network.php:2200 +msgid "OStatus" +msgstr "OStatus" -#: ../../include/message.php:222 -msgid "Stored post could not be verified." -msgstr "No se han podido verificar las publicaciones guardadas." +#: ../../include/network.php:2201 +msgid "GNU-Social" +msgstr "GNU Social" -#: ../../include/text.php:428 -msgid "prev" -msgstr "anterior" +#: ../../include/network.php:2202 +msgid "RSS/Atom" +msgstr "RSS/Atom" -#: ../../include/text.php:430 -msgid "first" -msgstr "primera" +#: ../../include/network.php:2204 +msgid "Diaspora" +msgstr "Diaspora" -#: ../../include/text.php:459 -msgid "last" -msgstr "última" +#: ../../include/network.php:2205 +msgid "Facebook" +msgstr "Facebook" -#: ../../include/text.php:462 -msgid "next" -msgstr "próxima" +#: ../../include/network.php:2206 +msgid "Zot" +msgstr "Zot" -#: ../../include/text.php:472 -msgid "older" -msgstr "más antiguas" +#: ../../include/network.php:2207 +msgid "LinkedIn" +msgstr "LinkedIn" -#: ../../include/text.php:474 -msgid "newer" -msgstr "más recientes" +#: ../../include/network.php:2208 +msgid "XMPP/IM" +msgstr "XMPP/IM" -#: ../../include/text.php:863 -msgid "No connections" -msgstr "Sin conexiones" +#: ../../include/network.php:2209 +msgid "MySpace" +msgstr "MySpace" -#: ../../include/text.php:888 -#, php-format -msgid "View all %s connections" -msgstr "Ver todas las %s conexiones" +#: ../../include/page_widgets.php:7 +msgid "New Page" +msgstr "Nueva página" -#: ../../include/text.php:1033 ../../include/text.php:1038 -msgid "poke" -msgstr "un toque" +#: ../../include/page_widgets.php:46 +msgid "Title" +msgstr "Título" -#: ../../include/text.php:1033 ../../include/text.php:1038 -#: ../../include/conversation.php:243 -msgid "poked" -msgstr "ha dado un toque a" +#: ../../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/text.php:1039 -msgid "ping" -msgstr "un \"ping\"" +#: ../../include/taxonomy.php:228 ../../include/taxonomy.php:249 +msgid "Tags" +msgstr "Etiquetas" -#: ../../include/text.php:1039 -msgid "pinged" -msgstr "ha enviado un \"ping\" a" +#: ../../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/text.php:1040 -msgid "prod" -msgstr "una incitación " +#: ../../include/taxonomy.php:315 +msgid "want" +msgstr "quiero" -#: ../../include/text.php:1040 -msgid "prodded" -msgstr "ha incitado a " +#: ../../include/taxonomy.php:315 +msgid "wants" +msgstr "quiere" -#: ../../include/text.php:1041 -msgid "slap" -msgstr "una bofetada " +#: ../../include/taxonomy.php:316 +msgid "likes" +msgstr "gusta de" -#: ../../include/text.php:1041 -msgid "slapped" -msgstr "ha abofeteado a " +#: ../../include/taxonomy.php:317 +msgid "dislikes" +msgstr "no gusta de" -#: ../../include/text.php:1042 -msgid "finger" -msgstr "un \"finger\" " +#: ../../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/text.php:1042 -msgid "fingered" -msgstr "envió un \"finger\" a" +#: ../../include/channel.php:67 +msgid "Empty name" +msgstr "Nombre vacío" -#: ../../include/text.php:1043 -msgid "rebuff" -msgstr "un reproche" +#: ../../include/channel.php:70 +msgid "Name too long" +msgstr "Nombre demasiado largo" -#: ../../include/text.php:1043 -msgid "rebuffed" -msgstr "ha hecho un reproche a " +#: ../../include/channel.php:181 +msgid "No account identifier" +msgstr "Ningún identificador de la cuenta" -#: ../../include/text.php:1055 -msgid "happy" -msgstr "feliz " +#: ../../include/channel.php:193 +msgid "Nickname is required." +msgstr "Se requiere un sobrenombre (alias)." -#: ../../include/text.php:1056 -msgid "sad" -msgstr "triste " +#: ../../include/channel.php:207 +msgid "Reserved nickname. Please choose another." +msgstr "Sobrenombre en uso. Por favor, elija otro." -#: ../../include/text.php:1057 -msgid "mellow" -msgstr "tranquilo/a" +#: ../../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/text.php:1058 -msgid "tired" -msgstr "cansado/a " +#: ../../include/channel.php:272 +msgid "Unable to retrieve created identity" +msgstr "No ha sido posible recuperar la identidad creada" -#: ../../include/text.php:1059 -msgid "perky" -msgstr "vivaz" +#: ../../include/channel.php:341 +msgid "Default Profile" +msgstr "Perfil principal" -#: ../../include/text.php:1060 -msgid "angry" -msgstr "enfadado/a" +#: ../../include/channel.php:830 +msgid "Requested channel is not available." +msgstr "El canal solicitado no está disponible." -#: ../../include/text.php:1061 -msgid "stupefied" -msgstr "asombrado/a" +#: ../../include/channel.php:977 +msgid "Create New Profile" +msgstr "Crear un nuevo perfil" -#: ../../include/text.php:1062 -msgid "puzzled" -msgstr "perplejo/a" +#: ../../include/channel.php:997 +msgid "Visible to everybody" +msgstr "Visible para todos" -#: ../../include/text.php:1063 -msgid "interested" -msgstr "interesado/a" +#: ../../include/channel.php:1070 ../../include/channel.php:1182 +msgid "Gender:" +msgstr "Género:" -#: ../../include/text.php:1064 -msgid "bitter" -msgstr "amargado/a" +#: ../../include/channel.php:1071 ../../include/channel.php:1226 +msgid "Status:" +msgstr "Estado:" -#: ../../include/text.php:1065 -msgid "cheerful" -msgstr "alegre" +#: ../../include/channel.php:1072 ../../include/channel.php:1237 +msgid "Homepage:" +msgstr "Página personal:" -#: ../../include/text.php:1066 -msgid "alive" -msgstr "animado/a" +#: ../../include/channel.php:1073 +msgid "Online Now" +msgstr "Ahora en línea" -#: ../../include/text.php:1067 -msgid "annoyed" -msgstr "molesto/a" +#: ../../include/channel.php:1187 +msgid "Like this channel" +msgstr "Me gusta este canal" -#: ../../include/text.php:1068 -msgid "anxious" -msgstr "ansioso/a" +#: ../../include/channel.php:1211 +msgid "j F, Y" +msgstr "j F Y" -#: ../../include/text.php:1069 -msgid "cranky" -msgstr "de mal humor" +#: ../../include/channel.php:1212 +msgid "j F" +msgstr "j F" -#: ../../include/text.php:1070 -msgid "disturbed" -msgstr "perturbado/a" +#: ../../include/channel.php:1219 +msgid "Birthday:" +msgstr "Cumpleaños:" -#: ../../include/text.php:1071 -msgid "frustrated" -msgstr "frustrado/a" +#: ../../include/channel.php:1232 +#, php-format +msgid "for %1$d %2$s" +msgstr "por %1$d %2$s" -#: ../../include/text.php:1072 -msgid "depressed" -msgstr "deprimido/a" +#: ../../include/channel.php:1235 +msgid "Sexual Preference:" +msgstr "Orientación sexual:" -#: ../../include/text.php:1073 -msgid "motivated" -msgstr "motivado/a" +#: ../../include/channel.php:1241 +msgid "Tags:" +msgstr "Etiquetas:" -#: ../../include/text.php:1074 -msgid "relaxed" -msgstr "relajado/a" +#: ../../include/channel.php:1243 +msgid "Political Views:" +msgstr "Posición política:" -#: ../../include/text.php:1075 -msgid "surprised" -msgstr "sorprendido/a" +#: ../../include/channel.php:1245 +msgid "Religion:" +msgstr "Religión:" -#: ../../include/text.php:1257 ../../include/js_strings.php:70 -msgid "Monday" -msgstr "lunes" +#: ../../include/channel.php:1249 +msgid "Hobbies/Interests:" +msgstr "Aficciones o intereses:" -#: ../../include/text.php:1257 ../../include/js_strings.php:71 -msgid "Tuesday" -msgstr "martes" +#: ../../include/channel.php:1251 +msgid "Likes:" +msgstr "Me gusta:" -#: ../../include/text.php:1257 ../../include/js_strings.php:72 -msgid "Wednesday" -msgstr "miércoles" +#: ../../include/channel.php:1253 +msgid "Dislikes:" +msgstr "No me gusta:" -#: ../../include/text.php:1257 ../../include/js_strings.php:73 -msgid "Thursday" -msgstr "jueves" +#: ../../include/channel.php:1255 +msgid "Contact information and Social Networks:" +msgstr "Información de contacto y redes sociales:" -#: ../../include/text.php:1257 ../../include/js_strings.php:74 -msgid "Friday" -msgstr "viernes" +#: ../../include/channel.php:1257 +msgid "My other channels:" +msgstr "Mis otros canales:" -#: ../../include/text.php:1257 ../../include/js_strings.php:75 -msgid "Saturday" -msgstr "sábado" +#: ../../include/channel.php:1259 +msgid "Musical interests:" +msgstr "Preferencias musicales:" -#: ../../include/text.php:1257 ../../include/js_strings.php:69 -msgid "Sunday" -msgstr "domingo" +#: ../../include/channel.php:1261 +msgid "Books, literature:" +msgstr "Libros, literatura:" -#: ../../include/text.php:1261 ../../include/js_strings.php:45 -msgid "January" -msgstr "enero" +#: ../../include/channel.php:1263 +msgid "Television:" +msgstr "Televisión:" -#: ../../include/text.php:1261 ../../include/js_strings.php:46 -msgid "February" -msgstr "febrero" +#: ../../include/channel.php:1265 +msgid "Film/dance/culture/entertainment:" +msgstr "Cine, danza, cultura, entretenimiento:" -#: ../../include/text.php:1261 ../../include/js_strings.php:47 -msgid "March" -msgstr "marzo" +#: ../../include/channel.php:1267 +msgid "Love/Romance:" +msgstr "Vida sentimental o amorosa:" -#: ../../include/text.php:1261 ../../include/js_strings.php:48 -msgid "April" -msgstr "abril" +#: ../../include/channel.php:1269 +msgid "Work/employment:" +msgstr "Trabajo:" -#: ../../include/text.php:1261 -msgid "May" -msgstr "mayo" +#: ../../include/channel.php:1271 +msgid "School/education:" +msgstr "Estudios:" -#: ../../include/text.php:1261 ../../include/js_strings.php:50 -msgid "June" -msgstr "junio" +#: ../../include/channel.php:1292 +msgid "Like this thing" +msgstr "Me gusta esto" -#: ../../include/text.php:1261 ../../include/js_strings.php:51 -msgid "July" -msgstr "julio" +#: ../../include/connections.php:95 +msgid "New window" +msgstr "Nueva ventana" -#: ../../include/text.php:1261 ../../include/js_strings.php:52 -msgid "August" -msgstr "agosto" +#: ../../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/text.php:1261 ../../include/js_strings.php:53 -msgid "September" -msgstr "septiembre" +#: ../../include/connections.php:214 +#, php-format +msgid "User '%s' deleted" +msgstr "El usuario '%s' ha sido eliminado" -#: ../../include/text.php:1261 ../../include/js_strings.php:54 -msgid "October" -msgstr "octubre" +#: ../../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/text.php:1261 ../../include/js_strings.php:55 -msgid "November" -msgstr "noviembre" +#: ../../include/conversation.php:239 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s ha dado un toque a %2$s" -#: ../../include/text.php:1261 ../../include/js_strings.php:56 -msgid "December" -msgstr "diciembre" +#: ../../include/conversation.php:243 ../../include/text.php:1013 +#: ../../include/text.php:1018 +msgid "poked" +msgstr "ha dado un toque a" -#: ../../include/text.php:1338 ../../include/text.php:1342 -msgid "Unknown Attachment" -msgstr "Adjunto no reconocido" +#: ../../include/conversation.php:694 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Ver el perfil @ %s de %s" -#: ../../include/text.php:1344 -msgid "unknown" -msgstr "desconocido" +#: ../../include/conversation.php:713 +msgid "Categories:" +msgstr "Categorías:" -#: ../../include/text.php:1380 -msgid "remove category" -msgstr "eliminar categoría" +#: ../../include/conversation.php:714 +msgid "Filed under:" +msgstr "Archivado bajo:" -#: ../../include/text.php:1457 -msgid "remove from file" -msgstr "eliminar del fichero" +#: ../../include/conversation.php:741 +msgid "View in context" +msgstr "Mostrar en su contexto" -#: ../../include/text.php:1753 ../../include/text.php:1824 -msgid "default" -msgstr "por defecto" +#: ../../include/conversation.php:850 +msgid "remove" +msgstr "eliminar" -#: ../../include/text.php:1761 -msgid "Page layout" -msgstr "Plantilla de la página" +#: ../../include/conversation.php:855 +msgid "Delete Selected Items" +msgstr "Eliminar elementos seleccionados" -#: ../../include/text.php:1761 -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/conversation.php:951 +msgid "View Source" +msgstr "Ver el código fuente de la entrada" -#: ../../include/text.php:1803 -msgid "Page content type" -msgstr "Tipo de contenido de la página" +#: ../../include/conversation.php:952 +msgid "Follow Thread" +msgstr "Seguir este hilo" -#: ../../include/text.php:1836 -msgid "Select an alternate language" -msgstr "Seleccionar un idioma alternativo" +#: ../../include/conversation.php:953 +msgid "Unfollow Thread" +msgstr "Dejar de seguir este hilo" -#: ../../include/text.php:1953 -msgid "activity" -msgstr "la actividad" +#: ../../include/conversation.php:958 +msgid "Activity/Posts" +msgstr "Actividad y publicaciones" -#: ../../include/text.php:2262 -msgid "Design Tools" -msgstr "Herramientas de diseño web" +#: ../../include/conversation.php:960 +msgid "Edit Connection" +msgstr "Editar conexión" -#: ../../include/text.php:2268 -msgid "Pages" -msgstr "Páginas" +#: ../../include/conversation.php:961 +msgid "Message" +msgstr "Mensaje" -#: ../../include/widgets.php:103 -msgid "System" -msgstr "Sistema" +#: ../../include/conversation.php:1078 +#, php-format +msgid "%s likes this." +msgstr "A %s le gusta esto." -#: ../../include/widgets.php:106 -msgid "New App" -msgstr "Nueva aplicación (app)" +#: ../../include/conversation.php:1078 +#, php-format +msgid "%s doesn't like this." +msgstr "A %s no le gusta esto." -#: ../../include/widgets.php:154 -msgid "Suggestions" -msgstr "Sugerencias" +#: ../../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/widgets.php:155 -msgid "See more..." -msgstr "Ver más..." +#: ../../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/widgets.php:175 +#: ../../include/conversation.php:1090 +msgid "and" +msgstr "y" + +#: ../../include/conversation.php:1093 #, php-format -msgid "You have %1$.0f of %2$.0f allowed connections." -msgstr "Tiene %1$.0f de %2$.0f conexiones permitidas." +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/widgets.php:181 -msgid "Add New Connection" -msgstr "Añadir nueva conexión" +#: ../../include/conversation.php:1094 +#, php-format +msgid "%s like this." +msgstr "A %s le gusta esto." -#: ../../include/widgets.php:182 -msgid "Enter channel address" -msgstr "Dirección del canal" +#: ../../include/conversation.php:1094 +#, php-format +msgid "%s don't like this." +msgstr "A %s no le gusta esto." -#: ../../include/widgets.php:183 -msgid "Examples: bob@example.com, https://example.com/barbara" -msgstr "Ejemplos: manuel@ejemplo.com, https://ejemplo.com/carmen" +#: ../../include/conversation.php:1133 +msgid "Set your location" +msgstr "Establecer su ubicación" -#: ../../include/widgets.php:199 -msgid "Notes" -msgstr "Notas" +#: ../../include/conversation.php:1134 +msgid "Clear browser location" +msgstr "Eliminar los datos de localización geográfica del navegador" -#: ../../include/widgets.php:273 -msgid "Remove term" -msgstr "Eliminar término" +#: ../../include/conversation.php:1182 +msgid "Tag term:" +msgstr "Término de la etiqueta:" -#: ../../include/widgets.php:281 ../../include/features.php:84 -msgid "Saved Searches" -msgstr "Búsquedas guardadas" +#: ../../include/conversation.php:1183 +msgid "Where are you right now?" +msgstr "¿Donde está ahora?" -#: ../../include/widgets.php:282 ../../include/group.php:316 -msgid "add" -msgstr "añadir" +#: ../../include/conversation.php:1221 +msgid "Page link name" +msgstr "Nombre del enlace de la página" -#: ../../include/widgets.php:310 ../../include/contact_widgets.php:53 -#: ../../include/features.php:98 -msgid "Saved Folders" -msgstr "Carpetas guardadas" +#: ../../include/conversation.php:1224 +msgid "Post as" +msgstr "Publicar como" -#: ../../include/widgets.php:313 ../../include/widgets.php:432 -#: ../../include/contact_widgets.php:56 ../../include/contact_widgets.php:94 -msgid "Everything" -msgstr "Todo" +#: ../../include/conversation.php:1238 +msgid "Toggle voting" +msgstr "Cambiar votación" -#: ../../include/widgets.php:354 -msgid "Archives" -msgstr "Hemeroteca" +#: ../../include/conversation.php:1246 +msgid "Categories (optional, comma-separated list)" +msgstr "Categorías (opcional, lista separada por comas)" -#: ../../include/widgets.php:516 -msgid "Refresh" -msgstr "Recargar" +#: ../../include/conversation.php:1269 +msgid "Set publish date" +msgstr "Establecer la fecha de publicación" -#: ../../include/widgets.php:556 -msgid "Account settings" -msgstr "Configuración de la cuenta" +#: ../../include/conversation.php:1518 +msgid "Discover" +msgstr "Descubrir" -#: ../../include/widgets.php:562 -msgid "Channel settings" -msgstr "Configuración del canal" +#: ../../include/conversation.php:1521 +msgid "Imported public streams" +msgstr "Contenidos públicos importados" -#: ../../include/widgets.php:571 -msgid "Additional features" -msgstr "Funcionalidades" +#: ../../include/conversation.php:1526 +msgid "Commented Order" +msgstr "Comentarios recientes" -#: ../../include/widgets.php:578 -msgid "Feature/Addon settings" -msgstr "Complementos" +#: ../../include/conversation.php:1529 +msgid "Sort by Comment Date" +msgstr "Ordenar por fecha de comentario" -#: ../../include/widgets.php:584 -msgid "Display settings" -msgstr "Ajustes de visualización" +#: ../../include/conversation.php:1533 +msgid "Posted Order" +msgstr "Publicaciones recientes" -#: ../../include/widgets.php:591 -msgid "Manage locations" -msgstr "Gestión de ubicaciones (clones) del canal" +#: ../../include/conversation.php:1536 +msgid "Sort by Post Date" +msgstr "Ordenar por fecha de publicación" -#: ../../include/widgets.php:600 -msgid "Export channel" -msgstr "Exportar canal" +#: ../../include/conversation.php:1544 +msgid "Posts that mention or involve you" +msgstr "Publicaciones que le mencionan o involucran" -#: ../../include/widgets.php:607 -msgid "Connected apps" -msgstr "Aplicaciones (apps) conectadas" +#: ../../include/conversation.php:1553 +msgid "Activity Stream - by date" +msgstr "Contenido - por fecha" -#: ../../include/widgets.php:622 -msgid "Premium Channel Settings" -msgstr "Configuración del canal premium" +#: ../../include/conversation.php:1559 +msgid "Starred" +msgstr "Preferidas" -#: ../../include/widgets.php:651 -msgid "Private Mail Menu" -msgstr "Menú de correo privado" +#: ../../include/conversation.php:1562 +msgid "Favourite Posts" +msgstr "Publicaciones favoritas" -#: ../../include/widgets.php:653 -msgid "Combined View" -msgstr "Vista combinada" +#: ../../include/conversation.php:1569 +msgid "Spam" +msgstr "Correo basura" -#: ../../include/widgets.php:658 ../../include/nav.php:196 -msgid "Inbox" -msgstr "Bandeja de entrada" +#: ../../include/conversation.php:1572 +msgid "Posts flagged as SPAM" +msgstr "Publicaciones marcadas como basura" -#: ../../include/widgets.php:663 ../../include/nav.php:197 -msgid "Outbox" -msgstr "Bandeja de salida" +#: ../../include/conversation.php:1629 +msgid "Status Messages and Posts" +msgstr "Mensajes de estado y publicaciones" -#: ../../include/widgets.php:668 ../../include/nav.php:198 -msgid "New Message" -msgstr "Nuevo mensaje" +#: ../../include/conversation.php:1638 +msgid "About" +msgstr "Mi perfil" -#: ../../include/widgets.php:685 ../../include/widgets.php:697 -msgid "Conversations" -msgstr "Conversaciones" +#: ../../include/conversation.php:1641 +msgid "Profile Details" +msgstr "Detalles del perfil" -#: ../../include/widgets.php:689 -msgid "Received Messages" -msgstr "Mensajes recibidos" +#: ../../include/conversation.php:1657 +msgid "Files and Storage" +msgstr "Ficheros y repositorio" -#: ../../include/widgets.php:693 -msgid "Sent Messages" -msgstr "Enviar mensajes" +#: ../../include/conversation.php:1677 ../../include/conversation.php:1680 +#: ../../include/widgets.php:836 +msgid "Chatrooms" +msgstr "Salas de chat" -#: ../../include/widgets.php:707 -msgid "No messages." -msgstr "Sin mensajes." +#: ../../include/conversation.php:1693 +msgid "Saved Bookmarks" +msgstr "Marcadores guardados" -#: ../../include/widgets.php:725 -msgid "Delete conversation" -msgstr "Eliminar conversación" +#: ../../include/conversation.php:1703 +msgid "Manage Webpages" +msgstr "Administrar páginas web" -#: ../../include/widgets.php:751 -msgid "Events Menu" -msgstr "Menú de eventos" +#: ../../include/conversation.php:1768 +msgctxt "noun" +msgid "Attending" +msgid_plural "Attending" +msgstr[0] "Participaré" +msgstr[1] "Participaré" -#: ../../include/widgets.php:752 -msgid "Day View" -msgstr "Eventos del día" +#: ../../include/conversation.php:1771 +msgctxt "noun" +msgid "Not Attending" +msgid_plural "Not Attending" +msgstr[0] "No participaré" +msgstr[1] "No participaré" -#: ../../include/widgets.php:753 -msgid "Week View" -msgstr "Eventos de la semana" +#: ../../include/conversation.php:1774 +msgctxt "noun" +msgid "Undecided" +msgid_plural "Undecided" +msgstr[0] "Indeciso/a" +msgstr[1] "Indecisos/as" -#: ../../include/widgets.php:754 -msgid "Month View" -msgstr "Eventos del mes" +#: ../../include/conversation.php:1777 +msgctxt "noun" +msgid "Agree" +msgid_plural "Agrees" +msgstr[0] "De acuerdo" +msgstr[1] "De acuerdo" -#: ../../include/widgets.php:766 -msgid "Events Tools" -msgstr "Gestión de eventos" +#: ../../include/conversation.php:1780 +msgctxt "noun" +msgid "Disagree" +msgid_plural "Disagrees" +msgstr[0] "En desacuerdo" +msgstr[1] "En desacuerdo" -#: ../../include/widgets.php:767 -msgid "Export Calendar" -msgstr "Exportar el calendario" +#: ../../include/conversation.php:1783 +msgctxt "noun" +msgid "Abstain" +msgid_plural "Abstains" +msgstr[0] "se abstiene" +msgstr[1] "Se abstienen" -#: ../../include/widgets.php:768 -msgid "Import Calendar" -msgstr "Importar un calendario" +#: ../../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/widgets.php:842 ../../include/conversation.php:1662 -#: ../../include/conversation.php:1665 -msgid "Chatrooms" -msgstr "Salas de chat" +#: ../../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/widgets.php:846 -msgid "Overview" -msgstr "Resumen" +#: ../../include/selectors.php:30 +msgid "Frequently" +msgstr "Frecuentemente" -#: ../../include/widgets.php:853 -msgid "Chat Members" -msgstr "Miembros del chat" +#: ../../include/selectors.php:31 +msgid "Hourly" +msgstr "Cada hora" -#: ../../include/widgets.php:876 -msgid "Bookmarked Chatrooms" -msgstr "Salas de chat preferidas" +#: ../../include/selectors.php:32 +msgid "Twice daily" +msgstr "Dos veces al día" -#: ../../include/widgets.php:899 -msgid "Suggested Chatrooms" -msgstr "Salas de chat sugeridas" +#: ../../include/selectors.php:33 +msgid "Daily" +msgstr "Diariamente" -#: ../../include/widgets.php:1044 ../../include/widgets.php:1156 -msgid "photo/image" -msgstr "foto/imagen" +#: ../../include/selectors.php:34 +msgid "Weekly" +msgstr "Semanalmente" -#: ../../include/widgets.php:1099 -msgid "Click to show more" -msgstr "Hacer clic para ver más" +#: ../../include/selectors.php:35 +msgid "Monthly" +msgstr "Mensualmente" -#: ../../include/widgets.php:1250 -msgid "Rating Tools" -msgstr "Valoraciones" +#: ../../include/selectors.php:49 +msgid "Currently Male" +msgstr "Actualmente hombre" -#: ../../include/widgets.php:1254 ../../include/widgets.php:1256 -msgid "Rate Me" -msgstr "Valorar este canal" +#: ../../include/selectors.php:49 +msgid "Currently Female" +msgstr "Actualmente mujer" -#: ../../include/widgets.php:1259 -msgid "View Ratings" -msgstr "Mostrar las valoraciones" +#: ../../include/selectors.php:49 +msgid "Mostly Male" +msgstr "Generalmente hombre" -#: ../../include/widgets.php:1316 -msgid "Forums" -msgstr "Foros" +#: ../../include/selectors.php:49 +msgid "Mostly Female" +msgstr "Generalmente mujer" -#: ../../include/widgets.php:1345 -msgid "Tasks" -msgstr "Tareas" +#: ../../include/selectors.php:49 +msgid "Transgender" +msgstr "Transgénero" -#: ../../include/widgets.php:1354 -msgid "Documentation" -msgstr "Documentación" +#: ../../include/selectors.php:49 +msgid "Intersex" +msgstr "Intersexual" -#: ../../include/widgets.php:1356 -msgid "Project/Site Information" -msgstr "Información sobre el proyecto o sitio" +#: ../../include/selectors.php:49 +msgid "Transsexual" +msgstr "Transexual" -#: ../../include/widgets.php:1357 -msgid "For Members" -msgstr "Para los miembros" +#: ../../include/selectors.php:49 +msgid "Hermaphrodite" +msgstr "Hermafrodita" -#: ../../include/widgets.php:1358 -msgid "For Administrators" -msgstr "Para los administradores" +#: ../../include/selectors.php:49 +msgid "Neuter" +msgstr "Neutral" -#: ../../include/widgets.php:1359 -msgid "For Developers" -msgstr "Para los desarrolladores" +#: ../../include/selectors.php:49 +msgid "Non-specific" +msgstr "No especificado" -#: ../../include/widgets.php:1383 ../../include/widgets.php:1421 -msgid "Member registrations waiting for confirmation" -msgstr "Inscripciones de nuevos miembros pendientes de aprobación" +#: ../../include/selectors.php:49 +msgid "Undecided" +msgstr "Indeciso/a" -#: ../../include/widgets.php:1389 -msgid "Inspect queue" -msgstr "Examinar la cola" +#: ../../include/selectors.php:85 ../../include/selectors.php:104 +msgid "Males" +msgstr "Hombres" -#: ../../include/widgets.php:1391 -msgid "DB updates" -msgstr "Actualizaciones de la base de datos" +#: ../../include/selectors.php:85 ../../include/selectors.php:104 +msgid "Females" +msgstr "Mujeres" -#: ../../include/widgets.php:1416 ../../include/nav.php:216 -msgid "Admin" -msgstr "Administrador" +#: ../../include/selectors.php:85 +msgid "Gay" +msgstr "Homosexual" -#: ../../include/widgets.php:1417 -msgid "Plugin Features" -msgstr "Extensiones" +#: ../../include/selectors.php:85 +msgid "Lesbian" +msgstr "Lesbiana" -#: ../../include/follow.php:27 -msgid "Channel is blocked on this site." -msgstr "El canal está bloqueado en este sitio." +#: ../../include/selectors.php:85 +msgid "No Preference" +msgstr "Sin preferencias" -#: ../../include/follow.php:32 -msgid "Channel location missing." -msgstr "Falta la dirección del canal." +#: ../../include/selectors.php:85 +msgid "Bisexual" +msgstr "Bisexual" -#: ../../include/follow.php:81 -msgid "Response from remote channel was incomplete." -msgstr "Respuesta incompleta del canal." +#: ../../include/selectors.php:85 +msgid "Autosexual" +msgstr "Autosexual" -#: ../../include/follow.php:98 -msgid "Channel was deleted and no longer exists." -msgstr "El canal ha sido eliminado y ya no existe." +#: ../../include/selectors.php:85 +msgid "Abstinent" +msgstr "Casto/a" -#: ../../include/follow.php:154 ../../include/follow.php:190 -msgid "Protocol disabled." -msgstr "Protocolo deshabilitado." +#: ../../include/selectors.php:85 +msgid "Virgin" +msgstr "Virgen" -#: ../../include/follow.php:178 -msgid "Channel discovery failed." -msgstr "El intento de acceder al canal ha fallado." +#: ../../include/selectors.php:85 +msgid "Deviant" +msgstr "Fuera de lo común" -#: ../../include/follow.php:216 -msgid "Cannot connect to yourself." -msgstr "No puede conectarse consigo mismo." +#: ../../include/selectors.php:85 +msgid "Fetish" +msgstr "Fetichista" -#: ../../include/bookmarks.php:35 -#, php-format -msgid "%1$s's bookmarks" -msgstr "Marcadores de %1$s" +#: ../../include/selectors.php:85 +msgid "Oodles" +msgstr "Orgías" -#: ../../include/api.php:1336 -msgid "Public Timeline" -msgstr "Cronología pública" +#: ../../include/selectors.php:85 +msgid "Nonsexual" +msgstr "Asexual" -#: ../../include/bbcode.php:123 ../../include/bbcode.php:844 -#: ../../include/bbcode.php:847 ../../include/bbcode.php:852 -#: ../../include/bbcode.php:855 ../../include/bbcode.php:858 -#: ../../include/bbcode.php:861 ../../include/bbcode.php:866 -#: ../../include/bbcode.php:869 ../../include/bbcode.php:874 -#: ../../include/bbcode.php:877 ../../include/bbcode.php:880 -#: ../../include/bbcode.php:883 -msgid "Image/photo" -msgstr "Imagen/foto" +#: ../../include/selectors.php:123 ../../include/selectors.php:140 +msgid "Single" +msgstr "Soltero/a" -#: ../../include/bbcode.php:162 ../../include/bbcode.php:894 -msgid "Encrypted content" -msgstr "Contenido cifrado" +#: ../../include/selectors.php:123 +msgid "Lonely" +msgstr "Solo/a" -#: ../../include/bbcode.php:178 -#, php-format -msgid "Install %s element: " -msgstr "Instalar el elemento %s:" +#: ../../include/selectors.php:123 +msgid "Available" +msgstr "Disponible" -#: ../../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/selectors.php:123 +msgid "Unavailable" +msgstr "No disponible" -#: ../../include/bbcode.php:254 -#, php-format -msgid "%1$s wrote the following %2$s %3$s" -msgstr "%1$s escribió %2$s siguiente %3$s" +#: ../../include/selectors.php:123 +msgid "Has crush" +msgstr "Enamorado/a" -#: ../../include/bbcode.php:331 ../../include/bbcode.php:339 -msgid "Click to open/close" -msgstr "Pulsar para abrir/cerrar" +#: ../../include/selectors.php:123 +msgid "Infatuated" +msgstr "Apasionado/a" -#: ../../include/bbcode.php:339 -msgid "spoiler" -msgstr "spoiler" +#: ../../include/selectors.php:123 ../../include/selectors.php:140 +msgid "Dating" +msgstr "Saliendo con alguien" -#: ../../include/bbcode.php:585 -msgid "Different viewers will see this text differently" -msgstr "Visitantes diferentes verán este texto de forma distinta" +#: ../../include/selectors.php:123 +msgid "Unfaithful" +msgstr "Infiel" -#: ../../include/bbcode.php:832 -msgid "$1 wrote:" -msgstr "$1 escribió:" +#: ../../include/selectors.php:123 +msgid "Sex Addict" +msgstr "Con adicción al sexo" -#: ../../include/dir_fns.php:141 -msgid "Directory Options" -msgstr "Opciones del directorio" +#: ../../include/selectors.php:123 +msgid "Friends/Benefits" +msgstr "Amigos con algo extra" -#: ../../include/dir_fns.php:143 -msgid "Safe Mode" -msgstr "Modo seguro" +#: ../../include/selectors.php:123 +msgid "Casual" +msgstr "Casual" -#: ../../include/dir_fns.php:144 -msgid "Public Forums Only" -msgstr "Solo foros públicos" +#: ../../include/selectors.php:123 +msgid "Engaged" +msgstr "Prometido/a" -#: ../../include/dir_fns.php:145 -msgid "This Website Only" -msgstr "Solo este sitio web" +#: ../../include/selectors.php:123 ../../include/selectors.php:140 +msgid "Married" +msgstr "Casado/a" -#: ../../include/security.php:383 -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/selectors.php:123 +msgid "Imaginarily married" +msgstr "Casado/a en sueños" -#: ../../include/nav.php:82 ../../include/nav.php:113 ../../boot.php:1702 -msgid "Logout" -msgstr "Finalizar sesión" +#: ../../include/selectors.php:123 +msgid "Partners" +msgstr "Pareja" -#: ../../include/nav.php:82 ../../include/nav.php:113 -msgid "End this session" -msgstr "Finalizar esta sesión" +#: ../../include/selectors.php:123 ../../include/selectors.php:140 +msgid "Cohabiting" +msgstr "Cohabitando" -#: ../../include/nav.php:85 ../../include/nav.php:144 -msgid "Home" -msgstr "Inicio" +#: ../../include/selectors.php:123 +msgid "Common law" +msgstr "Matrimonio tradicional" -#: ../../include/nav.php:85 -msgid "Your posts and conversations" -msgstr "Sus publicaciones y conversaciones" +#: ../../include/selectors.php:123 +msgid "Happy" +msgstr "Felíz" -#: ../../include/nav.php:86 -msgid "Your profile page" -msgstr "Su página del perfil" +#: ../../include/selectors.php:123 +msgid "Not looking" +msgstr "No estoy buscando" -#: ../../include/nav.php:88 -msgid "Manage/Edit profiles" -msgstr "Administrar/editar perfiles" +#: ../../include/selectors.php:123 +msgid "Swinger" +msgstr "Libertino" + +#: ../../include/selectors.php:123 +msgid "Betrayed" +msgstr "Engañado/a" -#: ../../include/nav.php:90 ../../include/channel.php:941 -msgid "Edit Profile" -msgstr "Editar el perfil" +#: ../../include/selectors.php:123 ../../include/selectors.php:140 +msgid "Separated" +msgstr "Separado/a" -#: ../../include/nav.php:90 -msgid "Edit your profile" -msgstr "Editar su perfil" +#: ../../include/selectors.php:123 +msgid "Unstable" +msgstr "Inestable" -#: ../../include/nav.php:92 -msgid "Your photos" -msgstr "Sus fotos" +#: ../../include/selectors.php:123 ../../include/selectors.php:140 +msgid "Divorced" +msgstr "Divorciado/a" -#: ../../include/nav.php:93 -msgid "Your files" -msgstr "Sus ficheros" +#: ../../include/selectors.php:123 +msgid "Imaginarily divorced" +msgstr "Divorciado/a en sueños" -#: ../../include/nav.php:96 -msgid "Your chatrooms" -msgstr "Sus salas de chat" +#: ../../include/selectors.php:123 ../../include/selectors.php:140 +msgid "Widowed" +msgstr "Viudo/a" -#: ../../include/nav.php:102 ../../include/conversation.php:1675 -msgid "Bookmarks" -msgstr "Marcadores" +#: ../../include/selectors.php:123 +msgid "Uncertain" +msgstr "Indeterminado" -#: ../../include/nav.php:102 -msgid "Your bookmarks" -msgstr "Sus marcadores" +#: ../../include/selectors.php:123 ../../include/selectors.php:140 +msgid "It's complicated" +msgstr "Es complicado" -#: ../../include/nav.php:106 -msgid "Your webpages" -msgstr "Sus páginas web" +#: ../../include/selectors.php:123 +msgid "Don't care" +msgstr "No me importa" -#: ../../include/nav.php:110 -msgid "Sign in" -msgstr "Acceder" +#: ../../include/selectors.php:123 +msgid "Ask me" +msgstr "Pregúnteme" -#: ../../include/nav.php:127 +#: ../../include/bookmarks.php:35 #, php-format -msgid "%s - click to logout" -msgstr "%s - pulsar para finalizar sesión" +msgid "%1$s's bookmarks" +msgstr "Marcadores de %1$s" -#: ../../include/nav.php:130 -msgid "Remote authentication" -msgstr "Acceder desde su servidor" +#: ../../include/security.php:109 +msgid "guest:" +msgstr "invitado: " -#: ../../include/nav.php:130 -msgid "Click to authenticate to your home hub" -msgstr "Pulsar para identificarse en su servidor de inicio" +#: ../../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 "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/nav.php:144 -msgid "Home Page" -msgstr "Página de inicio" +#: ../../include/text.php:404 +msgid "prev" +msgstr "anterior" -#: ../../include/nav.php:147 -msgid "Create an account" -msgstr "Crear una cuenta" +#: ../../include/text.php:406 +msgid "first" +msgstr "primera" -#: ../../include/nav.php:159 -msgid "Help and documentation" -msgstr "Ayuda y documentación" +#: ../../include/text.php:435 +msgid "last" +msgstr "última" -#: ../../include/nav.php:163 -msgid "Applications, utilities, links, games" -msgstr "Aplicaciones, utilidades, enlaces, juegos" +#: ../../include/text.php:438 +msgid "next" +msgstr "próxima" -#: ../../include/nav.php:165 -msgid "Search site @name, #tag, ?docs, content" -msgstr "Buscar en el sitio por @nombre, #etiqueta, ?ayuda o contenido" +#: ../../include/text.php:448 +msgid "older" +msgstr "más antiguas" -#: ../../include/nav.php:167 -msgid "Channel Directory" -msgstr "Directorio de canales" +#: ../../include/text.php:450 +msgid "newer" +msgstr "más recientes" -#: ../../include/nav.php:179 -msgid "Your grid" -msgstr "Mi red" +#: ../../include/text.php:843 +msgid "No connections" +msgstr "Sin conexiones" -#: ../../include/nav.php:180 -msgid "Mark all grid notifications seen" -msgstr "Marcar todas las notificaciones de la red como vistas" +#: ../../include/text.php:868 +#, php-format +msgid "View all %s connections" +msgstr "Ver todas las %s conexiones" -#: ../../include/nav.php:182 -msgid "Channel home" -msgstr "Mi canal" +#: ../../include/text.php:1013 ../../include/text.php:1018 +msgid "poke" +msgstr "un toque" -#: ../../include/nav.php:183 -msgid "Mark all channel notifications seen" -msgstr "Marcar todas las notificaciones del canal como leídas" +#: ../../include/text.php:1019 +msgid "ping" +msgstr "un \"ping\"" -#: ../../include/nav.php:189 -msgid "Notices" -msgstr "Avisos" +#: ../../include/text.php:1019 +msgid "pinged" +msgstr "ha enviado un \"ping\" a" -#: ../../include/nav.php:189 -msgid "Notifications" -msgstr "Notificaciones" +#: ../../include/text.php:1020 +msgid "prod" +msgstr "una incitación " -#: ../../include/nav.php:190 -msgid "See all notifications" -msgstr "Ver todas las notificaciones" +#: ../../include/text.php:1020 +msgid "prodded" +msgstr "ha incitado a " -#: ../../include/nav.php:193 -msgid "Private mail" -msgstr "Correo privado" +#: ../../include/text.php:1021 +msgid "slap" +msgstr "una bofetada " -#: ../../include/nav.php:194 -msgid "See all private messages" -msgstr "Ver todas los mensajes privados" +#: ../../include/text.php:1021 +msgid "slapped" +msgstr "ha abofeteado a " -#: ../../include/nav.php:195 -msgid "Mark all private messages seen" -msgstr "Marcar todos los mensajes privados como leídos" +#: ../../include/text.php:1022 +msgid "finger" +msgstr "un \"finger\" " -#: ../../include/nav.php:201 -msgid "Event Calendar" -msgstr "Calendario de eventos" +#: ../../include/text.php:1022 +msgid "fingered" +msgstr "envió un \"finger\" a" -#: ../../include/nav.php:202 -msgid "See all events" -msgstr "Ver todos los eventos" +#: ../../include/text.php:1023 +msgid "rebuff" +msgstr "un reproche" -#: ../../include/nav.php:203 -msgid "Mark all events seen" -msgstr "Marcar todos los eventos como leidos" +#: ../../include/text.php:1023 +msgid "rebuffed" +msgstr "ha hecho un reproche a " -#: ../../include/nav.php:206 -msgid "Manage Your Channels" -msgstr "Gestionar sus canales" +#: ../../include/text.php:1035 +msgid "happy" +msgstr "feliz " -#: ../../include/nav.php:208 -msgid "Account/Channel Settings" -msgstr "Ajustes de cuenta/canales" +#: ../../include/text.php:1036 +msgid "sad" +msgstr "triste " -#: ../../include/nav.php:216 -msgid "Site Setup and Configuration" -msgstr "Ajustes y configuración del sitio" +#: ../../include/text.php:1037 +msgid "mellow" +msgstr "tranquilo/a" -#: ../../include/nav.php:247 ../../include/conversation.php:851 -msgid "Loading..." -msgstr "Cargando..." +#: ../../include/text.php:1038 +msgid "tired" +msgstr "cansado/a " -#: ../../include/nav.php:252 -msgid "@name, #tag, ?doc, content" -msgstr "@nombre, #etiqueta, ?ayuda, contenido" +#: ../../include/text.php:1039 +msgid "perky" +msgstr "vivaz" -#: ../../include/nav.php:253 -msgid "Please wait..." -msgstr "Espere por favor…" +#: ../../include/text.php:1040 +msgid "angry" +msgstr "enfadado/a" -#: ../../include/connections.php:95 -msgid "New window" -msgstr "Nueva ventana" +#: ../../include/text.php:1041 +msgid "stupefied" +msgstr "asombrado/a" -#: ../../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/text.php:1042 +msgid "puzzled" +msgstr "perplejo/a" -#: ../../include/connections.php:214 -#, php-format -msgid "User '%s' deleted" -msgstr "El usuario '%s' ha sido eliminado" +#: ../../include/text.php:1043 +msgid "interested" +msgstr "interesado/a" -#: ../../include/contact_widgets.php:11 -#, php-format -msgid "%d invitation available" -msgid_plural "%d invitations available" -msgstr[0] "%d invitación pendiente" -msgstr[1] "%d invitaciones disponibles" +#: ../../include/text.php:1044 +msgid "bitter" +msgstr "amargado/a" -#: ../../include/contact_widgets.php:19 -msgid "Find Channels" -msgstr "Encontrar canales" +#: ../../include/text.php:1045 +msgid "cheerful" +msgstr "alegre" -#: ../../include/contact_widgets.php:20 -msgid "Enter name or interest" -msgstr "Introducir nombre o interés" +#: ../../include/text.php:1046 +msgid "alive" +msgstr "animado/a" -#: ../../include/contact_widgets.php:21 -msgid "Connect/Follow" -msgstr "Conectar/Seguir" +#: ../../include/text.php:1047 +msgid "annoyed" +msgstr "molesto/a" -#: ../../include/contact_widgets.php:22 -msgid "Examples: Robert Morgenstein, Fishing" -msgstr "Ejemplos: José Fernández, Pesca" +#: ../../include/text.php:1048 +msgid "anxious" +msgstr "ansioso/a" -#: ../../include/contact_widgets.php:26 -msgid "Random Profile" -msgstr "Perfil aleatorio" +#: ../../include/text.php:1049 +msgid "cranky" +msgstr "de mal humor" -#: ../../include/contact_widgets.php:27 -msgid "Invite Friends" -msgstr "Invitar a amigos" +#: ../../include/text.php:1050 +msgid "disturbed" +msgstr "perturbado/a" -#: ../../include/contact_widgets.php:29 -msgid "Advanced example: name=fred and country=iceland" -msgstr "Ejemplo avanzado: nombre=juan y país=españa" +#: ../../include/text.php:1051 +msgid "frustrated" +msgstr "frustrado/a" -#: ../../include/contact_widgets.php:122 -#, php-format -msgid "%d connection in common" -msgid_plural "%d connections in common" -msgstr[0] "%d conexión en común" -msgstr[1] "%d conexiones en común" +#: ../../include/text.php:1052 +msgid "depressed" +msgstr "deprimido/a" -#: ../../include/contact_widgets.php:127 -msgid "show more" -msgstr "mostrar más" +#: ../../include/text.php:1053 +msgid "motivated" +msgstr "motivado/a" + +#: ../../include/text.php:1054 +msgid "relaxed" +msgstr "relajado/a" + +#: ../../include/text.php:1055 +msgid "surprised" +msgstr "sorprendido/a" -#: ../../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/text.php:1237 ../../include/js_strings.php:70 +msgid "Monday" +msgstr "lunes" -#: ../../include/conversation.php:239 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s ha dado un toque a %2$s" +#: ../../include/text.php:1237 ../../include/js_strings.php:71 +msgid "Tuesday" +msgstr "martes" -#: ../../include/conversation.php:691 -#, php-format -msgid "View %s's profile @ %s" -msgstr "Ver el perfil @ %s de %s" +#: ../../include/text.php:1237 ../../include/js_strings.php:72 +msgid "Wednesday" +msgstr "miércoles" -#: ../../include/conversation.php:710 -msgid "Categories:" -msgstr "Categorías:" +#: ../../include/text.php:1237 ../../include/js_strings.php:73 +msgid "Thursday" +msgstr "jueves" -#: ../../include/conversation.php:711 -msgid "Filed under:" -msgstr "Archivado bajo:" +#: ../../include/text.php:1237 ../../include/js_strings.php:74 +msgid "Friday" +msgstr "viernes" -#: ../../include/conversation.php:738 -msgid "View in context" -msgstr "Mostrar en su contexto" +#: ../../include/text.php:1237 ../../include/js_strings.php:75 +msgid "Saturday" +msgstr "sábado" -#: ../../include/conversation.php:847 -msgid "remove" -msgstr "eliminar" +#: ../../include/text.php:1237 ../../include/js_strings.php:69 +msgid "Sunday" +msgstr "domingo" -#: ../../include/conversation.php:852 -msgid "Delete Selected Items" -msgstr "Eliminar elementos seleccionados" +#: ../../include/text.php:1241 ../../include/js_strings.php:45 +msgid "January" +msgstr "enero" -#: ../../include/conversation.php:948 -msgid "View Source" -msgstr "Ver el código fuente de la entrada" +#: ../../include/text.php:1241 ../../include/js_strings.php:46 +msgid "February" +msgstr "febrero" -#: ../../include/conversation.php:949 -msgid "Follow Thread" -msgstr "Seguir este hilo" +#: ../../include/text.php:1241 ../../include/js_strings.php:47 +msgid "March" +msgstr "marzo" -#: ../../include/conversation.php:950 -msgid "Unfollow Thread" -msgstr "Dejar de seguir este hilo" +#: ../../include/text.php:1241 ../../include/js_strings.php:48 +msgid "April" +msgstr "abril" -#: ../../include/conversation.php:955 -msgid "Activity/Posts" -msgstr "Actividad y publicaciones" +#: ../../include/text.php:1241 +msgid "May" +msgstr "mayo" -#: ../../include/conversation.php:957 -msgid "Edit Connection" -msgstr "Editar conexión" +#: ../../include/text.php:1241 ../../include/js_strings.php:50 +msgid "June" +msgstr "junio" -#: ../../include/conversation.php:958 -msgid "Message" -msgstr "Mensaje" +#: ../../include/text.php:1241 ../../include/js_strings.php:51 +msgid "July" +msgstr "julio" -#: ../../include/conversation.php:1075 -#, php-format -msgid "%s likes this." -msgstr "A %s le gusta esto." +#: ../../include/text.php:1241 ../../include/js_strings.php:52 +msgid "August" +msgstr "agosto" -#: ../../include/conversation.php:1075 -#, php-format -msgid "%s doesn't like this." -msgstr "A %s no le gusta esto." +#: ../../include/text.php:1241 ../../include/js_strings.php:53 +msgid "September" +msgstr "septiembre" -#: ../../include/conversation.php:1079 -#, 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/text.php:1241 ../../include/js_strings.php:54 +msgid "October" +msgstr "octubre" -#: ../../include/conversation.php:1081 -#, 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/text.php:1241 ../../include/js_strings.php:55 +msgid "November" +msgstr "noviembre" -#: ../../include/conversation.php:1087 -msgid "and" -msgstr "y" +#: ../../include/text.php:1241 ../../include/js_strings.php:56 +msgid "December" +msgstr "diciembre" -#: ../../include/conversation.php:1090 -#, 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/text.php:1318 ../../include/text.php:1322 +msgid "Unknown Attachment" +msgstr "Adjunto no reconocido" -#: ../../include/conversation.php:1091 -#, php-format -msgid "%s like this." -msgstr "A %s le gusta esto." +#: ../../include/text.php:1324 +msgid "unknown" +msgstr "desconocido" -#: ../../include/conversation.php:1091 -#, php-format -msgid "%s don't like this." -msgstr "A %s no le gusta esto." +#: ../../include/text.php:1360 +msgid "remove category" +msgstr "eliminar categoría" -#: ../../include/conversation.php:1130 -msgid "Set your location" -msgstr "Establecer su ubicación" +#: ../../include/text.php:1437 +msgid "remove from file" +msgstr "eliminar del fichero" -#: ../../include/conversation.php:1131 -msgid "Clear browser location" -msgstr "Eliminar los datos de localización geográfica del navegador" +#: ../../include/text.php:1734 ../../include/text.php:1805 +msgid "default" +msgstr "por defecto" -#: ../../include/conversation.php:1177 -msgid "Tag term:" -msgstr "Término de la etiqueta:" +#: ../../include/text.php:1742 +msgid "Page layout" +msgstr "Plantilla de la página" -#: ../../include/conversation.php:1178 -msgid "Where are you right now?" -msgstr "¿Donde está ahora?" +#: ../../include/text.php:1742 +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/conversation.php:1210 -msgid "Page link name" -msgstr "Nombre del enlace de la página" +#: ../../include/text.php:1784 +msgid "Page content type" +msgstr "Tipo de contenido de la página" -#: ../../include/conversation.php:1213 -msgid "Post as" -msgstr "Publicar como" +#: ../../include/text.php:1817 +msgid "Select an alternate language" +msgstr "Seleccionar un idioma alternativo" -#: ../../include/conversation.php:1223 -msgid "Toggle voting" -msgstr "Cambiar votación" +#: ../../include/text.php:1934 +msgid "activity" +msgstr "la actividad" -#: ../../include/conversation.php:1231 -msgid "Categories (optional, comma-separated list)" -msgstr "Categorías (opcional, lista separada por comas)" +#: ../../include/text.php:2235 +msgid "Design Tools" +msgstr "Herramientas de diseño web" -#: ../../include/conversation.php:1254 -msgid "Set publish date" -msgstr "Establecer la fecha de publicación" +#: ../../include/text.php:2241 +msgid "Pages" +msgstr "Páginas" -#: ../../include/conversation.php:1258 -msgid "OK" -msgstr "OK" +#: ../../include/auth.php:147 +msgid "Logged out." +msgstr "Desconectado/a." -#: ../../include/conversation.php:1503 -msgid "Discover" -msgstr "Descubrir" +#: ../../include/auth.php:274 +msgid "Failed authentication" +msgstr "Autenticación fallida." -#: ../../include/conversation.php:1506 -msgid "Imported public streams" -msgstr "Contenidos públicos importados" +#: ../../include/permissions.php:26 +msgid "Can view my normal stream and posts" +msgstr "Pueden verse mi actividad y publicaciones normales" -#: ../../include/conversation.php:1511 -msgid "Commented Order" -msgstr "Comentarios recientes" +#: ../../include/permissions.php:30 +msgid "Can view my webpages" +msgstr "Pueden verse mis páginas web" -#: ../../include/conversation.php:1514 -msgid "Sort by Comment Date" -msgstr "Ordenar por fecha de comentario" +#: ../../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/conversation.php:1518 -msgid "Posted Order" -msgstr "Publicaciones recientes" +#: ../../include/permissions.php:37 +msgid "Can like/dislike stuff" +msgstr "Puede marcarse contenido como me gusta/no me gusta" -#: ../../include/conversation.php:1521 -msgid "Sort by Post Date" -msgstr "Ordenar por fecha de publicación" +#: ../../include/permissions.php:37 +msgid "Profiles and things other than posts/comments" +msgstr "Perfiles y otras cosas aparte de publicaciones/comentarios" -#: ../../include/conversation.php:1529 -msgid "Posts that mention or involve you" -msgstr "Publicaciones que le mencionan o involucran" +#: ../../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/conversation.php:1538 -msgid "Activity Stream - by date" -msgstr "Contenido - por fecha" +#: ../../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/conversation.php:1544 -msgid "Starred" -msgstr "Preferidas" +#: ../../include/permissions.php:40 +msgid "Can chat with me (when available)" +msgstr "Se puede charlar conmigo (cuando esté disponible)" -#: ../../include/conversation.php:1547 -msgid "Favourite Posts" -msgstr "Publicaciones favoritas" +#: ../../include/permissions.php:41 +msgid "Can write to my file storage and photos" +msgstr "Puede escribirse en mi repositorio de ficheros y fotos" -#: ../../include/conversation.php:1554 -msgid "Spam" -msgstr "Correo basura" +#: ../../include/permissions.php:42 +msgid "Can edit my webpages" +msgstr "Pueden editarse mis páginas web" -#: ../../include/conversation.php:1557 -msgid "Posts flagged as SPAM" -msgstr "Publicaciones marcadas como basura" +#: ../../include/permissions.php:44 +msgid "Somewhat advanced - very useful in open communities" +msgstr "Algo avanzado - muy útil en comunidades abiertas" -#: ../../include/conversation.php:1614 -msgid "Status Messages and Posts" -msgstr "Mensajes de estado y publicaciones" +#: ../../include/permissions.php:46 +msgid "Can administer my channel resources" +msgstr "Pueden administrarse mis recursos del canal" -#: ../../include/conversation.php:1623 -msgid "About" -msgstr "Mi perfil" +#: ../../include/permissions.php:46 +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/conversation.php:1626 -msgid "Profile Details" -msgstr "Detalles del perfil" +#: ../../include/features.php:48 +msgid "General Features" +msgstr "Funcionalidades básicas" -#: ../../include/conversation.php:1635 ../../include/photos.php:502 -msgid "Photo Albums" -msgstr "Álbumes de fotos" +#: ../../include/features.php:50 +msgid "Content Expiration" +msgstr "Caducidad del contenido" -#: ../../include/conversation.php:1642 -msgid "Files and Storage" -msgstr "Ficheros y repositorio" +#: ../../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/conversation.php:1678 -msgid "Saved Bookmarks" -msgstr "Marcadores guardados" +#: ../../include/features.php:51 +msgid "Multiple Profiles" +msgstr "Múltiples perfiles" -#: ../../include/conversation.php:1688 -msgid "Manage Webpages" -msgstr "Administrar páginas web" +#: ../../include/features.php:51 +msgid "Ability to create multiple profiles" +msgstr "Capacidad de crear múltiples perfiles" -#: ../../include/conversation.php:1747 -msgctxt "noun" -msgid "Attending" -msgid_plural "Attending" -msgstr[0] "Participaré" -msgstr[1] "Participaré" +#: ../../include/features.php:52 +msgid "Advanced Profiles" +msgstr "Perfiles avanzados" -#: ../../include/conversation.php:1750 -msgctxt "noun" -msgid "Not Attending" -msgid_plural "Not Attending" -msgstr[0] "No participaré" -msgstr[1] "No participaré" +#: ../../include/features.php:52 +msgid "Additional profile sections and selections" +msgstr "Secciones y selecciones de perfil adicionales" -#: ../../include/conversation.php:1753 -msgctxt "noun" -msgid "Undecided" -msgid_plural "Undecided" -msgstr[0] "Indeciso/a" -msgstr[1] "Indecisos/as" +#: ../../include/features.php:53 +msgid "Profile Import/Export" +msgstr "Importar/Exportar perfil" -#: ../../include/conversation.php:1756 -msgctxt "noun" -msgid "Agree" -msgid_plural "Agrees" -msgstr[0] "De acuerdo" -msgstr[1] "De acuerdo" +#: ../../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/conversation.php:1759 -msgctxt "noun" -msgid "Disagree" -msgid_plural "Disagrees" -msgstr[0] "En desacuerdo" -msgstr[1] "En desacuerdo" +#: ../../include/features.php:54 +msgid "Web Pages" +msgstr "Páginas web" -#: ../../include/conversation.php:1762 -msgctxt "noun" -msgid "Abstain" -msgid_plural "Abstains" -msgstr[0] "se abstiene" -msgstr[1] "Se abstienen" +#: ../../include/features.php:54 +msgid "Provide managed web pages on your channel" +msgstr "Proveer páginas web gestionadas en su canal" -#: ../../include/selectors.php:30 -msgid "Frequently" -msgstr "Frecuentemente" +#: ../../include/features.php:55 +msgid "Provide a wiki for your channel" +msgstr "Proporcionar un wiki para su canal" -#: ../../include/selectors.php:31 -msgid "Hourly" -msgstr "Cada hora" +#: ../../include/features.php:56 +msgid "Hide Rating" +msgstr "Ocultar las valoraciones" -#: ../../include/selectors.php:32 -msgid "Twice daily" -msgstr "Dos veces al día" +#: ../../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/selectors.php:33 -msgid "Daily" -msgstr "Diariamente" +#: ../../include/features.php:57 +msgid "Private Notes" +msgstr "Notas privadas" -#: ../../include/selectors.php:34 -msgid "Weekly" -msgstr "Semanalmente" +#: ../../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/selectors.php:35 -msgid "Monthly" -msgstr "Mensualmente" +#: ../../include/features.php:58 +msgid "Navigation Channel Select" +msgstr "Navegación por el selector de canales" -#: ../../include/selectors.php:49 -msgid "Currently Male" -msgstr "Actualmente hombre" +#: ../../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/selectors.php:49 -msgid "Currently Female" -msgstr "Actualmente mujer" +#: ../../include/features.php:59 +msgid "Photo Location" +msgstr "Ubicación de las fotos" -#: ../../include/selectors.php:49 -msgid "Mostly Male" -msgstr "Generalmente hombre" +#: ../../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/selectors.php:49 -msgid "Mostly Female" -msgstr "Generalmente mujer" +#: ../../include/features.php:60 +msgid "Access Controlled Chatrooms" +msgstr "Salas de chat moderadas" -#: ../../include/selectors.php:49 -msgid "Transgender" -msgstr "Transgénero" +#: ../../include/features.php:60 +msgid "Provide chatrooms and chat services with access control." +msgstr "Proporcionar salas y servicios de chat moderados." -#: ../../include/selectors.php:49 -msgid "Intersex" -msgstr "Intersexual" +#: ../../include/features.php:61 +msgid "Smart Birthdays" +msgstr "Cumpleaños inteligentes" -#: ../../include/selectors.php:49 -msgid "Transsexual" -msgstr "Transexual" +#: ../../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/selectors.php:49 -msgid "Hermaphrodite" -msgstr "Hermafrodita" +#: ../../include/features.php:62 +msgid "Expert Mode" +msgstr "Modo de experto" -#: ../../include/selectors.php:49 -msgid "Neuter" -msgstr "Neutral" +#: ../../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/selectors.php:49 -msgid "Non-specific" -msgstr "No especificado" +#: ../../include/features.php:63 +msgid "Premium Channel" +msgstr "Canal premium" -#: ../../include/selectors.php:49 ../../include/selectors.php:66 -#: ../../include/selectors.php:104 ../../include/selectors.php:140 -#: ../../include/permissions.php:881 -msgid "Other" -msgstr "Otro" +#: ../../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/selectors.php:49 -msgid "Undecided" -msgstr "Indeciso/a" +#: ../../include/features.php:68 +msgid "Post Composition Features" +msgstr "Opciones para la redacción de entradas" -#: ../../include/selectors.php:85 ../../include/selectors.php:104 -msgid "Males" -msgstr "Hombres" +#: ../../include/features.php:71 +msgid "Large Photos" +msgstr "Fotos de gran tamaño" -#: ../../include/selectors.php:85 ../../include/selectors.php:104 -msgid "Females" -msgstr "Mujeres" +#: ../../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/selectors.php:85 -msgid "Gay" -msgstr "Homosexual" +#: ../../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/selectors.php:85 -msgid "Lesbian" -msgstr "Lesbiana" +#: ../../include/features.php:73 +msgid "Even More Encryption" +msgstr "Más cifrado todavía" -#: ../../include/selectors.php:85 -msgid "No Preference" -msgstr "Sin preferencias" +#: ../../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/selectors.php:85 -msgid "Bisexual" -msgstr "Bisexual" +#: ../../include/features.php:74 +msgid "Enable Voting Tools" +msgstr "Permitir entradas con votación" -#: ../../include/selectors.php:85 -msgid "Autosexual" -msgstr "Autosexual" +#: ../../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/selectors.php:85 -msgid "Abstinent" -msgstr "Casto/a" +#: ../../include/features.php:75 +msgid "Delayed Posting" +msgstr "Publicación aplazada" -#: ../../include/selectors.php:85 -msgid "Virgin" -msgstr "Virgen" +#: ../../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/selectors.php:85 -msgid "Deviant" -msgstr "Fuera de lo común" +#: ../../include/features.php:76 +msgid "Suppress Duplicate Posts/Comments" +msgstr "Prevenir entradas o comentarios duplicados" -#: ../../include/selectors.php:85 -msgid "Fetish" -msgstr "Fetichista" +#: ../../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/selectors.php:85 -msgid "Oodles" -msgstr "Orgías" +#: ../../include/features.php:82 +msgid "Network and Stream Filtering" +msgstr "Filtrado del contenido" -#: ../../include/selectors.php:85 -msgid "Nonsexual" -msgstr "Asexual" +#: ../../include/features.php:83 +msgid "Search by Date" +msgstr "Buscar por fecha" -#: ../../include/selectors.php:123 ../../include/selectors.php:140 -msgid "Single" -msgstr "Soltero/a" +#: ../../include/features.php:83 +msgid "Ability to select posts by date ranges" +msgstr "Capacidad de seleccionar entradas por rango de fechas" -#: ../../include/selectors.php:123 -msgid "Lonely" -msgstr "Solo/a" +#: ../../include/features.php:84 ../../include/group.php:311 +msgid "Privacy Groups" +msgstr "Grupos de canales" -#: ../../include/selectors.php:123 -msgid "Available" -msgstr "Disponible" +#: ../../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/selectors.php:123 -msgid "Unavailable" -msgstr "No disponible" +#: ../../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/selectors.php:123 -msgid "Has crush" -msgstr "Enamorado/a" +#: ../../include/features.php:86 +msgid "Network Personal Tab" +msgstr "Actividad personal" -#: ../../include/selectors.php:123 -msgid "Infatuated" -msgstr "Apasionado/a" +#: ../../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/selectors.php:123 ../../include/selectors.php:140 -msgid "Dating" -msgstr "Saliendo con alguien" +#: ../../include/features.php:87 +msgid "Network New Tab" +msgstr "Contenido nuevo" -#: ../../include/selectors.php:123 -msgid "Unfaithful" -msgstr "Infiel" +#: ../../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/selectors.php:123 -msgid "Sex Addict" -msgstr "Con adicción al sexo" +#: ../../include/features.php:88 +msgid "Affinity Tool" +msgstr "Herramienta de afinidad" -#: ../../include/selectors.php:123 -msgid "Friends/Benefits" -msgstr "Amigos con algo extra" +#: ../../include/features.php:88 +msgid "Filter stream activity by depth of relationships" +msgstr "Filtrar el contenido según la profundidad de las relaciones" -#: ../../include/selectors.php:123 -msgid "Casual" -msgstr "Casual" +#: ../../include/features.php:89 +msgid "Connection Filtering" +msgstr "Filtrado de conexiones" -#: ../../include/selectors.php:123 -msgid "Engaged" -msgstr "Prometido/a" +#: ../../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/selectors.php:123 ../../include/selectors.php:140 -msgid "Married" -msgstr "Casado/a" +#: ../../include/features.php:90 +msgid "Show channel suggestions" +msgstr "Mostrar sugerencias de canales" -#: ../../include/selectors.php:123 -msgid "Imaginarily married" -msgstr "Casado/a en sueños" +#: ../../include/features.php:95 +msgid "Post/Comment Tools" +msgstr "Gestión de entradas y comentarios" -#: ../../include/selectors.php:123 -msgid "Partners" -msgstr "Pareja" +#: ../../include/features.php:96 +msgid "Community Tagging" +msgstr "Etiquetas de la comunidad" -#: ../../include/selectors.php:123 ../../include/selectors.php:140 -msgid "Cohabiting" -msgstr "Cohabitando" +#: ../../include/features.php:96 +msgid "Ability to tag existing posts" +msgstr "Capacidad de etiquetar entradas existentes" -#: ../../include/selectors.php:123 -msgid "Common law" -msgstr "Matrimonio tradicional" +#: ../../include/features.php:97 +msgid "Post Categories" +msgstr "Categorías de entradas" -#: ../../include/selectors.php:123 -msgid "Happy" -msgstr "Felíz" +#: ../../include/features.php:97 +msgid "Add categories to your posts" +msgstr "Añadir categorías a sus publicaciones" -#: ../../include/selectors.php:123 -msgid "Not looking" -msgstr "No estoy buscando" +#: ../../include/features.php:98 +msgid "Emoji Reactions" +msgstr "Emoticonos \"emoji\"" -#: ../../include/selectors.php:123 -msgid "Swinger" -msgstr "Libertino" +#: ../../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/selectors.php:123 -msgid "Betrayed" -msgstr "Engañado/a" +#: ../../include/features.php:99 ../../include/widgets.php:310 +#: ../../include/contact_widgets.php:53 +msgid "Saved Folders" +msgstr "Carpetas guardadas" -#: ../../include/selectors.php:123 ../../include/selectors.php:140 -msgid "Separated" -msgstr "Separado/a" +#: ../../include/features.php:99 +msgid "Ability to file posts under folders" +msgstr "Capacidad de archivar entradas en carpetas" -#: ../../include/selectors.php:123 -msgid "Unstable" -msgstr "Inestable" +#: ../../include/features.php:100 +msgid "Dislike Posts" +msgstr "Desagrado de publicaciones" -#: ../../include/selectors.php:123 ../../include/selectors.php:140 -msgid "Divorced" -msgstr "Divorciado/a" +#: ../../include/features.php:100 +msgid "Ability to dislike posts/comments" +msgstr "Capacidad de mostrar desacuerdo con el contenido de entradas y comentarios" -#: ../../include/selectors.php:123 -msgid "Imaginarily divorced" -msgstr "Divorciado/a en sueños" +#: ../../include/features.php:101 +msgid "Star Posts" +msgstr "Entradas destacadas" -#: ../../include/selectors.php:123 ../../include/selectors.php:140 -msgid "Widowed" -msgstr "Viudo/a" +#: ../../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/selectors.php:123 -msgid "Uncertain" -msgstr "Indeterminado" +#: ../../include/features.php:102 +msgid "Tag Cloud" +msgstr "Nube de etiquetas" -#: ../../include/selectors.php:123 ../../include/selectors.php:140 -msgid "It's complicated" -msgstr "Es complicado" +#: ../../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/selectors.php:123 -msgid "Don't care" -msgstr "No me importa" +#: ../../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/selectors.php:123 -msgid "Ask me" -msgstr "Pregúnteme" +#: ../../include/group.php:248 +msgid "Add new connections to this privacy group" +msgstr "Añadir conexiones nuevas a este grupo de canales" -#: ../../include/PermissionDescription.php:31 -#: ../../include/acl_selectors.php:232 -msgid "Visible to your default audience" -msgstr "Visible para su público predeterminado." +#: ../../include/group.php:289 +msgid "edit" +msgstr "editar" -#: ../../include/PermissionDescription.php:115 -#: ../../include/acl_selectors.php:268 -msgid "Only me" -msgstr "Sólo yo" +#: ../../include/group.php:312 +msgid "Edit group" +msgstr "Editar grupo" -#: ../../include/PermissionDescription.php:116 -msgid "Public" -msgstr "Público" +#: ../../include/group.php:313 +msgid "Add privacy group" +msgstr "Añadir un grupo de canales" -#: ../../include/PermissionDescription.php:117 -msgid "Anybody in the $Projectname network" -msgstr "Cualquiera en la red $Projectname" +#: ../../include/group.php:314 +msgid "Channels not in any privacy group" +msgstr "Sin canales en ningún grupo" -#: ../../include/PermissionDescription.php:118 -#, php-format -msgid "Any account on %s" -msgstr "Cualquier cuenta en %s" +#: ../../include/group.php:316 ../../include/widgets.php:282 +msgid "add" +msgstr "añadir" -#: ../../include/PermissionDescription.php:119 -msgid "Any of my connections" -msgstr "Cualquiera de mis conexiones" +#: ../../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/PermissionDescription.php:120 -msgid "Only connections I specifically allow" -msgstr "Sólo las conexiones que yo permita de forma explícita" +#: ../../include/event.php:30 ../../include/event.php:73 +#: ../../include/bb2diaspora.php:491 +msgid "Starts:" +msgstr "Comienza:" -#: ../../include/PermissionDescription.php:121 -msgid "Anybody authenticated (could include visitors from other networks)" -msgstr "Cualquiera que esté autenticado (podría incluir a los visitantes de otras redes)" +#: ../../include/event.php:40 ../../include/event.php:77 +#: ../../include/bb2diaspora.php:499 +msgid "Finishes:" +msgstr "Finaliza:" -#: ../../include/PermissionDescription.php:122 -msgid "Any connections including those who haven't yet been approved" -msgstr "Cualquier conexión incluyendo aquellas que aún no han sido aprobadas" +#: ../../include/event.php:814 +msgid "This event has been added to your calendar." +msgstr "Este evento ha sido añadido a su calendario." -#: ../../include/PermissionDescription.php:161 -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." +#: ../../include/event.php:1014 +msgid "Not specified" +msgstr "Sin especificar" -#: ../../include/PermissionDescription.php:162 -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" +#: ../../include/event.php:1015 +msgid "Needs Action" +msgstr "Necesita de una intervención" -#: ../../include/PermissionDescription.php:163 -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" +#: ../../include/event.php:1016 +msgid "Completed" +msgstr "Completado/a" -#: ../../include/PermissionDescription.php:164 -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" +#: ../../include/event.php:1017 +msgid "In Process" +msgstr "En proceso" -#: ../../include/PermissionDescription.php:165 -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/event.php:1018 +msgid "Cancelled" +msgstr "Cancelado/a" #: ../../include/account.php:28 msgid "Not a valid email address" @@ -8420,11 +8889,6 @@ msgstr "Confirmación de registro para %s" msgid "Registration request at %s" msgstr "Solicitud de registro en %s" -#: ../../include/account.php:317 ../../include/account.php:344 -#: ../../include/account.php:404 ../../include/network.php:1871 -msgid "Administrator" -msgstr "Administrador" - #: ../../include/account.php:339 msgid "your registration password" msgstr "su contraseña de registro" @@ -8443,697 +8907,484 @@ msgstr "Cuenta aprobada." msgid "Registration revoked for %s" msgstr "Registro revocado para %s" -#: ../../include/account.php:506 -msgid "Account verified. Please login." -msgstr "Cuenta verificada. Por favor, inicie sesión." - -#: ../../include/account.php:723 ../../include/account.php:725 +#: ../../include/account.php:739 ../../include/account.php:741 msgid "Click here to upgrade." msgstr "Pulse aquí para actualizar" -#: ../../include/account.php:731 +#: ../../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:736 -msgid "This action is not available under your subscription plan." -msgstr "Esta acción no está disponible en 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:497 +#: ../../include/attach.php:499 msgid "No source file." msgstr "Ningún fichero de origen" -#: ../../include/attach.php:519 +#: ../../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:537 +#: ../../include/attach.php:539 msgid "Cannot locate file to revise/update" msgstr "No se puede localizar el fichero para revisar/actualizar" -#: ../../include/attach.php:672 +#: ../../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:686 +#: ../../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:842 +#: ../../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:855 +#: ../../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:909 ../../include/attach.php:925 +#: ../../include/attach.php:915 ../../include/attach.php:931 msgid "Path not available." msgstr "Ruta no disponible." -#: ../../include/attach.php:971 ../../include/attach.php:1123 +#: ../../include/attach.php:977 ../../include/attach.php:1129 msgid "Empty pathname" msgstr "Ruta vacía" -#: ../../include/attach.php:997 +#: ../../include/attach.php:1003 msgid "duplicate filename or path" msgstr "Nombre duplicado de ruta o fichero" -#: ../../include/attach.php:1019 +#: ../../include/attach.php:1025 msgid "Path not found." msgstr "Ruta no encontrada" -#: ../../include/attach.php:1077 +#: ../../include/attach.php:1083 msgid "mkdir failed." msgstr "mkdir ha fallado." -#: ../../include/attach.php:1081 +#: ../../include/attach.php:1087 msgid "database storage failed." msgstr "el almacenamiento en la base de datos ha fallado." -#: ../../include/attach.php:1129 +#: ../../include/attach.php:1135 msgid "Empty path" msgstr "Ruta vacía" -#: ../../include/channel.php:32 -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:66 -msgid "Empty name" -msgstr "Nombre vacío" - -#: ../../include/channel.php:69 -msgid "Name too long" -msgstr "Nombre demasiado largo" - -#: ../../include/channel.php:180 -msgid "No account identifier" -msgstr "Ningún identificador de la cuenta" - -#: ../../include/channel.php:192 -msgid "Nickname is required." -msgstr "Se requiere un sobrenombre (alias)." - -#: ../../include/channel.php:206 -msgid "Reserved nickname. Please choose another." -msgstr "Sobrenombre en uso. Por favor, elija otro." - -#: ../../include/channel.php:211 -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:287 -msgid "Unable to retrieve created identity" -msgstr "No ha sido posible recuperar la identidad creada" - -#: ../../include/channel.php:345 -msgid "Default Profile" -msgstr "Perfil principal" - -#: ../../include/channel.php:791 -msgid "Requested channel is not available." -msgstr "El canal solicitado no está disponible." - -#: ../../include/channel.php:938 -msgid "Create New Profile" -msgstr "Crear un nuevo perfil" - -#: ../../include/channel.php:958 -msgid "Visible to everybody" -msgstr "Visible para todos" - -#: ../../include/channel.php:1031 ../../include/channel.php:1142 -msgid "Gender:" -msgstr "Género:" - -#: ../../include/channel.php:1032 ../../include/channel.php:1186 -msgid "Status:" -msgstr "Estado:" - -#: ../../include/channel.php:1033 ../../include/channel.php:1197 -msgid "Homepage:" -msgstr "Página personal:" - -#: ../../include/channel.php:1034 -msgid "Online Now" -msgstr "Ahora en línea" - -#: ../../include/channel.php:1147 -msgid "Like this channel" -msgstr "Me gusta este canal" - -#: ../../include/channel.php:1171 -msgid "j F, Y" -msgstr "j F Y" - -#: ../../include/channel.php:1172 -msgid "j F" -msgstr "j F" +#: ../../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/channel.php:1179 -msgid "Birthday:" -msgstr "Cumpleaños:" +#: ../../include/bbcode.php:162 ../../include/bbcode.php:928 +msgid "Encrypted content" +msgstr "Contenido cifrado" -#: ../../include/channel.php:1192 +#: ../../include/bbcode.php:178 #, php-format -msgid "for %1$d %2$s" -msgstr "por %1$d %2$s" - -#: ../../include/channel.php:1195 -msgid "Sexual Preference:" -msgstr "Orientación sexual:" - -#: ../../include/channel.php:1201 -msgid "Tags:" -msgstr "Etiquetas:" - -#: ../../include/channel.php:1203 -msgid "Political Views:" -msgstr "Posición política:" - -#: ../../include/channel.php:1205 -msgid "Religion:" -msgstr "Religión:" - -#: ../../include/channel.php:1209 -msgid "Hobbies/Interests:" -msgstr "Aficciones o intereses:" - -#: ../../include/channel.php:1211 -msgid "Likes:" -msgstr "Me gusta:" - -#: ../../include/channel.php:1213 -msgid "Dislikes:" -msgstr "No me gusta:" - -#: ../../include/channel.php:1215 -msgid "Contact information and Social Networks:" -msgstr "Información de contacto y redes sociales:" - -#: ../../include/channel.php:1217 -msgid "My other channels:" -msgstr "Mis otros canales:" - -#: ../../include/channel.php:1219 -msgid "Musical interests:" -msgstr "Preferencias musicales:" - -#: ../../include/channel.php:1221 -msgid "Books, literature:" -msgstr "Libros, literatura:" - -#: ../../include/channel.php:1223 -msgid "Television:" -msgstr "Televisión:" - -#: ../../include/channel.php:1225 -msgid "Film/dance/culture/entertainment:" -msgstr "Cine, danza, cultura, entretenimiento:" - -#: ../../include/channel.php:1227 -msgid "Love/Romance:" -msgstr "Vida sentimental o amorosa:" - -#: ../../include/channel.php:1229 -msgid "Work/employment:" -msgstr "Trabajo:" - -#: ../../include/channel.php:1231 -msgid "School/education:" -msgstr "Estudios:" - -#: ../../include/channel.php:1251 -msgid "Like this thing" -msgstr "Me gusta esto" - -#: ../../include/features.php:48 -msgid "General Features" -msgstr "Funcionalidades básicas" - -#: ../../include/features.php:50 -msgid "Content Expiration" -msgstr "Caducidad del contenido" - -#: ../../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/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 "Hide Rating" -msgstr "Ocultar las valoraciones" +msgid "Install %s element: " +msgstr "Instalar el elemento %s:" -#: ../../include/features.php:55 +#: ../../include/bbcode.php:182 +#, php-format 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:56 -msgid "Private Notes" -msgstr "Notas privadas" - -#: ../../include/features.php:56 -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:57 -msgid "Navigation Channel Select" -msgstr "Navegación por el selector de canales" - -#: ../../include/features.php:57 -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:58 -msgid "Photo Location" -msgstr "Ubicación de las fotos" - -#: ../../include/features.php:58 -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:59 -msgid "Access Controlled Chatrooms" -msgstr "Salas de chat moderadas" +"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/features.php:59 -msgid "Provide chatrooms and chat services with access control." -msgstr "Proporcionar salas y servicios de chat moderados." +#: ../../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/features.php:60 -msgid "Smart Birthdays" -msgstr "Cumpleaños inteligentes" +#: ../../include/bbcode.php:338 ../../include/bbcode.php:346 +msgid "Click to open/close" +msgstr "Pulsar para abrir/cerrar" -#: ../../include/features.php:60 -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/bbcode.php:346 +msgid "spoiler" +msgstr "spoiler" -#: ../../include/features.php:61 -msgid "Expert Mode" -msgstr "Modo de experto" +#: ../../include/bbcode.php:619 +msgid "Different viewers will see this text differently" +msgstr "Visitantes diferentes verán este texto de forma distinta" -#: ../../include/features.php:61 -msgid "Enable Expert Mode to provide advanced configuration options" -msgstr "Habilitar el modo de experto para acceder a opciones avanzadas de configuración" +#: ../../include/bbcode.php:866 +msgid "$1 wrote:" +msgstr "$1 escribió:" -#: ../../include/features.php:62 -msgid "Premium Channel" -msgstr "Canal premium" +#: ../../include/items.php:897 ../../include/items.php:942 +msgid "(Unknown)" +msgstr "(Desconocido)" -#: ../../include/features.php:62 -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/items.php:1141 +msgid "Visible to anybody on the internet." +msgstr "Visible para cualquiera en internet." -#: ../../include/features.php:67 -msgid "Post Composition Features" -msgstr "Opciones para la redacción de entradas" +#: ../../include/items.php:1143 +msgid "Visible to you only." +msgstr "Visible sólo para usted." -#: ../../include/features.php:70 -msgid "Large Photos" -msgstr "Fotos de gran tamaño" +#: ../../include/items.php:1145 +msgid "Visible to anybody in this network." +msgstr "Visible para cualquiera en esta red." -#: ../../include/features.php:70 -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/items.php:1147 +msgid "Visible to anybody authenticated." +msgstr "Visible para cualquiera que esté autenticado." -#: ../../include/features.php:71 -msgid "Automatically import channel content from other channels or feeds" -msgstr "Importar automáticamente contenido de otros canales o \"feeds\"" +#: ../../include/items.php:1149 +#, php-format +msgid "Visible to anybody on %s." +msgstr "Visible para cualquiera en %s." -#: ../../include/features.php:72 -msgid "Even More Encryption" -msgstr "Más cifrado todavía" +#: ../../include/items.php:1151 +msgid "Visible to all connections." +msgstr "Visible para todas las conexiones." -#: ../../include/features.php:72 -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/items.php:1153 +msgid "Visible to approved connections." +msgstr "Visible para las conexiones permitidas." -#: ../../include/features.php:73 -msgid "Enable Voting Tools" -msgstr "Permitir entradas con votación" +#: ../../include/items.php:1155 +msgid "Visible to specific connections." +msgstr "Visible para conexiones específicas." -#: ../../include/features.php:73 -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/items.php:3918 +msgid "Privacy group is empty." +msgstr "El grupo de canales está vacío." -#: ../../include/features.php:74 -msgid "Delayed Posting" -msgstr "Publicación aplazada" +#: ../../include/items.php:3925 +#, php-format +msgid "Privacy group: %s" +msgstr "Grupo de canales: %s" -#: ../../include/features.php:74 -msgid "Allow posts to be published at a later date" -msgstr "Permitir mensajes que se publicarán en una fecha posterior" +#: ../../include/items.php:3937 +msgid "Connection not found." +msgstr "Conexión no encontrada" -#: ../../include/features.php:75 -msgid "Suppress Duplicate Posts/Comments" -msgstr "Prevenir entradas o comentarios duplicados" +#: ../../include/items.php:4290 +msgid "profile photo" +msgstr "foto del perfil" -#: ../../include/features.php:75 -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/oembed.php:336 +msgid "Embedded content" +msgstr "Contenido incorporado" -#: ../../include/features.php:81 -msgid "Network and Stream Filtering" -msgstr "Filtrado del contenido" +#: ../../include/oembed.php:345 +msgid "Embedding disabled" +msgstr "Incrustación deshabilitada" -#: ../../include/features.php:82 -msgid "Search by Date" -msgstr "Buscar por fecha" +#: ../../include/widgets.php:103 +msgid "System" +msgstr "Sistema" -#: ../../include/features.php:82 -msgid "Ability to select posts by date ranges" -msgstr "Capacidad de seleccionar entradas por rango de fechas" +#: ../../include/widgets.php:106 +msgid "New App" +msgstr "Nueva aplicación (app)" -#: ../../include/features.php:83 ../../include/group.php:311 -msgid "Privacy Groups" -msgstr "Grupos de canales" +#: ../../include/widgets.php:154 +msgid "Suggestions" +msgstr "Sugerencias" -#: ../../include/features.php:83 -msgid "Enable management and selection of privacy groups" -msgstr "Activar la gestión y selección de grupos de canales" +#: ../../include/widgets.php:155 +msgid "See more..." +msgstr "Ver más..." -#: ../../include/features.php:84 -msgid "Save search terms for re-use" -msgstr "Guardar términos de búsqueda para su reutilización" +#: ../../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/features.php:85 -msgid "Network Personal Tab" -msgstr "Actividad personal" +#: ../../include/widgets.php:181 +msgid "Add New Connection" +msgstr "Añadir nueva conexión" -#: ../../include/features.php:85 -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/widgets.php:182 +msgid "Enter channel address" +msgstr "Dirección del canal" -#: ../../include/features.php:86 -msgid "Network New Tab" -msgstr "Contenido nuevo" +#: ../../include/widgets.php:183 +msgid "Examples: bob@example.com, https://example.com/barbara" +msgstr "Ejemplos: manuel@ejemplo.com, https://ejemplo.com/carmen" -#: ../../include/features.php:86 -msgid "Enable tab to display all new Network activity" -msgstr "Habilitar una pestaña en la que se muestre solo el contenido nuevo" +#: ../../include/widgets.php:199 +msgid "Notes" +msgstr "Notas" -#: ../../include/features.php:87 -msgid "Affinity Tool" -msgstr "Herramienta de afinidad" +#: ../../include/widgets.php:273 +msgid "Remove term" +msgstr "Eliminar término" -#: ../../include/features.php:87 -msgid "Filter stream activity by depth of relationships" -msgstr "Filtrar el contenido según la profundidad de las relaciones" +#: ../../include/widgets.php:313 ../../include/widgets.php:432 +#: ../../include/contact_widgets.php:56 ../../include/contact_widgets.php:94 +msgid "Everything" +msgstr "Todo" -#: ../../include/features.php:88 -msgid "Connection Filtering" -msgstr "Filtrado de conexiones" +#: ../../include/widgets.php:354 +msgid "Archives" +msgstr "Hemeroteca" -#: ../../include/features.php:88 -msgid "Filter incoming posts from connections based on keywords/content" -msgstr "Filtrar publicaciones entrantes de conexiones por palabras clave o contenido" +#: ../../include/widgets.php:516 +msgid "Refresh" +msgstr "Recargar" -#: ../../include/features.php:89 -msgid "Show channel suggestions" -msgstr "Mostrar sugerencias de canales" +#: ../../include/widgets.php:556 +msgid "Account settings" +msgstr "Configuración de la cuenta" -#: ../../include/features.php:94 -msgid "Post/Comment Tools" -msgstr "Gestión de entradas y comentarios" +#: ../../include/widgets.php:562 +msgid "Channel settings" +msgstr "Configuración del canal" -#: ../../include/features.php:95 -msgid "Community Tagging" -msgstr "Etiquetas de la comunidad" +#: ../../include/widgets.php:571 +msgid "Additional features" +msgstr "Funcionalidades" -#: ../../include/features.php:95 -msgid "Ability to tag existing posts" -msgstr "Capacidad de etiquetar entradas existentes" +#: ../../include/widgets.php:578 +msgid "Feature/Addon settings" +msgstr "Complementos" -#: ../../include/features.php:96 -msgid "Post Categories" -msgstr "Categorías de entradas" +#: ../../include/widgets.php:584 +msgid "Display settings" +msgstr "Ajustes de visualización" -#: ../../include/features.php:96 -msgid "Add categories to your posts" -msgstr "Añadir categorías a sus publicaciones" +#: ../../include/widgets.php:591 +msgid "Manage locations" +msgstr "Gestión de ubicaciones (clones) del canal" -#: ../../include/features.php:97 -msgid "Emoji Reactions" -msgstr "Emoticonos \"emoji\"" +#: ../../include/widgets.php:600 +msgid "Export channel" +msgstr "Exportar canal" -#: ../../include/features.php:97 -msgid "Add emoji reaction ability to posts" -msgstr "Activar la capacidad de añadir un emoticono \"emoji\" a las entradas" +#: ../../include/widgets.php:607 +msgid "Connected apps" +msgstr "Aplicaciones (apps) conectadas" -#: ../../include/features.php:98 -msgid "Ability to file posts under folders" -msgstr "Capacidad de archivar entradas en carpetas" +#: ../../include/widgets.php:631 +msgid "Premium Channel Settings" +msgstr "Configuración del canal premium" -#: ../../include/features.php:99 -msgid "Dislike Posts" -msgstr "Desagrado de publicaciones" +#: ../../include/widgets.php:660 +msgid "Private Mail Menu" +msgstr "Menú de correo privado" -#: ../../include/features.php:99 -msgid "Ability to dislike posts/comments" -msgstr "Capacidad de mostrar desacuerdo con el contenido de entradas y comentarios" +#: ../../include/widgets.php:662 +msgid "Combined View" +msgstr "Vista combinada" -#: ../../include/features.php:100 -msgid "Star Posts" -msgstr "Entradas destacadas" +#: ../../include/widgets.php:694 ../../include/widgets.php:706 +msgid "Conversations" +msgstr "Conversaciones" -#: ../../include/features.php:100 -msgid "Ability to mark special posts with a star indicator" -msgstr "Capacidad de marcar entradas destacadas con un indicador de estrella" +#: ../../include/widgets.php:698 +msgid "Received Messages" +msgstr "Mensajes recibidos" -#: ../../include/features.php:101 -msgid "Tag Cloud" -msgstr "Nube de etiquetas" +#: ../../include/widgets.php:702 +msgid "Sent Messages" +msgstr "Enviar mensajes" -#: ../../include/features.php:101 -msgid "Provide a personal tag cloud on your channel page" -msgstr "Proveer nube de etiquetas personal en su página de canal" +#: ../../include/widgets.php:716 +msgid "No messages." +msgstr "Sin mensajes." -#: ../../include/oembed.php:324 -msgid "Embedded content" -msgstr "Contenido incorporado" +#: ../../include/widgets.php:734 +msgid "Delete conversation" +msgstr "Eliminar conversación" -#: ../../include/oembed.php:333 -msgid "Embedding disabled" -msgstr "Incrustación deshabilitada" +#: ../../include/widgets.php:760 +msgid "Events Tools" +msgstr "Gestión de eventos" -#: ../../include/acl_selectors.php:271 -msgid "Who can see this?" -msgstr "¿Quién puede ver esto?" +#: ../../include/widgets.php:761 +msgid "Export Calendar" +msgstr "Exportar el calendario" -#: ../../include/acl_selectors.php:272 -msgid "Custom selection" -msgstr "Selección personalizada" +#: ../../include/widgets.php:762 +msgid "Import Calendar" +msgstr "Importar un calendario" -#: ../../include/acl_selectors.php:273 -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/widgets.php:840 +msgid "Overview" +msgstr "Resumen" -#: ../../include/acl_selectors.php:274 -msgid "Show" -msgstr "Mostrar" +#: ../../include/widgets.php:847 +msgid "Chat Members" +msgstr "Miembros del chat" -#: ../../include/acl_selectors.php:275 -msgid "Don't show" -msgstr "No mostrar" +#: ../../include/widgets.php:869 +msgid "Wiki List" +msgstr "Lista de wikis" -#: ../../include/acl_selectors.php:281 -msgid "Other networks and post services" -msgstr "Otras redes y servicios de publicación" +#: ../../include/widgets.php:907 +msgid "Wiki Pages" +msgstr "Páginas del wiki" -#: ../../include/acl_selectors.php:311 -#, 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." +#: ../../include/widgets.php:942 +msgid "Bookmarked Chatrooms" +msgstr "Salas de chat preferidas" -#: ../../include/auth.php:105 -msgid "Logged out." -msgstr "Desconectado/a." +#: ../../include/widgets.php:965 +msgid "Suggested Chatrooms" +msgstr "Salas de chat sugeridas" -#: ../../include/auth.php:212 -msgid "Failed authentication" -msgstr "Autenticación fallida." +#: ../../include/widgets.php:1111 ../../include/widgets.php:1223 +msgid "photo/image" +msgstr "foto/imagen" -#: ../../include/datetime.php:135 -msgid "Birthday" -msgstr "Cumpleaños" +#: ../../include/widgets.php:1166 +msgid "Click to show more" +msgstr "Hacer clic para ver más" -#: ../../include/datetime.php:137 -msgid "Age: " -msgstr "Edad:" +#: ../../include/widgets.php:1317 +msgid "Rating Tools" +msgstr "Valoraciones" -#: ../../include/datetime.php:139 -msgid "YYYY-MM-DD or MM-DD" -msgstr "AAAA-MM-DD o MM-DD" +#: ../../include/widgets.php:1321 ../../include/widgets.php:1323 +msgid "Rate Me" +msgstr "Valorar este canal" -#: ../../include/datetime.php:272 ../../boot.php:2470 -msgid "never" -msgstr "nunca" +#: ../../include/widgets.php:1326 +msgid "View Ratings" +msgstr "Mostrar las valoraciones" -#: ../../include/datetime.php:278 -msgid "less than a second ago" -msgstr "hace un instante" +#: ../../include/widgets.php:1410 +msgid "Forums" +msgstr "Foros" -#: ../../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/widgets.php:1439 +msgid "Tasks" +msgstr "Tareas" -#: ../../include/datetime.php:307 -msgctxt "relative_date" -msgid "year" -msgid_plural "years" -msgstr[0] "año" -msgstr[1] "años" +#: ../../include/widgets.php:1448 +msgid "Documentation" +msgstr "Documentación" -#: ../../include/datetime.php:310 -msgctxt "relative_date" -msgid "month" -msgid_plural "months" -msgstr[0] "mes" -msgstr[1] "meses" +#: ../../include/widgets.php:1450 +msgid "Project/Site Information" +msgstr "Información sobre el proyecto o sitio" -#: ../../include/datetime.php:313 -msgctxt "relative_date" -msgid "week" -msgid_plural "weeks" -msgstr[0] "semana" -msgstr[1] "semanas" +#: ../../include/widgets.php:1451 +msgid "For Members" +msgstr "Para los miembros" -#: ../../include/datetime.php:316 -msgctxt "relative_date" -msgid "day" -msgid_plural "days" -msgstr[0] "día" -msgstr[1] "días" +#: ../../include/widgets.php:1452 +msgid "For Administrators" +msgstr "Para los administradores" -#: ../../include/datetime.php:319 -msgctxt "relative_date" -msgid "hour" -msgid_plural "hours" -msgstr[0] "hora" -msgstr[1] "horas" +#: ../../include/widgets.php:1453 +msgid "For Developers" +msgstr "Para los desarrolladores" -#: ../../include/datetime.php:322 -msgctxt "relative_date" -msgid "minute" -msgid_plural "minutes" -msgstr[0] "minuto" -msgstr[1] "minutos" +#: ../../include/widgets.php:1477 ../../include/widgets.php:1515 +msgid "Member registrations waiting for confirmation" +msgstr "Inscripciones de nuevos miembros pendientes de aprobación" -#: ../../include/datetime.php:325 -msgctxt "relative_date" -msgid "second" -msgid_plural "seconds" -msgstr[0] "segundo" -msgstr[1] "segundos" +#: ../../include/widgets.php:1483 +msgid "Inspect queue" +msgstr "Examinar la cola" -#: ../../include/datetime.php:562 -#, php-format -msgid "%1$s's birthday" -msgstr "Cumpleaños de %1$s" +#: ../../include/widgets.php:1485 +msgid "DB updates" +msgstr "Actualizaciones de la base de datos" -#: ../../include/datetime.php:563 -#, php-format -msgid "Happy Birthday %1$s" -msgstr "Feliz cumpleaños %1$s" +#: ../../include/widgets.php:1511 +msgid "Plugin Features" +msgstr "Extensiones" -#: ../../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/activities.php:41 +msgid " and " +msgstr " y " -#: ../../include/group.php:248 -msgid "Add new connections to this privacy group" -msgstr "Añadir conexiones nuevas a este grupo de canales" +#: ../../include/activities.php:49 +msgid "public profile" +msgstr "el perfil público" -#: ../../include/group.php:289 -msgid "edit" -msgstr "editar" +#: ../../include/activities.php:58 +#, php-format +msgid "%1$s changed %2$s to “%3$s”" +msgstr "%1$s ha cambiado %2$s a “%3$s”" -#: ../../include/group.php:312 -msgid "Edit group" -msgstr "Editar grupo" +#: ../../include/activities.php:59 +#, php-format +msgid "Visit %1$s's %2$s" +msgstr "Visitar %2$s de %1$s" -#: ../../include/group.php:313 -msgid "Add privacy group" -msgstr "Añadir un grupo de canales" +#: ../../include/activities.php:62 +#, php-format +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "%1$s ha actualizado %2$s, cambiando %3$s." -#: ../../include/group.php:314 -msgid "Channels not in any privacy group" -msgstr "Sin canales en ningún grupo" +#: ../../include/bb2diaspora.php:398 +msgid "Attachments:" +msgstr "Ficheros adjuntos:" + +#: ../../include/bb2diaspora.php:487 +msgid "$Projectname event notification:" +msgstr "Notificación de eventos de $Projectname:" #: ../../include/js_strings.php:5 msgid "Delete this item?" msgstr "¿Borrar este elemento?" #: ../../include/js_strings.php:8 -msgid "[-] show less" -msgstr "[-] mostrar menos" +#, php-format +msgid "%s show less" +msgstr "%s mostrar menos" #: ../../include/js_strings.php:9 -msgid "[+] expand" -msgstr "[+] expandir" +#, php-format +msgid "%s expand" +msgstr "%s expandir" #: ../../include/js_strings.php:10 -msgid "[-] collapse" -msgstr "[-] contraer" +#, php-format +msgid "%s collapse" +msgstr "%s contraer" #: ../../include/js_strings.php:11 msgid "Password too short" @@ -9363,277 +9614,222 @@ msgctxt "calendar" msgid "All day" msgstr "Todos los días" -#: ../../include/network.php:657 -msgid "view full size" -msgstr "Ver en el tamaño original" - -#: ../../include/network.php:1885 -msgid "No Subject" -msgstr "Sin asunto" - -#: ../../include/network.php:2146 ../../include/network.php:2147 -msgid "Friendica" -msgstr "Friendica" - -#: ../../include/network.php:2148 -msgid "OStatus" -msgstr "OStatus" - -#: ../../include/network.php:2149 -msgid "GNU-Social" -msgstr "GNU Social" - -#: ../../include/network.php:2150 -msgid "RSS/Atom" -msgstr "RSS/Atom" - -#: ../../include/network.php:2152 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../include/network.php:2153 -msgid "Facebook" -msgstr "Facebook" - -#: ../../include/network.php:2154 -msgid "Zot" -msgstr "Zot" - -#: ../../include/network.php:2155 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: ../../include/network.php:2156 -msgid "XMPP/IM" -msgstr "XMPP/IM" - -#: ../../include/network.php:2157 -msgid "MySpace" -msgstr "MySpace" - -#: ../../include/photos.php:110 -#, php-format -msgid "Image exceeds website size limit of %lu bytes" -msgstr "La imagen excede el límite de %lu bytes del sitio" - -#: ../../include/photos.php:117 -msgid "Image file is empty." -msgstr "El fichero de imagen está vacío. " - -#: ../../include/photos.php:255 -msgid "Photo storage failed." -msgstr "La foto no ha podido ser guardada." - -#: ../../include/photos.php:295 -msgid "a new photo" -msgstr "una nueva foto" - -#: ../../include/photos.php:299 -#, php-format -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 -msgid "Upload New Photos" -msgstr "Subir nuevas fotos" - -#: ../../include/zot.php:699 -msgid "Invalid data packet" -msgstr "Paquete de datos no válido" - -#: ../../include/zot.php:715 -msgid "Unable to verify channel signature" -msgstr "No ha sido posible de verificar la firma del canal" - -#: ../../include/zot.php:2363 +#: ../../include/contact_widgets.php:11 #, 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:3712 -msgid "invalid target signature" -msgstr "La firma recibida no es válida" - -#: ../../include/page_widgets.php:6 -msgid "New Page" -msgstr "Nueva página" - -#: ../../include/page_widgets.php:43 -msgid "Title" -msgstr "Título" +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "%d invitación pendiente" +msgstr[1] "%d invitaciones disponibles" -#: ../../include/permissions.php:26 -msgid "Can view my normal stream and posts" -msgstr "Pueden verse mi actividad y publicaciones normales" +#: ../../include/contact_widgets.php:19 +msgid "Find Channels" +msgstr "Encontrar canales" -#: ../../include/permissions.php:27 -msgid "Can view my default channel profile" -msgstr "Puede verse mi perfil de canal predeterminado." +#: ../../include/contact_widgets.php:20 +msgid "Enter name or interest" +msgstr "Introducir nombre o interés" -#: ../../include/permissions.php:28 -msgid "Can view my connections" -msgstr "Pueden verse mis conexiones" +#: ../../include/contact_widgets.php:21 +msgid "Connect/Follow" +msgstr "Conectar/Seguir" -#: ../../include/permissions.php:29 -msgid "Can view my file storage and photos" -msgstr "Pueden verse mi repositorio de ficheros y mis fotos" +#: ../../include/contact_widgets.php:22 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "Ejemplos: José Fernández, Pesca" -#: ../../include/permissions.php:30 -msgid "Can view my webpages" -msgstr "Pueden verse mis páginas web" +#: ../../include/contact_widgets.php:26 +msgid "Random Profile" +msgstr "Perfil aleatorio" -#: ../../include/permissions.php:33 -msgid "Can send me their channel stream and posts" -msgstr "Me pueden enviar sus entradas y contenidos del canal" +#: ../../include/contact_widgets.php:27 +msgid "Invite Friends" +msgstr "Invitar a amigos" -#: ../../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/contact_widgets.php:29 +msgid "Advanced example: name=fred and country=iceland" +msgstr "Ejemplo avanzado: nombre=juan y país=españa" -#: ../../include/permissions.php:35 -msgid "Can comment on or like my posts" -msgstr "Pueden publicarse comentarios en mis publicaciones o marcar mis entradas con 'me gusta'." +#: ../../include/contact_widgets.php:122 +#, php-format +msgid "%d connection in common" +msgid_plural "%d connections in common" +msgstr[0] "%d conexión en común" +msgstr[1] "%d conexiones en común" -#: ../../include/permissions.php:36 -msgid "Can send me private mail messages" -msgstr "Se me pueden enviar mensajes privados" +#: ../../include/contact_widgets.php:127 +msgid "show more" +msgstr "mostrar más" -#: ../../include/permissions.php:37 -msgid "Can like/dislike stuff" -msgstr "Puede marcarse contenido como me gusta/no me gusta" +#: ../../include/dir_fns.php:141 +msgid "Directory Options" +msgstr "Opciones del directorio" -#: ../../include/permissions.php:37 -msgid "Profiles and things other than posts/comments" -msgstr "Perfiles y otras cosas aparte de publicaciones/comentarios" +#: ../../include/dir_fns.php:143 +msgid "Safe Mode" +msgstr "Modo seguro" -#: ../../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/dir_fns.php:144 +msgid "Public Forums Only" +msgstr "Solo foros públicos" -#: ../../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/dir_fns.php:145 +msgid "This Website Only" +msgstr "Solo este sitio web" -#: ../../include/permissions.php:40 -msgid "Can chat with me (when available)" -msgstr "Se puede charlar conmigo (cuando esté disponible)" +#: ../../include/message.php:20 +msgid "No recipient provided." +msgstr "No se ha especificado ningún destinatario." -#: ../../include/permissions.php:41 -msgid "Can write to my file storage and photos" -msgstr "Puede escribirse en mi repositorio de ficheros y fotos" +#: ../../include/message.php:25 +msgid "[no subject]" +msgstr "[sin asunto]" -#: ../../include/permissions.php:42 -msgid "Can edit my webpages" -msgstr "Pueden editarse mis páginas web" +#: ../../include/message.php:45 +msgid "Unable to determine sender." +msgstr "No ha sido posible determinar el remitente. " -#: ../../include/permissions.php:44 -msgid "Can source my public posts in derived channels" -msgstr "Pueden utilizarse mis publicaciones públicas como origen de contenidos en canales derivados" +#: ../../include/message.php:222 +msgid "Stored post could not be verified." +msgstr "No se han podido verificar las publicaciones guardadas." -#: ../../include/permissions.php:44 -msgid "Somewhat advanced - very useful in open communities" -msgstr "Algo avanzado - muy útil en comunidades abiertas" +#: ../../include/acl_selectors.php:269 +msgid "Who can see this?" +msgstr "¿Quién puede ver esto?" -#: ../../include/permissions.php:46 -msgid "Can administer my channel resources" -msgstr "Pueden administrarse mis recursos del canal" +#: ../../include/acl_selectors.php:270 +msgid "Custom selection" +msgstr "Selección personalizada" -#: ../../include/permissions.php:46 +#: ../../include/acl_selectors.php:271 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/permissions.php:877 -msgid "Social Networking" -msgstr "Redes sociales" +#: ../../include/acl_selectors.php:272 +msgid "Show" +msgstr "Mostrar" -#: ../../include/permissions.php:877 -msgid "Social - Mostly Public" -msgstr "Social - Público en su mayor parte" +#: ../../include/acl_selectors.php:273 +msgid "Don't show" +msgstr "No mostrar" -#: ../../include/permissions.php:877 -msgid "Social - Restricted" -msgstr "Social - Restringido" +#: ../../include/acl_selectors.php:279 +msgid "Other networks and post services" +msgstr "Otras redes y servicios de publicación" -#: ../../include/permissions.php:877 -msgid "Social - Private" -msgstr "Social - Privado" +#: ../../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 "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/permissions.php:878 -msgid "Community Forum" -msgstr "Foro de discusión" +#: ../../include/datetime.php:135 +msgid "Birthday" +msgstr "Cumpleaños" -#: ../../include/permissions.php:878 -msgid "Forum - Mostly Public" -msgstr "Foro - Público en su mayor parte" +#: ../../include/datetime.php:137 +msgid "Age: " +msgstr "Edad:" -#: ../../include/permissions.php:878 -msgid "Forum - Restricted" -msgstr "Foro - Restringido" +#: ../../include/datetime.php:139 +msgid "YYYY-MM-DD or MM-DD" +msgstr "AAAA-MM-DD o MM-DD" -#: ../../include/permissions.php:878 -msgid "Forum - Private" -msgstr "Foro - Privado" +#: ../../include/datetime.php:272 ../../boot.php:2479 +msgid "never" +msgstr "nunca" -#: ../../include/permissions.php:879 -msgid "Feed Republish" -msgstr "Republicar un \"feed\"" +#: ../../include/datetime.php:278 +msgid "less than a second ago" +msgstr "hace un instante" -#: ../../include/permissions.php:879 -msgid "Feed - Mostly Public" -msgstr "Feed - Público en su mayor parte" +#: ../../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/permissions.php:879 -msgid "Feed - Restricted" -msgstr "Feed - Restringido" +#: ../../include/datetime.php:307 +msgctxt "relative_date" +msgid "year" +msgid_plural "years" +msgstr[0] "año" +msgstr[1] "años" -#: ../../include/permissions.php:880 -msgid "Special Purpose" -msgstr "Propósito especial" +#: ../../include/datetime.php:310 +msgctxt "relative_date" +msgid "month" +msgid_plural "months" +msgstr[0] "mes" +msgstr[1] "meses" -#: ../../include/permissions.php:880 -msgid "Special - Celebrity/Soapbox" -msgstr "Especial - Celebridad / Tribuna improvisada" +#: ../../include/datetime.php:313 +msgctxt "relative_date" +msgid "week" +msgid_plural "weeks" +msgstr[0] "semana" +msgstr[1] "semanas" -#: ../../include/permissions.php:880 -msgid "Special - Group Repository" -msgstr "Especial - Repositorio de grupo" +#: ../../include/datetime.php:316 +msgctxt "relative_date" +msgid "day" +msgid_plural "days" +msgstr[0] "día" +msgstr[1] "días" -#: ../../include/permissions.php:881 -msgid "Custom/Expert Mode" -msgstr "Modo personalizado/experto" +#: ../../include/datetime.php:319 +msgctxt "relative_date" +msgid "hour" +msgid_plural "hours" +msgstr[0] "hora" +msgstr[1] "horas" -#: ../../include/activities.php:41 -msgid " and " -msgstr " y " +#: ../../include/datetime.php:322 +msgctxt "relative_date" +msgid "minute" +msgid_plural "minutes" +msgstr[0] "minuto" +msgstr[1] "minutos" -#: ../../include/activities.php:49 -msgid "public profile" -msgstr "el perfil público" +#: ../../include/datetime.php:325 +msgctxt "relative_date" +msgid "second" +msgid_plural "seconds" +msgstr[0] "segundo" +msgstr[1] "segundos" -#: ../../include/activities.php:58 +#: ../../include/datetime.php:562 #, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "%1$s ha cambiado %2$s a “%3$s”" +msgid "%1$s's birthday" +msgstr "Cumpleaños de %1$s" -#: ../../include/activities.php:59 +#: ../../include/datetime.php:563 #, php-format -msgid "Visit %1$s's %2$s" -msgstr "Visitar %2$s de %1$s" +msgid "Happy Birthday %1$s" +msgstr "Feliz cumpleaños %1$s" -#: ../../include/activities.php:62 -#, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "%1$s ha actualizado %2$s, cambiando %3$s." +#: ../../include/api.php:1327 +msgid "Public Timeline" +msgstr "Cronología pública" -#: ../../include/bb2diaspora.php:398 -msgid "Attachments:" -msgstr "Ficheros adjuntos:" +#: ../../include/zot.php:697 +msgid "Invalid data packet" +msgstr "Paquete de datos no válido" -#: ../../include/bb2diaspora.php:487 -msgid "$Projectname event notification:" -msgstr "Notificación de eventos de $Projectname:" +#: ../../include/zot.php:713 +msgid "Unable to verify channel signature" +msgstr "No ha sido posible de verificar la firma del canal" + +#: ../../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 msgid "Focus (Hubzilla default)" @@ -9771,62 +9967,66 @@ msgstr "Ajustar el tamaño de la foto del autor de la conversación" msgid "Set size of followup author photos" msgstr "Ajustar el tamaño de foto de los seguidores del autor" -#: ../../boot.php:1162 +#: ../../boot.php:1163 #, php-format msgctxt "opensearch" msgid "Search %1$s (%2$s)" msgstr "Buscar %1$s (%2$s)" -#: ../../boot.php:1162 +#: ../../boot.php:1163 msgctxt "opensearch" msgid "$Projectname" msgstr "$Projectname" -#: ../../boot.php:1480 +#: ../../boot.php:1481 #, php-format msgid "Update %s failed. See error logs." msgstr "La actualización %s ha fallado. Mire el informe de errores." -#: ../../boot.php:1483 +#: ../../boot.php:1484 #, php-format msgid "Update Error at %s" msgstr "Error de actualización en %s" -#: ../../boot.php:1684 +#: ../../boot.php:1685 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 +msgid "Login/Email" +msgstr "Inicio de sesión / Correo electrónico" + +#: ../../boot.php:1707 msgid "Password" msgstr "Contraseña" -#: ../../boot.php:1707 +#: ../../boot.php:1708 msgid "Remember me" msgstr "Recordarme" -#: ../../boot.php:1710 +#: ../../boot.php:1711 msgid "Forgot your password?" msgstr "¿Olvidó su contraseña?" -#: ../../boot.php:2276 +#: ../../boot.php:2277 msgid "toggle mobile" msgstr "cambiar a modo móvil" -#: ../../boot.php:2425 +#: ../../boot.php:2432 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:2428 +#: ../../boot.php:2435 #, php-format msgid "[hubzilla] Website SSL error for %s" msgstr "[hubzilla] Error SSL del sitio web en %s" -#: ../../boot.php:2469 +#: ../../boot.php:2478 msgid "Cron/Scheduled tasks not running." msgstr "Las tareas del Planificador/Cron no están funcionando." -#: ../../boot.php:2473 +#: ../../boot.php:2482 #, 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 22c81e350..f53ce0b18 100644 --- a/view/es-es/hstrings.php +++ b/view/es-es/hstrings.php @@ -4,7 +4,39 @@ if(! function_exists("string_plural_select_es_es")) { function string_plural_select_es_es($n){ return ($n != 1);; }} -; +App::$rtl = 0; +App::$strings["Social Networking"] = "Redes sociales"; +App::$strings["Social - Mostly Public"] = "Social - Público en su mayor parte"; +App::$strings["Social - Restricted"] = "Social - Restringido"; +App::$strings["Social - Private"] = "Social - Privado"; +App::$strings["Community Forum"] = "Foro de discusión"; +App::$strings["Forum - Mostly Public"] = "Foro - Público en su mayor parte"; +App::$strings["Forum - Restricted"] = "Foro - Restringido"; +App::$strings["Forum - Private"] = "Foro - Privado"; +App::$strings["Feed Republish"] = "Republicar un \"feed\""; +App::$strings["Feed - Mostly Public"] = "Feed - Público en su mayor parte"; +App::$strings["Feed - Restricted"] = "Feed - Restringido"; +App::$strings["Special Purpose"] = "Propósito especial"; +App::$strings["Special - Celebrity/Soapbox"] = "Especial - Celebridad / Tribuna improvisada"; +App::$strings["Special - Group Repository"] = "Especial - Repositorio de grupo"; +App::$strings["Other"] = "Otro"; +App::$strings["Custom/Expert Mode"] = "Modo personalizado/experto"; +App::$strings["Can view my channel stream and posts"] = "Pueden verse la actividad y publicaciones de mi canal"; +App::$strings["Can send me their channel stream and posts"] = "Se me pueden enviar entradas y contenido de un canal"; +App::$strings["Can view my default channel profile"] = "Puede verse mi perfil de canal predeterminado."; +App::$strings["Can view my connections"] = "Pueden verse mis conexiones"; +App::$strings["Can view my file storage and photos"] = "Pueden verse mi repositorio de ficheros y mis fotos"; +App::$strings["Can upload/modify my file storage and photos"] = "Se pueden subir / modificar elementos en mi repositorio de ficheros y fotos"; +App::$strings["Can view my channel webpages"] = "Pueden verse las páginas personales de mi canal"; +App::$strings["Can create/edit my channel webpages"] = "Pueden crearse / modificarse páginas personales en mi canal"; +App::$strings["Can post on my channel (wall) page"] = "Pueden crearse entradas en mi página de inicio del canal (“muro”)"; +App::$strings["Can comment on or like my posts"] = "Pueden publicarse comentarios en mis publicaciones o marcar mis entradas con 'me gusta'."; +App::$strings["Can send me private mail messages"] = "Se me pueden enviar mensajes privados"; +App::$strings["Can like/dislike profiles and profile things"] = "Se puede mostrar agrado o desagrado (Me gusta / No me gusta) en mis perfiles y sus distintos apartados"; +App::$strings["Can forward to all my channel connections via @+ mentions in posts"] = "Pueden reenviarse publicaciones a todas las conexiones de mi canal a través de @+ menciones en las entradas"; +App::$strings["Can chat with me"] = "Se puede chatear conmigo"; +App::$strings["Can source my public posts in derived channels"] = "Pueden utilizarse mis publicaciones públicas como origen de contenidos en canales derivados"; +App::$strings["Can administer my channel"] = "Se puede administrar mi canal"; App::$strings["parent"] = "padre"; App::$strings["Collection"] = "Colección"; App::$strings["Principal"] = "Principal"; @@ -37,63 +69,8 @@ App::$strings["Remote authentication blocked. You are logged into this site loca App::$strings["Welcome %s. Remote authentication successful."] = "Bienvenido %s. La identificación desde su servidor se ha llevado a cabo correctamente."; App::$strings["Requested profile is not available."] = "El perfil solicitado no está disponible."; 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["Block Name"] = "Nombre del bloque"; -App::$strings["Blocks"] = "Bloques"; -App::$strings["Block Title"] = "Título del bloque"; -App::$strings["Created"] = "Creado"; -App::$strings["Edited"] = "Editado"; -App::$strings["Share"] = "Compartir"; -App::$strings["View"] = "Ver"; -App::$strings["Channel not found."] = "Canal no encontrado."; -App::$strings["Permissions denied."] = "Permisos denegados."; -App::$strings["l, F j"] = "l j F"; -App::$strings["Link to Source"] = "Enlazar con la entrada en su ubicación original"; -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["Import"] = "Importar"; -App::$strings["Submit"] = "Enviar"; -App::$strings["Today"] = "Hoy"; -App::$strings["You must be logged in to see this page."] = "Debe haber iniciado sesión para poder ver esta página."; -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["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["Away"] = "Ausente"; App::$strings["Online"] = "Conectado/a"; -App::$strings["Invalid item."] = "Elemento no válido."; -App::$strings["Bookmark added"] = "Marcador añadido"; -App::$strings["My Bookmarks"] = "Mis marcadores"; -App::$strings["My Connections Bookmarks"] = "Marcadores de mis conexiones"; -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["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."; @@ -158,6 +135,7 @@ 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"; @@ -166,6 +144,30 @@ 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", @@ -196,13 +198,74 @@ 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["Item not found."] = "Elemento no encontrado."; +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["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["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"; @@ -254,51 +317,38 @@ 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["Item is not editable"] = "El elemento no es editable"; -App::$strings["Edit post"] = "Editar la entrada"; -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["Edit event"] = "Editar evento"; -App::$strings["Delete event"] = "Borrar evento"; -App::$strings["calendar"] = "calendario"; -App::$strings["Event removed"] = "Evento borrado"; -App::$strings["Failed to remove event"] = "Error al eliminar el evento"; -App::$strings["Photos"] = "Fotos"; -App::$strings["Cancel"] = "Cancelar"; +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["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["Save to Folder:"] = "Guardar en carpeta:"; -App::$strings["- select -"] = "- seleccionar -"; -App::$strings["Save"] = "Guardar"; +App::$strings["You must be logged in to see this page."] = "Debe haber iniciado sesión para poder ver esta página."; +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["Delivery report for %1\$s"] = "Informe de entrega para %1\$s"; App::$strings["channel sync processed"] = "se ha realizado la sincronización del canal"; App::$strings["queued"] = "encolado"; App::$strings["posted"] = "enviado"; @@ -310,14 +360,14 @@ 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["Channel added."] = "Canal añadido."; -App::$strings["network"] = "red"; -App::$strings["RSS"] = "RSS"; 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."; @@ -331,17 +381,34 @@ 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["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["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["Documentation Search"] = "Búsqueda de Documentación"; -App::$strings["Help:"] = "Ayuda:"; -App::$strings["Help"] = "Ayuda"; -App::$strings["\$Projectname Documentation"] = "Documentación de \$Projectname"; -App::$strings["Permission Denied."] = "Permiso denegado"; +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["Location (URL) of app"] = "Dirección (URL) de la aplicació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["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"; +App::$strings["Documentation Search"] = "Búsqueda de Documentación"; +App::$strings["Help:"] = "Ayuda:"; +App::$strings["Help"] = "Ayuda"; +App::$strings["\$Projectname Documentation"] = "Documentación de \$Projectname"; +App::$strings["Item not available."] = "Elemento no disponible"; +App::$strings["Layout updated."] = "Plantilla actualizada."; +App::$strings["Edit System Page Description"] = "Editor del Sistema de Descripción de Páginas"; +App::$strings["Layout not found."] = "Plantilla no encontrada"; +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["Permission Denied."] = "Permiso denegado"; App::$strings["File not found."] = "Fichero no encontrado."; App::$strings["Edit file permissions"] = "Modificar los permisos del fichero"; App::$strings["Set/edit permissions"] = "Establecer/editar los permisos"; @@ -352,8 +419,100 @@ 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["Apps"] = "Aplicaciones (apps)"; -App::$strings["Item not available."] = "Elemento no disponible"; +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-"; +App::$strings["New profile created."] = "El nuevo perfil ha sido creado."; +App::$strings["Profile unavailable to clone."] = "Perfil no disponible para clonar."; +App::$strings["Profile unavailable to export."] = "Perfil no disponible para exportar."; +App::$strings["Profile Name is required."] = "Se necesita el nombre del perfil."; +App::$strings["Marital Status"] = "Estado civil"; +App::$strings["Romantic Partner"] = "Pareja sentimental"; +App::$strings["Likes"] = "Me gusta"; +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["Sexual Preference"] = "Preferencia sexual"; +App::$strings["Homepage"] = "Página personal"; +App::$strings["Interests"] = "Intereses"; +App::$strings["Address"] = "Direcció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"; +App::$strings["View this profile"] = "Ver este perfil"; +App::$strings["Edit visibility"] = "Editar visibilidad"; +App::$strings["Profile Tools"] = "Gestión del perfil"; +App::$strings["Change cover photo"] = "Cambiar la imagen de portada del perfil"; +App::$strings["Change profile photo"] = "Cambiar la foto del perfil"; +App::$strings["Create a new profile using these settings"] = "Crear un nuevo perfil usando estos ajustes"; +App::$strings["Clone this profile"] = "Clonar este perfil"; +App::$strings["Delete this profile"] = "Eliminar este perfil"; +App::$strings["Add profile things"] = "Añadir cosas al perfil"; +App::$strings["Personal"] = "Personales"; +App::$strings["Relation"] = "Relación"; +App::$strings["Miscellaneous"] = "Varios"; +App::$strings["Import profile from file"] = "Importar perfil desde un fichero"; +App::$strings["Export profile to file"] = "Exportar perfil a un fichero"; +App::$strings["Your gender"] = "Género"; +App::$strings["Marital status"] = "Estado civil"; +App::$strings["Sexual preference"] = "Preferencia sexual"; +App::$strings["Profile name"] = "Nombre del perfil"; +App::$strings["This is your default profile."] = "Este es su perfil principal."; +App::$strings["Your full name"] = "Nombre completo"; +App::$strings["Title/Description"] = "Título o descripción"; +App::$strings["Street address"] = "Dirección"; +App::$strings["Locality/City"] = "Ciudad"; +App::$strings["Region/State"] = "Región o Estado"; +App::$strings["Postal/Zip code"] = "Código postal"; +App::$strings["Country"] = "País"; +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["Hometown"] = "Lugar de nacimiento"; +App::$strings["Political views"] = "Ideas políticas"; +App::$strings["Religious views"] = "Creencias religiosas"; +App::$strings["Keywords used in directory listings"] = "Palabras clave utilizadas en los listados de directorios"; +App::$strings["Example: fishing photography software"] = "Por ejemplo: software de fotografía submarina"; +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["Hobbies/Interests"] = "Aficiones o intereses"; +App::$strings["Love/Romance"] = "Vida sentimental o amorosa"; +App::$strings["School/Education"] = "Estudios"; +App::$strings["Contact information and social networks"] = "Información de contacto y redes sociales"; +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"; @@ -374,6 +533,8 @@ App::$strings["For either option, please choose whether to make this hub your ne 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."; @@ -382,60 +543,76 @@ App::$strings["System error. Post not saved."] = "Error del sistema. La entrada 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["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["\$Projectname"] = "\$Projectname"; -App::$strings["Welcome to %s"] = "Bienvenido a %s"; -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["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["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["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."; @@ -458,15 +635,12 @@ App::$strings["1. Register at any \$Projectname location (they are all inter-con 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["Remote privacy information not available."] = "La información privada remota no está disponible."; -App::$strings["Visible to:"] = "Visible para:"; 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["Address"] = "Dirección"; App::$strings["Primary"] = "Primario"; App::$strings["Drop"] = "Eliminar"; App::$strings["Sync Now"] = "Sincronizar ahora"; @@ -507,22 +681,6 @@ 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["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ú"; @@ -547,13 +705,25 @@ 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["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["No such group"] = "No se encuentra el grupo"; App::$strings["No such channel"] = "No se encuentra el canal"; App::$strings["forum"] = "foro"; @@ -563,6 +733,13 @@ 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["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ú"; @@ -592,203 +769,6 @@ 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["Name or caption"] = "Nombre o descripción"; -App::$strings["Examples: \"Bob Jameson\", \"Lisa and her Horses\", \"Soccer\", \"Aviation Group\""] = "Ejemplos: \"Juan García\", \"Luisa y sus caballos\", \"Fútbol\", \"Grupo de aviación\""; -App::$strings["Choose a short nickname"] = "Elija un alias corto"; -App::$strings["Your nickname will be used to create an easy to remember channel address e.g. nickname%s"] = "Su alias se usará para crear una dirección de canal fácil de recordar, p. ej.: alias%s"; -App::$strings["Channel role and privacy"] = "Clase de canal y privacidad"; -App::$strings["Select a channel role with your privacy requirements."] = "Seleccione un tipo de canal con sus requisitos de privacidad"; -App::$strings["Read more about roles"] = "Leer más sobre los roles"; -App::$strings["Create Channel"] = "Crear un canal"; -App::$strings["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."] = "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."; -App::$strings["or import an existing channel from another location."] = "O importar un canal existente desde otro lugar."; -App::$strings["Invalid request identifier."] = "Petición inválida del identificador."; -App::$strings["Discard"] = "Descartar"; -App::$strings["Mark all system notifications seen"] = "Marcar todas las notificaciones de sistema como leídas"; -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["sent you a private message"] = "le ha enviado un mensaje privado"; -App::$strings["added your channel"] = "añadió este canal a sus conexiones"; -App::$strings["g A l F d"] = "g A l d F"; -App::$strings["[today]"] = "[hoy]"; -App::$strings["posted an event"] = "publicó un evento"; -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["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["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["Layout updated."] = "Plantilla actualizada."; -App::$strings["Edit System Page Description"] = "Editor del Sistema de Descripción de Páginas"; -App::$strings["Layout not found."] = "Plantilla no encontrada"; -App::$strings["Module Name:"] = "Nombre del módulo:"; -App::$strings["Layout Help"] = "Ayuda para el diseño de plantillas de página"; -App::$strings["Poke"] = "Toques y otras cosas"; -App::$strings["Poke somebody"] = "Dar un toque a alguien"; -App::$strings["Poke/Prod"] = "Toque/Incitación"; -App::$strings["Poke, prod or do other things to somebody"] = "Dar un toque, incitar o hacer otras cosas a alguien"; -App::$strings["Recipient"] = "Destinatario"; -App::$strings["Choose what you wish to do to recipient"] = "Elegir qué desea enviar al destinatario"; -App::$strings["Make this post private"] = "Convertir en privado este envío"; -App::$strings["Fetching URL returns error: %1\$s"] = "Al intentar obtener la dirección, retorna el error: %1\$s"; -App::$strings["Profile not found."] = "Perfil no encontrado."; -App::$strings["Profile deleted."] = "Perfil eliminado."; -App::$strings["Profile-"] = "Perfil-"; -App::$strings["New profile created."] = "El nuevo perfil ha sido creado."; -App::$strings["Profile unavailable to clone."] = "Perfil no disponible para clonar."; -App::$strings["Profile unavailable to export."] = "Perfil no disponible para exportar."; -App::$strings["Profile Name is required."] = "Se necesita el nombre del perfil."; -App::$strings["Marital Status"] = "Estado civil"; -App::$strings["Romantic Partner"] = "Pareja sentimental"; -App::$strings["Likes"] = "Me gusta"; -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["Sexual Preference"] = "Preferencia sexual"; -App::$strings["Homepage"] = "Página personal"; -App::$strings["Interests"] = "Intereses"; -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"; -App::$strings["View this profile"] = "Ver este perfil"; -App::$strings["Edit visibility"] = "Editar visibilidad"; -App::$strings["Profile Tools"] = "Gestión del perfil"; -App::$strings["Change cover photo"] = "Cambiar la imagen de portada del perfil"; -App::$strings["Change profile photo"] = "Cambiar la foto del perfil"; -App::$strings["Create a new profile using these settings"] = "Crear un nuevo perfil usando estos ajustes"; -App::$strings["Clone this profile"] = "Clonar este perfil"; -App::$strings["Delete this profile"] = "Eliminar este perfil"; -App::$strings["Add profile things"] = "Añadir cosas al perfil"; -App::$strings["Personal"] = "Personales"; -App::$strings["Relation"] = "Relación"; -App::$strings["Miscellaneous"] = "Varios"; -App::$strings["Import profile from file"] = "Importar perfil desde un fichero"; -App::$strings["Export profile to file"] = "Exportar perfil a un fichero"; -App::$strings["Your gender"] = "Género"; -App::$strings["Marital status"] = "Estado civil"; -App::$strings["Sexual preference"] = "Preferencia sexual"; -App::$strings["Profile name"] = "Nombre del perfil"; -App::$strings["This is your default profile."] = "Este es su perfil principal."; -App::$strings["Your full name"] = "Nombre completo"; -App::$strings["Title/Description"] = "Título o descripción"; -App::$strings["Street address"] = "Dirección"; -App::$strings["Locality/City"] = "Ciudad"; -App::$strings["Region/State"] = "Región o Estado"; -App::$strings["Postal/Zip code"] = "Código postal"; -App::$strings["Country"] = "País"; -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["Hometown"] = "Lugar de nacimiento"; -App::$strings["Political views"] = "Ideas políticas"; -App::$strings["Religious views"] = "Creencias religiosas"; -App::$strings["Keywords used in directory listings"] = "Palabras clave utilizadas en los listados de directorios"; -App::$strings["Example: fishing photography software"] = "Por ejemplo: software de fotografía submarina"; -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["Hobbies/Interests"] = "Aficiones o intereses"; -App::$strings["Love/Romance"] = "Vida sentimental o amorosa"; -App::$strings["School/Education"] = "Estudios"; -App::$strings["Contact information and social networks"] = "Información de contacto y redes sociales"; -App::$strings["My other channels"] = "Mis otros canales"; -App::$strings["Profile Image"] = "Imagen del perfil"; -App::$strings["Edit Profiles"] = "Editar perfiles"; -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["Invalid profile identifier."] = "Identificador del perfil no válido"; -App::$strings["Profile Visibility Editor"] = "Editor de visibilidad del perfil"; -App::$strings["Profile"] = "Perfil"; -App::$strings["Click on a contact to add or remove."] = "Pulsar en un contacto para añadirlo o eliminarlo."; -App::$strings["Visible To"] = "Visible para"; -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"; -App::$strings["Access Type"] = "Tipo de acceso"; -App::$strings["Registration Policy"] = "Normas de registro"; -App::$strings["Stats"] = "Estadísticas"; -App::$strings["Software"] = "Software"; -App::$strings["Ratings"] = "Valoraciones"; -App::$strings["Rate"] = "Valorar"; -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["No ratings"] = "Ninguna valoración"; -App::$strings["Rating: "] = "Valoración:"; -App::$strings["Website: "] = "Sitio web:"; -App::$strings["Description: "] = "Descripción:"; App::$strings["Theme settings updated."] = "Ajustes del tema actualizados."; App::$strings["# Accounts"] = "# Cuentas"; App::$strings["# blocked accounts"] = "# cuentas bloqueadas"; @@ -1031,25 +1011,97 @@ App::$strings["(In addition to basic fields)"] = "(Además de los campos básico App::$strings["All available fields"] = "Todos los campos disponibles"; App::$strings["Custom Fields"] = "Campos personalizados"; App::$strings["Create Custom Field"] = "Crear un campo personalizado"; -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["Location (URL) of app"] = "Dirección (URL) de la aplicació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["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"; -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["Name or caption"] = "Nombre o descripción"; +App::$strings["Examples: \"Bob Jameson\", \"Lisa and her Horses\", \"Soccer\", \"Aviation Group\""] = "Ejemplos: \"Juan García\", \"Luisa y sus caballos\", \"Fútbol\", \"Grupo de aviación\""; +App::$strings["Choose a short nickname"] = "Elija un alias corto"; +App::$strings["Your nickname will be used to create an easy to remember channel address e.g. nickname%s"] = "Su alias se usará para crear una dirección de canal fácil de recordar, p. ej.: alias%s"; +App::$strings["Channel role and privacy"] = "Clase de canal y privacidad"; +App::$strings["Select a channel role with your privacy requirements."] = "Seleccione un tipo de canal con sus requisitos de privacidad"; +App::$strings["Read more about roles"] = "Leer más sobre los roles"; +App::$strings["Create Channel"] = "Crear un canal"; +App::$strings["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."] = "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."; +App::$strings["or import an existing channel from another location."] = "O importar un canal existente desde otro lugar."; +App::$strings["sent you a private message"] = "le ha enviado un mensaje privado"; +App::$strings["added your channel"] = "añadió este canal a sus conexiones"; +App::$strings["g A l F d"] = "g A l d F"; +App::$strings["[today]"] = "[hoy]"; +App::$strings["posted an event"] = "publicó un evento"; +App::$strings["Invalid request identifier."] = "Petición inválida del identificador."; +App::$strings["Discard"] = "Descartar"; +App::$strings["Mark all system notifications seen"] = "Marcar todas las notificaciones de sistema como leídas"; +App::$strings["Poke"] = "Toques y otras cosas"; +App::$strings["Poke somebody"] = "Dar un toque a alguien"; +App::$strings["Poke/Prod"] = "Toque/Incitación"; +App::$strings["Poke, prod or do other things to somebody"] = "Dar un toque, incitar o hacer otras cosas a alguien"; +App::$strings["Recipient"] = "Destinatario"; +App::$strings["Choose what you wish to do to recipient"] = "Elegir qué desea enviar al destinatario"; +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"; +App::$strings["Click on a contact to add or remove."] = "Pulsar en un contacto para añadirlo o eliminarlo."; +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["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)"; +App::$strings["This is a hub of \$Projectname - a global cooperative network of decentralized privacy enhanced websites."] = "Este es un sitio integrado en \$Projectname - una red cooperativa mundial de sitios web descentralizados de privacidad mejorada."; +App::$strings["Tag: "] = "Etiqueta:"; +App::$strings["Last background fetch: "] = "Última actualización en segundo plano:"; +App::$strings["Current load average: "] = "Carga media actual:"; +App::$strings["Running at web location"] = "Corriendo en el sitio web"; +App::$strings["Please visit hubzilla.org to learn more about \$Projectname."] = "Por favor, visite hubzilla.org para más información sobre \$Projectname."; +App::$strings["Bug reports and issues: please visit"] = "Informes de errores e incidencias: por favor visite"; +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["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"; +App::$strings["Access Type"] = "Tipo de acceso"; +App::$strings["Registration Policy"] = "Normas de registro"; +App::$strings["Stats"] = "Estadísticas"; +App::$strings["Software"] = "Software"; +App::$strings["Ratings"] = "Valoraciones"; +App::$strings["Rate"] = "Valorar"; +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["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["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."; @@ -1069,7 +1121,7 @@ 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["Proceed to create your first channel"] = "Crear su primer canal"; +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["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"; @@ -1086,17 +1138,23 @@ App::$strings["This channel will be completely removed from the network. "] = "E App::$strings["Remove this channel and all its clones from the network"] = "Eliminar este canal y todos sus clones de la red"; App::$strings["By default only the instance of the channel located on this hub will be removed from the network"] = "Por defecto, solo la instancia del canal alojado en este servidor será eliminado de la red"; App::$strings["Remove Channel"] = "Eliminar el canal"; -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["Export Channel"] = "Exportar el canal"; +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."] = "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."; +App::$strings["Export Content"] = "Exportar contenidos"; +App::$strings["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."] = "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."; +App::$strings["Export your posts from a given year."] = "Exporta sus publicaciones de un año dado."; +App::$strings["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."] = "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."; +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["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["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"; +App::$strings["Name and Password are required."] = "Se requiere el nombre y la contraseña."; +App::$strings["Token saved."] = "Token salvado."; App::$strings["Not valid email."] = "Correo electrónico no válido."; App::$strings["Protected email address. Cannot change to that email."] = "Dirección de correo electrónico protegida. No se puede cambiar a ella."; App::$strings["System failure storing new email. Please try again."] = "Fallo de sistema al guardar el nuevo correo electrónico. Por favor, inténtelo de nuevo."; @@ -1129,6 +1187,12 @@ 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["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"; +App::$strings["Login Password"] = "Contraseña de inicio de sesión"; +App::$strings["Expires (yyyy-mm-dd)"] = "Expira (aaaa-mm-dd)"; App::$strings["Additional Features"] = "Funcionalidades"; App::$strings["Connector Settings"] = "Configuración del conector"; App::$strings["No special theme for mobile devices"] = "Sin tema especial para dispositivos móviles"; @@ -1291,7 +1355,6 @@ 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["mcrypt PHP module"] = "módulo PHP mcrypt "; 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."; @@ -1302,7 +1365,6 @@ App::$strings["Error: GD graphics PHP module with JPEG support required but not 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: mcrypt PHP module required but not installed."] = "Error: el módulo PHP mcrypt 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."; @@ -1314,7 +1376,7 @@ App::$strings["In order to store these compiled templates, the web server needs 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["Red 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"] = "Hubzilla guarda los ficheros descargados en la carpeta \"store\". El servidor web necesita tener permisos de escritura sobre esa carpeta, en el directorio de instalación."; +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."; @@ -1322,6 +1384,7 @@ App::$strings["This restriction is incorporated because public posts from you ma 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"; @@ -1333,19 +1396,20 @@ 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["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)"; -App::$strings["This is a hub of \$Projectname - a global cooperative network of decentralized privacy enhanced websites."] = "Este es un sitio integrado en \$Projectname - una red cooperativa mundial de sitios web descentralizados de privacidad mejorada."; -App::$strings["Tag: "] = "Etiqueta:"; -App::$strings["Last background fetch: "] = "Última actualización en segundo plano:"; -App::$strings["Current load average: "] = "Carga media actual:"; -App::$strings["Running at web location"] = "Corriendo en el sitio web"; -App::$strings["Please visit hubzilla.org to learn more about \$Projectname."] = "Por favor, visite hubzilla.org para más información sobre \$Projectname."; -App::$strings["Bug reports and issues: please visit"] = "Informes de errores e incidencias: por favor visite"; -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["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."; @@ -1373,60 +1437,38 @@ App::$strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s ha etiquetado %3 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["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["Export Channel"] = "Exportar el canal"; -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."] = "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."; -App::$strings["Export Content"] = "Exportar contenidos"; -App::$strings["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."] = "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."; -App::$strings["Export your posts from a given year."] = "Exporta sus publicaciones de un año dado."; -App::$strings["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."] = "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."; -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["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["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["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["Site Admin"] = "Administrador del sitio"; -App::$strings["Bug Report"] = "Informe de errores"; -App::$strings["View Bookmarks"] = "Ver los marcadores"; -App::$strings["My Chatrooms"] = "Mis salas de chat"; -App::$strings["Firefox Share"] = "Servicio de compartición de Firefox"; -App::$strings["Remote Diagnostics"] = "Diagnóstico remoto"; -App::$strings["Suggest Channels"] = "Sugerir canales"; -App::$strings["Login"] = "Iniciar sesión"; -App::$strings["Grid"] = "Red"; -App::$strings["Channel Home"] = "Mi canal"; -App::$strings["Events"] = "Eventos"; -App::$strings["Directory"] = "Directorio"; -App::$strings["Mail"] = "Correo"; -App::$strings["Chat"] = "Chat"; -App::$strings["Probe"] = "Probar"; -App::$strings["Suggest"] = "Sugerir"; -App::$strings["Random Channel"] = "Canal aleatorio"; -App::$strings["Invite"] = "Invitar"; -App::$strings["Features"] = "Funcionalidades"; -App::$strings["Post"] = "Publicación"; -App::$strings["Purchase"] = "Comprar"; App::$strings["Missing room name"] = "Sala de chat sin nombre"; App::$strings["Duplicate room name"] = "Nombre de sala duplicado."; App::$strings["Invalid room specifier."] = "Especificador de sala no válido."; @@ -1474,6 +1516,27 @@ App::$strings["Please visit %s to approve or reject the suggestion."] = "Por fav App::$strings["[Hubzilla:Notify]"] = "[Hubzilla:Aviso]"; App::$strings["created a new post"] = "ha creado una nueva entrada"; App::$strings["commented on %s's post"] = "ha comentado la entrada de %s"; +App::$strings["Site Admin"] = "Administrador del sitio"; +App::$strings["Bug Report"] = "Informe de errores"; +App::$strings["View Bookmarks"] = "Ver los marcadores"; +App::$strings["My Chatrooms"] = "Mis salas de chat"; +App::$strings["Firefox Share"] = "Servicio de compartición de Firefox"; +App::$strings["Remote Diagnostics"] = "Diagnóstico remoto"; +App::$strings["Suggest Channels"] = "Sugerir canales"; +App::$strings["Login"] = "Iniciar sesión"; +App::$strings["Grid"] = "Red"; +App::$strings["Channel Home"] = "Mi canal"; +App::$strings["Events"] = "Eventos"; +App::$strings["Directory"] = "Directorio"; +App::$strings["Mail"] = "Correo"; +App::$strings["Chat"] = "Chat"; +App::$strings["Probe"] = "Probar"; +App::$strings["Suggest"] = "Sugerir"; +App::$strings["Random Channel"] = "Canal aleatorio"; +App::$strings["Invite"] = "Invitar"; +App::$strings["Features"] = "Funcionalidades"; +App::$strings["Post"] = "Publicación"; +App::$strings["Purchase"] = "Comprar"; App::$strings["Private Message"] = "Mensaje Privado"; App::$strings["Select"] = "Seleccionar"; App::$strings["Save to Folder"] = "Guardar en carpeta"; @@ -1510,7 +1573,7 @@ App::$strings["Expires: %s"] = "Caduca: %s"; App::$strings["Save Bookmarks"] = "Guardar en Marcadores"; App::$strings["Add to Calendar"] = "Añadir al calendario"; App::$strings["Mark all seen"] = "Marcar todo como visto"; -App::$strings["[+] show all"] = "[+] mostrar todo:"; +App::$strings["%s show all"] = "%s mostrar todo"; App::$strings["Bold"] = "Negrita"; App::$strings["Italic"] = "Itálico "; App::$strings["Underline"] = "Subrayar"; @@ -1519,205 +1582,30 @@ 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["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["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["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["No recipient provided."] = "No se ha especificado ningún destinatario."; -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["prev"] = "anterior"; -App::$strings["first"] = "primera"; -App::$strings["last"] = "última"; -App::$strings["next"] = "próxima"; -App::$strings["older"] = "más antiguas"; -App::$strings["newer"] = "más recientes"; -App::$strings["No connections"] = "Sin conexiones"; -App::$strings["View all %s connections"] = "Ver todas las %s conexiones"; -App::$strings["poke"] = "un toque"; -App::$strings["poked"] = "ha dado un toque a"; -App::$strings["ping"] = "un \"ping\""; -App::$strings["pinged"] = "ha enviado un \"ping\" a"; -App::$strings["prod"] = "una incitación "; -App::$strings["prodded"] = "ha incitado a "; -App::$strings["slap"] = "una bofetada "; -App::$strings["slapped"] = "ha abofeteado a "; -App::$strings["finger"] = "un \"finger\" "; -App::$strings["fingered"] = "envió un \"finger\" a"; -App::$strings["rebuff"] = "un reproche"; -App::$strings["rebuffed"] = "ha hecho un reproche a "; -App::$strings["happy"] = "feliz "; -App::$strings["sad"] = "triste "; -App::$strings["mellow"] = "tranquilo/a"; -App::$strings["tired"] = "cansado/a "; -App::$strings["perky"] = "vivaz"; -App::$strings["angry"] = "enfadado/a"; -App::$strings["stupefied"] = "asombrado/a"; -App::$strings["puzzled"] = "perplejo/a"; -App::$strings["interested"] = "interesado/a"; -App::$strings["bitter"] = "amargado/a"; -App::$strings["cheerful"] = "alegre"; -App::$strings["alive"] = "animado/a"; -App::$strings["annoyed"] = "molesto/a"; -App::$strings["anxious"] = "ansioso/a"; -App::$strings["cranky"] = "de mal humor"; -App::$strings["disturbed"] = "perturbado/a"; -App::$strings["frustrated"] = "frustrado/a"; -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 from file"] = "eliminar del fichero"; -App::$strings["default"] = "por defecto"; -App::$strings["Page layout"] = "Plantilla de la página"; -App::$strings["You can create your own with the layouts tool"] = "Puede crear su propia disposición gráfica con la herramienta de plantillas"; -App::$strings["Page content type"] = "Tipo de contenido de la página"; -App::$strings["Select an alternate language"] = "Seleccionar un idioma alternativo"; -App::$strings["activity"] = "la actividad"; -App::$strings["Design Tools"] = "Herramientas de diseño web"; -App::$strings["Pages"] = "Páginas"; -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["Saved Searches"] = "Búsquedas guardadas"; -App::$strings["add"] = "añadir"; -App::$strings["Saved Folders"] = "Carpetas guardadas"; -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 Menu"] = "Menú de eventos"; -App::$strings["Day View"] = "Eventos del día"; -App::$strings["Week View"] = "Eventos de la semana"; -App::$strings["Month View"] = "Eventos del mes"; -App::$strings["Events Tools"] = "Gestión de eventos"; -App::$strings["Export Calendar"] = "Exportar el calendario"; -App::$strings["Import Calendar"] = "Importar un calendario"; -App::$strings["Chatrooms"] = "Salas de chat"; -App::$strings["Overview"] = "Resumen"; -App::$strings["Chat Members"] = "Miembros del chat"; -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["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["%1\$s's bookmarks"] = "Marcadores de %1\$s"; -App::$strings["Public Timeline"] = "Cronología pública"; -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["Directory Options"] = "Opciones del directorio"; -App::$strings["Safe Mode"] = "Modo seguro"; -App::$strings["Public Forums Only"] = "Solo foros públicos"; -App::$strings["This Website Only"] = "Solo este sitio web"; -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["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"; @@ -1732,6 +1620,7 @@ 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"; @@ -1752,36 +1641,87 @@ 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["%d invitation available"] = array( - 0 => "%d invitación pendiente", - 1 => "%d invitaciones disponibles", -); -App::$strings["Find Channels"] = "Encontrar canales"; -App::$strings["Enter name or interest"] = "Introducir nombre o interés"; -App::$strings["Connect/Follow"] = "Conectar/Seguir"; -App::$strings["Examples: Robert Morgenstein, Fishing"] = "Ejemplos: José Fernández, Pesca"; -App::$strings["Random Profile"] = "Perfil aleatorio"; -App::$strings["Invite Friends"] = "Invitar a amigos"; -App::$strings["Advanced example: name=fred and country=iceland"] = "Ejemplo avanzado: nombre=juan y país=españa"; -App::$strings["%d connection in common"] = array( - 0 => "%d conexión en común", - 1 => "%d conexiones en común", -); -App::$strings["show more"] = "mostrar más"; 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["Filed under:"] = "Archivado bajo:"; @@ -1820,7 +1760,6 @@ 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["Set publish date"] = "Establecer la fecha de publicación"; -App::$strings["OK"] = "OK"; App::$strings["Discover"] = "Descubrir"; App::$strings["Imported public streams"] = "Contenidos públicos importados"; App::$strings["Commented Order"] = "Comentarios recientes"; @@ -1836,8 +1775,8 @@ 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["Saved Bookmarks"] = "Marcadores guardados"; App::$strings["Manage Webpages"] = "Administrar páginas web"; App::$strings["__ctx:noun__ Attending"] = array( @@ -1864,6 +1803,8 @@ 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["Frequently"] = "Frecuentemente"; App::$strings["Hourly"] = "Cada hora"; App::$strings["Twice daily"] = "Dos veces al día"; @@ -1880,7 +1821,6 @@ App::$strings["Transsexual"] = "Transexual"; App::$strings["Hermaphrodite"] = "Hermafrodita"; App::$strings["Neuter"] = "Neutral"; App::$strings["Non-specific"] = "No especificado"; -App::$strings["Other"] = "Otro"; App::$strings["Undecided"] = "Indeciso/a"; App::$strings["Males"] = "Hombres"; App::$strings["Females"] = "Mujeres"; @@ -1925,91 +1865,95 @@ 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["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["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["Administrator"] = "Administrador"; -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["Account verified. Please login."] = "Cuenta verificada. Por favor, inicie sesión."; -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["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."; -App::$strings["Cannot locate file to revise/update"] = "No se puede localizar el fichero para revisar/actualizar"; -App::$strings["File exceeds size limit of %d"] = "El fichero supera el limite de tamaño de %d"; -App::$strings["You have reached your limit of %1$.0f Mbytes attachment storage."] = "Ha alcanzado su límite de %1$.0f Mbytes de almacenamiento de adjuntos."; -App::$strings["File upload failed. Possible system limit or action terminated."] = "Error de carga, posiblemente por limite del sistema o porque la acción ha finalizado."; -App::$strings["Stored file could not be verified. Upload failed."] = "El fichero almacenado no ha podido ser verificado. El envío ha fallado."; -App::$strings["Path not available."] = "Ruta no disponible."; -App::$strings["Empty pathname"] = "Ruta vacía"; -App::$strings["duplicate filename or path"] = "Nombre duplicado de ruta o fichero"; -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["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["%1\$s's bookmarks"] = "Marcadores de %1\$s"; +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["prev"] = "anterior"; +App::$strings["first"] = "primera"; +App::$strings["last"] = "última"; +App::$strings["next"] = "próxima"; +App::$strings["older"] = "más antiguas"; +App::$strings["newer"] = "más recientes"; +App::$strings["No connections"] = "Sin conexiones"; +App::$strings["View all %s connections"] = "Ver todas las %s conexiones"; +App::$strings["poke"] = "un toque"; +App::$strings["ping"] = "un \"ping\""; +App::$strings["pinged"] = "ha enviado un \"ping\" a"; +App::$strings["prod"] = "una incitación "; +App::$strings["prodded"] = "ha incitado a "; +App::$strings["slap"] = "una bofetada "; +App::$strings["slapped"] = "ha abofeteado a "; +App::$strings["finger"] = "un \"finger\" "; +App::$strings["fingered"] = "envió un \"finger\" a"; +App::$strings["rebuff"] = "un reproche"; +App::$strings["rebuffed"] = "ha hecho un reproche a "; +App::$strings["happy"] = "feliz "; +App::$strings["sad"] = "triste "; +App::$strings["mellow"] = "tranquilo/a"; +App::$strings["tired"] = "cansado/a "; +App::$strings["perky"] = "vivaz"; +App::$strings["angry"] = "enfadado/a"; +App::$strings["stupefied"] = "asombrado/a"; +App::$strings["puzzled"] = "perplejo/a"; +App::$strings["interested"] = "interesado/a"; +App::$strings["bitter"] = "amargado/a"; +App::$strings["cheerful"] = "alegre"; +App::$strings["alive"] = "animado/a"; +App::$strings["annoyed"] = "molesto/a"; +App::$strings["anxious"] = "ansioso/a"; +App::$strings["cranky"] = "de mal humor"; +App::$strings["disturbed"] = "perturbado/a"; +App::$strings["frustrated"] = "frustrado/a"; +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 from file"] = "eliminar del fichero"; +App::$strings["default"] = "por defecto"; +App::$strings["Page layout"] = "Plantilla de la página"; +App::$strings["You can create your own with the layouts tool"] = "Puede crear su propia disposición gráfica con la herramienta de plantillas"; +App::$strings["Page content type"] = "Tipo de contenido de la página"; +App::$strings["Select an alternate language"] = "Seleccionar un idioma alternativo"; +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"; @@ -2021,6 +1965,7 @@ 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"; @@ -2054,6 +1999,7 @@ 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."; @@ -2071,6 +2017,7 @@ 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"; @@ -2078,63 +2025,149 @@ 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["Embedded content"] = "Contenido incorporado"; -App::$strings["Embedding disabled"] = "Incrustación deshabilitada"; -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["Logged out."] = "Desconectado/a."; -App::$strings["Failed authentication"] = "Autenticación fallida."; -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["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["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."; +App::$strings["Cannot locate file to revise/update"] = "No se puede localizar el fichero para revisar/actualizar"; +App::$strings["File exceeds size limit of %d"] = "El fichero supera el limite de tamaño de %d"; +App::$strings["You have reached your limit of %1$.0f Mbytes attachment storage."] = "Ha alcanzado su límite de %1$.0f Mbytes de almacenamiento de adjuntos."; +App::$strings["File upload failed. Possible system limit or action terminated."] = "Error de carga, posiblemente por limite del sistema o porque la acción ha finalizado."; +App::$strings["Stored file could not be verified. Upload failed."] = "El fichero almacenado no ha podido ser verificado. El envío ha fallado."; +App::$strings["Path not available."] = "Ruta no disponible."; +App::$strings["Empty pathname"] = "Ruta vacía"; +App::$strings["duplicate filename or path"] = "Nombre duplicado de ruta o fichero"; +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["[-] show less"] = "[-] mostrar menos"; -App::$strings["[+] expand"] = "[+] expandir"; -App::$strings["[-] collapse"] = "[-] contraer"; +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"; @@ -2189,72 +2222,78 @@ 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["view full size"] = "Ver en el tamaño original"; -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["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["%d invitation available"] = array( + 0 => "%d invitación pendiente", + 1 => "%d invitaciones disponibles", +); +App::$strings["Find Channels"] = "Encontrar canales"; +App::$strings["Enter name or interest"] = "Introducir nombre o interés"; +App::$strings["Connect/Follow"] = "Conectar/Seguir"; +App::$strings["Examples: Robert Morgenstein, Fishing"] = "Ejemplos: José Fernández, Pesca"; +App::$strings["Random Profile"] = "Perfil aleatorio"; +App::$strings["Invite Friends"] = "Invitar a amigos"; +App::$strings["Advanced example: name=fred and country=iceland"] = "Ejemplo avanzado: nombre=juan y país=españa"; +App::$strings["%d connection in common"] = array( + 0 => "%d conexión en común", + 1 => "%d conexiones en común", +); +App::$strings["show more"] = "mostrar más"; +App::$strings["Directory Options"] = "Opciones del directorio"; +App::$strings["Safe Mode"] = "Modo seguro"; +App::$strings["Public Forums Only"] = "Solo foros públicos"; +App::$strings["This Website Only"] = "Solo este sitio web"; +App::$strings["No recipient provided."] = "No se ha especificado ningún destinatario."; +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["New Page"] = "Nueva página"; -App::$strings["Title"] = "Título"; -App::$strings["Can view my normal stream and posts"] = "Pueden verse mi actividad y publicaciones normales"; -App::$strings["Can view my default channel profile"] = "Puede verse mi perfil de canal predeterminado."; -App::$strings["Can view my connections"] = "Pueden verse mis conexiones"; -App::$strings["Can view my file storage and photos"] = "Pueden verse mi repositorio de ficheros y mis fotos"; -App::$strings["Can view my webpages"] = "Pueden verse mis páginas web"; -App::$strings["Can send me their channel stream and posts"] = "Me pueden enviar sus entradas y contenidos del canal"; -App::$strings["Can post on my channel page (\"wall\")"] = "Pueden crearse entradas en mi página de inicio del canal (“muro”)"; -App::$strings["Can comment on or like my posts"] = "Pueden publicarse comentarios en mis publicaciones o marcar mis entradas con 'me gusta'."; -App::$strings["Can send me private mail messages"] = "Se me pueden enviar mensajes privados"; -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["Can source my public posts in derived channels"] = "Pueden utilizarse mis publicaciones públicas como origen de contenidos en canales derivados"; -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["Social Networking"] = "Redes sociales"; -App::$strings["Social - Mostly Public"] = "Social - Público en su mayor parte"; -App::$strings["Social - Restricted"] = "Social - Restringido"; -App::$strings["Social - Private"] = "Social - Privado"; -App::$strings["Community Forum"] = "Foro de discusión"; -App::$strings["Forum - Mostly Public"] = "Foro - Público en su mayor parte"; -App::$strings["Forum - Restricted"] = "Foro - Restringido"; -App::$strings["Forum - Private"] = "Foro - Privado"; -App::$strings["Feed Republish"] = "Republicar un \"feed\""; -App::$strings["Feed - Mostly Public"] = "Feed - Público en su mayor parte"; -App::$strings["Feed - Restricted"] = "Feed - Restringido"; -App::$strings["Special Purpose"] = "Propósito especial"; -App::$strings["Special - Celebrity/Soapbox"] = "Especial - Celebridad / Tribuna improvisada"; -App::$strings["Special - Group Repository"] = "Especial - Repositorio de grupo"; -App::$strings["Custom/Expert Mode"] = "Modo personalizado/experto"; -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["Focus (Hubzilla default)"] = "Focus (predefinido)"; App::$strings["Theme settings"] = "Ajustes del tema"; App::$strings["Select scheme"] = "Elegir un esquema"; @@ -2294,6 +2333,7 @@ App::$strings["__ctx:opensearch__ \$Projectname"] = "\$Projectname"; App::$strings["Update %s failed. See error logs."] = "La actualización %s ha fallado. Mire el informe de errores."; App::$strings["Update Error at %s"] = "Error de actualización en %s"; App::$strings["Create an account to access services and applications within the Hubzilla"] = "Crear una cuenta para acceder a los servicios y aplicaciones dentro de Hubzilla"; +App::$strings["Login/Email"] = "Inicio de sesión / Correo electrónico"; App::$strings["Password"] = "Contraseña"; App::$strings["Remember me"] = "Recordarme"; App::$strings["Forgot your password?"] = "¿Olvidó su contraseña?"; -- cgit v1.2.3