1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213
|
<?php
/*
* Global lang file
* This file was generated automatically from messages.po
*/
$trans['gl_ES'] = array(
'' => "Project-Id-Version: b2evolution.net locale\nReport-Msgid-Bugs-To: http://fplanque.net/\nPOT-Creation-Date: 2004-06-26 02:10+0200\nPO-Revision-Date: 2004-06-24 00:27+0100\nLast-Translator: Departamento de e-learning. CESGA. <teleensino@cesga.es>\nLanguage-Team: Galician <teleensino@cesga.es>\nMIME-Version: 1.0\nContent-Type: text/plain; charset=iso-8859-1\nContent-Transfer-Encoding: 8bit\n",
'Selected' => "Seleccionado",
'Categories' => "Categoras",
'Permanent link to full entry' => "Ligazn permanente post",
'Permalink' => "Permalink",
'Recently' => "Recentemente",
'(cached)' => "(cacheado)",
'(no cache)' => "(non cacheado)",
'Last comments' => "ltimos comentarios",
'Some viewing statistics' => "Algunhas estadsticas",
'Search' => "Buscar",
'All Words' => "Todas as palabras",
'Some Word' => "Algunha palabra",
'Entire phrase' => "Frase enteira",
'Reset form' => "Reiniciar formulario",
'Get selection' => "Ver seleccin",
'Archives' => "Arquivos",
'more...' => "mis...",
'Recent Referers' => "Referidos recentes",
'Top Referers' => "Top referidos",
'Misc' => "Outros",
'Syndicate this blog' => "Sindicar esta bitcora",
'Default page for b2evolution' => "Pxina por defecto de b2evolution",
'Multilingual multiuser multi-blog engine.' => "Multilingual multiuser multi-blog engine.",
'Welcome to b2evolution' => "Benvido a b2evolution",
'This is the default homepage for b2evolution. It will be displayed as long as you don\'t select a default blog in the general settings.' => "Esta a pxina por defecto de b2evolution. Amosarase ata que non elixas unha bitcora predeterminada nas opcins xerais.",
'Individual blogs on this system' => "Bitcoras individuais neste sistema",
'Blog #%d' => "Bitcora #%d",
'Blog #1' => "Bitcora #1",
'This is a special blog that aggregates all messages from all other blogs!' => "Esta unha bitcora especial que engloba todas as mensaxes de todas as bitcoras. ",
'Please note: the above list (as well as the menu) is automatically generated and includes only the blogs that have a "stub url name". You can set this in the blog configuration in the back-office.' => "Nota: a lista de arriba (as como o men) est automaticamente xenerada e incle s as bitcoras que teen un "nome de url stub". Podes configurar isto na configuracin da bitcora no back-office.",
'More demos' => "Mis demostracins",
'Custom template' => "Plantilla personalizada",
'Multiple blogs displayed on the same page' => "Bitcoras mltiples amosadas na mesma pxina",
'Summary of last posts in all blogs' => "Resumo dos ltimos posts de todas as bitcoras",
'The page you\'re looking at' => "A pxina que se est amosando",
'Please note: those demos do not make use of evoSkins, even if you enabled them during install. The only way to change their look and feel is to edit their PHP template. But once, again, rememner these are just demos destined to inspire you for your own templates ;)' => "Nota: Estas pxinas de demostracin non usan evoSkins, incluso si os activas durante a instalacin. A nica forma de cambialas editar a plantilla PHP. Isto s son demostracins que poden inspirarte para facer as tas propias plantillas.",
'Administration' => "Publicar nova",
'Go to backoffice!' => "Ir back-office",
'Official website' => "Web oficial",
'GNU GPL license' => "Licencia GNU <acronym title=\"General Public License\">GPL</acronym>",
'Multiblog demo' => "Demostracin de multibitcora",
'This demo template displays 3 blogs at once (1 on the left, 2 on the right)' => "Esta plantilla de demostracin amostra 3 bitcoras vez (unha na esquerda, e das na dereita)",
'Summary demo' => "Demostracin de resumo",
'This demo template displays a summary of last posts in all blogs' => "Esta plantilla de demostracin muestra un resumen de los ltimos posts en todas las bitcoras",
'More posts...' => "Mis novas...",
'Antispam' => "Antispam",
'The keyword [%s] is too short, it has to be a minimum of 5 characters!' => "A palabra [%s] moi curta, ten que ter un mnimo de 5 caracteres!",
'Deleting log-hits matching [%s]...' => "Borrando hits [%s]",
'Deleting comments matching [%s]...' => "Borrando comentarios coincidentes con [%s]...",
'Blacklisting the keyword [%s]...' => "Engadindo [%s] lista negra...",
'Confirm ban & delete' => "Confirmar borrado de &",
'No log-hits match the keyword [%s].' => "Non hai log-hits que coincidan coa palabra [%s].",
'Delete the following %d referer hits:' => "Borrar os seguintes %d hits de referidos:",
'No comments match the keyword [%s].' => "Ningn comentario coincide coa palabra [%s]",
'Delete the following %d comments:' => "Borrar os seguintes %d comentarios:",
'The keyword [%s] is already handled by the blacklist.' => "A palabra [%s] xa est incluida na lista negra.",
'Blacklist the keyword [%s] locally.' => "Engadir [%s] lista negra localmente.",
'Report the keyword [%s] as abuse to b2evolution.net.' => "Notificar a b2evolution.net como spam a palabra [%s]",
'Terms of service' => "Condicins do servicio",
'Perform selected operations' => "Realizar as operacins seleccionadas",
'Removing entry #%d from the ban list...' => "Eliminando #%d da lista de palabras censuradas...",
'Add a banned keyword' => "Engadir unha palabra censurada",
'Check & ban...' => "Censurar",
'Banned domains blacklist' => "Lista negra de dominios censurados",
'Any URL containing one of the following keywords will be banned from posts, comments and logs.' => "Calquera URL que contea unha das seguintes palabras ser censurada en posts, comentarios e logs.",
'If a keyword restricts legitimate domains, click on the green tick to stop banning with this keyword.' => "Si una palabra restrinxe o acceso a dominios lextimos, fai click na marca verde para deixar de censurar dita palabra.",
'Request abuse update from centralized blacklist!' => "Solicitar actualizacin da lista negra.",
'Allow keyword back (Remove it from the blacklist)' => "Volver a permitir a palabra (Eliminar da lista negra)",
'Allow Back' => "Volver a permitir",
'Report abuse to centralized ban blacklist!' => "Notificar spam lista negra centralizada.",
'Report' => "Notificar",
'Check hit-logs and comments for this keyword!' => "Verificar hit-logs e comentarios con esta palabra!",
'Re-check' => "Volver a verificar",
'Blogs' => "Bitcoras",
'New' => "Novo",
'Creating blog...' => "Creando bitcora...",
'You must provide an URL blog name / Stub name!' => "Debes indicar un nombre de enderezo URL ou stub",
'This URL blog name / Stub name is already in use by another blog. Choose another name.' => "Esta URL / nome de arquivo stub xa est en uso por outra bitcora. Elixe outro nome.",
'Cannot create, please correct these errors:' => "Non se pode crear, por favor corrixe estes erros:",
'You should <a %s>create categories</a> for this blog now!' => "Deberas <a %s>crear categoras</a> para esta bitcora!",
'New weblog' => "Nova bitcora",
'New blog' => "Nova bitcora",
'General' => "Xeral",
'Permissions' => "Permisos",
'Advanced' => "Avanzado",
'Updating Blog [%s]...' => "Actualizando bitcora [%s]",
'Cannot update, please correct these errors:' => "Non se pode actualizar, por favor corrixe estes erros:",
'Delete blog [%s]?' => "Borrar bitcora [%s]?",
'Deleting this blog will also delete all its categories, posts and comments!' => "Borrar esta bitcora, tamn borrar todas as sas categoras, posts e comentarios!",
'THIS CANNOT BE UNDONE!' => "NO SE PODERN DESFACER OS CAMBIOS!",
'Also try to delete stub file [<strong><a %s>%s</a></strong>]' => "Intentar borrar tamn o arquivo stub [<strong><a %s>%s</a></strong>]",
'Also try to delete static file [<strong><a %s>%s</a></strong>]' => "Intentar tamn borrar o arquivo esttico [<strong><a %s>%s</a></strong>]",
'I am sure!' => "Estou seguro!",
'CANCEL' => "CANCELAR",
'Generating static page for blog [%s]' => "Xenerar pxina esttica para a bitcora [%s]",
'You haven\'t set a static filename for this blog!' => "Non deches un nome de arquivo esttico para esta bitcora!",
'File cannot be written!' => "Non se pode escribir o arquivo!",
'You should check the file permissions for [%s]. See <a %s>online manual on file permissions</a>.' => "Deberas comprobar os permisos do arquivo [%s]. Visita o <a %s>manual online para saber mis sobre permisos de arquivos</a>.",
'Writing to file [%s]...' => "Escribindo no fichero [%s]...",
'Done.' => "Feito.",
'Browse blog:' => "Ver bitcora:",
'Since you\'re a newcomer, you\'ll have to wait for an admin to authorize you to post. You can also <a %s>e-mail the admin</a> to ask for a promotion. When you\'re promoted, just reload this page and you\'ll be able to blog. :)' => "Como te acabas de rexistrar, ts que esperar a que se te autorice a postear. Tamn podes <a %s>enviar un mail</a> para avisarme de que terexistraches. Cando esteas autorizado, actualiza esta pxina e poders postear.",
'Categories for blog:' => "Categoras para a bitcora:",
'New sub-category in category: %s' => "Nova subcategora na categora %s",
'New category in blog: %s' => "Nova categora na bitcora: %s",
'New category name' => "Nome da nova categora",
'Create category' => "Crear Categora",
'Deleting category #%d : %s ...' => "Borrando categora #%d : %s...",
'ERROR' => "ERRO",
'Category deleted.' => "Categora borrada.",
'Properties for category:' => "Propiedades para a Categora",
'Name' => "Nome",
'New parent category' => "Nova categora principal",
'Old Parent' => "Antiga categora principal",
'Root (No parent)' => "Raiz",
'Edit category!' => "Editar Categora",
'Sorry, you have no permission to edit/view any category\'s properties.' => "Non ts permisos para editar/ver as propiedades das categoras.",
'Oops, no post with this ID.' => "Oops, non existe ningn post con este ID.",
'Editing post' => "Editando o post",
'#%d in blog: %s' => "#%d na bitcora: %s",
'Oops, no comment with this ID!' => "Oops, non hai comentarios con este ID!",
'Editing comment' => "Editar comentario",
'New post in blog:' => "Novo post na bitcora:",
'Since this blog has no categories, you cannot post to it. You must create categories first.' => "Non podes postear porque esta bitcora non ten categoras. Craas primeiro.",
'Switch to this blog (keeping your input if Javascript is active)' => "Cambiar a esta bitcora (mantendo o escrito, se ts Javascript activado)",
'b2evo' => "b2evo",
'Login...' => "Acceso...",
'In b2evolution, you do not need to point to the b2login.php page to log in.' => "En b2evolution, non fai falla acceder a b2login.php para iniciar a sesin.",
'Simply point directly to the backoffice page you need, for example: %s or %s. b2evo will prompt you to log in if needed.' => "Vai directamente pxina do back-office que queiras, por exemplo %s o %s. b2evo preguntarache pola ta informacin de acceso si necesario.",
'Settings' => "Opcins",
'Regional' => "Rexional",
'Plug-ins' => "Plugins",
'General settings updated.' => "Opcins xerais actualizadas.",
'Regional settings updated.' => "Opcins rexionais actualizadas.",
'You must provide a locale code!' => "Debes indicar un cdigo de locale!",
'Inserted locale \'%s\' into database.' => "Insertouse o locale '%s' na base de datos.",
'Updated locale \'%s\'.' => "locale '%s' actualizada.",
'Saved locale \'%s\'.' => "locale '%s' gardada.",
'Locales table deleted, defaults from <code>/conf/_locales.php</code> loaded.' => "Borrronse as tboas das locale. Cargronse as predefinidas de <code>/conf/_locales.php</code>.",
'File <code>%s</code> not found.' => "Arquivo <code>%s</code> non encontrado.",
'Deleted locale \'%s\' from database.' => "Borrar locale '%s' da base de datos.",
'Switched priorities.' => "Prioridades intercambiadas.",
'Spell Check' => "Comprobar ortografa",
'Loading Spell Checker. Please wait' => "Cargando corrector de ortografa. Espere, por favor",
'View Stats for Blog:' => "Ver estadisticas:",
'None' => "Ningn",
'Changing hit #%d type to: %s' => "Cambiando o #%d a %s",
'Deleting hit #%d...' => "Borrando hit #%d...",
'Pruning hits for %s...' => "Eliminando hits de %s....",
'Summary' => "Resumo",
'Referers' => "Referidos",
'Refering Searches' => "Bsquedas referidas",
'Syndication' => "Sindicacin",
'User Agents' => "Navegadores",
'Direct Accesses' => "Accesos directos",
'Date' => "Data",
'Indexing Robots' => "Indexado de robots",
'Total' => "Total",
'Prune this date!' => "Eliminar esta data!",
'Prune' => "Eliminar",
'Prune hits for this date!' => "Eliminar visitas nesta data!",
'Last referers' => "ltimos referidos",
'These are hits from external web pages refering to this blog' => "Esto son visitas desde pxinas externas, referidas a esta bitcora",
'Delete this hit!' => "Borrar este hit!",
'Del' => "Borrar",
'Log as a search instead' => "Clasificar como bsqueda referida",
'->S' => "->S",
'Ban this domain!' => "Censurar este dominio!",
'Ban' => "Banear",
'Top referers' => "Top referidos",
'Total referers' => "Referidos totais",
'Last refering searches' => "ltimas bsquedas referidas",
'These are hits from people who came to this blog system through a search engine. (Search engines must be listed in /conf/_stats.php)' => "Visitas de xente que chegou a esta bitcora mediante un buscador. (Os buscadores teen que estar listados en 7conf/_stats.php)",
'Top refering search engines' => "Top de buscadores referentes",
'Top Indexing Robots' => "Top de Robots indexadores",
'These are hits from automated robots like search engines\' indexing robots. (Robots must be listed in /conf/_stats.php)' => "Visitas de robots como os robots indexadores dos buscadores. (Os robots teen que estar listados en /conf/_stats.php)",
'Top Aggregators' => "Top de Lectores RSS",
'These are hits from RSS news aggregators. (Aggregators must be listed in /conf/_stats.php)' => "Visitas de lectores RSS. (Teen que estar listados en /conf/_stats.php)",
'Total RSS hits' => "Visitas RSS totais",
'Last direct accesses' => "ltimos accesos directos",
'These are hits from people who came to this blog system by direct access (either by typing the URL directly, or using a bookmark. Invalid (too short) referers are also listed here.)' => "Visitas de xente que veu a esta bitcora por acceso directo (ben tecleando a URL, ben usando os seus \"Favoritos\". Os referidos invlidos (moi curtos) tamn se amosan aqu)",
'Top User Agents' => "Top de navegadores",
'Custom skin template editing' => "Edicin do skin do usuario (custom)",
'Listing:' => "Listando:",
'Invalid filename!' => "nome do ficheiro invlido!",
'Oops, no such file !' => "Oops, non existe o ficheiro!",
'File edited!' => "Ficheiro editado!",
'Be careful what you do, editing this file could break your template! Do not edit what\'s between <code><?php</code> and <code>?></code> if you don\'t know what you\'re doing!' => "Coidado! Editar este arquivo pode estropear a plantilla! Non cambies o que hai entre <code><?php</code> e <code>?></code> se non sabes o que ests facendo!",
'update template !' => "Plantilla actualizada!",
'(you cannot update that file/template: must make it writable, e.g. CHMOD 766)' => "(non podes actualizar o arquivo/plantilla: ts que ter permisos de escritura, p.ex. CHMOD 766)",
'This screen allows you to edit the <strong>custom skin</strong> (located under /skins/custom). ' => "Esta pantalla permteche editar o <strong>custom skin</strong> (que se encontra en /skins/custom).",
'You can edit any of the following files (provided it\'s writable by the server, e.g. CHMOD 766)' => "Podes editar calquera dos seguintes arquivos (sempre que tean permisos de escritura polo servidor, p.ex. CHMOD 766)",
'Directory %s not found.' => "Non se encontra o directorio %s.",
'This is the template that displays the links to the archives for a blog' => "Esta a plantilla que amosa as ligazns s arquivos da bitcora",
'This is the template that displays the (recursive) list of (sub)categories' => "Esta a plantilla que amosa a lista de (sub)categoras",
'This is the template that displays the feedback for a post' => "Esta a plantilla que amosa os comentarios dun post",
'This is the template that displays the last comments for a blog' => "Esta a plantilla que amosa os ltimos comentarios dunha bitcora",
'This is the main template. It displays the blog.' => "Esta a plantilla principal. Amosa a bitcora en s.",
'This is the template that displays stats for a blog' => "Esta a plantilla que amosa as estadsticas dunha bitcora",
'This is the page displayed in the comment popup' => "Esta a pxina amosada no popup dos comentarios",
'This is the page displayed in the pingback popup' => "Esta a pxina amosada no popup dos pingbacks",
'This is the page displayed in the trackback popup' => "Esta a pxina amosada no popup dos trackbacks",
'Note: of course, you can also edit the files/templates in your text editor and upload them. This online editor is only meant to be used when you don\'t have access to a text editor...' => "Nota: tamn podes editar os arquivos/plantillas no teu editor de texto e despois subilos servidor. Este editor online pdese utilizar se non se ten acceso a un editor de texto...",
'upload images/files' => "Subir imaxes/ficheiros",
'File upload' => "Subir Ficheiro",
'Allowed file types:' => "Permitir ficheiros con extensins:",
'Maximum allowed file size: %d KB' => "Tamaño mximo permitido: %d KB",
'Description' => "Descripcin",
'Upload !' => "Subido !",
'File %s: type %s is not allowed.' => "Fichero %s: de tipo %s non est permitido.",
'Couldn\'t upload your file to:' => "Non se pode subir o arquivo a:",
'Duplicate File?' => "Ficheiro duplicado?",
'The filename "%s" already exists!' => "O ficheiro \"%s\" xa existe!",
'Filename "%s" moved to "%s"' => "moveuse o arquivo \"%s\" a \"%s\"",
'Confirm or rename:' => "Confirmar ou renombrar:",
'Alternate name' => "Nome alternativo",
'Confirm !' => "Confirmar !",
'File uploaded !' => "Ficheiro subido !",
'Your file <strong>"%s"</strong> was uploaded successfully !' => "O teu ficheiro <strong>\"%s\"</strong> subiuse satisfactoriamente !",
'Here\'s the code to display it:' => "Este o cdigo para amosalo:",
'Add the code to your post !' => "Engadir o cdigo teu post!",
'Image Details' => "Detalles da imaxe",
'Size' => "Tamaño",
'Type' => "Tipo",
'Close this window' => "Cerrar esta vent",
'User management' => "Administracion de usuarios",
'You cannot change the demouser profile in demo mode!' => "Non se pode cambiar o perfil do usuario demouser no modo de demostracin!",
'You are only allowed to update your own profile!' => "S ts permitido actualizar o teu propio perfil!",
'You must provide an unique login!' => "Debes utilizar un login exclusivo!",
'User level must be between %d and %d.' => "O nivel de usuario debe estar entre %d e %d.",
'This login already exists. Do you want to <a %s>edit the existing user</a>?' => "Este login xa existe. Desexas <a %s>editar o usuario existente</a>?",
'You typed two different passwords.' => "Os contrasinais non coinciden.",
'The mimimum password length is %d characters.' => "A lonxitude mnima do contrasinal debe ser %d caracteres.",
'User updated.' => "Usuario actualizado.",
'New user created.' => "Novo usuario creado.",
'Invalid promotion.' => "Promocin non vlida.",
'User level changed.' => "Cambiouse o nivel de usuario.",
'You can\'t delete yourself!' => "Non te podes borrar a ti mesmo!",
'You can\'t delete User #1!' => "Non podes borrar usuario #1!",
'Delete User %s?' => "Borrar usuario %s?",
'Warning' => "Alerta",
'deleting an user also deletes all posts made by this user.' => " borrar un usuario tamn borra todos os posts feitos por l.",
'Deleting User...' => "Borrando usuario...",
'You can\'t delete Group #1!' => "Non podes borrar o grupo #1!",
'You can\'t delete the default group for new users!' => "Non se pode borrar o grupo por defecto para os novos usuarios!",
'Delete group [%s]?' => "Borrar grupo [%s]?",
'Group deleted...' => "Grupo borrado...",
'This group name already exists! Do you want to <a %s>edit the existing group</a>?' => "O nome do grupo xa existe! Queres <a %s>editar o que xa existe</a>?",
'Group updated.' => "Grupo actualizado.",
'The user was not created:' => "Non se creou o usuario:",
'The user was not updated:' => "Non se actualizou o usuario:",
'The group was not created:' => "Non se creou o grupo:",
'The group was not updated:' => "Non se actualizou o grupo:",
'You are not allowed to view other users.' => "Non ts permiso para ver outros usuarios.",
'Adding new post...' => "Agregando un novo post...",
'Supplied URL is invalid: ' => "O URL invlido:",
'Cannot post, please correct these errors:' => "Non se puido postear, por favor corrixe estes erros:",
'Back to post editing' => "Volver edicin de posts",
'Recording post...' => "Grabando o post...",
'Sleeping...' => "Durmindo....",
'Post not publicly published: skipping trackback, pingback and blog pings...' => "O Post non se pode ver publicamente: obviando trackbacks, pingbacks e pings...",
'Posting Done...' => "Post compretado...",
'Updating post...' => "Actualizando post...",
'Post had already pinged: skipping blog pings...' => "Xa se efectuaron os pings para este post, obvindoos...",
'Updating done...' => "Actualizacin completada...",
'Updating post status...' => "Actualizando o estado do post...",
'Deleting post...' => "Borrando post...",
'Oops, no post with this ID!' => "Oops, non hai ningn post con este ID!",
'Deleting Done...' => "Borrado completado...",
'Error' => "Erro",
'Cannot update comment, please correct these errors:' => "Non se pode actualizar o comentario, por favor, corrixe estes erros:",
'Back to posts!' => "Volver s posts!",
'You may also want to generate static pages or view your blogs...' => "Pode que tamn queiras xenerar pxinas estticas ou ver as tas bitcoras...",
'New post' => "Novo post",
'User group' => "Grupo de usuarios",
'See <a %s>online manual</a> for details.' => "Ver o <a %s>manual online</a> para mis detalles.",
'Level' => "Nivel",
'Default locale' => "locale por defecto",
'Select main category in target blog and optionally check additional categories' => "Elixe unha categora, e categoras adicionais se fose necesario.",
'Select as an additionnal category' => "Seleccionar como categora adicional",
'Select as MAIN category' => "Seleccionar como categora principal",
'Tools' => "Ferramentas",
'Bookmarklet' => "Bookmarklet",
'Add this link to your Favorites/Bookmarks:' => "Engadir esta ligazn s teus \"Favoritos\" (Bookmarks):",
'b2evo bookmarklet' => "b2evo bookmarklet",
'Post to b2evolution' => "Postear a b2evolution",
'No Sidebar found! You must use Mozilla 0.9.4 or later!' => "No se encontrou o Sidebar. Debes utilizar Mozzila 0.9.4 ou superior.",
'SideBar' => "SideBar",
'Add the <a %s>b2evo sidebar</a> !' => "Engadir <a %s>b2evo sidebar</a>",
'Add this link to your favorites:' => "Engadir esta ligazn s teus favoritos:",
'b2evo sidebar' => "b2evo sidebar",
'Movable Type Import' => "Importar Movable Type",
'Use MT\'s export functionnality to create a .TXT file containing your posts;' => "Usa a funcin de MT para crear un arquivo .TXT que contea os teus posts;",
'Place that file into the /admin folder on your server;' => "Sube o arquivo directorio /admin no servidor;",
'Follow the insctructions in the <a %s>MT migration utility</a>.' => "Sigue as instruccins da <a %s>Utilidade de migracin de MT</a>.",
'Static file generation' => "Xeneracin de ficheiro esttico",
'Static filename' => "Ficheiro esttico",
'This is the .html file that will be created when you generate a static versin da pxina principal do blog.' => "Este o arquivo .html que se crear cando xeneres unha versin esttica da ta bitcora.",
'After each new post...' => "Despois de cada novo post...",
'Ping b2evolution.net' => "Facer ping a b2evolution.net",
'to get listed on the "recently updated" list on b2evolution.net' => "para ser listado na lista de b2evolution de \"actualizados ultimamente\" (\"recently updated\")",
'Ping technorati.com' => "Facer ping a technorati.com",
'to give notice of new post.' => "para avisar do novo post.",
'Ping weblogs.com' => "Facer ping a weblogs.com",
'Ping blo.gs' => "Facer ping a blo.gs",
'Advanced options' => "Opcins avanzadas",
'Allow trackbacks' => "Permitir trackbacks",
'Allow other bloggers to send trackbacks to this blog, letting you know when they refer to it. This will also let you send trackbacks to other blogs.' => "Permitir a outros enviar trackbacks para esta bitcora, permitndoche saber cando fan referencia a esta. Tamn che permitir enviar trackbacks a outras bitcoras.",
'Allow pingbacks' => "Permitir pingbacks",
'Allow other bloggers to send pingbacks to this blog, letting you know when they refer to it. This will also let you send pingbacks to other blogs.' => "Permitir a outros enviar pingbacks a esta bitcora, permitndoche saber cando fan referencia a esta. Tamn che permitir enviar pingbacks a outras bitcoras.",
'Save !' => "Gardar!",
'Reset' => "Reiniciar",
'General parameters' => "Parmetros xerais",
'Full Name' => "Nome completo",
'Will be displayed on top of the blog.' => "Amosarase na parte de arriba da bitcora.",
'Short Name' => "Nome curto",
'Will be used in selection menus and throughout the admin interface.' => "Usarase nos mens de seleccin e no interface do admin.",
'Main Locale' => "Locale principal",
'Determines the language of the navigation links on the blog.' => "Determina o idioma da interface na bitcora.",
'Access parameters' => "Parmetros de acceso",
'Default blog on index.php' => "Bitcora por defecto en index.php",
'Current default is:' => "O Predeterminado actual :",
'Other blog through index.php' => "Outra bitcora a travs de index.php",
'Other blog through stub file (Advanced)' => "Outra bitcora a travs dun ficheiro stub",
'You MUST create a stub file for this to work.' => "Debes crear un arquivo stub para que funcione.",
'Preferred access type' => "Tipo de acceso preferido",
'Blog Folder URL' => "URL do directorio da bitcora",
'No trailing slash. (If you don\'t know, leave this field empty.)' => "Sen barra diagonal invertida. (Se non o sabes, dixao en branco)",
'URL blog name / Stub name' => "URL do nome da bitcora / nome do ficheiro stub",
'Used in URLs to identify this blog. This should be the stub filename if you use stub file access.' => "Usado no URL para identificar esta bitcora. Ten que ser o nome de arquivo stub, si usas o acceso a travs dun ficheiro stub.",
'Default display options' => "Opcins de visualizacin por defecto",
'Default skin' => "Skin predeterminado",
'This is the default skin that will be used to display this blog.' => "Este o skin predeterminado que se usar para amosar a bitcora.",
'Allow skin switching' => "Permitir cambio de skin",
'Users will be able to select another skin to view the blog (and their prefered skin will be saved in a cookie).' => "Os usuarios podern elixir outro skin para ver a bitcora (e o seu skin preferido gardarase nunha cookie)",
'Display public blog list' => "Amosar a lista de bitcoras pblicas",
'Check this if you want to display the list of all blogs on your blog page (if your skin supports this).' => "Mrcaa se queres amosar a lista das bitcoras na pxina da tabitcora (se o teu skin o permite)",
'Include in public blog list' => "Incluir na lista de bitcoras pblicas",
'Check this if you want to this blog to be displayed in the list of all public blogs.' => "Mrcaa se queres que a ta bitcora sexa amosada na lista de todas asbitcoras pblicas.",
'Default linkblog' => "Linkblog por defecto",
'Will be displayed next to this blog (if your skin supports this).' => "Amosarase lado desta bitcora (se o teu skin o soporta).",
'Tagline' => "Tagline",
'This is diplayed under the blog name on the blog template.' => "Isto amsase debaixo do nome da bitcora na plantilla.",
'Long Description' => "Descripcin longa",
'This is displayed on the blog template.' => "Isto amsase na plantilla da bitcora.",
'Short Description' => "Descripcin Curta",
'This is is used in meta tag description and RSS feeds. NO HTML!' => "Isto sase na descripcin meta tag e nos RSS feeds. NON uses HTML!",
'Keywords' => "Palabras clave",
'This is is used in meta tag keywords. NO HTML!' => "Isto sase na etiqueta "meta keywords". NoN uses HTML!. Separa as palabras por unha coma.",
'Notes' => "Notas",
'Additional info.' => "Informacin adicional.",
'Blog' => "Bitcora",
'Blog URL' => "URL da bitcora",
'Static File' => "Ficheiro esttico",
'Locale' => "locale",
'Properties' => "Propiedades",
'Default' => "Predefinido",
'Gen!' => "Xenerar!",
'Are you sure you want to delete blog #%d ?\\n\\nWARNING: This will delete ALL POST, COMMENTS,\\nCATEGORIES and other data related to that Blog!\\n\\nThis CANNOT be undone!' => "Ests seguro de que queres borrar a bitcora #%d ?\\n\\nATENCIN: Isto borrar todos os posts, comentarios,\\nCATEGORAS e outros datos relacionados coa bitcora \\n\\nNON se poden desfacer os cambios!",
'Delete this blog!' => "Borrar esta bitcora!",
'Copy this blog!' => "Copiar esta bitcora",
'Copy' => "Copiar",
'Sorry, you have no permission to edit/view any blog\'s properties.' => "Non ts permisos para editar/ver as propiedades da bitcora.",
'New blog...' => "Nova bitcora...",
'User permissions' => "Permisos de usuario",
'Login ' => "Login",
'Is<br />member' => "<br />membro",
'Can post/edit with following statuses:' => "Pode postear/editar cos seguintes estados:",
'Delete<br />posts' => "Borrar<br />posts",
'Edit<br />comts' => "Editar<br />comentarios",
'Edit<br />cats' => "Editar<br />categoras",
'Edit<br />blog' => "Editar<br />bitcora",
'Published' => "Publicado",
'Protected' => "Protexido",
'Private' => "Privado",
'Draft' => "Borrador",
'Deprecated' => "Desaprobado",
'Members' => "Membros",
'Permission to read protected posts' => "Permiso para ler posts protexidos",
'Permission to post into this blog with private status' => "Permiso para postear nesta bitcora co estado Privado",
'Permission to post into this blog with protected status' => "Permiso para postear nesta bitcora co estado Protexido",
'Permission to post into this blog with draft status' => "Permiso para postear nesta bitcora co estado Borrador",
'Permission to post into this blog with deprecated status' => "Permiso para postear nesta bitcora con estado Desaprobado",
'Permission to delete posts in this blog' => "Permiso para borrar posts nesta bitcora",
'Permission to edit comments in this blog' => "Permiso para editar comentarios nesta bitcora",
'Permission to edit categories for this blog' => "Permiso para editar categoras desta bitcora",
'Permission to edit blog properties' => "Permiso para editar propiedades da bitcora",
'(un)selects all checkboxes using Javascript' => "Marcar ou quitar a marca de todas as casillas usando Javascript",
'(un)check all' => "Marcar ou quitar a marca de todas",
'Non members' => "Non son membros",
'Warning! You are about to remove your own permission to edit this blog!\\nYou won\\\'t have access to its properties any longer if you do that!' => "Coidado! Ests a punto de eliminar os teus propios permisos para editar esta bitcora.\\nNo ters acceso s sas propiedades se o fas!",
'Edit category properties' => "Editar propiedades de categora",
'Are you sure you want to delete?' => "Ests seguro de que queres borrar?",
'New sub-category here' => "Nova subcategora aqu",
'New category here' => "Nova categora aqu",
'<strong>Note:</strong> Deleting a category does not delete posts from that category. It will just assign them to the parent category. When deleting a root category, posts will be assigned to the oldest remaining category in the same blog (smallest category number).' => "<strong>Nota:</strong> Borrar unha categora, non borra os posts correspondentes a dita categora. Os posts moveranse categora superior. Si se borra a categora raiz, os posts pasarn categora ms antiga da mesma bitcora (categora co nmero mis pequeno ouigual a 1).",
'Post contents' => "Contido do post",
'Title' => "Ttulo",
'Language' => "Idioma",
'Link to url' => "Ligazn",
'Email' => "Email",
'URL' => "Pxina web",
'Preview' => "Previsualizar",
' Save ! ' => " Gardar ",
'Spellcheck' => "Ortografa",
'Upload a file/image' => "Subir un arquivo ou imaxe",
'Advanced properties' => "Propiedades avanzadas",
'Edit timestamp' => "Editar data/hora",
'URL Title' => "Ttulo URL",
'(to be used in permalinks)' => "(usarase no permalink)",
'Auto-BR' => "Auto-BR",
'This option is deprecated, you should avoid using it.' => "Esta opcin est desaprobada, deberas evitar usala.",
'Additional actions' => "Accins adicionais",
'Pingback' => "Pingback",
'(Send a pingback to all URLs in this post)' => "(Enviar un pingback a todos os URLs neste post)",
'Trackback URLs' => "Trackback URLs",
'(Separate by space)' => "(Separadas por un espacio)",
'Status' => "Estado",
'The post will be publicly published' => "Publicarase este post",
'Published (Public)' => "Publicado",
'The post will be published but visible only by logged-in blog members' => "Publicarase este post, pero s ser visible para os usuarios rexistrados",
'Protected (Members only)' => "Protexido (S membros)",
'The post will be published but visible only by yourself' => "Publicarase este post, pero s o poders ver ti",
'Private (You only)' => "Privado (S o poders ver ti)",
'The post will appear only in the backoffice' => "Este post non se publicar",
'Draft (Not published!)' => "Borrador (Non publicado)",
'Deprecated (Not published!)' => "Desaprobado (Non publicado)",
'Note: Cross posting among multiple blogs is enabled.' => "Nota: Cross posting est activado",
'Note: Cross posting among multiple blogs is currently disabled.' => "Nota: Cross posting est desactivado",
'Note: Cross posting among multiple categories is currently disabled.' => "Nota: Cross posting entre categoras est desactivado",
'Comments' => "Comentarios",
'Visitors can leave comments on this post.' => "Os visitantes poden facer comentarios",
'Open' => "Aberto",
'Visitors can NOT leave comments on this post.' => "Os visitantes NON poden facer comentarios.",
'Closed' => "Cerrado",
'Visitors cannot see nor leave comments on this post.' => "Os visitantes non podern nin ver nin facer comentarios neste post.",
'Disabled' => "Deshabilitado",
'Renderers' => "Intrpretes (Renderers)",
'Comment info' => "Informacin do comentario",
'Author' => "Autor",
'IP address' => "Enderezo IP",
'Next %d days' => "Prximos %d das",
'Previous %d' => "%d anteriores",
'Previous %d days' => "%d das anteriores",
'Next %d' => "Seguintes %d",
' to ' => "a",
' of ' => "de",
'from the end' => "desde o final",
'from the start' => "desde o principio",
'OK' => "Ok",
' Date range: ' => "Rango de datas:",
'by' => "por",
'level:' => "Nivel:",
'Pages:' => "Pxinas:",
'no comment' => "sen comentarios",
'1 comment' => "1 comentario",
'%d comments' => "%d comentarios",
'1 Trackback' => "1 Trackback",
'%d Trackbacks' => "%d Trackbacks",
'1 Pingback' => "1 Pingback",
'%d Pingbacks' => "%d Pingbacks",
'Trackbacks' => "Trackbacks",
'Pingbacks' => "Pingbacks",
'No feedback for this post yet...' => "Anda non hai comentarios para este post...",
'Comment from:' => "Comentario de:",
'Trackback from:' => "Trackback desde:",
'Pingback from:' => "Pingback desde:",
'Permanent link to this comment' => "Ligazn permanente a este comentario",
'Leave a comment' => "Facer comentario",
'User' => "Usuario",
'Edit profile' => "Editar perfil",
'Comment text' => "Comentario",
'Allowed XHTML tags' => "etiquetas XHTML permitidas",
'URLs, email, AIM and ICQs will be converted automatically.' => "URLs, email, AIM e ICQs convertiranse automaticamente.",
'Options' => "Opcins",
'(Line breaks become <br>)' => "(Os saltos de lia convrtense en <br>)",
'Send comment' => "Enviar",
'Posts to show' => "Posts a mostrar",
'Past' => "Pasado",
'Future' => "Futuro",
'Title / Text contains' => "Ttulo / O Texto conten",
'Words' => "Palabras",
'AND' => "E",
'OR' => "Ou",
'GPL License' => "Licencia GPL",
'uncheck all' => "Quitar a marca de todas",
'check all' => "Marcar todas",
'visit b2evolution\'s website' => "visitar a pxina de b2evolution",
'Logout' => "Cerrar sesin",
'Exit to blogs' => "Sair s bitcoras",
'Blog time:' => "Hora da bitcora:",
'GMT:' => "GMT:",
'Logged in as:' => "Identificado como:",
'Write' => "Privado",
'Edit' => "Editar",
'Stats' => "Estadsticas",
'Templates' => "Plantillas",
'Users' => "Usuarios",
'User Profile' => "Perfil de usuario",
'Default user rights' => "Dereitos do usuario por defecto",
'New users can register' => "Permitir rexistrarse a novos usuarios",
'Check to allow new users to register themselves.' => "Marcar para permitir que os novos usuarios se rexistren eles mesmos.",
'Group for new users' => "Grupo para os novos usuarios",
'Groups determine user roles and permissions.' => "Os grupos determinan as funcins os permisos dos usuarios.",
'Level for new users' => "Nivel para os novos usuarios",
'Levels determine hierarchy of users in blogs.' => "Os niveis determinan a xerarqua dos usuarios nas bitcoras.",
'Display options' => "Opcins de visualizacin",
'Default blog to display' => "Bitcora para amosar por defecto",
'This blog will be displayed on index.php .' => "A bitcora amosarase en index.php",
'days' => "das",
'posts' => "posts",
'posts paged' => "posts amosados",
'Display mode' => "Modo de visualizacin",
'Posts/Days per page' => "Posts/Das por pxina",
'monthly' => "mensualmente",
'weekly' => "semanalmente",
'daily' => "diariamente",
'post by post' => "post a post",
'Archive mode' => "Modo de arquivo",
'Link options' => "Opcins de enlace",
'Use extra-path info' => "Usar informacin extra-path",
'Recommended if your webserver supports it. Links will look like \'stub/2003/05/20/post_title\' instead of \'stub?title=post_title&c=1&tb=1&pb=1&more=1\'.' => "Recomendado, se o teu servidor web o soporta. As ligazns amosaranse como 'stub/2003/05/20/post_title' en vez de 'stub?title=post_title&c=1&tb=1&pb=1&more=1'.",
'Post called up by its URL title (Recommended)' => "Post chamado polo seu ttulo URL (Recomendado)",
'Fallback to ID when no URL title available.' => "sase o seu ID se non hai ttulo URL dispoible.",
'Post called up by its ID' => "Post chamado polo seu ID",
'Post on archive page, located by its ID' => "Post na pxina de arquivos, localizado polo seu ID",
'Post on archive page, located by its title (for Cafelog compatibility)' => "Post na pxina de arquivos, localizada polo seu ttulo (compatibilidade con Cafelog)",
'Permalink type' => "Tipo de ligazn permanente",
'Security options' => "Opcins de seguridade",
'Minimum password length' => "Lonxitude mnima do contrasinal",
'for users.' => "para os usuarios.",
'Rendering plug-ins' => "Plug-ings intrpretes",
'Plug-in' => "Plug-in",
'Apply' => "Aplicar",
'Toolbar plug-ins' => "Plug-ins da barra de ferramentas",
'Update' => "Actualizar",
'Create new locale' => "Crear novo arquivo local",
'Edit locale' => "Editar locale",
'The first two letters should be a <a %s>ISO 639 language code</a>. The last two letters should be a <a %s>ISO 3166 country code</a>.' => "As das primeiras letras deben ser o <a %s>cdigo de linguaxe ISO 639</a>. As das ltimas letras deben ser o <a %s>cdigo de pas ISO 3166</a>.",
'Enabled' => "Habilitado",
'Should this locale be available to users?' => "locale dispoible para os usuarios?",
'name of the locale' => "nome do locale",
'Charset' => "Charset",
'Must match the lang file charset.' => "Debe coincidir co arquivo de idioma.",
'Date format' => "Formato de data",
'See below.' => "Ver abaixo.",
'Time format' => "Formato de hora",
'Lang file' => "Arquivo de idioma",
'the lang file to use, from the <code>locales</code> subdirectory' => "o arquivo de idioma que se utilizar, do subdirectorio <code>locales</code>",
'Priority' => "Prioridade",
'1 is highest. Priority is important when selecting a locale from a language code and several locales match the same language; this can happen when detecting browser language. Priority also affects the order in which locales are displayed in dropdown boxes, etc.' => "1 a mis alta. A prioridade importante seleccionar un locale dun cdigo de idioma, e varios locales coinciden co mesmo idioma; pode ocurrir cando se detecta o idioma do navegador. A prioridade tamn afecta orde en que os locales son mostrados nos mens despregables, etc.",
'Create' => "Crear",
'This will replace locale \\\'%s\\\'. Ok?' => "Esto reemprazar o locale \\'%s\\'. S?",
'Flags' => "Bandeiras",
'The flags are stored in subdirectories from <code>%s</code>. Their filename is equal to the country part of the locale (characters 4-5); file extension is .gif .' => "As bandeiras grdanse en subdirectorios de <code>%s</code>. O seu nome de arquivo igual parte do pais do locale (caracteres 4 e 5); a sa extensin .gif",
'Date/Time Formats' => "Formatos de data e hora",
'The following characters are recognized in the format strings:' => "Os seguintes caracteres recocense nas cadeas de formato:",
'a - "am" or "pm"' => "a - \"am\" ou \"pm\"",
'A - "AM" or "PM"' => "A - \"AM\" ou \"PM\"",
'B - Swatch Internet time' => "B - Hora de Internet Swatch",
'c - ISO 8601 date (Requires PHP 5); i.e. "2004-02-12T15:19:21+00:00"' => "c - Data ISO 8601 (Requiere PHP 5); p.ex: \"2004-02-12T15:19:21+00:00\"",
'd - day of the month, 2 digits with leading zeros; i.e. "01" to "31"' => "d- dia do mes, 2 dxitos con cero esquerda; p.ex: \"01\" a \"31\"",
'D - day of the week, textual, 3 letters; i.e. "Fri"' => "D - da da semana, textual, 3 letras; p.ex: \"Mie\"",
'e - day of the week, 1 letter; i.e. "F"' => "e - da da semana, 1 letra; p.ex: \"V\"",
'F - month, textual, long; i.e. "January"' => "F - mes, textual, longo; p.ex: \"Xaneiro\"",
'g - hour, 12-hour format without leading zeros; i.e. "1" to "12"' => "g - hora, formato de 12 horas, sen cero esquerda; p.ex: \"1\" a \"12\"",
'G - hour, 24-hour format without leading zeros; i.e. "0" to "23"' => "G - hora, formato de 24 horas, sen cero a esquerda; p.ex: \"0\" a \"23\"",
'h - hour, 12-hour format; i.e. "01" to "12"' => "h - hora, formato de 12 horas; p.ex: \"01\" a \"12\"",
'H - hour, 24-hour format; i.e. "00" to "23"' => "H - hora, formato de 24 horas; p.ex: \"00\" a \"23\"",
'i - minutes; i.e. "00" to "59"' => "i - minutos; p.ex: \"00\" a \"59\"",
'I (capital i) - "1" if Daylight Savings Time, "0" otherwise.' => "I (i maiscula) - \"1\" en horario de vern, \"0\" si non.",
'j - day of the month without leading zeros; i.e. "1" to "31"' => "j - da do mes sen ceros esquerda; p.ex: \"1\" a \"31\"",
'l (lowercase "L") - day of the week, textual, long; i.e. "Friday"' => "l (L minscula) - da da semana, textual, longo; p.ex: Venres",
'L - boolean for whether it is a leap year; i.e. "0" or "1"' => "L - Booleano que amosa se o ano bisesto; p.ex: \"0\" o \"1\"",
'm - month; i.e. "01" to "12"' => "m - mes; p.ex.: \"01\" a \"12\"",
'M - month, textual, 3 letters; i.e. "Jan"' => "M - mes, textual, 3 letras; p.ex: \"Ene\"",
'n - month without leading zeros; i.e. "1" to "12"' => "n - mes sen ceros esquerda; p.ex: \"1\" a \"12\"",
'O - Difference to Greenwich time (GMT) in hours; i.e. "+0200"' => "O - Diferencia coa hora de Greenwich (GMT) en horas; p.ex: \"+0200\"",
'r - RFC 822 formatted date; i.e. "Thu, 21 Dec 2000 16:01:07 +0200"' => "r - Data con formato RFC 822; p.ej: \"Jue, 21 Dic 2000 16:01:07 +0200\"",
's - seconds; i.e. "00" to "59"' => "s - segundos; p.ex: \"00\" a \"59\"",
'S - English ordinal suffix, textual, 2 characters; i.e. "th", "nd"' => "S - sufixo ingls para os ordinais, textual, 2 caracteres; p.ex: \"th\", \"nd\"",
't - number of days in the given month; i.e. "28" to "31"' => "t - nmero de das do mes; p.ex: \"28\" a \"31\"",
'T - Timezone setting of this machine; i.e. "MDT"' => "T - Configuracin da zona horaria da mquina; p.ex: \"MDT\"",
'U - seconds since the epoch' => "U - segundos desde a \"epoch\"",
'w - day of the week, numeric, i.e. "0" (Sunday) to "6" (Saturday)' => "w - da da semana, numrico; p.ex: \"0\" (Luns) a \"6\" (Sbado)",
'W - ISO-8601 week number of year, weeks starting on Monday; i.e. "42"' => "W - Nmero da semana do ano, segundo ISO-8601, empezando a semana en Luns; p.ex: \"42\"",
'Y - year, 4 digits; i.e. "1999"' => "E - ano, 4 dxitos; p.ex: \"2004\"",
'y - year, 2 digits; i.e. "99"' => "e - ano, 2 dxitos; p.ex: \"04\"",
'z - day of the year; i.e. "0" to "365"' => "z - da do ano; p.ex.: \"0\" a \"365\"",
'Z - timezone offset in seconds (i.e. "-43200" to "43200"). The offset for timezones west of UTC is always negative, and for those east of UTC is always positive.' => "Z - offset da zona horaria, en segundos; p.ex: \"-43200\" a \"43200\". Para zonas horarias oeste da UTC negativo, e viceversa.",
'isoZ - full ISO 8601 format, equivalent to Y-m-d\\TH:i:s\\Z' => "isoZ - formato ISO 8601, equivalente a Y-m-d\\TH:i:s\\Z",
'Unrecognized characters in the format string will be printed as-is.<br />\n\t\t\tYou can escape characters by preceding them with a \\ to print them as-is.' => "Os caracteres non recoecidos na cadea de formato amosaranse tal cual.<br />\n\t\t\tPara amosar caracteres que definen un formato, hai que poer \\ diante.",
'Note: default locale is not enabled.' => "Nota: o locale predefinido non est habilitado",
'Regional settings' => "Opcins rexionais",
'Time difference' => "Diferencia horaria",
'in hours' => "en horas",
'If you\'re not on the timezone of your server. Current server time is: %s.' => "Se non ests na zona horaria do teu servidor. A hora do servidor actual : %s.",
'Overriden by browser config, user locale or blog locale (in this order).' => "Forzado pola configuracin do navegador, o locale do usuario, ou o locale da bitcora (nesta orde).",
'Available locales' => "locales dispoibles",
'Hide translation info' => "Ocultar informacin de traduccin",
'Show translation info' => "Amosar informacin de traduccin",
'Date fmt' => "Formato de data",
'Time fmt' => "Formato de hora",
'Strings' => "Cadeas",
'Translated' => "Traducido",
'Extract' => "Extraer",
'up' => "arriba",
'Move priority up' => "Subir prioridade",
'down' => "baixo",
'Move priority down' => "Baixar prioridade",
'Copy locale' => "Copiar locale",
'Reset custom settings' => "Reestablecer valores preferidos",
'No language file...' => "Non hai arquivo de idioma...",
'Extract .po file into b2evo-format' => "Extraer arquivo .po formato b2evolution",
'Are you sure you want to reset?' => "Ests seguro de que desexas volver s valores iniciais?",
'Reset to defaults (delete database table)' => "Volver s valores iniciais (borrar a tboa da base de datos)",
'first user' => "primeiro usuario",
'previous user' => "usuario anterior",
'next user' => "usuario seguinte",
'last user' => "ltimo usuario",
'Close user profile' => "Cerrar perfil de usuario",
'Create new user profile' => "Crear un novo perfil de usuario",
'Profile for:' => "Perfil de:",
'Login' => "Acceso",
'First name' => "Primeiro Nome",
'Last name' => "Apelido",
'Nickname' => "Nick",
'Identity shown' => "Identidade amosada",
'Preferred locale' => "Arquivo local preferido",
'Preferred locale for admin interface, notifications, etc.' => "locale preferido para a interface de administracin, notificacins, etc.",
'Send an email' => "Enviar un email",
'Visit the site' => "Visitar o sitio",
'Search on ICQ.com' => "Buscar en ICQ.com",
'ICQ' => "ICQ",
'Instant Message to user' => "Mensaxe usuario",
'AIM' => "AIM",
'MSN IM' => "MSN",
'YahooIM' => "YahooIM",
'Notifications' => "Notificacins:",
'Check this to receive notification whenever one of your posts receives comments, trackbacks, etc.' => "Marca a casilla para recibir notificacin cando un dos teus posts recibe comentarios, trackbacks, etc.",
'New password' => "Novo contrasinal",
'Leave empty if you don\'t want to change the password.' => "Deixar en branco se non desexas cambiar o contrasinal.",
'Confirm new password' => "Confirmar o novo contrasinal",
'yes' => "s",
'no' => "non",
'User rights' => "Dereitos de usuario",
'User information' => "Informacin de usuario",
'ID' => "ID",
'Posts' => "Posts",
'Created on' => "Creado en",
'From IP' => "Desde a IP",
'From Domain' => "Desde o dominio",
'With Browser' => "Co navegador",
'first group' => "primeiro grupo",
'previous group' => "grupo anterior",
'next group' => "prximo grupo",
'last group' => "ltimo grupo",
'Close group profile' => "Cerrar perfil de grupo",
'Creating new group' => "Creando novo grupo",
'Editing group:' => "Editando o grupo:",
'Viewing group:' => "Vendo o grupo:",
'Permissons for members of this group' => "Permisos para membros deste grupo",
'View all' => "Ver todos",
'Full Access' => "Acceso total",
'No Access' => "Sen acceso",
'View only' => "S ver",
'Statistics' => "Estadsticas",
'Global options' => "Opcins globais",
'Check to allow template editing.' => "Marcar para permitir a edicin de plantillas",
'User/Group Management' => "Administracion de usuarios/grupos",
'Groups & Users' => "Grupos & Usuarios",
'default group for new users' => "grupo establecido por defecto para os novos usuarios",
'Copy group' => "Copiar grupo",
'Delete group' => "Borrar grupo",
'decrease user level' => "disminuir o nivel de usuario",
'increase user level' => "Aumentar o nivel de usuario",
'Delete user' => "Borrar usuario",
'Are you sure you want to delete this user?\\nWarning: all his posts will be deleted too!' => "Ests seguro que queres borrar este usuario?\\nAlerta: todos os seus posts tamn se borrarn!",
'New user...' => "Novo usuario...",
'New group...' => "Novo grupo...",
'The default skin [%s] set for blog [%s] does not exist. It must be properly set in the <a %s>blog properties</a> or properly overriden in a stub file. Contact the <a %s>webmaster</a>...' => "O skin por defecto [%s] establecido para a bitcora [%s] non existe. Ten que estar adecuadamente configurado nas <a %s>propiedades da bitcora</a> ou no arquivo stub. Contacte co <a %s>webmaster</a>...",
'ERROR! Could not delete! You will have to delete the file [%s] by hand.' => "ERRO! Non se puido borrar. Debers borrar o arquivo [%s] manualmente.",
'%d posts' => "%d posts",
'1 post' => "1 post",
'previous month' => "mes anterior",
'next month' => "mes seguinte",
'previous year' => "ano anterior",
'next year' => "prximo ano",
'go to month\'s archive' => "ir arquivo mensual",
'Member' => "Membro",
'Visitor' => "Visitante",
'Edit this comment' => "Editar comentario",
'Delete' => "Borrar",
'Delete this comment' => "Editar comentario",
'You are about to delete this comment!\\n\\\'Cancel\\\' to stop, \\\'OK\\\' to delete.' => "Ests a punto de borrar este comentario.\\n\\'Cancelar\\' para abortar. \\'OK\\' para borrar.",
'No comment yet...' => "Anda non hai ningn comentario...",
'Sorry, there is nothing to display...' => "Sntoo, non hai nada que amosar...",
'Error selecting database [%s]!' => "Erro seleccionando a base de datos [%s]",
'MySQL error!' => "Erro de MySQL!",
'New group' => "Novo grupo",
'Parser error: ' => "Erro \"parser\":",
'Tag <code>body</code> can only be used once!' => "A etiqueta <code>body</code> s pode usarse unha vez!",
'Illegal tag' => "etiqueta ilegal",
'Tag %s must occur inside another tag' => "A etiqueta %s ten que estar dentro de outra etiqueta",
'Tag %s is not allowed within tag %s' => "A etiqueta %s non est permitida dentro da etiqueta %s",
'Tag %s may not have attribute %s' => "A etiqueta %s non debe ter o atributo %s",
'Found invalid URL: ' => "Encontrouse un URL non vlido:",
'Tag %s may not contain raw character data' => "A etiqueta %s non debe ter datos de caracteres en bruto",
'Browse category' => "Navegar pola categora",
'Comments are closed for this post.' => "Os comentarios para este post estn cerrados.",
'This post is not published. You cannot leave comments.' => "Este post non est publicado. Non podes facer comentarios.",
'Read more!' => "Ler mis!",
'More:' => "Mis:",
'Display feedback / Leave a comment' => "Ver comentarios / Facer comentario",
'Send feedback' => "Enviar comentario",
'1 feedback' => "1 comentario",
'%d feedbacks' => "%d comentarios",
'Display comments / Leave a comment' => "Ver comentarios / Facer comentario",
'Display trackbacks / Get trackback address for this post' => "Ver trackbacks / Obter enderezo de trackback deste post",
'Trackback (0)' => "Trackback (0)",
'Trackback (1)' => "Trackback (1)",
'Trackbacks (%d)' => "Trackbacks (%d)",
'Display pingbacks' => "Ver pingbacks",
'Pingback (0)' => "Pingback (0)",
'Pingback (1)' => "Pingback (1)",
'Pingbacks (%d)' => "Pingbacks (%d)",
'Delete this post' => "Borrar este hit!",
'You are about to delete this post!\\n\\\'Cancel\\\' to stop, \\\'OK\\\' to delete.' => "Ests a punto de borrar este post.\\n\\'Cancelar\\' para abortar. \\'OK\\' para borrar.",
'Edit this post' => "Editar",
'Publish NOW!' => "Publicar AGORA!",
'Publish now using current date and time.' => "Publicar agora utilizando a data e hora actuais.",
'Invalid post, please correct these errors:' => "Post non vlido, por favor corrixe estes erros:",
'Sorry, there is no post to display...' => "Sntoo, non hai post que amosar...",
'POP3 connect:' => "Conectar con POP3:",
'No server specified' => "Servidor non especificado",
'POP3: premature NOOP OK, NOT an RFC 1939 Compliant server' => "POP3: NOOP OK prematuro, o servidor NON segue a norma RFC 1939",
'POP3 noop:' => "POP3 noop:",
'No connection to server' => "Non hai conexin co servidor",
'POP3 user:' => "Usuario POP3:",
'No login ID submitted' => "Non se enviou login ID",
'connection not established' => "conexin non realizada",
'POP3 pass:' => "Contrasinal POP3:",
'No password submitted' => "Non se enviou o contrasinal",
'authentication failed ' => "fallo de autentificacin ",
'NOOP failed. Server not RFC 1939 compliant' => "NOOP fallou. O servidor non sigue a norma RFC 1939",
'POP3 apop:' => "POP3 apop:",
'No server banner' => "Non hai banner do servidor",
'abort' => "abortar",
'apop authentication failed' => "Fallou a autentificacin apop",
'POP3 login:' => "POP3 login:",
'POP3 top:' => "POP3 top:",
'POP3 pop_list:' => "POP3 pop_list:",
'Premature end of list' => "Fin da lista prematuramente",
'POP3 get:' => "POP3 get:",
'POP3 last:' => "POP3 last:",
'POP3 reset:' => "POP3 reset:",
'POP3 send_cmd:' => "POP3 send_cmd:",
'Empty command string' => "Cadea de comandos vacia",
'POP3 quit:' => "Sair POP3:",
'connection does not exist' => "a conexin non existe",
'POP3 uidl:' => "POP3 uidl:",
'POP3 delete:' => "Borrar POP3:",
'No msg number submitted' => "Non se enviou o nmero da mensaxe",
'Command failed' => "Fallou o comando",
'New user' => "Novo usuario",
'Permission denied!' => "Acceso denegado!",
'Oops, MySQL error!' => "Oops, erro na BD Mysql!",
'go back' => "volver atrs",
'Redirecting you to:' => "Redireccionndote a: ",
'If nothing happens, click <a %s>here</a>.' => "Se no acontece nada, fai click <a %s>aqu</a>.",
'No responde!' => "Sen resposta!",
'Remote error' => "Erro remoto",
'Response' => "Resposta:",
'Parameter %s is required!' => "O parmetro %s obrigatorio!",
'Invalid URL' => "URL invlido",
'URI scheme not allowed' => "Esquema URI non permitido",
'URL not allowed' => "URL non permitido",
'Reporting abuse to b2evolution.net...' => "Notificando spam a b2evolution.net...",
'Aborted (Running on localhost).' => "Cancelado (Executado en localhost).",
'Requesting abuse list from b2evolution.net...' => "Solicitando lista de spam de b2evolution.net...",
'Latest update timestamp' => "Hora da ltima actualizacin",
'Incomplete reponse.' => "Resposta incompleta.",
'No new blacklisted strings are available.' => "Non hai dispoibles novas cadeas na lista negra.",
'Adding strings to local blacklist' => "Engadindo cadeas lista negra local",
'Adding:' => "Engadindo:",
'OK.' => "Ok.",
'Not necessary! (Already handled)' => "Xa estaba engadida",
'New latest update timestamp' => "Hora da ltima actualizacin",
'Invalid reponse.' => "Resposta invlida.",
'Requested blog does not exist!' => "A bitcora solicitada non existe!",
'Post details' => "Detalles do post",
'PREVIEW' => "Previsualizar",
'Next page' => "Pxina seguinte",
'Previous page' => "Pxina anterior",
'Previous post' => "Post anterior",
'Next post' => "Seguinte post",
'Next Page' => "Pxina seguinte",
'Previous Page' => "Pxina anterior",
'Cannot delete if there are sub-categories!' => "Non se pode borrar se ten subcategoras!",
'Cannot delete last category if there are posts inside!' => "Non se pode borrar a ltima categora se hai posts dentro!",
'Requested category %s does not exist!' => "A categora solicitada %s non existe!",
'Category' => "Categora",
'bad char in User Agent' => "Carcter non vlido no navegador",
'referer ignored' => "referido ignorado",
'BlackList' => "Lista negra",
'robot' => "robot",
'invalid' => "invlido",
'search engine' => "motor de bsqueda",
'loading referering page' => "cargando pxina referente",
'found current url in page' => "encontrado o url actual na pxina",
'not a query - no params!' => "non era unha consula - non hai parmetros",
'no query string found' => "non se encontrou a cadea de consulta",
'name' => "nome",
'Sending pingbacks...' => "Enviando pingbacks...",
'No pingback to be done.' => "Non hai pingbacks que realizar.",
'BEGIN' => "PRINCIPIO",
'Processing:' => "Procesando:",
'Couldn\'t find a hostname for:' => "Non se puido encontrar o nome do host para:",
'Connect to server at:' => "Conectarse servidor en:",
'Couldn\'t open a connection to:' => "Non se puido abrir conexin con:",
'Start receiving headers and content' => "Empezar a recibir encabezados e contido",
'Pingback server found from X-Pingback header:' => "Servidor pingback encontrado en encabezado X-Pingback:",
'Pingback server found from Pingback <link /> tag:' => "Servidor Pingback encontrado en etiqueta Pingback <link />:",
'Pingback server not found in headers and content' => "Servidor pingback non encontrado nos encabezados e contido",
'Pingback server URL is empty (may be an internal PHP fgets error)' => "O URL do servidor pingback est vaco (podera ser un erro interno fgets de PHP)",
'Pingback server data' => "Datos do servidor pingback",
'Page Linked To:' => "Pxina enlazada con:",
'Page Linked From:' => "Pxina enlazada desde:",
'Pinging %s...' => "Facendo ping a %s...",
'END' => "FINAL",
'Pingbacks done.' => "Pingbacks realizados.",
'Pinging b2evolution.net...' => "Facendo ping a b2evolution.net...",
'Pinging Weblogs.com...' => "Facendo ping a Weblogs.com",
'Pinging Blo.gs...' => "Facendo ping a Blo.gs",
'Pinging technorati.com...' => "Facendo pings a technorati.com...",
'Archives for' => "Arquivos de",
'Archive Directory' => "Directorio de arquivos",
'Sending trackbacks...' => "Enviando trackbacks...",
'No trackback to be sent.' => "Non hai trackbacks que enviar.",
'Excerpt to be sent:' => "Extracto que ser enviado:",
'Trackbacks done.' => "Trackbacks realizados.",
'Sending trackback to:' => "Enviando trackback a:",
'Response:' => "Resposta:",
'wrong login/password.' => "usuario/contrasinal incorrectos.",
'setcookie %s failed!' => "setcookie %s fallou!",
'login/password no longer valid.' => "Este usuario/constrasinal xa non son vlidos.",
'You must log in!' => "Ts que identificarte!",
'Login if you have an account...' => "Identifcate se ts unha conta...",
'Register...' => "Rexistrarse...",
'Register to open an account...' => "Rexstrate para ter unha conta...",
'Logout (%s)' => "Cerrar sesin (%s)",
'Logout from your account' => "Cerrar sesin",
'Admin' => "Publicar post",
'Go to the back-office' => "Ir back-office",
'Profile (%s)' => "Perfil (%s)",
'Edit your profile' => "Editar o meu perfil",
'User profile' => "Perfil de usuario",
'Sunday' => "Domingo",
'Monday' => "Luns",
'Tuesday' => "Martes",
'Wednesday' => "Mrcores",
'Thursday' => "Xoves",
'Friday' => "Venres",
'Saturday' => "Sbado",
'Sun' => "Dom",
'Mon' => "Lun",
'Tue' => "Mar",
'Wed' => "Mr",
'Thu' => "Xov",
'Fri' => "Ven",
'Sat' => "Sab",
' S ' => "D",
' M ' => "L",
' T ' => "M",
' W ' => "M",
' T ' => "X",
' F ' => "V",
' S ' => "S",
'January' => "Xaneiro",
'February' => "Febreiro",
'March' => "Marzo",
'April' => "Abril",
'May ' => "Maio",
'June' => "Xuo",
'July' => "Xullo",
'August' => "Agosto",
'September' => "Setembro",
'October' => "Outubro",
'November' => "Novembro",
'December' => "Decembro",
'Jan' => "Xan",
'Feb' => "Feb",
'Mar' => "Mar",
'Apr' => "Abr",
'May' => "Mai",
'Jun' => "Xun",
'Jul' => "Xul",
'Aug' => "Ago",
'Sep' => "Set",
'Oct' => "Out",
'Nov' => "Nov",
'Dec' => "Dec",
'Local' => "Local",
'Reported' => "Notificado",
'Central' => "Desde a lista centralizada",
'Czech (CZ)' => "Checo (CZ)",
'German (DE)' => "Alemn (DE)",
'English (EU)' => "Ingls (EU)",
'English (UK)' => "Ingls (UK)",
'English (US)' => "Ingls ()",
'English (CA)' => "Ingls (CA)",
'English (AU)' => "Ingls (AU)",
'English (IL)' => "Ingls (EU)",
'Spanish (ES)' => "Espaol (ES)",
'French (FR)' => "Francs (FR)",
'French (CA)' => "Francs (CA)",
'French (BE)' => "Francs (BE)",
'Hungarian (HU)' => "Hngaro",
'Italian (IT)' => "Italiano (IT)",
'Japanese (JP)' => "Xapons (JP)",
'Lithuanian (LT)' => "Lituano (LT)",
'Bokmål (NO)' => "Noruego (NO)",
'Dutch (NL)' => "Holands (NL)",
'Dutch (BE)' => "Holands (BE)",
'Portuguese (BR)' => "Portugus (BR)",
'Swedish (SE)' => "Sueco (SE)",
'Chinese(S) gb2312 (CN)' => "Chino",
'Trad. Chinese (TW)' => "Chino tradicional (TW)",
'You cannot leave comments on this post!' => "Non podes facer comentarios neste post!",
'Please fill in the name field' => "Por favor, completa o campo 'nome'",
'Please fill in the email field' => "Por favor, completa o campo 'email'",
'Supplied email address is invalid' => "O enderezo de email non vlido",
'Please do not send empty comment' => "Por favor, non enves un comentario en branco",
'You can only post a new comment every 30 seconds.' => "S podes enviar un novo comentario cada 30 segundos.",
'Cannot post comment, please correct these errors:' => "Non se pode publicar o comentario. Por favor, corrixe estes erros:",
'Back to comment editing' => "Volver edicin do comentario",
'New comment on your post #%d "%s"' => "Novo comentario no teu post #%d \"%s\"",
'Url' => "Url",
'Comment' => "Comentario",
'Edit/Delete' => "Editar/Borrar",
'Connecting to pop server...' => "Conectando a un servidor pop...",
'Connection failed: ' => "Conexin fallida:",
'Logging into pop server...' => "Identificndose no servidor pop...",
'No mail or Login Failed:' => "Non hai correo, ou a identificacin fallou:",
'Getting message #%d...' => "Obtendo mensaxes #%d...",
'Processing...' => "Procesando...",
'Too old' => "Demasiado antigo",
'Subject prefix does not match' => "O prefixo do ttulo non coincide",
'Raw content:' => "Contido en bruto:",
'Login:' => "Usuario:",
'Pass:' => "Contrasinal:",
'Wrong login or password.' => "Usuario ou contrasinal incorrectos",
'Category ID' => "Categora ID",
'Blog ID' => "ID Bitcora",
'Permission denied.' => "Acceso denegado.",
'Posted title' => "Ttulo publicado",
'Posted content' => "Contido publicado",
'Mission complete, message deleted.' => "Misin completada, mensaxe borrada.",
'An email with the new password was sent successfully to your email address.' => "Se ha enviado un email con tu nueva contrasea a tu direccin email.",
'New Password:' => "Novo contrasinal:",
'You can login here:' => "Podes identificarte aqu:",
'your weblog\'s login/password' => "usuario/contrasinal da ta bitcora",
'The email could not be sent.' => "Non se puido enviar o email.",
'Possible reason: your host may have disabled the mail() function...' => "Posiblemente, o teu host deshabilitase a funcin mail()....",
'Note: You are already logged in!' => "Nota: Xa ests identificado!",
'Continue...' => "Continuar...",
'You are not logged in.' => "Non ests identificado.",
'You are not logged in under the same account you are trying to modify.' => "Non ests identificado coa mesma conta que intentas modificar.",
'Back to profile' => "Volver perfil",
'please enter your nickname (can be the same as your login)' => "por favor, introduce o teu nick (pode ser o mesmo c teu nome de usuario)",
'your ICQ UIN can only be a number, no letters allowed' => "o teu UIN ICQ s pode ser un nmero. ",
'please type your e-mail address' => "por favor, introduce o teu enderezo de email",
'the email address is invalid' => "o enderezo de email non vlido",
'you typed your new password only once. Go back to type it twice.' => "escribiches o novo contrasinal unha soa vez. Por favor, volve para escribila das veces.",
'you typed two different passwords. Go back to correct that.' => "escribiches dous contrasinais distintos. Por favor, corrxeos.",
'please enter a Login' => "por favor, introduce un nome de usuario",
'please enter your password twice' => "por favor, introduce o teu contrasinal (das veces)",
'please type the same password in the two password fields' => "por favor, escribe o mesmo contrasinal nos dous campos",
'this login is already registered, please choose another one' => "este nome de usuario xa existe. Elixe outro, por favor",
'new user registration on your blog' => "novo rexistro de usuario na ta bitcora",
'Manage users' => "Administrar usuarios",
'New trackback on your post #%d "%s"' => "Novo trackback no teu post #%d \"%s\"",
'Website' => "Sitio web",
'Excerpt' => "Extracto",
'Login form' => "Formulario de acceso",
'You will have to accept cookies in order to log in.' => "Ts que aceptar as cookies para poder identificarte.",
'Password:' => "contrasinal",
'Log in!' => "Acceso",
'Go to Blogs' => "Ir s bitcoras",
'Lost your password ?' => "Perdiche o teu contrasinal?",
'Lost password ?' => "Perdiche o teu contrasinal?",
'A new password will be generated and sent to you by email.' => "Xenrarase un novo contrasinal que se che enviar por email.",
'Generate new password!' => "Crear novo contrasinal",
'Registration complete' => "Rexistro completado",
'Registration Currently Disabled' => "Rexistro actualmente deshabilitado",
'User registration is currently not allowed.' => "O rexistro de usuarios non est permitido",
'Home' => "Pxina principal",
'Register form' => "Formulario de rexistro",
'(twice)' => "(das veces)",
'Minimum %d characters, please.' => "%d caracteres mnimo, por favor.",
'Preferred language' => "Idioma preferido",
'Register!' => "Rexistrarse...",
'Log into existing account...' => "Entrar coa conta existente...",
'b2evo installer' => "Instalador de b2evolution",
'Installer for version ' => "Instalador da versin",
'Current installation' => "Instalacin actual",
'Install menu' => "Men de instalacin",
'PHP info' => "PHP info",
'Go to Admin' => "Publicar post",
'Online' => "En lia",
'Manual' => "Manual",
'Support' => "Soporte",
'Language / Locale' => "Idioma / locale",
'Choose a default language/locale for your b2evo installation.' => "Elixe un idoma/locale por defecto para a instalacin de b2evolution",
'Check your database config settings below and update them if necessary...' => "Verifica os axustes de configuracin da base de datos de abaixo, e actualzaos se fose necesario...",
'The minimum requirement for this version of b2evolution is %s version %s but you are trying to use version %s!' => "O requeriminto mnimo para esta versin de b2evolution %s versin %s , pero ests intentando utilizar a versin %s",
'It seems that the database config settings you entered don\'t work. Please check them carefully and try again...' => "Parece ser que os valores da configuracin da base de datos non funcionan correctamente. Por favor, verifcaos coidadosamente e volve intentalo...",
'Config file update' => "Actualizacin do arquivo de configuracin",
'We cannot automatically update your config file [%s]!' => "Non se pode actualizar automaticamente o arquivo de configuracin [%s]",
'There are two ways to deal with this:' => "Hai das formas de solucionalo:",
'You can allow the installer to update the config file by changing its permissions:' => "Podes cambiar os permisos do arquivo de configuracin (chmod) para que o instalador o actualice:",
'<code>chmod 666 %s</code>. If needed, see the <a %s>online manual about permissions</a>.' => "<code>chmod 666 %s</code>. Se fose necesario, visita o <a %s>manual online sobre permisos</a>.",
'Come back to this page and refresh/reload.' => "Volve a esta pxina e actualzaa.",
'Alternatively, you can update the config file manually:' => "Tamn podes subir o ficheiro de configuracin manualmente:",
'Open the _config.php file locally with a text editor.' => "Abre o arquivo _config.php cun editor de texto.",
'Delete all contents!' => "Borrar todo o contido!",
'Copy the contents from the box below.' => "Copia o contido do cadro de abaixo.",
'Paste them into your local text editor. <strong>ATTENTION: make sure there is ABSOLUTELY NO WHITESPACE after the final <code>?></code> in the file.</strong> Any space, tab, newline or blank line at the end of the conf file may prevent cookies from being set when you try to log in later.' => "Pgao no editor de texto<strong>ATENCIN: asegrate de que non hai NINGN ESPACIO EN BRANCO despois do <code>?></code> final no arquivo.</strong> Calquera espacio, tabulacin, nova la ou la en branco final do ficheiro de configuracin podera facer que non se fixasen as cookies.",
'Save the new _config.php file locally.' => "Garda o novo _config.php. ",
'Upload the file to your server, into the /_conf folder.' => "Sbeo teu servidor, directorio /conf",
'<a %s>Call the installer from scratch</a>.' => "<a %s>Executa de novo a instalacin desde cero</a>.",
'This is how your _config.php should look like:' => "O _config.php debera quedar as:",
'Your configuration file [%s] has been successfully updated.' => "O arquivo de configuracin [%s] actualizouse correctamente.",
'Base configuration' => "Configuracin base",
'Your base config file has not been edited yet. You can do this by filling in the form below.' => "O arquivo de configuracin base non se editou anda. Podes facelo rellenando o seguinte formulario.",
'This is the minimum info we need to set up b2evolution on this server:' => "Esta a informacin mnima necesaria para configurar b2evolution no servidor:",
'Database you want to install into' => "Base de datos na que se quere instalar",
'mySQL Username' => "Usuario MySQL",
'Your username to access the database' => "Nome de usuario para acceder base de datos",
'mySQL Password' => "Contrasinal MySQL",
'Your password to access the database' => "Contrasinal para acceder base de datos",
'mySQL Database' => "Base de datos mySQL",
'Name of the database you want to use' => "Nombre de la base de datos que se quiere utilizar",
'mySQL Host' => "Host mySQL",
'You probably won\'t have to change this' => "Posiblemente non haxa que cambiar isto",
'Additional settings' => "Opcins adicionais",
'Base URL' => "URL base",
'This is where b2evo and your blogs reside by default. CHECK THIS CAREFULLY or not much will work. If you want to test b2evolution on your local machine, in order for login cookies to work, you MUST use http://<strong>localhost</strong>/path... Do NOT use your machine\'s name!' => "Aqu onde b2evolution e as bitcoras se encontrarn, por defecto. VERIFICA ISTO CON COIDADO ou non funcionar nada. Se vas probar b2evolution localmente no teu ordenador, para que funcionen as cookies, DEBES usar http://<strong>localhost</strong>/ruta... NON uses o nome do teu ordenador!",
'Your email' => "O teu email",
'Will be used in severe error messages so that users can contact you. You will also receive notifications for new user registrations.' => "Utilizarase en mensaxes de erro, para que os usuarios poidan contactarte. Tamn servir para notificar novos rexistros de usuarios.",
'Update config file' => "Actualizar arquivo de configuracin",
'How do you want to install b2evolution?' => "Como queres instalar b2evolution?",
'The installation can be done in different ways. Choose one:' => "Pdese instalar de varias formas. Elixe unha:",
'<strong>New Install</strong>: Install b2evolution database tables with sample data.' => "<strong>Instalacin nova</strong>: Instalar as tboas da base de datos de b2evolution con datos de exemplo.",
'<strong>Upgrade from a previous version of b2evolution</strong>: Upgrade your b2evolution database tables in order to make them compatible with the current version!' => "<strong>Actualizar desde unha versin anterior de b2evolution</strong>: Actualizar as tboas da base de datos de b2evolution para facelas compatibles coa versin actual",
'<strong>Upgrade from Cafelog/b2 v 0.6.x</strong>: Install b2evolution database tables and copy your existing Cafelog/b2 data into them.' => "<strong>Actualizar desde Cafelog/b2 v 0.6.x</strong>: Instalar as tboas da base de datos de b2evolution e copiar os datos de Cafelog/b2 nelas.",
'<strong>Upgrade from Manywhere Miniblog</strong>: Install b2evolution database tables and copy your existing Miniblog data into them.' => "<strong>Actualizar desde Manywhere Miniblog</strong>: Instalar as tboas da base de datos de b2evolution e copiar os datos de Miniblog nelas.",
'<strong>Upgrade from WordPress v 1.2</strong>: Install b2evolution database tables and copy your existing WordPress data into them.' => "<strong>Actualizar desde WordPress v 1.2</strong>: Instalar as tboas da base de datos de b2evolution e copiar os datos de WordPress nelas.",
'Delete b2evolution tables' => "Borrar tbas de b2evolution",
'If you have installed b2evolution tables before and wish to start anew, you must delete the b2evolution tables before you can start a new installation. <strong>WARNING: All your b2evolution tables and data will be lost!!!</strong> Your Cafelog/b2 or any other tables though, if you have some, will not be touched in any way.' => "Se xa instalaches as tboas de b2evolution e queres empezar de novo, debes borralas antes de empezar unha nova instalacin. <strong>COIDADO: Perderanse todas as tboas e datos do b2evolution anterior!!</strong> Outras tboas, as como as de Cafelog/b2 non se modificarn, s as de b2evolution.",
'<strong>Change your base configuration</strong> (see recap below): You only want to do this in rare occasions where you may have moved your b2evolution files or database to a different location...' => "<strong>Cambiar a configuracin base</strong> (ver resumo abaixo): Se os arquivos ou a base de datos de b2evolution movronse a outro enderezo...",
'GO!' => "Adiante!",
'Need to start anew?' => "Queres empezar de novo?",
'If you have installed b2evolution tables before and wish to start anew, you must delete the b2evolution tables before you can start a new installation. b2evolution can delete its own tables for you, but for obvious security reasons, this feature is disabled by default.' => "Se xa instalaches as tboas de b2evolution antes e queres empezar de novo, ts que borralas antes de empezar a nova instalacin. b2evolution pode borrar as sas propias tboas por ti, pero por medidas obvias de seguridade, esta caracterstica est desactivada por defecto.",
'Base config recap...' => "Resumo da configuracin base...",
'If you don\'t see correct settings here, STOP before going any further, and <a %s>update your base configuration</a>.' => "Si a configuracin non correcta, NON SIGAS coa instalacin, e <a %s>corrixe os erros</a>.",
'(Set, but not shown for security reasons)' => "(Fixado, pero non se amosa por razns de seguridade)",
'Admin email' => "Email do administrador",
'Installing b2evolution tables with sample data' => "Instalando tboas de b2evolution con datos de exemplo",
'Installation successful!' => "Instalacin completada con xito!",
'<p>Now you can <a %s>log in</a> with the login "admin" and password "%s".</p>\n\t<p>Note that password carefully! It is a <em>random</em> password that is given to you when you install b2evolution. If you lose it, you will have to delete the database tables and re-install anew.</p>' => "<p>Agora podes <a %s>identificarte</a> co nome de usuario \"admin\" e o contrasinal \"%s\".</p>\n\t<p>Apunta o contrasinal! un contrasinal <em>aleatorio</em> que se xenera cando instalas b2evolution. Se o perdes, ters que borrar as tboas da base de datos e reinstalar desde cero.</p>",
'Upgrading data in existing b2evolution database' => "Actualizando a base de datos de b2evolution existente",
'Upgrade completed successfully!' => "Actualizacin completada con xito!",
'Now you can <a %s>log in</a> with your usual %s username and password.' => "Podes <a %s>identificarte</a> con teu nome de usuario e contrasinal habituais %s",
'Installing b2evolution tables and copying existing %s data' => "Instalando as tboas de b2evolution e copiando os datos existentes %s",
'<p>Now you can <a %s>log in</a> with your usual Miniblog email login cropped at 20 chars. All passwords have been reset to "%s".</p>\n<p>Note that password carefully! It is a <em>random</em> password that is given to you when you install b2evolution. If you lose it, you will have to delete the database tables and re-install anew.</p>' => "<p>Agora podes <a %s>identificarte</a> co teu enderezo de email de Miniblog, limitado a 20 caracteres. Todos os contrasinais cambiaron a \"%s\".</p>\n\t<p>Apunta o contrasinal! un contrasinal <em>aleatorio</em> que se xenera cando instalas b2evolution. Se o perdes, ters que borrar as tboas da base de datos e reinstalar desde cero.</p>",
'Deleting b2evolution tables from the datatase' => "Borrando as tboas de b2evolution da base de datos",
'For security reasons, the reset feature is disabled by default.' => "Por motivos de seguridade, a caracterstica de reseteado est desactivada por defecto",
'Reset done!' => "Valores reestablecidos con xito",
'Back to menu' => "Volver men",
'official website' => "pxina web oficial",
'contact' => "contactar",
'This blog holds all your posts upgraded from Cafelog. This blog is named \'%s\'. %s' => "Esta bitcora conten todos os posts actualizados desde Cafelog. O nome da bitcora '%s'. %s",
'This is a sample linkblog entry' => "Isto unha ",
'This is sample text describing the linkblog entry. In most cases however, you\'ll want to leave this blank, providing just a Title and an Url for your linkblog entries (favorite/related sites).' => "ste un texto de exemplo dunha anotacin no linkblog. Pode que prefiras deixar isto en branco, engadindo s o ttulo e o enderezo da ligazn.",
'This is the long description for the blog named \'%s\'. %s' => "Isto a descripcin longa da bitcora '%s'. %s",
'This blog (blog #1) is actually a very special blog! It automatically aggregates all posts from all other blogs. This allows you to easily track everything that is posted on this system. You can hide this blog from the public by unchecking \'Include in public blog list\' in the blogs admin.' => "Esta bitcora (bitcora #1) en realidade moi especial. Recopila automaticamente todos os posts das outras bitcoras. Isto permteche monitorizar todo o que se publica neste sistema. Pdese ocultar esta bitcora pblico deseleccionando \"Incluir na lista de bitcoras pblicas\" na administracin de bitcoras.",
'%s Title' => "%s Ttulo",
'Tagline for %s' => "Tagline para %s",
'Short description for %s' => "Descripcin curta de %s",
'Notes for %s' => "Notas sobre %s",
'Keywords for %s' => "Palabras clave para %s",
'The main purpose for this blog is to be included as a side item to other blogs where it will display your favorite/related links.' => "O cometido principal desta bitcora incluila noutras como elemento lateral onde amosar as tas ligazns favoritas/relacionadas.",
'Clean Permalinks!' => "Limpiar ligazns permanentes",
'b2evolution uses old-style permalinks and feedback links by default. This is to ensure maximum compatibility with various webserver configurations.\n\nNethertheless, once you feel comfortable with b2evolution, you should try activating clean permalinks in the Settings screen... (check \'Use extra-path info\')' => "b2evolution utliza un estilo antigo para as ligazns permanentes (permalinks) e comentarios, de modo que se asegura a mxima compatibilidade con diversas configuracins de servidores web. \n\nSen embargo, se o teu servidor o permite, deberas activar as ligazns permanentes limpias (clean permalinks) na pantalla de Opcins... (marca 'Usar informacin extra-path')",
'Apache optimization...' => "Optimizacin de Apache...",
'In the <code>/blogs</code> folder as well as in <code>/blogs/admin</code> there are two files called [<code>sample.htaccess</code>]. You should try renaming those to [<code>.htaccess</code>].\n\nThis will optimize the way b2evolution is handled by the webserver (if you are using Apache). These files are not active by default because a few hosts would display an error right away when you try to use them. If this happens to you when you rename the files, just remove them and you\'ll be fine.' => "Nos directorios <code>/blogs</code> e <code>/blogs/admin</code> hai dous arquivos chamados [<code>sample.htaccess</code>]. Deberas de intentar renombralos a [<code>.htaccess</code>].\n\nAs, optimizars a forma en que b2evolution se manexa polo servidor web (si usa Apache). Estes arquivos non estn activos por defecto porque poderan dar erros nalgns servidores tratar de usalos. Se o teu caso renombralos, brraos.",
'About evoSkins...' => "Acerca dos evoSkins...",
'By default, b2evolution blogs are displayed using a default skin.\n\nReaders can choose a new skin by using the skin switcher integrated in most skins.\n\nYou can change the default skin used for any blog by editing the blog parameters in the admin interface. You can also force the use of the default skin for everyone.\n\nOtherwise, you can restrict available skins by deleting some of them from the /blogs/skins folder. You can also create new skins by duplicating, renaming and customizing any existing skin folder.\n\nTo start customizing a skin, open its \'<code>_main.php</code>\' file in an editor and read the comments in there. And, of course, read the manual on evoSkins!' => "Por defecto, as bitcoras de b2evolution utilizan o skin predeterminado. \n\nOs lectores poden cambialo (se o admin o permite) utilizando o selector de skins, integrado na maiora deles. \n\nPdese cambiar o skin predeterminado para calquera bitcora nos axustes desta, no back-office. Tamn se pode forzar a visualizacin dun determinado skin para todo o mundo.\n\nPor outro lado, posible restrinxir os skins dispoibles, borrando algns deles do directorio /blogs/skins , as como crear os teus propios skins duplicando ou renombrando calquera dos directorios.\n\nPara comenzar a personalizar un skin, abre o seu arquivo '<code>_main.php</code>' nun editor, e le os comentarios do cdigo. E, porsuposto, le o manual sobre os evoSkins!",
'Skins, Stubs and Templates...' => "Skins, stubs e plantillas...",
'By default, all pre-installed blogs are displayed using a skin. (More on skins in another post.)\n\nThat means, blogs are accessed through \'<code>index.php</code>\', which loads default parameters from the database and then passes on the display job to a skin.\n\nAlternatively, if you don\'t want to use the default DB parameters and want to, say, force a skin, a category or a specific linkblog, you can create a stub file like the provided \'<code>a_stub.php</code>\' and call your blog through this stub instead of index.php .\n\nFinally, if you need to do some very specific customizations to your blog, you may use plain templates instead of skins. In this case, call your blog through a full template, like the provided \'<code>a_noskin.php</code>\'.\n\nYou will find more information in the stub/template files themselves. Open them in a text editor and read the comments in there.\n\nEither way, make sure you go to the blogs admin and set the correct access method for your blog. When using a stub or a template, you must also set its filename in the \'Stub name\' field. Otherwise, the permalinks will not function properly.' => "Por defecto, todas as bitcoras se amosan utilizando un skin. (Mis informacin sobre os skins noutro post).\n\nIsto significa que s bitcoras accdese por medio do arquivo '<code>index.php</code>', que carga os parmetros predefinidos da base de datos, e despois transmite todo o traballo de visualizacin skin.\n\nPor outra parte, se non queres utilizar os valores predefinidos na base de datos e queres, por exemplo, forzar a visualizacin dun skin predeterminado, podes crear un ficheiro stub como o '<code>a_stub.php</code>' e chamar bitcora a travs dese arquivo, en lugar de utilizar o index.php.\n\nSi necesitas facer persoalizacins moi especficas, tamn podes utilizar as plantillas sen formato, como '<code>a_noskin.php</code>'.\n\nEncontrars mis informacin dentro do mesmo arquivo stub, ou no da plantilla. breos nun editor de texto, e le os comentarios do seu interior.\n\nDe todas formas, asegrate de que especificas o mtodo correcto de acceso bitcora. Si utilizas un stub ou unha plantilla, tamn ts que definir o seu nome de arquivo en 'Nombre stub'. De non ser as, os permalinks non funcionarn correctamente. ",
'Multiple Blogs, new blogs, old blogs...' => "Bitcoras mltiples, novas bitcoras, bitcoras antigas...",
'By default, b2evolution comes with 4 blogs, named \'Blog All\', \'Blog A\', \'Blog B\' and \'Linkblog\'.\n\nSome of these blogs have a special role. Read about it on the corresponding page.\n\nYou can create additional blogs or delete unwanted blogs from the blogs admin.' => "b2evolution instala cuatro bitcoras, llamadas 'Blog All', 'Blog A', 'Blog B' y 'Linkblog'.\n\nAlgunhas delas teen funcins especiais.\n\nNa administracin de bitcoras (no back-office) pdense crear novas bitcoras, ou borrar as non desexadas. ",
'This is a multipage post' => "Este un post multipxina",
'This is page 1 of a multipage post.\n\nYou can see the other pages by cliking on the links below the text.\n\n<!--nextpage-->\n\nThis is page 2.\n\n<!--nextpage-->\n\nThis is page 3.\n\n<!--nextpage-->\n\nThis is page 4.\n\nIt is the last page.' => "sta es la pgina 1 de un post multipgina.\n\n posible ver as outras pxinas facendo click nas ligazns debaixo deste texto.\n\n<!--nextpage-->\n\nEsta a pxina 2.\n\n<!--nextpage-->\n\nEsta a pxina 3.\n\n<!--nextpage-->\n\nEsta a pxina 4.\n\nEsta a ltima pxina.",
'Extended post with no teaser' => "Post extendido sen presentacin preliminar",
'This is an extended post with no teaser. This means that you won\'t see this teaser any more when you click the "more" link.\n\n<!--more--><!--noteaser-->\n\nThis is the extended text. You only see it when you have clicked the "more" link.' => "ste un post extendido sen presentacin preliminar. Isto significa que non vers esta frase facer click en \"mis\".\n\n<!--more--><!--noteaser-->\n\nIsto o texto extendido. S visible facer click en \"mis\",",
'Extended post' => "Post extendido",
'This is an extended post. This means you only see this small teaser by default and you must click on the link below to see more.\n\n<!--more-->\n\nThis is the extended text. You only see it when you have clicked the "more" link.' => "Isto un post extendido. Significa que s visible esta frase. O resto vese facer click en \"mis\".\n\n<!--more-->\n\nIsto o texto extendido. S visible facer click en \"mis\",",
'Important information' => "Informacin importante",
'Blog B contains a few posts in the \'b2evolution Tips\' category.\n\nAll these entries are designed to help you so, as EdB would say: "<em>read them all before you start hacking away!</em>" ;)\n\nIf you wish, you can delete these posts one by one after you have read them. You could also change their status to \'deprecated\' in order to visually keep track of what you have already read.' => "A bitcora B conten algns posts na categora 'b2evolution Tips' (Consejos b2evolution).\n\nSe o desexas, podes borrar estes posts despois de lelos. Ou tamn podes cambiar o seu estado a 'Desaprobado' para manter un control do que xa liches.",
'First Post' => "Primeiro post",
'<p>This is the first post.</p>\n\n<p>It appears on both blog A and blog B.</p>' => "<p>Este o primeiro post.</p>\n\n<p>Amsase tanto na bitcora A como na B.</p>\n\n<p>A traduccin galego de b2evolution realizouna o Departamento de e-learning do Centro de Supercomputacin de Galicia. Si encontras algn fallo, ou queres facer algunha proposta, por favor enva un mail a: teleensino@cesga.es",
'Second post' => "Segundo post",
'<p>This is the second post.</p>\n\n<p>It appears on blog A only but in multiple categories.</p>' => "<p>Este o segundo post</p>\n\n<p>S aparece na bitcora A, pero en varias categoras.</p>",
'Third post' => "Terceiro post",
'<p>This is the third post.</p>\n\n<p>It appears on blog B only and in a single category.</p>' => "<p>Este o terceiro post.</p>\n\n<p>S aparece na bitcora B, e nunha soa categora.</p>",
'Hi, this is a comment.<br />To delete a comment, just log in, and view the posts\' comments, there you will have the option to edit or delete them.' => "Ola, isto un comentario. <br /> Para borralo, identifcate, e accede s comentarios do post. A poders editalo ou borralo.",
'The database schema is already up to date. There is nothing to do.' => "O esquema da base de datos xa estaba actualizado. Non se efectuaron cambios.",
'It appears that the following blog stub names are used more than once: [\'%s\']' => "Parece que os seguintes nomes de arquivo stub estn sendo usados por mis dunha bitcora: ['%s']",
'I can\'t upgrade until you make them unique. DB field: [%s]' => "Non se pode actualizar ata que sexan nicos. Campo da base de datos: [%s]",
'Checking DB schema version...' => "Verificando a versin do esquema da base de datos...",
'NOT FOUND! This is not a b2evolution database.' => "NON SE ENCONTRARON! Non unha base de datos de b2evolution",
'This version is too old!' => "!Esta versin demasiado antiga!",
'This version is too recent! We cannot downgrade to it!' => "Esta versin demasiado recente! Non se pode volver a esa versin.",
'This blog holds all your posts upgraded from Miniblog. This blog is named \'%s\'. %s' => "Esta bitcora conten todos os posts actualizados desde Miniblog. O nome da bitcora '%s'. %s",
'This blog holds all your posts upgraded from WordPress. This blog is named \'%s\'. %s' => "Esta bitcora conten todos os posts actualizados desde WordPress. O nome da bitcora '%s'. %s",
'No desc available' => "Descripcin non dispoible",
'No description available' => "Descripcin no disponible",
'Make URLs clickable' => "Convertir os URLs en accesos directos",
'Automatic <P> and <BR> tags' => "Etiquetas <P> e <BR> automticas",
'BB formatting e-g [b]bold[/b]' => "Formato BB, p.ex: [b]bold[/b]",
'GreyMatter style formatting' => "Formato estilo GreyMatter",
'**bold** \\italics\\ //italics// __underline__ ##tt## %%codeblock%%' => "**negrita ** \\cursiva\\ //cursiva// __subrayado__ ##tt## %%codeblock%%",
'Convert text smilies to icons' => "Convertir smilies de texto en iconas",
'Humane Web Text Generator 2.0 beta' => "Humane Web Text Generator 2.0 beta",
'Easy HTML tags inserting' => "Insertado fcil de etiquetas HTML",
'INSerted [Alt-I]' => "INSertado [Alt-I]",
'DELeted [Alt-D]' => "Borrado [Alt-D]",
'STRong [Alt-S]' => "STRong [Alt-S] sustite negrita",
'EMphasis [Alt-E]' => "EMphasis [Alt-E] sustite cursiva",
'CODE [Alt-C]' => "CODE [Alt-C]",
'Paragraph [Alt-P]' => "Prrafo [Alt-P]",
'Unordered List [Alt-U]' => "Lista non ordenada [Alt-U]",
'List Item [Alt-L]' => "Listar elemento [Alt-L]",
'BLOCKQUOTE [Alt-B]' => "Citar [Alt-B]",
'IMaGe [Alt-G]' => "IMaGe [Alt-G] Imaxe",
'A href [Alt-A]' => "A href [Alt-A] enderezo url",
'More [Alt-M]' => "Mis [Alt-M]",
'no teaser [Alt-T]' => "Sen presentacin preliminar [Alt-T]",
'next page [Alt-Q]' => "Pxina seguinte [Alt + Q]",
'Close all tags' => "Cerrar todas as etiquetas",
'ALTernate text' => "texto ALTernativo",
'One click smilies inserting' => "Insertado de smilies cun click",
'All' => "Todas",
'Trackback address for this post:' => "Enderezo para facer trackback a este post:",
'No %s for this post yet...' => "Anda non hai %s para este post...",
'Your email address will <strong>not</strong> be displayed on this site.' => "O teu email <strong>non</strong> se amosar na pxina.",
'Site/Url' => "Pxina web",
'Your URL will be displayed.' => "Amosarase o teu URL",
'Line breaks become <br />' => "Saltos de la convrtense en <br />",
'Remember me' => "Recordar os meus datos",
'(Set cookies for name, email & url)' => "(Fixar cookies para o nome, email & url)",
'In response to:' => "En resposta a:",
'Linkblog' => "Linkblog",
'more' => "mis",
'AOL I.M.' => "AOL I.M.",
'MSN I.M.' => "MSN I.M.",
'Yahoo I.M.' => "Yahoo I.M.",
'Top refering engines' => "Top Referidos por buscadores",
'blogs' => "bitcoras",
'skin the site' => "aplicar skin",
'archives' => "arquivos",
'Select blog:' => "Elixe bitcora:",
'Select skin:' => "Elixe skin:",
'words' => "palabras",
'Read more...' => "Ler mis...",
'Choose a skin' => "Elixe un skin",
'Choose skin' => "Elixir skin",
'Browse all posts by this author' => "Ver todos os posts deste autor",
'The <acronym title="Uniform Resource Identifier">URI</acronym> to TrackBack this entry is:' => "O <acronym title=\"Uniform Resource Identifier\">URI</acronym> para facer un trackback a este post :",
'Comment by' => "Comentario feito por",
'Trackback from' => "Trackback desde",
'Pingback from' => "Pingback desde",
'Edit This' => "Editar",
'E-mail' => "E-mail",
'Your Comment' => "O teu comentario",
'Say It!' => "Do!",
'Filed under:' => "Gardado en:",
'Other' => "Outro",
'Meta' => "Meta",
'Syndicate this site using RSS' => "Sindicar usando RSS",
'<abbr title="Really Simple Syndication">RSS</abbr> 2.0' => "<abbr title=\"Really Simple Syndication\">RSS</abbr> 2.0",
'The latest comments to all posts in RSS' => "Os ltimos comentarios en todos os posts en RSS",
'Comments <abbr title="Really Simple Syndication">RSS</abbr> 2.0' => "Comentarios <abbr title=\"Really Simple Syndication\">RSS</abbr> 2.0",
'This page validates as XHTML 1.0 Transitional' => "This page validates as XHTML 1.0 Transitional",
'Valid <abbr title="eXtensible HyperText Markup Language">XHTML</abbr>' => "<abbr title=\"eXtensible HyperText Markup Language\">XHTML</abbr> vlido",
'Powered by b2evolution; multilingual multiuser multi-blog engine.' => "Esta pxina utiliza b2evolution.",
'This skin features a CSS file originally designed for WordPress (See design credits in style.css).' => "Este skin utiliza un CSS diseado orixinariamente para WordPress (ver crditos de deseo en style.css)",
'Original design credits for this skin:' => "Crditos do deseo orixinal deste skin:",
'In order to ensure maximum compatibility with WP CSS files, most b2evolution features that do not exist in WP are hidden from this generic wpc_* skin.' => "Para asegurar a mxima compatibilidade cos ficheiros CSS do WP, a maiora de caractersticas de bevolution que non existen en WP ocultronse neste skin xenrico de WP.",
'[...] Read more!' => "[...] Ler mis!",
'New pingback on your post #%d "%s"' => "Novo pingback no teu post #%d \"%s\"",
);
?>
|