');
+ li.click(function(event){
+ li.empty();
+ var input=$('');
+ li.append(input);
+ input.focus();
+ input.css('width',button.innerWidth());
+ button.parent().data('preventHide',true);
+ input.keypress(function(event) {
+ if(event.keyCode == 13) {
+ event.preventDefault();
+ event.stopPropagation();
+ var value = $(this).val();
+ var exists = false;
+ $.each(options,function(index, item) {
+ if ($(item).val() == value || $(item).text() == value) {
+ exists = true;
+ return false;
+ }
+ });
+ if (exists) {
+ return false;
+ }
+ var li=$(this).parent();
+ var val = $(this).val()
+ var select=button.parent().next();
+ if(typeof settings.createCallback === 'function') {
+ var response = settings.createCallback(select, val);
+ console.log('response', response);
+ if(response === false) {
+ return false;
+ } else if(typeof response !== 'undefined') {
+ val = response;
+ }
+ }
+ if(settings.singleSelect) {
+ $.each(select.find('option:selected'), function() {
+ $(this).removeAttr('selected');
+ });
+ }
+ $(this).remove();
+ li.text('+ '+settings.createText);
+ li.before(createItem(this));
+ var option=$('');
+ option.text($(this).val()).val(val).attr('selected', 'selected');
+ select.append(option);
+ li.prev().children('input').prop('checked', true).trigger('change');
+ button.parent().data('preventHide',false);
+ button.children('span').first().text(settings.labels.length > 0
+ ? settings.labels.join(', ')
+ : settings.title);
+ if(self.menuDirection === 'up') {
+ var list = li.parent();
+ list.css('top', list.position().top-li.outerHeight());
+ }
+ }
+ });
+ input.blur(function() {
+ event.preventDefault();
+ event.stopPropagation();
+ $(this).remove();
+ li.text('+ '+settings.createText);
+ setTimeout(function(){
+ button.parent().data('preventHide',false);
+ },100);
+ });
+ });
+ list.append(li);
+ }
+ var pos=button.position();
+ if($(document).height() > button.offset().top+button.outerHeight() + list.children().length * button.height()) {
+ list.css('top',pos.top+button.outerHeight()-5);
+ list.css('left',pos.left+3);
+ list.css('width',(button.outerWidth()-2)+'px');
+ list.addClass('down');
+ button.addClass('down');
+ list.slideDown();
+ } else {
+ list.css('top', pos.top - list.height());
+ list.css('left', pos.left+3);
+ list.css('width',(button.outerWidth()-2)+'px');
+ list.detach().insertBefore($(this));
+ list.addClass('up');
+ button.addClass('up');
+ list.fadeIn();
+ self.menuDirection = 'up';
+ }
+ list.click(function(event) {
+ event.stopPropagation();
+ });
+ });
+ $(window).click(function() {
+ if(!button.parent().data('preventHide')) {
+ // How can I save the effect in a var?
+ if(self.menuDirection === 'down') {
+ button.parent().children('ul').slideUp(400,function() {
+ button.parent().children('ul').remove();
+ button.removeClass('active').removeClass('down');
+ });
+ } else {
+ button.parent().children('ul').fadeOut(400,function() {
+ button.parent().children('ul').remove();
+ button.removeClass('active').removeClass('up');
+ });
+ }
+ }
+ });
+
+ return span;
+ };
+})( jQuery );
\ No newline at end of file
diff --git a/js/placeholder.polyfill.jquery.js b/js/placeholder.polyfill.jquery.js
new file mode 100644
index 00000000..16969eb8
--- /dev/null
+++ b/js/placeholder.polyfill.jquery.js
@@ -0,0 +1,212 @@
+/**
+* HTML5 placeholder polyfill
+* @requires jQuery - tested with 1.6.2 but might as well work with older versions
+*
+* code: https://github.com/ginader/HTML5-placeholder-polyfill
+* please report issues at: https://github.com/ginader/HTML5-placeholder-polyfill/issues
+*
+* Copyright (c) 2012 Dirk Ginader (ginader.de)
+* Dual licensed under the MIT and GPL licenses:
+* http://www.opensource.org/licenses/mit-license.php
+* http://www.gnu.org/licenses/gpl.html
+*
+* Version: 2.0.3
+*
+* History:
+* * 1.0 initial release
+* * 1.1 added support for multiline placeholders in textareas
+* * 1.2 Allow label to wrap the input element by noah https://github.com/ginader/HTML5-placeholder-polyfill/pull/1
+* * 1.3 New option to read placeholder to Screenreaders. Turned on by default
+* * 1.4 made placeholder more rubust to allow labels being offscreen + added minified version of the 3rd party libs
+* * 1.5 emptying the native placeholder to prevent double rendering in Browsers with partial support
+* * 1.6 optional reformat when a textarea is being resized - requires http://benalman.com/projects/jquery-resize-plugin/
+* * 1.7 feature detection is now included in the polyfill so you can simply include it without the need for Modernizr
+* * 1.8 replacing the HTML5 Boilerplate .visuallyhidden technique with one that still allows the placeholder to be rendered
+* * 1.8.1 bugfix for implicit labels
+* * 1.9 New option "hideOnFocus" which, if set to false will mimic the behavior of mobile safari and chrome (remove label when typed instead of onfocus)
+* * 1.9.1 added reformat event on window resize
+* * 1.9.2 more flexible way to "fix" labels that are hidden using clip() thanks to grahambates: https://github.com/ginader/HTML5-placeholder-polyfill/issues/12
+* * 2.0 new easier configuration technique and new options forceApply and AutoInit and support for setters and getters
+* * 2.0.1 changed check for empty field so a space character is no longer ignored
+* * 2.0.2 allow rerun of the placeholder() to cover generated elements - existing polyfilled placeholder will be repositioned. Fixing: https://github.com/ginader/HTML5-placeholder-polyfill/issues/15
+* * 2.0.3 turn debugging of for production. fix https://github.com/ginader/HTML5-placeholder-polyfill/issues/18
+*/
+
+(function($) {
+ var debug = false,
+ animId;
+ function showPlaceholderIfEmpty(input,options) {
+ if( input.val() === '' ){
+ input.data('placeholder').removeClass(options.hideClass);
+ }else{
+ input.data('placeholder').addClass(options.hideClass);
+ }
+ }
+ function hidePlaceholder(input,options){
+ input.data('placeholder').addClass(options.hideClass);
+ }
+ function positionPlaceholder(placeholder,input){
+ var ta = input.is('textarea');
+ placeholder.css({
+ width : input.innerWidth()-(ta ? 20 : 4),
+ height : input.innerHeight()-6,
+ lineHeight : input.css('line-height'),
+ whiteSpace : ta ? 'normal' : 'nowrap',
+ overflow : 'hidden'
+ }).offset(input.offset());
+ }
+ function startFilledCheckChange(input,options){
+ var input = input,
+ val = input.val();
+ (function checkloop(){
+ animId = requestAnimationFrame(checkloop);
+ if(input.val() != val){
+ hidePlaceholder(input,options);
+ stopCheckChange();
+ startEmptiedCheckChange(input,options);
+ }
+ })();
+ }
+ function startEmptiedCheckChange(input,options){
+ var input = input,
+ val = input.val();
+ (function checkloop(){
+ animId = requestAnimationFrame(checkloop);
+ showPlaceholderIfEmpty(input,options);
+ })();
+ }
+ function stopCheckChange(){
+ cancelAnimationFrame(animId);
+ }
+ function log(msg){
+ if(debug && window.console && window.console.log){
+ window.console.log(msg);
+ }
+ }
+
+ $.fn.placeHolder = function(config) {
+ log('init placeHolder');
+ var o = this;
+ var l = $(this).length;
+ this.options = $.extend({
+ className: 'placeholder', // css class that is used to style the placeholder
+ visibleToScreenreaders : true, // expose the placeholder text to screenreaders or not
+ visibleToScreenreadersHideClass : 'placeholder-hide-except-screenreader', // css class is used to visually hide the placeholder
+ visibleToNoneHideClass : 'placeholder-hide', // css class used to hide the placeholder for all
+ hideOnFocus : false, // either hide the placeholder on focus or on type
+ removeLabelClass : 'visuallyhidden', // remove this class from a label (to fix hidden labels)
+ hiddenOverrideClass : 'visuallyhidden-with-placeholder', // replace the label above with this class
+ forceHiddenOverride : true, // allow the replace of the removeLabelClass with hiddenOverrideClass or not
+ forceApply : false, // apply the polyfill even for browser with native support
+ autoInit : true // init automatically or not
+ }, config);
+ this.options.hideClass = this.options.visibleToScreenreaders ? this.options.visibleToScreenreadersHideClass : this.options.visibleToNoneHideClass;
+ return $(this).each(function(index) {
+ var input = $(this),
+ text = input.attr('placeholder'),
+ id = input.attr('id'),
+ label,placeholder,titleNeeded,polyfilled;
+ label = input.closest('label');
+ input.removeAttr('placeholder');
+ if(!label.length && !id){
+ log('the input element with the placeholder needs an id!');
+ return;
+ }
+ label = label.length ? label : $('label[for="'+id+'"]').first();
+ if(!label.length){
+ log('the input element with the placeholder needs a label!');
+ return;
+ }
+ polyfilled = $(label).find('.placeholder');
+ if(polyfilled.length) {
+ //log('the input element already has a polyfilled placeholder!');
+ positionPlaceholder(polyfilled,input);
+ return input;
+ }
+
+ if(label.hasClass(o.options.removeLabelClass)){
+ label.removeClass(o.options.removeLabelClass)
+ .addClass(o.options.hiddenOverrideClass);
+ }
+
+ placeholder = $(''+text+'').appendTo(label);
+
+ titleNeeded = (placeholder.width() > input.width());
+ if(titleNeeded){
+ placeholder.attr('title',text);
+ }
+ positionPlaceholder(placeholder,input);
+ input.data('placeholder',placeholder);
+ placeholder.data('input',placeholder);
+ placeholder.click(function(){
+ $(this).data('input').focus();
+ });
+ input.focusin(function() {
+ if(!o.options.hideOnFocus && window.requestAnimationFrame){
+ startFilledCheckChange(input,o.options);
+ }else{
+ hidePlaceholder(input,o.options);
+ }
+ });
+ input.focusout(function(){
+ showPlaceholderIfEmpty($(this),o.options);
+ if(!o.options.hideOnFocus && window.cancelAnimationFrame){
+ stopCheckChange();
+ }
+ });
+ showPlaceholderIfEmpty(input,o.options);
+
+ // reformat on window resize and optional reformat on font resize - requires: http://www.tomdeater.com/jquery/onfontresize/
+ $(document).bind("fontresize resize", function(){
+ positionPlaceholder(placeholder,input);
+ });
+
+ // optional reformat when a textarea is being resized - requires http://benalman.com/projects/jquery-resize-plugin/
+ if($.event.special.resize){
+ $("textarea").bind("resize", function(e){
+ positionPlaceholder(placeholder,input);
+ });
+ }else{
+ // we simply disable the resizeablilty of textareas when we can't react on them resizing
+ $("textarea").css('resize','none');
+ }
+
+ if(index >= l-1){
+ $.attrHooks.placeholder = {
+ get: function(elem) {
+ if (elem.nodeName.toLowerCase() == 'input' || elem.nodeName.toLowerCase() == 'textarea') {
+ if( $(elem).data('placeholder') ){
+ // has been polyfilled
+ return $( $(elem).data('placeholder') ).text();
+ }else{
+ // native / not yet polyfilled
+ return $(elem)[0].placeholder;
+ }
+
+ }else{
+ return undefined;
+ }
+ },
+ set: function(elem, value){
+ return $( $(elem).data('placeholder') ).text(value);
+ }
+ };
+ }
+ });
+
+
+
+ };
+ $(function(){
+ var config = window.placeHolderConfig || {};
+ if(config.autoInit === false){
+ log('placeholder:abort because autoInit is off');
+ return
+ }
+ if('placeholder' in $('')[0] && !config.forceApply){ // don't run the polyfill when the browser has native support
+ log('placeholder:abort because browser has native support');
+ return;
+ }
+ $('input[placeholder], textarea[placeholder]').placeHolder(config);
+ });
+})(jQuery);
\ No newline at end of file
diff --git a/js/settings.js b/js/settings.js
index 8ea99ab5..bab136a8 100644
--- a/js/settings.js
+++ b/js/settings.js
@@ -15,12 +15,11 @@ OC.Contacts.Settings = OC.Contacts.Settings || {
var active = tgt.is(':checked');
//console.log('doActivate: ', id, active);
$.post(OC.filePath('contacts', 'ajax', 'addressbook/activate.php'), {id: id, active: Number(active)}, function(jsondata) {
- if (jsondata.status == 'success'){
- if(!active) {
- $('#contacts h3[data-id="'+id+'"],#contacts ul[data-id="'+id+'"]').remove();
- } else {
- OC.Contacts.Contacts.update();
- }
+ if (jsondata.status == 'success') {
+ $(document).trigger('request.addressbook.activate', {
+ id: id,
+ activate: active,
+ });
} else {
//console.log('Error:', jsondata.data.message);
OC.Contacts.notify(t('contacts', 'Error') + ': ' + jsondata.data.message);
@@ -41,7 +40,7 @@ OC.Contacts.Settings = OC.Contacts.Settings || {
$('#contacts h3[data-id="'+id+'"],#contacts ul[data-id="'+id+'"]').remove();
row.remove()
OC.Contacts.Settings.Addressbook.showActions(['new',]);
- OC.Contacts.Contacts.update();
+ OC.Contacts.update();
} else {
OC.dialogs.alert(jsondata.data.message, t('contacts', 'Error'));
}
@@ -108,7 +107,7 @@ OC.Contacts.Settings = OC.Contacts.Settings || {
row.find('td.name').text(jsondata.data.addressbook.displayname);
row.find('td.description').text(jsondata.data.addressbook.description);
}
- OC.Contacts.Contacts.update();
+ OC.Contacts.update();
} else {
OC.dialogs.alert(jsondata.data.message, t('contacts', 'Error'));
}
@@ -157,11 +156,9 @@ $(document).ready(function() {
event.preventDefault();
if(OC.Contacts.Settings.Addressbook.adrsettings.is(':visible')) {
OC.Contacts.Settings.Addressbook.adrsettings.slideUp();
- OC.Contacts.Settings.Addressbook.adrsettings.prev('dt').hide();
moreless.text(t('contacts', 'More...'));
} else {
OC.Contacts.Settings.Addressbook.adrsettings.slideDown();
- OC.Contacts.Settings.Addressbook.adrsettings.prev('dt').show();
moreless.text(t('contacts', 'Less...'));
}
});
diff --git a/l10n/ar.php b/l10n/ar.php
index c428087e..b50c0d60 100644
--- a/l10n/ar.php
+++ b/l10n/ar.php
@@ -1,42 +1,58 @@
"خطء خلال توقيف كتاب العناوين.",
-"Cannot add empty property." => "لا يمكنك اضافه صفه خاليه.",
-"At least one of the address fields has to be filled out." => "يجب ملء على الاقل خانه واحده من العنوان.",
"Information about vCard is incorrect. Please reload the page." => "المعلومات الموجودة في ال vCard غير صحيحة. الرجاء إعادة تحديث الصفحة.",
+"There is no error, the file uploaded with success" => "تم ترفيع الملفات بنجاح.",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "حجم الملف الذي تريد ترفيعه أعلى مما upload_max_filesize يسمح به في ملف php.ini",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "حجم الملف الذي تريد ترفيعه أعلى مما MAX_FILE_SIZE يسمح به في واجهة ال HTML.",
+"The uploaded file was only partially uploaded" => "تم ترفيع جزء من الملفات الذي تريد ترفيعها فقط",
+"No file was uploaded" => "لم يتم ترفيع أي من الملفات",
+"Missing a temporary folder" => "المجلد المؤقت غير موجود",
"Contacts" => "المعارف",
+"Upload too large" => "حجم الترفيع أعلى من المسموح",
"Download" => "انزال",
"Edit" => "تعديل",
"Delete" => "حذف",
"Cancel" => "الغاء",
-"This is not your addressbook." => "هذا ليس دفتر عناوينك.",
-"Contact could not be found." => "لم يتم العثور على الشخص.",
"Work" => "الوظيفة",
"Home" => "البيت",
+"Other" => "شيء آخر",
"Mobile" => "الهاتف المحمول",
"Text" => "معلومات إضافية",
"Voice" => "صوت",
"Fax" => "الفاكس",
"Video" => "الفيديو",
"Pager" => "الرنان",
-"Birthday" => "تاريخ الميلاد",
"Contact" => "معرفه",
-"Add Contact" => "أضف شخص ",
+"Settings" => "اعدادات",
+"Import" => "إدخال",
+"Groups" => "مجموعات",
+"Close" => "اغلق",
+"Title" => "عنوان",
"Organization" => "المؤسسة",
-"Preferred" => "مفضل",
+"Birthday" => "تاريخ الميلاد",
+"Add" => "اضف",
"Phone" => "الهاتف",
"Email" => "البريد الالكتروني",
"Address" => "عنوان",
-"Download contact" => "انزال المعرفه",
"Delete contact" => "امحي المعرفه",
+"Preferred" => "مفضل",
+"City" => "المدينة",
+"Country" => "البلد",
+"Share" => "شارك",
+"Export" => "تصدير المعلومات",
+"Add Contact" => "أضف شخص ",
+"Download contact" => "انزال المعرفه",
"Type" => "نوع",
"PO Box" => "العنوان البريدي",
"Extended" => "إضافة",
-"City" => "المدينة",
"Region" => "المنطقة",
"Zipcode" => "رقم المنطقة",
-"Country" => "البلد",
"Addressbook" => "كتاب العناوين",
+"more info" => "مزيد من المعلومات",
+"Primary address (Kontact et al)" => "العنوان الرئيسي (جهات الإتصال)",
+"iOS/OS X" => "ط ن ت/ ن ت 10",
"Addressbooks" => "كتب العناوين",
"New Address Book" => "كتاب عناوين جديد",
+"Name" => "اسم",
"Save" => "حفظ"
);
diff --git a/l10n/bg_BG.php b/l10n/bg_BG.php
new file mode 100644
index 00000000..4e569044
--- /dev/null
+++ b/l10n/bg_BG.php
@@ -0,0 +1,26 @@
+ "Няма избрани категории за изтриване",
+"There is no error, the file uploaded with success" => "Файлът е качен успешно",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Файлът който се опитвате да качите, надвишава зададените стойности в upload_max_filesize в PHP.INI",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Файлът който се опитвате да качите надвишава стойностите в MAX_FILE_SIZE в HTML формата.",
+"The uploaded file was only partially uploaded" => "Файлът е качен частично",
+"No file was uploaded" => "Фахлът не бе качен",
+"Missing a temporary folder" => "Липсва временната папка",
+"Error" => "Грешка",
+"Upload Error" => "Грешка при качване",
+"Download" => "Изтегляне",
+"Delete" => "Изтриване",
+"Cancel" => "Отказ",
+"Work" => "Работа",
+"Other" => "Друго",
+"Import" => "Внасяне",
+"Groups" => "Групи",
+"Title" => "Заглавие",
+"Birthday" => "Роджен ден",
+"Add" => "Добавяне",
+"Email" => "Е-поща",
+"Address" => "Адрес",
+"Share" => "Споделяне",
+"Export" => "Изнасяне",
+"Save" => "Запис"
+);
diff --git a/l10n/ca.php b/l10n/ca.php
index c793f254..fb507325 100644
--- a/l10n/ca.php
+++ b/l10n/ca.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Error en (des)activar la llibreta d'adreces.",
"id is not set." => "no s'ha establert la id.",
"Cannot update addressbook with an empty name." => "No es pot actualitzar la llibreta d'adreces amb un nom buit",
+"No category name given." => "No heu facilitat cap nom de categoria.",
+"Error adding group." => "Error en afegir grup.",
+"Group ID missing from request." => "La ID del grup s'ha perdut en el requeriment.",
+"Contact ID missing from request." => "La ID del contacte s'ha perdut en el requeriment.",
"No ID provided" => "No heu facilitat cap ID",
"Error setting checksum." => "Error en establir la suma de verificació.",
"No categories selected for deletion." => "No heu seleccionat les categories a eliminar.",
"No address books found." => "No s'han trobat llibretes d'adreces.",
"No contacts found." => "No s'han trobat contactes.",
"element name is not set." => "no s'ha establert el nom de l'element.",
-"Could not parse contact: " => "No s'ha pogut processar el contacte:",
-"Cannot add empty property." => "No es pot afegir una propietat buida.",
-"At least one of the address fields has to be filled out." => "Almenys heu d'omplir un dels camps d'adreça.",
-"Trying to add duplicate property: " => "Esteu intentant afegir una propietat duplicada:",
-"Missing IM parameter." => "Falta el paràmetre IM.",
-"Unknown IM: " => "IM desconegut:",
-"Information about vCard is incorrect. Please reload the page." => "La informació de la vCard és incorrecta. Carregueu la pàgina de nou.",
-"Missing ID" => "Falta la ID",
-"Error parsing VCard for ID: \"" => "Error en analitzar la ID de la VCard: \"",
"checksum is not set." => "no s'ha establert la suma de verificació.",
+"Information about vCard is incorrect. Please reload the page." => "La informació de la vCard és incorrecta. Carregueu la pàgina de nou.",
+"Couldn't find vCard for %d." => "No s'ha trobat la vCard per %d.",
"Information about vCard is incorrect. Please reload the page: " => "La informació de la vCard és incorrecta. Carregueu de nou la pàgina:",
"Something went FUBAR. " => "Alguna cosa ha anat FUBAR.",
+"Cannot save property of type \"%s\" as array" => "No es pot desar la propietat del tipus \"%s\" com una matriu",
+"Missing IM parameter." => "Falta el paràmetre IM.",
+"Unknown IM: " => "IM desconegut:",
"No contact ID was submitted." => "No s'ha tramès cap ID de contacte.",
"Error reading contact photo." => "Error en llegir la foto del contacte.",
"Error saving temporary file." => "Error en desar el fitxer temporal.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Error en retallar la imatge",
"Error creating temporary image" => "Error en crear la imatge temporal",
"Error finding image: " => "Error en trobar la imatge:",
+"Key is not set for: " => "No s'ha establert la clau per:",
+"Value is not set for: " => "No s'ha establert el valor per:",
+"Could not set preference: " => "No s'ha pogut establir la preferència:",
"Error uploading contacts to storage." => "Error en carregar contactes a l'emmagatzemament.",
"There is no error, the file uploaded with success" => "No hi ha errors, el fitxer s'ha carregat correctament",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "El fitxer carregat supera la directiva upload_max_filesize de php.ini",
@@ -46,43 +49,53 @@
"Couldn't load temporary image: " => "No s'ha pogut carregar la imatge temporal: ",
"No file was uploaded. Unknown error" => "No s'ha carregat cap fitxer. Error desconegut",
"Contacts" => "Contactes",
-"Sorry, this functionality has not been implemented yet" => "Aquesta funcionalitat encara no està implementada",
-"Not implemented" => "No implementada",
-"Couldn't get a valid address." => "No s'ha pogut obtenir una adreça vàlida.",
-"Error" => "Error",
-"Please enter an email address." => "Si us plau, introdueixi una adreça de correu electrònic.",
-"Enter name" => "Escriviu un nom",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format personalitzat, Nom curt, Nom sencer, Invertit o Invertit amb coma",
-"Select type" => "Seleccioneu un tipus",
+"%d_selected_contacts" => "%d_contactes_selecionats",
+"Contact is already in this group." => "El contacte ja és en aquest grup.",
+"Contacts are already in this group." => "Els contactes ja són en aquest grup",
+"Couldn't get contact list." => "No s'ha pogut obtenir la llista de contactes.",
+"Contact is not in this group." => "El contacte no és en aquest grup.",
+"Contacts are not in this group." => "Els contactes no són en aquest grup.",
+"A group named {group} already exists" => "Un grup anomenat {group} ja existeix",
+"You can drag groups to\narrange them as you like." => "Podeu arrossegar grups per\norganitzar-los com volgueu.",
+"All" => "Tots",
+"Favorites" => "Preferits",
+"Shared by {owner}" => "Compartits per {owner}",
+"Indexing contacts" => "Indexant contactes",
+"Add to..." => "Afegeix a...",
+"Remove from..." => "Elimina des de...",
+"Add group..." => "Afegeix grup...",
"Select photo" => "Selecciona una foto",
-"You do not have permission to add contacts to " => "No teniu permisos per afegir contactes a ",
-"Please select one of your own address books." => "Seleccioneu una de les vostres llibretes d'adreces",
-"Permission error" => "Error de permisos",
-"Click to undo deletion of \"" => "Feu clic per desfer l'eliminació de \"",
-"Cancelled deletion of: \"" => "Eliminació Cancel·lada : \"",
-"This property has to be non-empty." => "Aquesta propietat no pot ser buida.",
-"Couldn't serialize elements." => "No s'han pogut serialitzar els elements.",
-"Unknown error. Please check logs." => "Error desconegut. Si us plau, revisa els registres.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' s'ha cridat sense argument de tipus. Informeu-ne a bugs.owncloud.org",
-"Edit name" => "Edita el nom",
-"No files selected for upload." => "No s'han seleccionat fitxers per a la pujada.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "El fitxer que intenteu pujar excedeix la mida màxima de pujada en aquest servidor.",
-"Error loading profile picture." => "Error en carregar la imatge de perfil.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Heu marcat eliminar alguns contactes, però encara no s'han eliminat. Espereu mentre s'esborren.",
-"Do you want to merge these address books?" => "Voleu fusionar aquestes llibretes d'adreces?",
-"Shared by " => "Compartit per",
-"Upload too large" => "La pujada és massa gran",
-"Only image files can be used as profile picture." => "Només els arxius d'imatge es poden utilitzar com a foto de perfil.",
-"Wrong file type" => "Tipus d'arxiu incorrecte",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "El seu navegador no suporta la càrrega de AJAX. Feu clic a la foto de perfil per seleccionar la foto que voleu carregar.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "No es pot pujar el fitxer perquè és una carpeta o té 0 bytes",
-"Upload Error" => "Error en la pujada",
-"Pending" => "Pendent",
-"Import done" => "S'ha importat",
+"Network or server error. Please inform administrator." => "Error de xarxa o del servidor. Informeu a l'administrador.",
+"Error adding to group." => "Error en afegir grup",
+"Error removing from group." => "Error en eliminar del grup",
+"There was an error opening a mail composer." => "S'ha produït un error en obrir un redactor de correus electrónics.",
+"Deleting done. Click here to cancel reloading." => "S'ha eliminat. Feu clic aquí per cancel·lar la recàrrega.",
+"Add address book" => "Afegeix llibreta d'adreces",
+"Import done. Click here to cancel reloading." => "S'ha importat. Feu clic aquí per cancel·lar la recàrrega.",
"Not all files uploaded. Retrying..." => "No s'han pujat tots els fitxers. Es reintenta...",
"Something went wrong with the upload, please retry." => "Alguna cosa ha fallat en la pujada, intenteu-ho de nou.",
+"Error" => "Error",
+"Importing from {filename}..." => "Important des de {filename}...",
+"{success} imported, {failed} failed." => "{success} importat, {failed} fallat.",
"Importing..." => "Important...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "No es pot pujar el fitxer perquè és una carpeta o té 0 bytes",
+"Upload Error" => "Error en la pujada",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "El fitxer que intenteu pujar excedeix la mida màxima de pujada en aquest servidor.",
+"Upload too large" => "La pujada és massa gran",
+"Pending" => "Pendent",
+"Add group" => "Afegeix grup",
+"No files selected for upload." => "No s'han seleccionat fitxers per a la pujada.",
+"Edit profile picture" => "Edita la fotografia de perfil",
+"Error loading profile picture." => "Error en carregar la imatge de perfil.",
+"Enter name" => "Escriviu un nom",
+"Enter description" => "Escriviu una descripció",
+"Select addressbook" => "Selecciona la llibreta d'adreces",
"The address book name cannot be empty." => "El nom de la llibreta d'adreces no pot ser buit.",
+"Is this correct?" => "És correcte?",
+"There was an unknown error when trying to delete this contact" => "S'ha produït un error en intentar esborrat aquest contacte",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Heu marcat eliminar alguns contactes, però encara no s'han eliminat. Espereu mentre s'esborren.",
+"Click to undo deletion of {num} contacts" => "Feu clic a desfés eliminació de {num} contactes",
+"Cancelled deletion of {num}" => "S'ha cancel·lat l'eliminació de {num}",
"Result: " => "Resultat: ",
" imported, " => " importat, ",
" failed." => " fallada.",
@@ -100,9 +113,6 @@
"There was an error updating the addressbook." => "S'ha produït un error en actualitzar la llibreta d'adreces.",
"You do not have the permissions to delete this addressbook." => "No teniu permisos per eliminar aquesta llibreta d'adreces",
"There was an error deleting this addressbook." => "S'ha produït un error en eliminar la llibreta d'adreces",
-"Addressbook not found: " => "No s'ha trobat la llibreta d'adreces: ",
-"This is not your addressbook." => "Aquesta no és la vostra llibreta d'adreces",
-"Contact could not be found." => "No s'ha trobat el contacte.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +136,9 @@
"Video" => "Vídeo",
"Pager" => "Paginador",
"Internet" => "Internet",
-"Birthday" => "Aniversari",
-"Business" => "Negocis",
-"Call" => "Trucada",
-"Clients" => "Clients",
-"Deliverer" => "Emissari",
-"Holidays" => "Vacances",
-"Ideas" => "Idees",
-"Journey" => "Viatge",
-"Jubilee" => "Aniversari",
-"Meeting" => "Reunió",
-"Personal" => "Personal",
-"Projects" => "Projectes",
-"Questions" => "Preguntes",
+"Friends" => "Amics",
+"Family" => "Familia",
+"There was an error deleting properties for this contact." => "S'ha produït un error en eliminar les propietats d'aquest contacte.",
"{name}'s Birthday" => "Aniversari de {name}",
"Contact" => "Contacte",
"You do not have the permissions to add contacts to this addressbook." => "No teniu permisos per afegir contactes a aquesta llibreta d'adreces.",
@@ -148,9 +148,22 @@
"Could not find the Addressbook with ID: " => "No s'ha trobat la llibreta d'adreces amb ID:",
"You do not have the permissions to delete this contact." => "No teniu permisos per esborrar aquest contacte",
"There was an error deleting this contact." => "S'ha produït un error en eliminar aquest contacte.",
-"Add Contact" => "Afegeix un contacte",
-"Import" => "Importa",
+"Contact not found." => "No s'ha trobat el contacte",
+"HomePage" => "Pàgina d'inici",
+"New Group" => "Grup nou",
"Settings" => "Configuració",
+"Address books" => "Llibretes d'adreces",
+"Import" => "Importa",
+"Select files to import" => "Seleccioneu els fitxers a importar",
+"Select files" => "Seleccioneu fitxers",
+"Import into:" => "Importa a:",
+"OK" => "D'acord",
+"(De-)select all" => "(Des-)selecciona'ls tots",
+"New Contact" => "Contate nou",
+"Download Contact(s)" => "Baixa contacte(s)",
+"Groups" => "Grups",
+"Favorite" => "Preferits",
+"Delete Contact" => "Elimina contacte",
"Close" => "Tanca",
"Keyboard shortcuts" => "Dreceres de teclat",
"Navigation" => "Navegació",
@@ -164,56 +177,83 @@
"Add new contact" => "Afegeix un contacte nou",
"Add new addressbook" => "Afegeix una llibreta d'adreces nova",
"Delete current contact" => "Esborra el contacte",
-"Drop photo to upload" => "Elimina la foto a carregar",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
No teniu contactes a la llibreta d'adreces.
afegiu contactes nous o importeu-los contactes des d'un fitxer VCF.
",
+"Add contact" => "Afegeix un contacte",
+"Compose mail" => "Redacta un correu electrónic",
+"Delete group" => "Elimina grup",
"Delete current photo" => "Elimina la foto actual",
"Edit current photo" => "Edita la foto actual",
"Upload new photo" => "Carrega una foto nova",
"Select photo from ownCloud" => "Selecciona una foto de ownCloud",
-"Edit name details" => "Edita detalls del nom",
-"Organization" => "Organització",
+"First name" => "Nom",
+"Additional names" => "Noms addicionals",
+"Last name" => "Cognom",
"Nickname" => "Sobrenom",
"Enter nickname" => "Escriviu el sobrenom",
-"Web site" => "Adreça web",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Vés a la web",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "Grups",
-"Separate groups with commas" => "Separeu els grups amb comes",
-"Edit groups" => "Edita els grups",
-"Preferred" => "Preferit",
-"Please specify a valid email address." => "Especifiqueu una adreça de correu electrònic correcta",
-"Enter email address" => "Escriviu una adreça de correu electrònic",
-"Mail to address" => "Envia per correu electrònic a l'adreça",
-"Delete email address" => "Elimina l'adreça de correu electrònic",
-"Enter phone number" => "Escriviu el número de telèfon",
-"Delete phone number" => "Elimina el número de telèfon",
-"Instant Messenger" => "Instant Messenger",
-"Delete IM" => "Elimina IM",
-"View on map" => "Visualitza al mapa",
-"Edit address details" => "Edita els detalls de l'adreça",
-"Add notes here." => "Afegiu notes aquí.",
-"Add field" => "Afegeix un camp",
+"Title" => "Títol",
+"Enter title" => "Escriviu el títol",
+"Organization" => "Organització",
+"Enter organization" => "Escriviu l'organització",
+"Birthday" => "Aniversari",
+"Notes go here..." => "Escriviu notes aquí...",
+"Export as VCF" => "Exporta com a VCF",
+"Add" => "Afegeix",
"Phone" => "Telèfon",
"Email" => "Correu electrònic",
"Instant Messaging" => "Missatgeria instantània",
"Address" => "Adreça",
"Note" => "Nota",
-"Download contact" => "Baixa el contacte",
+"Web site" => "Adreça web",
"Delete contact" => "Suprimeix el contacte",
+"Preferred" => "Preferit",
+"Please specify a valid email address." => "Especifiqueu una adreça de correu electrònic correcta",
+"someone@example.com" => "algú@exemple.com",
+"Mail to address" => "Envia per correu electrònic a l'adreça",
+"Delete email address" => "Elimina l'adreça de correu electrònic",
+"Enter phone number" => "Escriviu el número de telèfon",
+"Delete phone number" => "Elimina el número de telèfon",
+"Go to web site" => "Vés a la web",
+"Delete URL" => "Elimina URL",
+"View on map" => "Visualitza al mapa",
+"Delete address" => "Elimina l'adreça",
+"1 Main Street" => "Carrer major, 1",
+"Street address" => "Adreça",
+"12345" => "12123",
+"Postal code" => "Codi postal",
+"Your city" => "Ciutat",
+"City" => "Ciutat",
+"Some region" => "Comarca",
+"State or province" => "Estat o província",
+"Your country" => "País",
+"Country" => "País",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "Elimina IM",
+"Share" => "Comparteix",
+"Export" => "Exporta",
+"CardDAV link" => "Enllaç CardDAV",
+"Add Contact" => "Afegeix un contacte",
+"Drop photo to upload" => "Elimina la foto a carregar",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format personalitzat, Nom curt, Nom sencer, Invertit o Invertit amb coma",
+"Edit name details" => "Edita detalls del nom",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "Separeu els grups amb comes",
+"Edit groups" => "Edita els grups",
+"Enter email address" => "Escriviu una adreça de correu electrònic",
+"Edit address details" => "Edita els detalls de l'adreça",
+"Add notes here." => "Afegiu notes aquí.",
+"Add field" => "Afegeix un camp",
+"Download contact" => "Baixa el contacte",
"The temporary image has been removed from cache." => "La imatge temporal ha estat eliminada de la memòria de cau.",
"Edit address" => "Edita l'adreça",
"Type" => "Tipus",
"PO Box" => "Adreça postal",
-"Street address" => "Adreça",
"Street and number" => "Carrer i número",
"Extended" => "Addicional",
"Apartment number etc." => "Número d'apartament, etc.",
-"City" => "Ciutat",
"Region" => "Comarca",
"E.g. state or province" => "p. ex. Estat o província ",
"Zipcode" => "Codi postal",
-"Postal code" => "Codi postal",
-"Country" => "País",
"Addressbook" => "Llibreta d'adreces",
"Hon. prefixes" => "Prefix honorífic:",
"Miss" => "Srta",
@@ -223,7 +263,6 @@
"Mrs" => "Sra",
"Dr" => "Dr",
"Given name" => "Nom específic",
-"Additional names" => "Noms addicionals",
"Family name" => "Nom de familia",
"Hon. suffixes" => "Sufix honorífic:",
"J.D." => "J.D.",
@@ -240,15 +279,12 @@
"Name of new addressbook" => "Nom de la nova llibreta d'adreces",
"Importing contacts" => "S'estan important contactes",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
No teniu contactes a la llibreta d'adreces.
Podeu importar fitxers VCF arrossegant-los a la llista de contactes i deixant-los, o bé en una llibreta d'adreces per importar-les allà, o en un espai buit per crear una llibreta d'adreces nova i importar-les allà. També podeu fer clic al botó per importar al final de la lliesta.
",
-"Add contact" => "Afegeix un contacte",
"Select Address Books" => "Selecccioneu llibretes d'adreces",
-"Enter description" => "Escriviu una descripció",
"CardDAV syncing addresses" => "Adreces de sincronització CardDAV",
"more info" => "més informació",
"Primary address (Kontact et al)" => "Adreça primària (Kontact i al)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Llibretes d'adreces",
-"Share" => "Comparteix",
"New Address Book" => "Nova llibreta d'adreces",
"Name" => "Nom",
"Description" => "Descripció",
diff --git a/l10n/cs_CZ.php b/l10n/cs_CZ.php
index 46ac3bc1..baf09ec3 100644
--- a/l10n/cs_CZ.php
+++ b/l10n/cs_CZ.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Chyba při (de)aktivaci knihy adres.",
"id is not set." => "id není nastaveno.",
"Cannot update addressbook with an empty name." => "Nelze aktualizovat knihu adres s prázdným názvem.",
+"No category name given." => "Nezadán žádný název kategorie.",
+"Error adding group." => "Chyba při přidávání skupiny.",
+"Group ID missing from request." => "V požadavku schází ID skupiny.",
+"Contact ID missing from request." => "V požadavku schází ID kontaktu.",
"No ID provided" => "Žádné ID nezadáno",
"Error setting checksum." => "Chyba při nastavování kontrolního součtu.",
"No categories selected for deletion." => "Žádné kategorie nebyly vybrány k smazání.",
"No address books found." => "Žádná kniha adres nenalezena.",
"No contacts found." => "Žádné kontakty nenalezeny.",
"element name is not set." => "název prvku není nastaven.",
-"Could not parse contact: " => "Nelze zpracovat kontakt: ",
-"Cannot add empty property." => "Nelze přidat prázdnou vlastnost.",
-"At least one of the address fields has to be filled out." => "Musí být vyplněn alespoň jeden z adresních údajů.",
-"Trying to add duplicate property: " => "Pokoušíte se přidat duplicitní vlastnost: ",
-"Missing IM parameter." => "Chybějící parametr komunikátoru.",
-"Unknown IM: " => "Neznámý komunikátor: ",
-"Information about vCard is incorrect. Please reload the page." => "Informace o vCard je neplatná. Obnovte, prosím, stránku.",
-"Missing ID" => "Chybí ID",
-"Error parsing VCard for ID: \"" => "Chyba při zpracování VCard pro ID: \"",
"checksum is not set." => "kontrolní součet není nastaven.",
+"Information about vCard is incorrect. Please reload the page." => "Informace o vCard je neplatná. Obnovte, prosím, stránku.",
+"Couldn't find vCard for %d." => "Nelze najít vCard pro %d.",
"Information about vCard is incorrect. Please reload the page: " => "Informace o vCard je neplatná. Obnovte, prosím, stránku: ",
"Something went FUBAR. " => "Něco se pokazilo. ",
+"Cannot save property of type \"%s\" as array" => "Nelze uložit vlastnost typu \"%s\" jako pole",
+"Missing IM parameter." => "Chybějící parametr komunikátoru.",
+"Unknown IM: " => "Neznámý komunikátor: ",
"No contact ID was submitted." => "Nebylo odesláno ID kontaktu.",
"Error reading contact photo." => "Chyba při čtení fotky kontaktu.",
"Error saving temporary file." => "Chyba při ukládání dočasného souboru.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Chyba při ořezávání obrázku.",
"Error creating temporary image" => "Chyba při vytváření dočasného obrázku.",
"Error finding image: " => "Chyba při hledání obrázku: ",
+"Key is not set for: " => "Klíč nenastaven pro:",
+"Value is not set for: " => "Hodnota nezadána pro:",
+"Could not set preference: " => "Nelze nastavit předvolby:",
"Error uploading contacts to storage." => "Chyba při odesílání kontaktů do úložiště.",
"There is no error, the file uploaded with success" => "Soubor byl odeslán úspěšně",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Odeslaný soubor přesáhl svou velikostí parametr upload_max_filesize v php.ini",
@@ -46,43 +49,53 @@
"Couldn't load temporary image: " => "Nelze načíst dočasný obrázek: ",
"No file was uploaded. Unknown error" => "Soubor nebyl odeslán. Neznámá chyba",
"Contacts" => "Kontakty",
-"Sorry, this functionality has not been implemented yet" => "Bohužel, tato funkce nebyla ještě implementována",
-"Not implemented" => "Neimplementováno",
-"Couldn't get a valid address." => "Nelze získat platnou adresu.",
-"Error" => "Chyba",
-"Please enter an email address." => "Zadejte, prosím, adresu e-mailu.",
-"Enter name" => "Zadejte jméno",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formát vlastní, křestní jméno, celé jméno, obráceně, nebo obráceně oddělené čárkami",
-"Select type" => "Vybrat typ",
+"%d_selected_contacts" => "%d_vybranych_kontaktu",
+"Contact is already in this group." => "Kontakt je již v této skupině.",
+"Contacts are already in this group." => "Kontakty jsou již v této skupině.",
+"Couldn't get contact list." => "Nelze získat seznam kontaktů.",
+"Contact is not in this group." => "Kontakt není v této skupině.",
+"Contacts are not in this group." => "Kontakty nejsou v této skupině.",
+"A group named {group} already exists" => "Skupina s názvem {group} již existuje",
+"You can drag groups to\narrange them as you like." => "Můžete přesouvat skupiny, pro\nsnadné seřazení dle vašich potřeb.",
+"All" => "Vše",
+"Favorites" => "Oblíbené",
+"Shared by {owner}" => "Sdílí {owner}",
+"Indexing contacts" => "Indexuji kontakty",
+"Add to..." => "Přidat do...",
+"Remove from..." => "Odebrat z...",
+"Add group..." => "Přidat skupinu...",
"Select photo" => "Vybrat fotku",
-"You do not have permission to add contacts to " => "Nemáte práva přidat kontakt do ",
-"Please select one of your own address books." => "Prosím vyberte jedu z Vašich knih adres.",
-"Permission error" => "Chyba přístupových práv",
-"Click to undo deletion of \"" => "Klikněte pro zrušení smazání \"",
-"Cancelled deletion of: \"" => "Zrušeno mazání: \"",
-"This property has to be non-empty." => "Tato vlastnost musí být zadána.",
-"Couldn't serialize elements." => "Prvky nelze převést.",
-"Unknown error. Please check logs." => "Neznámá chyba. Zkontrolujte záznamy.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' voláno bez argumentu. Prosím oznamte chybu na bugs.owncloud.org",
-"Edit name" => "Upravit jméno",
-"No files selected for upload." => "Žádné soubory nebyly vybrány k nahrání.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Soubor, který se pokoušíte odeslat, přesahuje maximální povolenou velikost.",
-"Error loading profile picture." => "Chyba při načítání obrázku profilu.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Některé kontakty jsou označeny ke smazání, ale nejsou smazány. Počkejte, prosím, na dokončení operace.",
-"Do you want to merge these address books?" => "Chcete spojit tyto knihy adres?",
-"Shared by " => "Sdílí",
-"Upload too large" => "Odesílaný soubor je příliš velký",
-"Only image files can be used as profile picture." => "Jako profilový obrázek lze použít pouze soubory obrázků.",
-"Wrong file type" => "Špatný typ souboru",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Váš prohlížeč nepodporuje odesílání skrze AJAX. Prosím klikněte na profilový obrázek pro výběr fotografie k odeslání.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Nelze odeslat Váš soubor, protože je to adresář, nebo je jeho velikost 0 bajtů",
-"Upload Error" => "Chyba odesílání",
-"Pending" => "Nevyřízené",
-"Import done" => "Import dokončen",
+"Network or server error. Please inform administrator." => "Chyba sítě, či serveru. Kontaktujte prosím správce.",
+"Error adding to group." => "Chyba při přidávání do skupiny",
+"Error removing from group." => "Chyba při odebírání ze skupiny",
+"There was an error opening a mail composer." => "Nastala chyba při otevírání editoru emalů.",
+"Deleting done. Click here to cancel reloading." => "Mazání dokončeno. Klikněte zde pro zrušení přenačtení.",
+"Add address book" => "Přidat knihu adres",
+"Import done. Click here to cancel reloading." => "Import dokončen. Klikněte zde pro zrušení přenačtení.",
"Not all files uploaded. Retrying..." => "Všechny soubory nebyly odeslány. Opakuji...",
"Something went wrong with the upload, please retry." => "Něco se stalo špatně s odesílaným souborem, zkuste jej, prosím, odeslat znovu.",
+"Error" => "Chyba",
+"Importing from {filename}..." => "Importuji z {filename}...",
+"{success} imported, {failed} failed." => "{success} importováno, {failed} selhalo.",
"Importing..." => "Importuji...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Nelze odeslat Váš soubor, protože je to adresář, nebo je jeho velikost 0 bajtů",
+"Upload Error" => "Chyba odesílání",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Soubor, který se pokoušíte odeslat, přesahuje maximální povolenou velikost.",
+"Upload too large" => "Odesílaný soubor je příliš velký",
+"Pending" => "Nevyřízené",
+"Add group" => "Přidat skupinu",
+"No files selected for upload." => "Žádné soubory nebyly vybrány k nahrání.",
+"Edit profile picture" => "Upravit obrázek profilu",
+"Error loading profile picture." => "Chyba při načítání obrázku profilu.",
+"Enter name" => "Zadejte jméno",
+"Enter description" => "Zadejte popis",
+"Select addressbook" => "Vybrat knihu adres",
"The address book name cannot be empty." => "Název knihy adres nemůže být prázdný.",
+"Is this correct?" => "Je to správně?",
+"There was an unknown error when trying to delete this contact" => "Nastala neznámá chyba při mazání tohoto kontaktu",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Některé kontakty jsou označeny ke smazání, ale nejsou smazány. Počkejte, prosím, na dokončení operace.",
+"Click to undo deletion of {num} contacts" => "Klikněte pro navrácení mazání {num} kontaktů",
+"Cancelled deletion of {num}" => "Mazání {num} položek zrušeno",
"Result: " => "Výsledek: ",
" imported, " => " importováno, ",
" failed." => " selhalo.",
@@ -100,9 +113,6 @@
"There was an error updating the addressbook." => "Nastala chyba při aktualizaci knihy adres.",
"You do not have the permissions to delete this addressbook." => "Nemáte práva pro odstranění této knihy adres.",
"There was an error deleting this addressbook." => "Nastala chyba při odstranění knihy adres.",
-"Addressbook not found: " => "Kniha adres nenalezena: ",
-"This is not your addressbook." => "Toto není Vaše kniha adres.",
-"Contact could not be found." => "Kontakt nebyl nalezen.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +136,9 @@
"Video" => "Video",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Narozeniny",
-"Business" => "Pracovní",
-"Call" => "Volat",
-"Clients" => "Klienti",
-"Deliverer" => "Dodavatel",
-"Holidays" => "Svátky",
-"Ideas" => "Nápady",
-"Journey" => "Cestování",
-"Jubilee" => "Jubileum",
-"Meeting" => "Schůze",
-"Personal" => "Osobní",
-"Projects" => "Projekty",
-"Questions" => "Otázky",
+"Friends" => "Přátelé",
+"Family" => "Rodina",
+"There was an error deleting properties for this contact." => "Nastala chyba při mazání vlastností tohoto kontatku.",
"{name}'s Birthday" => "Narozeniny {name}",
"Contact" => "Kontakt",
"You do not have the permissions to add contacts to this addressbook." => "Nemáte práva pro přidání kontaktů do této knihy adres.",
@@ -148,9 +148,22 @@
"Could not find the Addressbook with ID: " => "Nelze nalézt Addressbook s ID: ",
"You do not have the permissions to delete this contact." => "Nemáte práva smazat tento kontakt.",
"There was an error deleting this contact." => "Nastala chyba při mazání tohoto kontaktu.",
-"Add Contact" => "Přidat kontakt",
-"Import" => "Importovat",
+"Contact not found." => "Kontakt nenalezen.",
+"HomePage" => "Domovská stránka",
+"New Group" => "Nová skupina",
"Settings" => "Nastavení",
+"Address books" => "Knihy adres",
+"Import" => "Importovat",
+"Select files to import" => "Vybrat soubory pro import",
+"Select files" => "Vybrat soubory",
+"Import into:" => "Importovat do:",
+"OK" => "OK",
+"(De-)select all" => "Vybrat (odznačit) vše",
+"New Contact" => "Nový kontakt",
+"Download Contact(s)" => "Stáhnout kontakt(y)",
+"Groups" => "Skupiny",
+"Favorite" => "Oblíbit",
+"Delete Contact" => "Smazat kontakt",
"Close" => "Zavřít",
"Keyboard shortcuts" => "Klávesové zkratky",
"Navigation" => "Navigace",
@@ -164,56 +177,83 @@
"Add new contact" => "Přidat nový kontakt",
"Add new addressbook" => "Předat novou knihu adres",
"Delete current contact" => "Odstranit současný kontakt",
-"Drop photo to upload" => "Přetáhněte sem fotku pro nahrání",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Ve vaší knize adres nemáte žádné kontakty.
Přidejte nový kontakt, nebo importujte existující ze souboru VCF.
",
+"Add contact" => "Přidat kontakt",
+"Compose mail" => "Napsat email",
+"Delete group" => "Smazat skupinu",
"Delete current photo" => "Smazat současnou fotku",
"Edit current photo" => "Upravit současnou fotku",
"Upload new photo" => "Nahrát novou fotku",
"Select photo from ownCloud" => "Vybrat fotku z ownCloudu",
-"Edit name details" => "Upravit podrobnosti jména",
-"Organization" => "Organizace",
+"First name" => "Křestní jméno",
+"Additional names" => "Další jména",
+"Last name" => "Příjmení",
"Nickname" => "Přezdívka",
"Enter nickname" => "Zadejte přezdívku",
-"Web site" => "Webová stránka",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Přejít na webovou stránku",
-"dd-mm-yyyy" => "dd. mm. yyyy",
-"Groups" => "Skupiny",
-"Separate groups with commas" => "Oddělte skupiny čárkami",
-"Edit groups" => "Upravit skupiny",
-"Preferred" => "Preferované",
-"Please specify a valid email address." => "Prosím zadejte platnou e-mailovou adresu",
-"Enter email address" => "Zadat e-mailovou adresu",
-"Mail to address" => "Odeslat na adresu",
-"Delete email address" => "Smazat adresu e-mailu",
-"Enter phone number" => "Zadat telefonní číslo",
-"Delete phone number" => "Smazat telefonní číslo",
-"Instant Messenger" => "Komunikátor",
-"Delete IM" => "Smazat komunikátor",
-"View on map" => "Zobrazit na mapě",
-"Edit address details" => "Upravit podrobnosti adresy",
-"Add notes here." => "Zde přidejte poznámky.",
-"Add field" => "Přidat pole",
+"Title" => "Název",
+"Enter title" => "Zadejte název",
+"Organization" => "Organizace",
+"Enter organization" => "Zadejte organizaci",
+"Birthday" => "Narozeniny",
+"Notes go here..." => "Sem vložte poznámky...",
+"Export as VCF" => "Exportovat jako VCF",
+"Add" => "Přidat",
"Phone" => "Telefon",
"Email" => "E-mail",
"Instant Messaging" => "Komunikátor",
"Address" => "Adresa",
"Note" => "Poznámka",
-"Download contact" => "Stáhnout kontakt",
+"Web site" => "Webová stránka",
"Delete contact" => "Smazat kontakt",
+"Preferred" => "Preferované",
+"Please specify a valid email address." => "Prosím zadejte platnou e-mailovou adresu",
+"someone@example.com" => "někdo@example.com",
+"Mail to address" => "Odeslat na adresu",
+"Delete email address" => "Smazat adresu e-mailu",
+"Enter phone number" => "Zadat telefonní číslo",
+"Delete phone number" => "Smazat telefonní číslo",
+"Go to web site" => "Přejít na webovou stránku",
+"Delete URL" => "Smazat URL",
+"View on map" => "Zobrazit na mapě",
+"Delete address" => "Smazat adresu",
+"1 Main Street" => "1 Hlavní ulice",
+"Street address" => "Ulice",
+"12345" => "12345",
+"Postal code" => "Směrovací číslo",
+"Your city" => "Vaše město",
+"City" => "Město",
+"Some region" => "Nějaký region",
+"State or province" => "Stát, či provincie",
+"Your country" => "Váše země",
+"Country" => "Země",
+"Instant Messenger" => "Komunikátor",
+"Delete IM" => "Smazat komunikátor",
+"Share" => "Sdílet",
+"Export" => "Exportovat",
+"CardDAV link" => "Odkaz CardDAV",
+"Add Contact" => "Přidat kontakt",
+"Drop photo to upload" => "Přetáhněte sem fotku pro nahrání",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formát vlastní, křestní jméno, celé jméno, obráceně, nebo obráceně oddělené čárkami",
+"Edit name details" => "Upravit podrobnosti jména",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd. mm. yyyy",
+"Separate groups with commas" => "Oddělte skupiny čárkami",
+"Edit groups" => "Upravit skupiny",
+"Enter email address" => "Zadat e-mailovou adresu",
+"Edit address details" => "Upravit podrobnosti adresy",
+"Add notes here." => "Zde přidejte poznámky.",
+"Add field" => "Přidat pole",
+"Download contact" => "Stáhnout kontakt",
"The temporary image has been removed from cache." => "Obrázek byl odstraněn z vyrovnávací paměti.",
"Edit address" => "Upravit adresu",
"Type" => "Typ",
"PO Box" => "PO box",
-"Street address" => "Ulice",
"Street and number" => "Ulice a číslo",
"Extended" => "Rozšířené",
"Apartment number etc." => "Číslo bytu atd.",
-"City" => "Město",
"Region" => "Kraj",
"E.g. state or province" => "Např. stát nebo provincie",
"Zipcode" => "PSČ",
-"Postal code" => "Směrovací číslo",
-"Country" => "Země",
"Addressbook" => "Kniha adres",
"Hon. prefixes" => "Tituly před jménem",
"Miss" => "Slečna",
@@ -223,7 +263,6 @@
"Mrs" => "Paní",
"Dr" => "Dr",
"Given name" => "Křestní jméno",
-"Additional names" => "Další jména",
"Family name" => "Příjmení",
"Hon. suffixes" => "Tituly za",
"J.D." => "JUDr.",
@@ -240,15 +279,12 @@
"Name of new addressbook" => "Jméno nové knihy adres",
"Importing contacts" => "Probíhá import kontaktů",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Ve Vaší knize adres nemáte žádné kontakty.
Můžete importovat soubory VCF přetažením na seznam kontaktů a upuštěním na knihu adres pro přidání, nebo do prázdného místa pro vytvoření nové knihy adres. Můžete také importovat kliknutím na tlačítko Importovat na konci seznamu.
",
-"Add contact" => "Přidat kontakt",
"Select Address Books" => "Vybrat knihu adres",
-"Enter description" => "Zadejte popis",
"CardDAV syncing addresses" => "Adresy pro synchronizaci pomocí CardDAV",
"more info" => "víc informací",
"Primary address (Kontact et al)" => "Hlavní adresa (Kontakt etc.)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Knihy adres",
-"Share" => "Sdílet",
"New Address Book" => "Nová kniha adres",
"Name" => "Název",
"Description" => "Popis",
diff --git a/l10n/da.php b/l10n/da.php
index 387a5cf6..c0a8fccd 100644
--- a/l10n/da.php
+++ b/l10n/da.php
@@ -8,18 +8,12 @@
"No address books found." => "Der blev ikke fundet nogen adressebøger.",
"No contacts found." => "Der blev ikke fundet nogen kontaktpersoner.",
"element name is not set." => "Elementnavnet er ikke medsendt.",
-"Could not parse contact: " => "Kunne ikke indlæse kontaktperson",
-"Cannot add empty property." => "Kan ikke tilføje en egenskab uden indhold.",
-"At least one of the address fields has to be filled out." => "Der skal udfyldes mindst et adressefelt.",
-"Trying to add duplicate property: " => "Kan ikke tilføje overlappende element.",
-"Missing IM parameter." => "Manglende IM parameter.",
-"Unknown IM: " => "Ukendt IM:",
-"Information about vCard is incorrect. Please reload the page." => "Informationen om vCard er forkert. Genindlæs siden.",
-"Missing ID" => "Manglende ID",
-"Error parsing VCard for ID: \"" => "Kunne ikke indlæse VCard med ID'et: \"",
"checksum is not set." => "Checksum er ikke medsendt.",
+"Information about vCard is incorrect. Please reload the page." => "Informationen om vCard er forkert. Genindlæs siden.",
"Information about vCard is incorrect. Please reload the page: " => "Informationen om dette VCard stemmer ikke. Genindlæs venligst siden: ",
"Something went FUBAR. " => "Noget gik grueligt galt. ",
+"Missing IM parameter." => "Manglende IM parameter.",
+"Unknown IM: " => "Ukendt IM:",
"No contact ID was submitted." => "Ingen ID for kontakperson medsendt.",
"Error reading contact photo." => "Kunne ikke indlæse foto for kontakperson.",
"Error saving temporary file." => "Kunne ikke gemme midlertidig fil.",
@@ -46,43 +40,22 @@
"Couldn't load temporary image: " => "Kunne ikke indlæse midlertidigt billede",
"No file was uploaded. Unknown error" => "Ingen fil blev uploadet. Ukendt fejl.",
"Contacts" => "Kontaktpersoner",
-"Sorry, this functionality has not been implemented yet" => "Denne funktion er desværre ikke implementeret endnu",
-"Not implemented" => "Ikke implementeret",
-"Couldn't get a valid address." => "Kunne ikke finde en gyldig adresse.",
-"Error" => "Fejl",
-"Please enter an email address." => "Indtast venligst en email adresse",
-"Enter name" => "Indtast navn",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formatter som valgfrit, fuldt navn, efternavn først eller efternavn først med komma",
-"Select type" => "Vælg type",
"Select photo" => "Vælg foto",
-"You do not have permission to add contacts to " => "Du har ikke rettigheder til at tilføje kontaktpersoner til ",
-"Please select one of your own address books." => "Vælg venligst en af dine egne adressebøger.",
-"Permission error" => "Manglende rettigheder",
-"Click to undo deletion of \"" => "Klik for at fortryde sletning af \"",
-"Cancelled deletion of: \"" => "Annullerede sletning af: \"",
-"This property has to be non-empty." => "Dette felt må ikke være tomt.",
-"Couldn't serialize elements." => "Kunne ikke serialisere elementerne.",
-"Unknown error. Please check logs." => "Ukendt fejl. Tjek venligst log.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' kaldet uden typeargument. Indrapporter fejl på bugs.owncloud.org",
-"Edit name" => "Rediger navn",
-"No files selected for upload." => "Der er ikke valgt nogen filer at uploade.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Dr.",
-"Error loading profile picture." => "Fejl ved indlæsning af profilbillede",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Nogle kontakter er markeret til sletning, men er endnu ikke slettet. Vent venligst på, at de bliver slettet.",
-"Do you want to merge these address books?" => "Vil du fusionere disse adressebøger?",
-"Shared by " => "Delt af",
-"Upload too large" => "Upload er for stor",
-"Only image files can be used as profile picture." => "Kun billedfiler kan bruges som profilbilleder",
-"Wrong file type" => "Forkert filtype",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Din browser understøtter ikke AJAX upload. Tryk venligst på profilbilledet for at vælge et billede som skal uploades.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Kan ikke uploade din fil - det er enten en mappe eller en fil med et indhold på 0 bytes.",
-"Upload Error" => "Fejl i upload",
-"Pending" => "Afventer",
-"Import done" => "Import fuldført",
"Not all files uploaded. Retrying..." => "Nogle filer blev ikke uploadet. Forsøger igen...",
"Something went wrong with the upload, please retry." => "Der opstod en fejl under upload. Forsøg igen.",
+"Error" => "Fejl",
"Importing..." => "Importerer...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Kan ikke uploade din fil - det er enten en mappe eller en fil med et indhold på 0 bytes.",
+"Upload Error" => "Fejl i upload",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Dr.",
+"Upload too large" => "Upload er for stor",
+"Pending" => "Afventer",
+"No files selected for upload." => "Der er ikke valgt nogen filer at uploade.",
+"Error loading profile picture." => "Fejl ved indlæsning af profilbillede",
+"Enter name" => "Indtast navn",
+"Enter description" => "Indtast beskrivelse",
"The address book name cannot be empty." => "Adressebogens navn kan ikke være tomt.",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Nogle kontakter er markeret til sletning, men er endnu ikke slettet. Vent venligst på, at de bliver slettet.",
"Result: " => "Resultat:",
" imported, " => " importeret ",
" failed." => " fejl.",
@@ -100,9 +73,6 @@
"There was an error updating the addressbook." => "Du har ikke rettigheder til at opdatere denne kontaktperson",
"You do not have the permissions to delete this addressbook." => "Du har ikke rettigheder til at slette denne adressebog",
"There was an error deleting this addressbook." => "Der opstod en fejl ved sletning af denne adressebog.",
-"Addressbook not found: " => "Adressebog ikke fundet:",
-"This is not your addressbook." => "Dette er ikke din adressebog.",
-"Contact could not be found." => "Kontaktperson kunne ikke findes.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +96,6 @@
"Video" => "Video",
"Pager" => "Personsøger",
"Internet" => "Internet",
-"Birthday" => "Fødselsdag",
-"Business" => "Firma",
-"Call" => "Ring op",
-"Clients" => "Klienter",
-"Deliverer" => "Udbringer",
-"Holidays" => "Ferie",
-"Ideas" => "Ideer",
-"Journey" => "Rejse",
-"Jubilee" => "Jubilæum",
-"Meeting" => "Møde",
-"Personal" => "Personligt",
-"Projects" => "Projekter",
-"Questions" => "Spørgsmål",
"{name}'s Birthday" => "{name}s fødselsdag",
"Contact" => "Kontaktperson",
"You do not have the permissions to add contacts to this addressbook." => "Du har ikke rettigheder til at tilføje kontaktpersoner til denne adressebog",
@@ -148,9 +105,10 @@
"Could not find the Addressbook with ID: " => "Kunne ikke finde adressebogen med ID.",
"You do not have the permissions to delete this contact." => "Du har ikke rettigheder til at slette denne kontaktperson",
"There was an error deleting this contact." => "Der opstod en fejl ved sletning af denne kontakt.",
-"Add Contact" => "Tilføj kontaktperson",
-"Import" => "Importer",
"Settings" => "Indstillinger",
+"Import" => "Importer",
+"OK" => "OK",
+"Groups" => "Grupper",
"Close" => "Luk",
"Keyboard shortcuts" => "Tastaturgenveje",
"Navigation" => "Navigering",
@@ -164,56 +122,64 @@
"Add new contact" => "Tilføj ny kontaktperson",
"Add new addressbook" => "Tilføj ny adressebog",
"Delete current contact" => "Slet aktuelle kontaktperson",
-"Drop photo to upload" => "Drop foto for at uploade",
+"Add contact" => "Tilføj kontaktpeson.",
"Delete current photo" => "Slet nuværende foto",
"Edit current photo" => "Rediger nuværende foto",
"Upload new photo" => "Upload nyt foto",
"Select photo from ownCloud" => "Vælg foto fra ownCloud",
-"Edit name details" => "Rediger navnedetaljer.",
-"Organization" => "Organisation",
+"Additional names" => "Mellemnavne",
"Nickname" => "Kaldenavn",
"Enter nickname" => "Indtast kaldenavn",
-"Web site" => "Hjemmeside",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Gå til web site",
-"dd-mm-yyyy" => "dd-mm-åååå",
-"Groups" => "Grupper",
-"Separate groups with commas" => "Opdel gruppenavne med kommaer",
-"Edit groups" => "Rediger grupper",
-"Preferred" => "Foretrukken",
-"Please specify a valid email address." => "Indtast venligst en gyldig email-adresse.",
-"Enter email address" => "Indtast email-adresse",
-"Mail to address" => "Send mail til adresse",
-"Delete email address" => "Slet email-adresse",
-"Enter phone number" => "Indtast telefonnummer",
-"Delete phone number" => "Slet telefonnummer",
-"Instant Messenger" => "Instant Messenger",
-"Delete IM" => "Slet IM",
-"View on map" => "Vis på kort",
-"Edit address details" => "Rediger adresse detaljer",
-"Add notes here." => "Tilføj noter her.",
-"Add field" => "Tilføj element",
+"Title" => "Titel",
+"Organization" => "Organisation",
+"Birthday" => "Fødselsdag",
+"Add" => "Tilføj",
"Phone" => "Telefon",
"Email" => "Email",
"Instant Messaging" => "Instant Messaging",
"Address" => "Adresse",
"Note" => "Note",
-"Download contact" => "Download kontaktperson",
+"Web site" => "Hjemmeside",
"Delete contact" => "Slet kontaktperson",
+"Preferred" => "Foretrukken",
+"Please specify a valid email address." => "Indtast venligst en gyldig email-adresse.",
+"Mail to address" => "Send mail til adresse",
+"Delete email address" => "Slet email-adresse",
+"Enter phone number" => "Indtast telefonnummer",
+"Delete phone number" => "Slet telefonnummer",
+"Go to web site" => "Gå til web site",
+"View on map" => "Vis på kort",
+"Street address" => "Gade",
+"Postal code" => "Postnummer",
+"City" => "By",
+"Country" => "Land",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "Slet IM",
+"Share" => "Del",
+"Export" => "Exporter",
+"Add Contact" => "Tilføj kontaktperson",
+"Drop photo to upload" => "Drop foto for at uploade",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formatter som valgfrit, fuldt navn, efternavn først eller efternavn først med komma",
+"Edit name details" => "Rediger navnedetaljer.",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd-mm-åååå",
+"Separate groups with commas" => "Opdel gruppenavne med kommaer",
+"Edit groups" => "Rediger grupper",
+"Enter email address" => "Indtast email-adresse",
+"Edit address details" => "Rediger adresse detaljer",
+"Add notes here." => "Tilføj noter her.",
+"Add field" => "Tilføj element",
+"Download contact" => "Download kontaktperson",
"The temporary image has been removed from cache." => "Det midlertidige billede er ikke længere tilgængeligt.",
"Edit address" => "Rediger adresse",
"Type" => "Type",
"PO Box" => "Postboks",
-"Street address" => "Gade",
"Street and number" => "Gade og nummer",
"Extended" => "Udvidet",
"Apartment number etc." => "Etage, side osv.",
-"City" => "By",
"Region" => "Region",
"E.g. state or province" => "F.eks. stat eller provins",
"Zipcode" => "Postnummer",
-"Postal code" => "Postnummer",
-"Country" => "Land",
"Addressbook" => "Adressebog",
"Hon. prefixes" => "Foranstillede titler",
"Miss" => "Frøken",
@@ -223,7 +189,6 @@
"Mrs" => "Fru",
"Dr" => "Dr.",
"Given name" => "Fornavn",
-"Additional names" => "Mellemnavne",
"Family name" => "Efternavn",
"Hon. suffixes" => "Efterstillede titler",
"J.D." => "Cand. Jur.",
@@ -240,15 +205,12 @@
"Name of new addressbook" => "Navn på ny adressebog",
"Importing contacts" => "Importerer kontaktpersoner",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Du har ingen kontakter i din adressebog.
Du kan importere VCF-filer ved at trække dem gil kontaktlisten og enten slippe dem på en adressebog for at importere ind i den eller udenfor listen for at oprette en ny med kontaktoplysningerne fra filen. Du kan også importere ved at klikke på importknappen under listen.
",
-"Add contact" => "Tilføj kontaktpeson.",
"Select Address Books" => "Vælg adressebog",
-"Enter description" => "Indtast beskrivelse",
"CardDAV syncing addresses" => "CardDAV synkroniserings adresse",
"more info" => "mere info",
"Primary address (Kontact et al)" => "Primær adresse (Kontak m. fl.)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Adressebøger",
-"Share" => "Del",
"New Address Book" => "Ny adressebog",
"Name" => "Navn",
"Description" => "Beskrivelse",
diff --git a/l10n/de.php b/l10n/de.php
index 10dfd04f..b62c5d90 100644
--- a/l10n/de.php
+++ b/l10n/de.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "(De-)Aktivierung des Adressbuches fehlgeschlagen",
"id is not set." => "ID ist nicht angegeben.",
"Cannot update addressbook with an empty name." => "Das Adressbuch kann nicht mit einem leeren Namen aktualisiert werden.",
+"No category name given." => "Kein Kategrie-Name angegeben.",
+"Error adding group." => "Fehler beim Hinzufügen einer Gruppe.",
+"Group ID missing from request." => "Bei der Anfrage fehlt die Gruppen-ID.",
+"Contact ID missing from request." => "Bei der Anfrage fehlt die Kontakt-ID.",
"No ID provided" => "Keine ID angegeben",
"Error setting checksum." => "Fehler beim Setzen der Prüfsumme.",
"No categories selected for deletion." => "Keine Kategorien zum Löschen ausgewählt.",
"No address books found." => "Keine Adressbücher gefunden.",
"No contacts found." => "Keine Kontakte gefunden.",
"element name is not set." => "Kein Name für das Element angegeben.",
-"Could not parse contact: " => "Konnte folgenden Kontakt nicht verarbeiten:",
-"Cannot add empty property." => "Feld darf nicht leer sein.",
-"At least one of the address fields has to be filled out." => "Mindestens eines der Adressfelder muss ausgefüllt werden.",
-"Trying to add duplicate property: " => "Versuche doppelte Eigenschaft hinzuzufügen: ",
-"Missing IM parameter." => "IM-Parameter fehlt.",
-"Unknown IM: " => "IM unbekannt:",
-"Information about vCard is incorrect. Please reload the page." => "Die Information der vCard ist fehlerhaft. Bitte aktualisiere die Seite.",
-"Missing ID" => "Fehlende ID",
-"Error parsing VCard for ID: \"" => "Fehler beim Einlesen der VCard für die ID: \"",
"checksum is not set." => "Keine Prüfsumme angegeben.",
+"Information about vCard is incorrect. Please reload the page." => "Die Information der vCard ist fehlerhaft. Bitte aktualisiere die Seite.",
+"Couldn't find vCard for %d." => "vCard für %d konnte nicht gefunden werden.",
"Information about vCard is incorrect. Please reload the page: " => "Die Informationen zur vCard sind fehlerhaft. Bitte Seite neu laden: ",
"Something went FUBAR. " => "Irgendwas ist hier so richtig schiefgelaufen. ",
+"Cannot save property of type \"%s\" as array" => "Eigenschaft vom Typ \"%s\" konnte nicht als Array gespeichert werden.",
+"Missing IM parameter." => "IM-Parameter fehlt.",
+"Unknown IM: " => "IM unbekannt:",
"No contact ID was submitted." => "Es wurde keine Kontakt-ID übermittelt.",
"Error reading contact photo." => "Fehler beim Auslesen des Kontaktfotos.",
"Error saving temporary file." => "Fehler beim Speichern der temporären Datei.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Fehler beim Zuschneiden des Bildes",
"Error creating temporary image" => "Fehler beim Erstellen des temporären Bildes",
"Error finding image: " => "Fehler beim Suchen des Bildes: ",
+"Key is not set for: " => "Schlüssel konnte nicht gesetzt werden:",
+"Value is not set for: " => "Wert konnte nicht gesetzt werden:",
+"Could not set preference: " => "Einstellung konnte nicht gesetzt werden:",
"Error uploading contacts to storage." => "Übertragen der Kontakte fehlgeschlagen.",
"There is no error, the file uploaded with success" => "Es ist kein Fehler aufgetreten. Die Datei wurde erfolgreich übertragen.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Die Datei ist größer, als durch die upload_max_filesize Direktive in php.ini erlaubt",
@@ -46,43 +49,52 @@
"Couldn't load temporary image: " => "Konnte das temporäre Bild nicht laden:",
"No file was uploaded. Unknown error" => "Keine Datei hochgeladen. Unbekannter Fehler",
"Contacts" => "Kontakte",
-"Sorry, this functionality has not been implemented yet" => "Diese Funktion steht leider noch nicht zur Verfügung",
-"Not implemented" => "Nicht verfügbar",
-"Couldn't get a valid address." => "Konnte keine gültige Adresse abrufen.",
-"Error" => "Fehler",
-"Please enter an email address." => "Bitte gib eine E-Mailadresse an.",
-"Enter name" => "Name eingeben",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format benutzerdefiniert, Kurzname, voller Name, Rückwärts oder Rückwärts mit Komma",
-"Select type" => "Wähle Typ",
+"Contact is already in this group." => "Kontakt ist bereits in dieser Gruppe.",
+"Contacts are already in this group." => "Kontakte sind bereits in dieser Gruppe.",
+"Couldn't get contact list." => "Kontaktliste konnte nicht ermittelt werden.",
+"Contact is not in this group." => "Kontakt ist nicht in dieser Gruppe.",
+"Contacts are not in this group." => "Kontakte sind nicht in dieser Gruppe.",
+"A group named {group} already exists" => "Eine Gruppe mit dem Namen {group} existiert bereits.",
+"You can drag groups to\narrange them as you like." => "Per \"Drag & Drop\" kannst Du Gruppen nach Deinen Wünschen anordnen.",
+"All" => "Alle",
+"Favorites" => "Favoriten",
+"Shared by {owner}" => "Geteilt von {owner}",
+"Indexing contacts" => "Kontakte Indizieren",
+"Add to..." => "Hinzufügen zu ...",
+"Remove from..." => "Entfernen von ...",
+"Add group..." => "Gruppe hinzufügen ...",
"Select photo" => "Wähle ein Foto",
-"You do not have permission to add contacts to " => "Du besitzt nicht die erforderlichen Rechte, um Kontakte hinzuzufügen",
-"Please select one of your own address books." => "Bitte wähle eines Deiner Adressbücher aus.",
-"Permission error" => "Berechtigungsfehler",
-"Click to undo deletion of \"" => "Klicke hier für die Wiederherstellung von \"",
-"Cancelled deletion of: \"" => "Abbrechen des Löschens von: \"",
-"This property has to be non-empty." => "Dieses Feld darf nicht leer sein.",
-"Couldn't serialize elements." => "Konnte Elemente nicht serialisieren",
-"Unknown error. Please check logs." => "Unbekannter Fehler. Bitte Logs überprüfen",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' wurde ohne Argumente aufgerufen. Bitte melde dies auf bugs.owncloud.org",
-"Edit name" => "Name ändern",
-"No files selected for upload." => "Keine Datei(en) zum Hochladen ausgewählt.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Die Datei, die Du hochladen möchtest, überschreitet die maximale Größe für Datei-Uploads auf diesem Server.",
-"Error loading profile picture." => "Fehler beim Laden des Profilbildes.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Einige zum Löschen vorgemerkte Kontakte wurden noch nicht gelöscht. Bitte warten.",
-"Do you want to merge these address books?" => "Möchtest Du diese Adressbücher zusammenführen?",
-"Shared by " => "Freigegeben von ",
-"Upload too large" => "Die hochgeladene Datei ist zu groß",
-"Only image files can be used as profile picture." => "Nur Bilder können als Profilbild genutzt werden.",
-"Wrong file type" => "Falscher Dateityp",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Der verwendete Browser unterstützt keinen Upload via AJAX. Bitte das Profilbild anklicken um ein Foto hochzuladen. ",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Deine Datei konnte nicht hochgeladen werden, weil es sich um einen Ordner handelt oder die Datei leer ist.",
-"Upload Error" => "Fehler beim Hochladen",
-"Pending" => "Ausstehend",
-"Import done" => "Import ausgeführt",
+"Network or server error. Please inform administrator." => "Netzwerk- oder Serverfehler. Bitte Administrator informieren.",
+"Error adding to group." => "Fehler beim Hinzufügen zur Gruppe.",
+"Error removing from group." => "Fehler beim Entfernen aus Gruppe.",
+"There was an error opening a mail composer." => "Fehler beim Öffnen des Mail-Editors",
+"Deleting done. Click here to cancel reloading." => "Gelöscht. Klicke hier, um das Neuladen abzubrechen",
+"Add address book" => "Adressbuch hinzufügen",
+"Import done. Click here to cancel reloading." => "Import abgeschlossen. Klicken Sie hier, um das Neuladen abzubrechen",
"Not all files uploaded. Retrying..." => "Es wurden nicht alle Dateien hochgeladen. Versuche erneut...",
"Something went wrong with the upload, please retry." => "Beim Hochladen ist etwas schiefgegangen. Bitte versuche es erneut.",
+"Error" => "Fehler",
+"Importing from {filename}..." => "Importiere von {filename}",
+"{success} imported, {failed} failed." => "{success} importiert, {failed} fehlgeschlagen.",
"Importing..." => "Importiere...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Deine Datei kann nicht hochgeladen werden, da sie entweder ein Verzeichnis oder 0 Bytes groß ist.",
+"Upload Error" => "Fehler beim Hochladen",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Die Datei, die Du hochladen möchtest, überschreitet die maximale Größe für Datei-Uploads auf diesem Server.",
+"Upload too large" => "Der Upload ist zu groß",
+"Pending" => "Ausstehend",
+"Add group" => "Gruppe hinzufügen",
+"No files selected for upload." => "Keine Datei(en) zum Hochladen ausgewählt.",
+"Edit profile picture" => "Profilbild bearbeiten",
+"Error loading profile picture." => "Fehler beim Laden des Profilbildes.",
+"Enter name" => "Name eingeben",
+"Enter description" => "Beschreibung eingeben",
+"Select addressbook" => "Adressbuch auswählen",
"The address book name cannot be empty." => "Der Name des Adressbuches darf nicht leer sein.",
+"Is this correct?" => "Ist dies korrekt?",
+"There was an unknown error when trying to delete this contact" => "Es ist ein unbekannter Fehler beim Löschen des Kontakts aufgetreten.",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Einige zum Löschen vorgemerkte Kontakte wurden noch nicht gelöscht. Bitte warten.",
+"Click to undo deletion of {num} contacts" => "Klicken um das Löschen von {num} Kontakten rückgängig zu machen.",
+"Cancelled deletion of {num}" => "Löschen von {num} abgebrochen.",
"Result: " => "Ergebnis: ",
" imported, " => " importiert, ",
" failed." => " fehlgeschlagen.",
@@ -100,9 +112,6 @@
"There was an error updating the addressbook." => "Ein Fehler ist bei der Aktualisierung des Adressbuches aufgetreten.",
"You do not have the permissions to delete this addressbook." => "Du besitzt nicht die erforderlichen Rechte, dieses Adressbuch zu löschen.",
"There was an error deleting this addressbook." => "Beim Löschen des Adressbuches ist ein Fehler aufgetreten.",
-"Addressbook not found: " => "Adressbuch nicht gefunden:",
-"This is not your addressbook." => "Dies ist nicht Dein Adressbuch.",
-"Contact could not be found." => "Kontakt konnte nicht gefunden werden.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +135,9 @@
"Video" => "Video",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Geburtstag",
-"Business" => "Geschäftlich",
-"Call" => "Anruf",
-"Clients" => "Kunden",
-"Deliverer" => "Lieferant",
-"Holidays" => "Feiertage",
-"Ideas" => "Ideen",
-"Journey" => "Reise",
-"Jubilee" => "Jubiläum",
-"Meeting" => "Besprechung",
-"Personal" => "Persönlich",
-"Projects" => "Projekte",
-"Questions" => "Fragen",
+"Friends" => "Freunde",
+"Family" => "Familie",
+"There was an error deleting properties for this contact." => "Es ist ein Fehler beim Löschen der Einsellungen für diesen Kontakt aufgetreten.",
"{name}'s Birthday" => "Geburtstag von {name}",
"Contact" => "Kontakt",
"You do not have the permissions to add contacts to this addressbook." => "Du besitzt nicht die erforderlichen Rechte, diesem Adressbuch Kontakte hinzuzufügen.",
@@ -148,9 +147,21 @@
"Could not find the Addressbook with ID: " => "Konnte das Adressbuch mit der folgenden ID nicht finden:",
"You do not have the permissions to delete this contact." => "Du besitzt nicht die erforderlichen Rechte, um diesen Kontakte zu löschen.",
"There was an error deleting this contact." => "Beim Löschen des Kontaktes ist ein Fehler aufgetreten.",
-"Add Contact" => "Kontakt hinzufügenff",
-"Import" => "Importieren",
+"Contact not found." => "Kontakt nicht gefunden",
+"HomePage" => "Startseite",
+"New Group" => "Neue Gruppe",
"Settings" => "Einstellungen",
+"Address books" => "Adressbücher",
+"Import" => "Importieren",
+"Select files to import" => "Dateien für den Import auswählen",
+"Select files" => "Dateien auswählen",
+"Import into:" => "Importieren nach:",
+"OK" => "OK",
+"(De-)select all" => "Alle (nicht) auswählen",
+"New Contact" => "Neuer Kontakt",
+"Groups" => "Gruppen",
+"Favorite" => "Favorit",
+"Delete Contact" => "Kontakt löschen",
"Close" => "Schließen",
"Keyboard shortcuts" => "Tastaturbefehle",
"Navigation" => "Navigation",
@@ -164,56 +175,82 @@
"Add new contact" => "Neuen Kontakt hinzufügen",
"Add new addressbook" => "Neues Adressbuch hinzufügen",
"Delete current contact" => "Aktuellen Kontakt löschen",
-"Drop photo to upload" => "Ziehe ein Foto hierher, um es hochzuladen",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Du hast keinen Kontakt in deinem Adressbuch.
Füge einen neuen Kontakt hinzu oder importiere bestehende Kontakte aus einer VCF-Datei.
",
+"Add contact" => "Kontakt hinzufügen",
+"Compose mail" => "E-Mail schreiben",
+"Delete group" => "Gruppe löschen",
"Delete current photo" => "Derzeitiges Foto löschen",
"Edit current photo" => "Derzeitiges Foto ändern",
"Upload new photo" => "Neues Foto hochladen",
"Select photo from ownCloud" => "Foto aus der ownCloud auswählen",
-"Edit name details" => "Name ändern",
-"Organization" => "Organisation",
+"First name" => "Vorname",
+"Additional names" => "Zusätzliche Namen",
+"Last name" => "Nachname",
"Nickname" => "Spitzname",
"Enter nickname" => "Spitzname angeben",
-"Web site" => "Webseite",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Webseite aufrufen",
-"dd-mm-yyyy" => "dd.mm.yyyy",
-"Groups" => "Gruppen",
-"Separate groups with commas" => "Gruppen mit Komma getrennt",
-"Edit groups" => "Gruppen editieren",
-"Preferred" => "Bevorzugt",
-"Please specify a valid email address." => "Bitte trage eine gültige E-Mail-Adresse ein.",
-"Enter email address" => "E-Mail-Adresse angeben",
-"Mail to address" => "E-Mail an diese Adresse schicken",
-"Delete email address" => "E-Mail-Adresse löschen",
-"Enter phone number" => "Telefonnummer angeben",
-"Delete phone number" => "Telefonnummer löschen",
-"Instant Messenger" => "Instant Messenger",
-"Delete IM" => "IM löschen",
-"View on map" => "Auf der Karte zeigen",
-"Edit address details" => "Adressinformationen ändern",
-"Add notes here." => "Füge hier Notizen ein.",
-"Add field" => "Feld hinzufügen",
+"Title" => "Titel",
+"Enter title" => "Titel eingeben",
+"Organization" => "Organisation",
+"Enter organization" => "Organisation eingeben",
+"Birthday" => "Geburtstag",
+"Notes go here..." => "Notizen hier hinein...",
+"Add" => "Hinzufügen",
"Phone" => "Telefon",
"Email" => "E-Mail",
"Instant Messaging" => "Instant Messaging",
"Address" => "Adresse",
"Note" => "Notiz",
-"Download contact" => "Kontakt herunterladen",
+"Web site" => "Webseite",
"Delete contact" => "Kontakt löschen",
+"Preferred" => "Bevorzugt",
+"Please specify a valid email address." => "Bitte trage eine gültige E-Mail-Adresse ein.",
+"someone@example.com" => "jemand@beispiel.de",
+"Mail to address" => "E-Mail an diese Adresse schicken",
+"Delete email address" => "E-Mail-Adresse löschen",
+"Enter phone number" => "Telefonnummer angeben",
+"Delete phone number" => "Telefonnummer löschen",
+"Go to web site" => "Webseite aufrufen",
+"Delete URL" => "URL löschen",
+"View on map" => "Auf der Karte zeigen",
+"Delete address" => "Adresse löschen",
+"1 Main Street" => "Musterstraße 1",
+"Street address" => "Straßenanschrift",
+"12345" => "12345",
+"Postal code" => "Postleitzahl",
+"Your city" => "Deine Stadt",
+"City" => "Stadt",
+"Some region" => "Eine Region",
+"State or province" => "Staat oder Provinz",
+"Your country" => "Dein Land",
+"Country" => "Land",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "IM löschen",
+"Share" => "Teilen",
+"Export" => "Exportieren",
+"CardDAV link" => "CardDAV Verbindung",
+"Add Contact" => "Kontakt hinzufügen",
+"Drop photo to upload" => "Ziehe ein Foto hierher, um es hochzuladen",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format benutzerdefiniert, Kurzname, voller Name, Rückwärts oder Rückwärts mit Komma",
+"Edit name details" => "Name ändern",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd.mm.yyyy",
+"Separate groups with commas" => "Gruppen mit Komma getrennt",
+"Edit groups" => "Gruppen editieren",
+"Enter email address" => "E-Mail-Adresse angeben",
+"Edit address details" => "Adressinformationen ändern",
+"Add notes here." => "Füge hier Notizen ein.",
+"Add field" => "Feld hinzufügen",
+"Download contact" => "Kontakt herunterladen",
"The temporary image has been removed from cache." => "Das temporäre Bild wurde aus dem Cache gelöscht.",
"Edit address" => "Adresse ändern",
"Type" => "Typ",
"PO Box" => "Postfach",
-"Street address" => "Straßenanschrift",
"Street and number" => "Straße und Hausnummer",
"Extended" => "Erweitert",
"Apartment number etc." => "Wohnungsnummer usw.",
-"City" => "Stadt",
"Region" => "Region",
"E.g. state or province" => "Z.B. Staat oder Bezirk",
"Zipcode" => "Postleitzahl",
-"Postal code" => "Postleitzahl",
-"Country" => "Land",
"Addressbook" => "Adressbuch",
"Hon. prefixes" => "Höflichkeitspräfixe",
"Miss" => "Frau",
@@ -223,7 +260,6 @@
"Mrs" => "Frau",
"Dr" => "Dr.",
"Given name" => "Vorname",
-"Additional names" => "Zusätzliche Namen",
"Family name" => "Familienname",
"Hon. suffixes" => "Höflichkeitssuffixe",
"J.D." => "Dr. Jur.",
@@ -240,15 +276,12 @@
"Name of new addressbook" => "Name des neuen Adressbuchs",
"Importing contacts" => "Kontakte werden importiert",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Du hast noch keine Kontaktdaten in Deinem Adressbuch.
Du kannst VCF-Dateien importieren, indem Du diese herein ziehst und entweder \nauf einem bestehenden Adressbuch fallen lässt, um die Dateien in dieses Adressbuch zu importieren, oder auf einen freien Bereich, um ein neues Adressbuch anzulegen und die Dateien dort zu importieren. Du kannst auch den Knopf 'Importieren' am Ende der Liste drücken.
",
-"Add contact" => "Kontakt hinzufügen",
"Select Address Books" => "Wähle Adressbuch",
-"Enter description" => "Beschreibung eingeben",
"CardDAV syncing addresses" => "CardDAV Sync-Adressen",
"more info" => "weitere Informationen",
"Primary address (Kontact et al)" => "Primäre Adresse (für Kontakt o.ä.)",
"iOS/OS X" => "iOS / OS X",
"Addressbooks" => "Adressbücher",
-"Share" => "Teilen",
"New Address Book" => "Neues Adressbuch",
"Name" => "Name",
"Description" => "Beschreibung",
diff --git a/l10n/de_DE.php b/l10n/de_DE.php
index 9b1355e5..66670c5f 100644
--- a/l10n/de_DE.php
+++ b/l10n/de_DE.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "(De-)Aktivierung des Adressbuches fehlgeschlagen",
"id is not set." => "ID ist nicht angegeben.",
"Cannot update addressbook with an empty name." => "Das Adressbuch kann nicht mit einem leeren Namen aktualisiert werden.",
+"No category name given." => "Kein Kategoriename angegeben.",
+"Error adding group." => "Fehler beim Hinzufügen der Gruppe.",
+"Group ID missing from request." => "Gruppen-ID fehlt in der Anfrage.",
+"Contact ID missing from request." => "Kontakt-ID fehlt in der Anfrage.",
"No ID provided" => "Keine ID angegeben",
"Error setting checksum." => "Fehler beim Setzen der Prüfsumme.",
"No categories selected for deletion." => "Keine Kategorien zum Löschen ausgewählt.",
"No address books found." => "Keine Adressbücher gefunden.",
"No contacts found." => "Keine Kontakte gefunden.",
"element name is not set." => "Kein Name für das Element angegeben.",
-"Could not parse contact: " => "Konnte folgenden Kontakt nicht verarbeiten:",
-"Cannot add empty property." => "Feld darf nicht leer sein.",
-"At least one of the address fields has to be filled out." => "Mindestens eines der Adressfelder muss ausgefüllt werden.",
-"Trying to add duplicate property: " => "Versuche doppelte Eigenschaft hinzuzufügen: ",
-"Missing IM parameter." => "IM-Parameter fehlt.",
-"Unknown IM: " => "IM unbekannt:",
-"Information about vCard is incorrect. Please reload the page." => "Die Information der vCard ist fehlerhaft. Bitte aktualisieren Sie die Seite.",
-"Missing ID" => "Fehlende ID",
-"Error parsing VCard for ID: \"" => "Fehler beim Einlesen der VCard für die ID: \"",
"checksum is not set." => "Keine Prüfsumme angegeben.",
+"Information about vCard is incorrect. Please reload the page." => "Die Information der vCard ist fehlerhaft. Bitte aktualisieren Sie die Seite.",
+"Couldn't find vCard for %d." => "Konnte die vCard von %d nicht finden.",
"Information about vCard is incorrect. Please reload the page: " => "Die Informationen zur vCard sind fehlerhaft. Bitte Seite neu laden: ",
"Something went FUBAR. " => "Irgendwas ist hier so richtig schiefgelaufen. ",
+"Cannot save property of type \"%s\" as array" => "Eigenschaften vom Typ \"%s\" können nicht als Array gespeichert werden",
+"Missing IM parameter." => "IM-Parameter fehlt.",
+"Unknown IM: " => "IM unbekannt:",
"No contact ID was submitted." => "Es wurde keine Kontakt-ID übermittelt.",
"Error reading contact photo." => "Fehler beim Auslesen des Kontaktfotos.",
"Error saving temporary file." => "Fehler beim Speichern der temporären Datei.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Fehler beim Zuschneiden des Bildes",
"Error creating temporary image" => "Fehler beim Erstellen des temporären Bildes",
"Error finding image: " => "Fehler beim Suchen des Bildes: ",
+"Key is not set for: " => "Der Schlüssel ist nicht gesetzt für:",
+"Value is not set for: " => "Der Wert ist nicht angegeben für:",
+"Could not set preference: " => "Fehler beim Speichern der Einstellung:",
"Error uploading contacts to storage." => "Übertragen der Kontakte fehlgeschlagen.",
"There is no error, the file uploaded with success" => "Es ist kein Fehler aufgetreten. Die Datei wurde erfolgreich übertragen.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Die Datei ist größer, als durch die upload_max_filesize Direktive in php.ini erlaubt",
@@ -46,43 +49,52 @@
"Couldn't load temporary image: " => "Konnte das temporäre Bild nicht laden:",
"No file was uploaded. Unknown error" => "Keine Datei hochgeladen. Unbekannter Fehler",
"Contacts" => "Kontakte",
-"Sorry, this functionality has not been implemented yet" => "Diese Funktion steht leider noch nicht zur Verfügung",
-"Not implemented" => "Nicht verfügbar",
-"Couldn't get a valid address." => "Konnte keine gültige Adresse abrufen.",
-"Error" => "Fehler",
-"Please enter an email address." => "Bitte geben Sie eine E-Mailadresse an.",
-"Enter name" => "Name eingeben",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format benutzerdefiniert, Kurzname, voller Name, Rückwärts oder Rückwärts mit Komma",
-"Select type" => "Typ wählen",
+"Contact is already in this group." => "Kontakt ist schon in der Gruppe.",
+"Contacts are already in this group." => "Kontakte sind schon in der Gruppe.",
+"Couldn't get contact list." => "Kontaktliste konnte nicht ermittelt werden.",
+"Contact is not in this group." => "Kontakt ist nicht in der Gruppe.",
+"Contacts are not in this group." => "Kontakte sind nicht in der Gruppe.",
+"A group named {group} already exists" => "Eine Gruppe mit dem Namen {group} ist schon vorhanden.",
+"You can drag groups to\narrange them as you like." => "Per \"Drag & Drop\" können Sie Gruppen nach Ihren Wünschen anordnen.",
+"All" => "Alle",
+"Favorites" => "Favoriten",
+"Shared by {owner}" => "Geteilt von {owner}",
+"Indexing contacts" => "Indiziere Kontakte",
+"Add to..." => "Füge hinzu...",
+"Remove from..." => "Entferne von...",
+"Add group..." => "Füge Gruppe hinzu...",
"Select photo" => "Wählen Sie ein Foto",
-"You do not have permission to add contacts to " => "Sie besitzen nicht die erforderlichen Rechte, um Kontakte hinzuzufügen",
-"Please select one of your own address books." => "Bitte wählen Sie eines Ihrer Adressbücher aus.",
-"Permission error" => "Berechtigungsfehler",
-"Click to undo deletion of \"" => "Klicken Sie hier für die Wiederherstellung von \"",
-"Cancelled deletion of: \"" => "Abbrechen des Löschens von: \"",
-"This property has to be non-empty." => "Dieses Feld darf nicht leer sein.",
-"Couldn't serialize elements." => "Konnte Elemente nicht serialisieren",
-"Unknown error. Please check logs." => "Unbekannter Fehler. Bitte Logs überprüfen",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' wurde ohne Argumente aufgerufen. Bitte melden Sie dies auf bugs.owncloud.org",
-"Edit name" => "Name ändern",
-"No files selected for upload." => "Keine Datei(en) zum Hochladen ausgewählt.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Die Datei, die Sie hochladen möchten, überschreitet die maximale Größe für Datei-Uploads auf diesem Server.",
-"Error loading profile picture." => "Fehler beim Laden des Profilbildes.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Einige zum Löschen vorgemerkte Kontakte wurden noch nicht gelöscht. Bitte warten.",
-"Do you want to merge these address books?" => "Möchten Sie diese Adressbücher zusammenführen?",
-"Shared by " => "Freigegeben von ",
-"Upload too large" => "Die hochgeladene Datei ist zu groß",
-"Only image files can be used as profile picture." => "Nur Bilder können als Profilbild genutzt werden.",
-"Wrong file type" => "Falscher Dateityp",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Der verwendete Browser unterstützt keinen Upload via AJAX. Bitte das Profilbild anklicken um ein Foto hochzuladen. ",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Ihre Datei konnte nicht hochgeladen werden, weil es sich um einen Ordner handelt oder die Datei leer ist.",
-"Upload Error" => "Fehler beim Hochladen",
-"Pending" => "Ausstehend",
-"Import done" => "Import ausgeführt",
+"Network or server error. Please inform administrator." => "Netzwerk- oder Serverfehler. Bitte informieren Sie den Administrator.",
+"Error adding to group." => "Fehler beim Hinzufügen zur Gruppe.",
+"Error removing from group." => "Fehler beim Löschen aus der Gruppe.",
+"There was an error opening a mail composer." => "Fehler beim Öffnen des Mail-Editors",
+"Deleting done. Click here to cancel reloading." => "Gelöscht. Klicken Sie hier, um das Neuladen abzubrechen",
+"Add address book" => "Adressbuch hinzufügen",
+"Import done. Click here to cancel reloading." => "Import abgeschlossen. Klicke hier, um das Neuladen abzubrechen",
"Not all files uploaded. Retrying..." => "Es wurden nicht alle Dateien hochgeladen. Versuche erneut...",
"Something went wrong with the upload, please retry." => "Beim Hochladen ist etwas schiefgegangen. Bitte versuchen Sie es erneut.",
+"Error" => "Fehler",
+"Importing from {filename}..." => "Importiere von {filename}",
+"{success} imported, {failed} failed." => "{success} importiert, {failed} fehlgeschlagen.",
"Importing..." => "Importiere...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Ihre Datei kann nicht hochgeladen werden, weil es sich um einen Ordner handelt oder 0 Bytes groß ist.",
+"Upload Error" => "Fehler beim Hochladen",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Die Datei, die Sie hochladen möchten, überschreitet die maximale Größe für Datei-Uploads auf diesem Server.",
+"Upload too large" => "Der Upload ist zu groß",
+"Pending" => "Ausstehend",
+"Add group" => "Fügen Sie eine Gruppe hinzu",
+"No files selected for upload." => "Keine Datei(en) zum Hochladen ausgewählt.",
+"Edit profile picture" => "Profilbild bearbeiten",
+"Error loading profile picture." => "Fehler beim Laden des Profilbildes.",
+"Enter name" => "Name eingeben",
+"Enter description" => "Beschreibung eingeben",
+"Select addressbook" => "Adressbuch wählen",
"The address book name cannot be empty." => "Der Name des Adressbuches darf nicht leer sein.",
+"Is this correct?" => "Ist das richtig?",
+"There was an unknown error when trying to delete this contact" => "Beim Löschen des Kontakts trat ein unbekannten Fehler auf.",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Einige zum Löschen vorgemerkte Kontakte wurden noch nicht gelöscht. Bitte warten.",
+"Click to undo deletion of {num} contacts" => "Klicken Sie hier um das Löschen von {num} Kontakten rückgängig zu machen",
+"Cancelled deletion of {num}" => "Das Löschen von {num} wurde abgebrochen.",
"Result: " => "Ergebnis: ",
" imported, " => " importiert, ",
" failed." => " fehlgeschlagen.",
@@ -100,9 +112,6 @@
"There was an error updating the addressbook." => "Ein Fehler ist bei der Aktualisierung des Adressbuches aufgetreten.",
"You do not have the permissions to delete this addressbook." => "Sie besitzen nicht die erforderlichen Rechte, dieses Adressbuch zu löschen.",
"There was an error deleting this addressbook." => "Beim Löschen des Adressbuches ist ein Fehler aufgetreten.",
-"Addressbook not found: " => "Adressbuch nicht gefunden:",
-"This is not your addressbook." => "Dies ist nicht Ihr Adressbuch.",
-"Contact could not be found." => "Kontakt konnte nicht gefunden werden.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +135,9 @@
"Video" => "Video",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Geburtstag",
-"Business" => "Geschäftlich",
-"Call" => "Anruf",
-"Clients" => "Kunden",
-"Deliverer" => "Lieferant",
-"Holidays" => "Feiertage",
-"Ideas" => "Ideen",
-"Journey" => "Reise",
-"Jubilee" => "Jubiläum",
-"Meeting" => "Besprechung",
-"Personal" => "Persönlich",
-"Projects" => "Projekte",
-"Questions" => "Fragen",
+"Friends" => "Freunde",
+"Family" => "Familie",
+"There was an error deleting properties for this contact." => "Es gab einen Fehler beim Löschen der Eigenschaften dieses Kontakts.",
"{name}'s Birthday" => "Geburtstag von {name}",
"Contact" => "Kontakt",
"You do not have the permissions to add contacts to this addressbook." => "Sie besitzen nicht die erforderlichen Rechte, diesem Adressbuch Kontakte hinzuzufügen.",
@@ -148,9 +147,22 @@
"Could not find the Addressbook with ID: " => "Konnte das Adressbuch mit der folgenden ID nicht finden:",
"You do not have the permissions to delete this contact." => "Sie besitzen nicht die erforderlichen Rechte, um diesen Kontakte zu löschen.",
"There was an error deleting this contact." => "Beim Löschen des Kontaktes ist ein Fehler aufgetreten.",
-"Add Contact" => "Kontakt hinzufügenff",
-"Import" => "Importieren",
+"Contact not found." => "Kontakt nicht gefunden.",
+"HomePage" => "Internetseite",
+"New Group" => "Neue Gruppe",
"Settings" => "Einstellungen",
+"Address books" => "Adressbücher",
+"Import" => "Importieren",
+"Select files to import" => "Dateien für den Import auswählen",
+"Select files" => "Dateien auswählen",
+"Import into:" => "Importiere in:",
+"OK" => "OK",
+"(De-)select all" => "Alle (ab-)wählen",
+"New Contact" => "Neuer Kontakt",
+"Download Contact(s)" => "Kontakte herunterladen",
+"Groups" => "Gruppen",
+"Favorite" => "Favorit",
+"Delete Contact" => "Kontakt löschen",
"Close" => "Schließen",
"Keyboard shortcuts" => "Tastaturbefehle",
"Navigation" => "Navigation",
@@ -164,56 +176,83 @@
"Add new contact" => "Neuen Kontakt hinzufügen",
"Add new addressbook" => "Neues Adressbuch hinzufügen",
"Delete current contact" => "Aktuellen Kontakt löschen",
-"Drop photo to upload" => "Ziehen Sie ein Foto hierher, um es hochzuladen",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Sie haben keine Kontakte in Ihrem Adressbuch.
Fügen Sie einen neuen hinzu oder importieren Sie existierende Kontakte aus einer VCF-Datei.
",
+"Add contact" => "Kontakt hinzufügen",
+"Compose mail" => "E-Mail schreiben",
+"Delete group" => "Gruppe löschen",
"Delete current photo" => "Derzeitiges Foto löschen",
"Edit current photo" => "Derzeitiges Foto ändern",
"Upload new photo" => "Neues Foto hochladen",
"Select photo from ownCloud" => "Foto aus der ownCloud auswählen",
-"Edit name details" => "Name ändern",
-"Organization" => "Organisation",
+"First name" => "Vorname",
+"Additional names" => "Zusätzliche Namen",
+"Last name" => "Nachname",
"Nickname" => "Spitzname",
"Enter nickname" => "Spitzname angeben",
-"Web site" => "Webseite",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Webseite aufrufen",
-"dd-mm-yyyy" => "dd.mm.yyyy",
-"Groups" => "Gruppen",
-"Separate groups with commas" => "Gruppen mit Komma getrennt",
-"Edit groups" => "Gruppen editieren",
-"Preferred" => "Bevorzugt",
-"Please specify a valid email address." => "Bitte tragen Sie eine gültige E-Mail-Adresse ein.",
-"Enter email address" => "E-Mail-Adresse angeben",
-"Mail to address" => "E-Mail an diese Adresse schicken",
-"Delete email address" => "E-Mail-Adresse löschen",
-"Enter phone number" => "Telefonnummer angeben",
-"Delete phone number" => "Telefonnummer löschen",
-"Instant Messenger" => "Instant Messenger",
-"Delete IM" => "IM löschen",
-"View on map" => "Auf der Karte zeigen",
-"Edit address details" => "Adressinformationen ändern",
-"Add notes here." => "Fügen Sie hier Notizen ein.",
-"Add field" => "Feld hinzufügen",
+"Title" => "Titel",
+"Enter title" => "Titel eingeben",
+"Organization" => "Organisation",
+"Enter organization" => "Organisation eingeben",
+"Birthday" => "Geburtstag",
+"Notes go here..." => "Notizen hier hinein...",
+"Export as VCF" => "Als VCF exportieren",
+"Add" => "Hinzufügen",
"Phone" => "Telefon",
"Email" => "E-Mail",
"Instant Messaging" => "Instant Messaging",
"Address" => "Adresse",
"Note" => "Notiz",
-"Download contact" => "Kontakt herunterladen",
+"Web site" => "Webseite",
"Delete contact" => "Kontakt löschen",
+"Preferred" => "Bevorzugt",
+"Please specify a valid email address." => "Bitte tragen Sie eine gültige E-Mail-Adresse ein.",
+"someone@example.com" => "jemand@beispiel.com",
+"Mail to address" => "E-Mail an diese Adresse schicken",
+"Delete email address" => "E-Mail-Adresse löschen",
+"Enter phone number" => "Telefonnummer angeben",
+"Delete phone number" => "Telefonnummer löschen",
+"Go to web site" => "Webseite aufrufen",
+"Delete URL" => "Lösche URL",
+"View on map" => "Auf der Karte zeigen",
+"Delete address" => "Lösche Adresse",
+"1 Main Street" => "Hauptstraße 1",
+"Street address" => "Straßenanschrift",
+"12345" => "12345",
+"Postal code" => "Postleitzahl",
+"Your city" => "Ihre Stadt",
+"City" => "Stadt",
+"Some region" => "Eine Region",
+"State or province" => "Staat oder Provinz",
+"Your country" => "Ihr Land",
+"Country" => "Land",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "IM löschen",
+"Share" => "Teilen",
+"Export" => "Exportieren",
+"CardDAV link" => "CardDAV Verbindung",
+"Add Contact" => "Kontakt hinzufügen",
+"Drop photo to upload" => "Ziehen Sie ein Foto hierher, um es hochzuladen",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format benutzerdefiniert, Kurzname, voller Name, Rückwärts oder Rückwärts mit Komma",
+"Edit name details" => "Name ändern",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd.mm.yyyy",
+"Separate groups with commas" => "Gruppen mit Komma getrennt",
+"Edit groups" => "Gruppen editieren",
+"Enter email address" => "E-Mail-Adresse angeben",
+"Edit address details" => "Adressinformationen ändern",
+"Add notes here." => "Fügen Sie hier Notizen ein.",
+"Add field" => "Feld hinzufügen",
+"Download contact" => "Kontakt herunterladen",
"The temporary image has been removed from cache." => "Das temporäre Bild wurde aus dem Cache gelöscht.",
"Edit address" => "Adresse ändern",
"Type" => "Typ",
"PO Box" => "Postfach",
-"Street address" => "Straßenanschrift",
"Street and number" => "Straße und Hausnummer",
"Extended" => "Erweitert",
"Apartment number etc." => "Wohnungsnummer usw.",
-"City" => "Stadt",
"Region" => "Region",
"E.g. state or province" => "Z.B. Staat oder Bezirk",
"Zipcode" => "Postleitzahl",
-"Postal code" => "Postleitzahl",
-"Country" => "Land",
"Addressbook" => "Adressbuch",
"Hon. prefixes" => "Höflichkeitspräfixe",
"Miss" => "Frau",
@@ -223,7 +262,6 @@
"Mrs" => "Frau",
"Dr" => "Dr.",
"Given name" => "Vorname",
-"Additional names" => "Zusätzliche Namen",
"Family name" => "Familienname",
"Hon. suffixes" => "Höflichkeitssuffixe",
"J.D." => "Dr. Jur.",
@@ -240,15 +278,12 @@
"Name of new addressbook" => "Name des neuen Adressbuchs",
"Importing contacts" => "Kontakte werden importiert",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Sie habent noch keine Kontaktdaten in Ihrem Adressbuch.
Sie können VCF-Dateien importieren, indem Sie diese herein ziehen und entweder \nauf einem bestehenden Adressbuch fallen lassen, um die Dateien in dieses Adressbuch zu importieren, oder auf einen freien Bereich, um ein neues Adressbuch anzulegen und die Dateien dort zu importieren. Sie können auch den Knopf 'Importieren' am Ende der Liste drücken.
",
-"Add contact" => "Kontakt hinzufügen",
"Select Address Books" => "Wählen sie ein Adressbuch",
-"Enter description" => "Beschreibung eingeben",
"CardDAV syncing addresses" => "CardDAV Sync-Adressen",
"more info" => "weitere Informationen",
"Primary address (Kontact et al)" => "Primäre Adresse (für Kontakt o.ä.)",
"iOS/OS X" => "iOS / OS X",
"Addressbooks" => "Adressbücher",
-"Share" => "Teilen",
"New Address Book" => "Neues Adressbuch",
"Name" => "Name",
"Description" => "Beschreibung",
diff --git a/l10n/el.php b/l10n/el.php
index ecd1e1ac..6341aca7 100644
--- a/l10n/el.php
+++ b/l10n/el.php
@@ -2,24 +2,19 @@
"Error (de)activating addressbook." => "Σφάλμα (απ)ενεργοποίησης βιβλίου διευθύνσεων",
"id is not set." => "δεν ορίστηκε id",
"Cannot update addressbook with an empty name." => "Δε μπορεί να γίνει αλλαγή βιβλίου διευθύνσεων χωρίς όνομα",
+"Error adding group." => "Σφάλμα κατά την προσθήκη ομάδας.",
"No ID provided" => "Δε δόθηκε ID",
"Error setting checksum." => "Λάθος κατά τον ορισμό checksum ",
"No categories selected for deletion." => "Δε επελέγησαν κατηγορίες για διαγραφή",
"No address books found." => "Δε βρέθηκε βιβλίο διευθύνσεων",
"No contacts found." => "Δεν βρέθηκαν επαφές",
"element name is not set." => "δεν ορίστηκε όνομα στοιχείου",
-"Could not parse contact: " => "Δε αναγνώστηκε η επαφή",
-"Cannot add empty property." => "Αδύνατη προσθήκη κενής ιδιότητας.",
-"At least one of the address fields has to be filled out." => "Πρέπει να συμπληρωθεί τουλάχιστον ένα από τα παιδία διεύθυνσης.",
-"Trying to add duplicate property: " => "Προσπάθεια προσθήκης διπλότυπης ιδιότητας:",
-"Missing IM parameter." => "Λείπει IM παράμετρος.",
-"Unknown IM: " => "Άγνωστο IM:",
-"Information about vCard is incorrect. Please reload the page." => "Οι πληροφορίες σχετικά με vCard είναι εσφαλμένες. Παρακαλώ επαναφορτώστε τη σελίδα.",
-"Missing ID" => "Λείπει ID",
-"Error parsing VCard for ID: \"" => "Σφάλμα κατά την ανάγνωση του VCard για το ID:\"",
"checksum is not set." => "δε ορίστηκε checksum ",
+"Information about vCard is incorrect. Please reload the page." => "Οι πληροφορίες σχετικά με vCard είναι εσφαλμένες. Παρακαλώ επαναφορτώστε τη σελίδα.",
"Information about vCard is incorrect. Please reload the page: " => "Οι πληροφορίες για τη vCard είναι λανθασμένες.Παρακαλώ ξαναφορτώστε τη σελίδα: ",
"Something went FUBAR. " => "Κάτι χάθηκε στο άγνωστο. ",
+"Missing IM parameter." => "Λείπει IM παράμετρος.",
+"Unknown IM: " => "Άγνωστο IM:",
"No contact ID was submitted." => "Δε υπεβλήθει ID επαφής",
"Error reading contact photo." => "Σφάλμα ανάγνωσης εικόνας επαφής",
"Error saving temporary file." => "Σφάλμα αποθήκευσης προσωρινού αρχείου",
@@ -46,43 +41,35 @@
"Couldn't load temporary image: " => "Δεν ήταν δυνατή η φόρτωση της προσωρινής εικόνας: ",
"No file was uploaded. Unknown error" => "Δεν ανέβηκε κάποιο αρχείο. Άγνωστο σφάλμα",
"Contacts" => "Επαφές",
-"Sorry, this functionality has not been implemented yet" => "Λυπούμαστε, αυτή η λειτουργία δεν έχει υλοποιηθεί ακόμα",
-"Not implemented" => "Δεν έχει υλοποιηθεί",
-"Couldn't get a valid address." => "Αδυναμία λήψης έγκυρης διεύθυνσης",
-"Error" => "Σφάλμα",
-"Please enter an email address." => "Παρακαλώ εισάγεται μια διεύθυνση ηλ. ταχυδρομείου",
-"Enter name" => "Εισαγωγή ονόματος",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format custom, Όνομα, Επώνυμο, Αντίστροφο ή Αντίστροφο με κόμμα",
-"Select type" => "Επιλογή τύπου",
+"Contact is already in this group." => "Η επαφή είναι ήδη σε αυτήν την ομάδα.",
+"Contacts are already in this group." => "Οι επαφές είναι ήδη σε αυτήν την ομάδα.",
+"All" => "Όλες",
+"Favorites" => "Αγαπημένες",
+"Add to..." => "Προσθήκη στο...",
+"Remove from..." => "Αφαίρεση από το...",
+"Add group..." => "Προσθήκη ομάδας...",
"Select photo" => "Επέλεξε φωτογραφία",
-"You do not have permission to add contacts to " => "Δεν έχετε επαρκή δικαιώματα για προσθέσετε επαφές στο ",
-"Please select one of your own address books." => "Παρακαλούμε επιλέξτε ένα από τα δικάς σας βιβλία διευθύνσεων.",
-"Permission error" => "Σφάλμα δικαιωμάτων",
-"Click to undo deletion of \"" => "Επιλογή για αναίρεση της διαγραφής του \"",
-"Cancelled deletion of: \"" => "Ακύρωση διαγραφής του: \"",
-"This property has to be non-empty." => "Το πεδίο δεν πρέπει να είναι άδειο.",
-"Couldn't serialize elements." => "Αδύνατο να μπουν σε σειρά τα στοιχεία",
-"Unknown error. Please check logs." => "Άγνωστο σφάλμα.Παρακαλώ έλεγξε το αρχείο καταγραφής.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "το 'deleteProperty' καλέστηκε χωρίς without type argument. Παρακαλώ αναφέρατε στο bugs.owncloud.org",
-"Edit name" => "Αλλαγή ονόματος",
-"No files selected for upload." => "Δεν επιλέχτηκαν αρχεία για μεταφόρτωση",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Το αρχείο που προσπαθείτε να ανεβάσετε υπερβαίνει το μέγιστο μέγεθος για τις προσθήκες αρχείων σε αυτόν τον server.",
-"Error loading profile picture." => "Σφάλμα στην φόρτωση εικόνας προφίλ.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Κάποιες επαφές σημειώθηκαν προς διαγραφή,δεν έχουν διαγραφεί ακόμα. Παρακαλώ περιμένετε μέχρι να διαγραφούν.",
-"Do you want to merge these address books?" => "Επιθυμείτε να συγχωνεύσετε αυτά τα δύο βιβλία διευθύνσεων?",
-"Shared by " => "Μοιράστηκε από",
-"Upload too large" => "Πολύ μεγάλο αρχείο για μεταφόρτωση",
-"Only image files can be used as profile picture." => "Μόνο αρχεία εικόνας μπορούν να χρησιμοποιηθούν σαν εικόνα προφίλ.",
-"Wrong file type" => "Λάθος τύπος αρχείου",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Ο περιηγητής σας δεν υποστηρίζει μεταφόρτωση σε AJAX. Παρακαλώ κάντε κλικ πάνω στην εικόνα προφίλ για να επιλέξετε μια φωτογραφία για να την ανεβάσετε.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Αδυναμία μεταφόρτωσης του αρχείου σας διότι είναι κατάλογος ή έχει μέγεθος 0 bytes",
-"Upload Error" => "Σφάλμα Μεταφόρτωσης",
-"Pending" => "Εκκρεμεί",
-"Import done" => "Η εισαγωγή ολοκληρώθηκε",
+"Error adding to group." => "Σφάλμα κατά την προσθήκη σε ομάδα.",
+"Error removing from group." => "Σφάλμα κατά την αφαίρεση από ομάδα.",
+"There was an error opening a mail composer." => "Υπήρχε ένα σφάλμα στο άνοιγμα μίας σύνθεσης μηνύματος.",
"Not all files uploaded. Retrying..." => "Δεν μεταφορτώθηκαν όλα τα αρχεία. Προσπάθεια ξανά...",
"Something went wrong with the upload, please retry." => "Κάτι πήγε στραβά με την μεταφόρτωση, παρακαλώ προσπαθήστε ξανά.",
+"Error" => "Σφάλμα",
"Importing..." => "Γίνεται εισαγωγή...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Αδυναμία στην αποστολή του αρχείου σας αφού είναι φάκελος ή έχει 0 bytes",
+"Upload Error" => "Σφάλμα Αποστολής",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Το αρχείο που προσπαθείτε να ανεβάσετε υπερβαίνει το μέγιστο μέγεθος για τις προσθήκες αρχείων σε αυτόν τον server.",
+"Upload too large" => "Πολύ μεγάλο αρχείο προς αποστολή",
+"Pending" => "Εκκρεμεί",
+"Add group" => "Προσθήκη ομάδας",
+"No files selected for upload." => "Δεν επιλέχτηκαν αρχεία για μεταφόρτωση",
+"Edit profile picture" => "Επεξεργασία εικόνας προφίλ",
+"Error loading profile picture." => "Σφάλμα στην φόρτωση εικόνας προφίλ.",
+"Enter name" => "Εισαγωγή ονόματος",
+"Enter description" => "Εισαγωγή περιγραφής",
+"Select addressbook" => "Επιλογή βιβλίου επαφών",
"The address book name cannot be empty." => "Το όνομα του βιβλίου διευθύνσεων δεν πρέπει να είναι κενό.",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Κάποιες επαφές σημειώθηκαν προς διαγραφή,δεν έχουν διαγραφεί ακόμα. Παρακαλώ περιμένετε μέχρι να διαγραφούν.",
"Result: " => "Αποτέλεσμα: ",
" imported, " => " εισάγεται,",
" failed." => " απέτυχε.",
@@ -100,9 +87,6 @@
"There was an error updating the addressbook." => "Υπήρξε σφάλμα κατά την ενημέρωση του βιβλίου διευθύνσεων.",
"You do not have the permissions to delete this addressbook." => "Δεν έχετε δικαιώματα να διαγράψετε αυτό το βιβλίο διευθύνσεων.",
"There was an error deleting this addressbook." => "Υπήρξε σφάλμα κατά την διαγραφή αυτού του βιβλίου διευθύνσεων",
-"Addressbook not found: " => "Το βιβλίο διευθύνσεων δεν βρέθηκε:",
-"This is not your addressbook." => "Αυτό δεν είναι το βιβλίο διευθύνσεων σας.",
-"Contact could not be found." => "Η επαφή δεν μπόρεσε να βρεθεί.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +110,8 @@
"Video" => "Βίντεο",
"Pager" => "Βομβητής",
"Internet" => "Διαδίκτυο",
-"Birthday" => "Γενέθλια",
-"Business" => "Επιχείρηση",
-"Call" => "Κάλεσε",
-"Clients" => "Πελάτες",
-"Deliverer" => "Προμηθευτής",
-"Holidays" => "Διακοπές",
-"Ideas" => "Ιδέες",
-"Journey" => "Ταξίδι",
-"Jubilee" => "Ιωβηλαίο",
-"Meeting" => "Συνάντηση",
-"Personal" => "Προσωπικό",
-"Projects" => "Έργα",
-"Questions" => "Ερωτήσεις",
+"Friends" => "Φίλοι",
+"Family" => "Οικογένεια",
"{name}'s Birthday" => "Τα Γεννέθλια του/της {name}",
"Contact" => "Επαφή",
"You do not have the permissions to add contacts to this addressbook." => "Δεν έχετε δικαιώματα να προσθέσετε επαφές σε αυτό το βιβλίο διευθύνσεων.",
@@ -148,9 +121,15 @@
"Could not find the Addressbook with ID: " => "Αδυναμία εύρεσης της Βιβλίου Διευθύνσεων με το ID:",
"You do not have the permissions to delete this contact." => "Δεν διαθέτε επαρκή δικαιώματα για την διαγραφή αυτής της επαφής.",
"There was an error deleting this contact." => "Υπήρξε σφάλμα κατά την διαγραφή αυτής της επαφής.",
-"Add Contact" => "Προσθήκη επαφής",
-"Import" => "Εισαγωγή",
+"Contact not found." => "Δεν βρέθηκε επαφή.",
+"New Group" => "Νέα Ομάδα",
"Settings" => "Ρυθμίσεις",
+"Import" => "Εισαγωγή",
+"Import into:" => "Εισαγωγή από:",
+"OK" => "ΟΚ",
+"New Contact" => "Νέα επαφή",
+"Groups" => "Ομάδες",
+"Delete Contact" => "Διαγραφή επαφής",
"Close" => "Κλείσιμο ",
"Keyboard shortcuts" => "Συντομεύσεις πλητρολογίου",
"Navigation" => "Πλοήγηση",
@@ -164,56 +143,74 @@
"Add new contact" => "Προσθήκη νέας επαφής",
"Add new addressbook" => "Προσθήκη νέου βιβλίου επαφών",
"Delete current contact" => "Διαγραφή τρέχουσας επαφής",
-"Drop photo to upload" => "Ρίξε μια φωτογραφία για ανέβασμα",
+"Add contact" => "Προσθήκη επαφής",
+"Compose mail" => "Σύνθεση μηνύματος",
+"Delete group" => "Διαγραφή ομάδας",
"Delete current photo" => "Διαγραφή τρέχουσας φωτογραφίας",
"Edit current photo" => "Επεξεργασία τρέχουσας φωτογραφίας",
"Upload new photo" => "Ανέβασε νέα φωτογραφία",
"Select photo from ownCloud" => "Επέλεξε φωτογραφία από το ownCloud",
-"Edit name details" => "Αλλάξτε τις λεπτομέρειες ονόματος",
-"Organization" => "Οργανισμός",
+"First name" => "Όνομα",
+"Additional names" => "Επιπλέον ονόματα",
+"Last name" => "Επώνυμο",
"Nickname" => "Παρατσούκλι",
"Enter nickname" => "Εισάγετε παρατσούκλι",
-"Web site" => "Ιστότοπος",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Πήγαινε στον ιστότοπο",
-"dd-mm-yyyy" => "ΗΗ-ΜΜ-ΕΕΕΕ",
-"Groups" => "Ομάδες",
-"Separate groups with commas" => "Διαχώρισε τις ομάδες με κόμμα ",
-"Edit groups" => "Επεξεργασία ομάδων",
-"Preferred" => "Προτιμώμενο",
-"Please specify a valid email address." => "Παρακαλώ εισήγαγε μια έγκυρη διεύθυνση ηλεκτρονικού ταχυδρομείου",
-"Enter email address" => "Εισήγαγε διεύθυνση ηλεκτρονικού ταχυδρομείου",
-"Mail to address" => "Αποστολή σε διεύθυνση",
-"Delete email address" => "Διαγραφή διεύθυνση email",
-"Enter phone number" => "Εισήγαγε αριθμό τηλεφώνου",
-"Delete phone number" => "Διέγραψε αριθμό τηλεφώνου",
-"Instant Messenger" => "Instant Messenger",
-"Delete IM" => "Διαγραφή IM",
-"View on map" => "Προβολή στο χάρτη",
-"Edit address details" => "Επεξεργασία λεπτομερειών διεύθυνσης",
-"Add notes here." => "Πρόσθεσε τις σημειώσεις εδώ",
-"Add field" => "Προσθήκη πεδίου",
+"Title" => "Τίτλος",
+"Organization" => "Οργανισμός",
+"Birthday" => "Γενέθλια",
+"Add" => "Προσθήκη",
"Phone" => "Τηλέφωνο",
"Email" => "Email",
"Instant Messaging" => "Άμεσα μυνήματα",
"Address" => "Διεύθυνση",
"Note" => "Σημείωση",
-"Download contact" => "Λήψη επαφής",
+"Web site" => "Ιστότοπος",
"Delete contact" => "Διαγραφή επαφής",
+"Preferred" => "Προτιμώμενο",
+"Please specify a valid email address." => "Παρακαλώ εισήγαγε μια έγκυρη διεύθυνση ηλεκτρονικού ταχυδρομείου",
+"someone@example.com" => "someone@example.com",
+"Mail to address" => "Αποστολή σε διεύθυνση",
+"Delete email address" => "Διαγραφή διεύθυνση email",
+"Enter phone number" => "Εισήγαγε αριθμό τηλεφώνου",
+"Delete phone number" => "Διέγραψε αριθμό τηλεφώνου",
+"Go to web site" => "Πήγαινε στον ιστότοπο",
+"Delete URL" => "Διαγραφή URL",
+"View on map" => "Προβολή στο χάρτη",
+"Delete address" => "Διαγραφή διεύθυνσης",
+"Street address" => "Διεύθυνση οδού",
+"12345" => "12345",
+"Postal code" => "Ταχυδρομικός Κωδικός",
+"Your city" => "Η πόλη σας",
+"City" => "Πόλη",
+"Your country" => "Η χώρα σας",
+"Country" => "Χώρα",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "Διαγραφή IM",
+"Share" => "Μοιράσου",
+"Export" => "Εξαγωγή",
+"Add Contact" => "Προσθήκη επαφής",
+"Drop photo to upload" => "Ρίξε μια φωτογραφία για ανέβασμα",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format custom, Όνομα, Επώνυμο, Αντίστροφο ή Αντίστροφο με κόμμα",
+"Edit name details" => "Αλλάξτε τις λεπτομέρειες ονόματος",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "ΗΗ-ΜΜ-ΕΕΕΕ",
+"Separate groups with commas" => "Διαχώρισε τις ομάδες με κόμμα ",
+"Edit groups" => "Επεξεργασία ομάδων",
+"Enter email address" => "Εισήγαγε διεύθυνση ηλεκτρονικού ταχυδρομείου",
+"Edit address details" => "Επεξεργασία λεπτομερειών διεύθυνσης",
+"Add notes here." => "Πρόσθεσε τις σημειώσεις εδώ",
+"Add field" => "Προσθήκη πεδίου",
+"Download contact" => "Λήψη επαφής",
"The temporary image has been removed from cache." => "Η προσωρινή εικόνα αφαιρέθηκε από την κρυφή μνήμη.",
"Edit address" => "Επεξεργασία διεύθυνσης",
"Type" => "Τύπος",
"PO Box" => "Ταχ. Θυρίδα",
-"Street address" => "Διεύθυνση οδού",
"Street and number" => "Οδός και αριθμός",
"Extended" => "Εκτεταμένη",
"Apartment number etc." => "Αριθμός διαμερίσματος",
-"City" => "Πόλη",
"Region" => "Περιοχή",
"E.g. state or province" => "Π.χ. Πολιτεία ή επαρχεία",
"Zipcode" => "Τ.Κ.",
-"Postal code" => "Ταχυδρομικός Κωδικός",
-"Country" => "Χώρα",
"Addressbook" => "Βιβλίο διευθύνσεων",
"Hon. prefixes" => "προθέματα",
"Miss" => "Δις",
@@ -223,7 +220,6 @@
"Mrs" => "Κα",
"Dr" => "Δρ.",
"Given name" => "Όνομα",
-"Additional names" => "Επιπλέον ονόματα",
"Family name" => "Επώνυμο",
"Hon. suffixes" => "καταλήξεις",
"J.D." => "J.D.",
@@ -240,15 +236,12 @@
"Name of new addressbook" => "Όνομα νέου βιβλίου διευθύνσεων",
"Importing contacts" => "Εισαγωγή επαφών",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Δεν έχετε επαφές στο βιβλίο διευθύνσεων.
Μπορείτε να εισάγετε αρχεία VCF σύροντάς τα στην λίστα επαφών και είτε αφήνοντάς τα στο βιβλίο διευθύνσεων ώστε να εισαχθούν σε αυτό, είτε σε κάποιο κενό σημείο ώστε να δημιουργηθεί νέο βιβλίο διευθύνσεων και να εισαχθούν σε αυτό. Μπορείτε επίσης να τα εισάγετε κάνοντας κλικ στο κουμπί εισαγωγής στο κάτω μέρος της λίστας.
",
-"Add contact" => "Προσθήκη επαφής",
"Select Address Books" => "Επέλεξε βιβλίο διευθύνσεων",
-"Enter description" => "Εισαγωγή περιγραφής",
"CardDAV syncing addresses" => "συγχρονισμός διευθύνσεων μέσω CardDAV ",
"more info" => "περισσότερες πληροφορίες",
"Primary address (Kontact et al)" => "Κύρια διεύθυνση",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Βιβλία διευθύνσεων",
-"Share" => "Μοιράσου",
"New Address Book" => "Νέο βιβλίο διευθύνσεων",
"Name" => "Όνομα",
"Description" => "Περιγραφή",
diff --git a/l10n/eo.php b/l10n/eo.php
index 96a5150e..67156930 100644
--- a/l10n/eo.php
+++ b/l10n/eo.php
@@ -2,22 +2,24 @@
"Error (de)activating addressbook." => "Eraro dum (mal)aktivigo de adresaro.",
"id is not set." => "identigilo ne agordiĝis.",
"Cannot update addressbook with an empty name." => "Ne eblas ĝisdatigi adresaron kun malplena nomo.",
+"No category name given." => "Ne doniĝis nomo de kategorio.",
+"Error adding group." => "Eraro dum aldono de grupo.",
+"Group ID missing from request." => "Grupidentigilo mankas en peto.",
+"Contact ID missing from request." => "Kontaktidentigilo mankas en peto.",
"No ID provided" => "Neniu identigilo proviziĝis.",
"Error setting checksum." => "Eraro dum agordado de kontrolsumo.",
"No categories selected for deletion." => "Neniu kategorio elektiĝis por forigi.",
"No address books found." => "Neniu adresaro troviĝis.",
"No contacts found." => "Neniu kontakto troviĝis.",
"element name is not set." => "eronomo ne agordiĝis.",
-"Could not parse contact: " => "Ne eblis analizi kontakton:",
-"Cannot add empty property." => "Ne eblas aldoni malplenan propraĵon.",
-"At least one of the address fields has to be filled out." => "Almenaŭ unu el la adreskampoj necesas pleniĝi.",
-"Trying to add duplicate property: " => "Provante aldoni duobligitan propraĵon:",
-"Information about vCard is incorrect. Please reload the page." => "Informo pri vCard estas malĝusta. Bonvolu reŝargi la paĝon.",
-"Missing ID" => "Mankas identigilo",
-"Error parsing VCard for ID: \"" => "Eraro dum analizo de VCard por identigilo:",
"checksum is not set." => "kontrolsumo ne agordiĝis.",
+"Information about vCard is incorrect. Please reload the page." => "Informo pri vCard estas malĝusta. Bonvolu reŝargi la paĝon.",
+"Couldn't find vCard for %d." => "Ne troviĝis vCard-on por %d.",
"Information about vCard is incorrect. Please reload the page: " => "Informo pri vCard malĝustas. Bonvolu reŝargi la paĝon:",
"Something went FUBAR. " => "Io FUBAR-is.",
+"Cannot save property of type \"%s\" as array" => "Ne povis konserviĝi propraĵo \"%s\"-tipa kiel matrico",
+"Missing IM parameter." => "Mankas tujmesaĝada parametro.",
+"Unknown IM: " => "Nekonata tujmesaĝado:",
"No contact ID was submitted." => "Neniu kontaktidentigilo sendiĝis.",
"Error reading contact photo." => "Eraro dum lego de kontakta foto.",
"Error saving temporary file." => "Eraro dum konservado de provizora dosiero.",
@@ -33,6 +35,9 @@
"Error cropping image" => "Eraro dum stuciĝis bildo.",
"Error creating temporary image" => "Eraro dum kreiĝis provizora bildo.",
"Error finding image: " => "Eraro dum serĉo de bildo: ",
+"Key is not set for: " => "Klavo ne agordiĝis por:",
+"Value is not set for: " => "Valoro ne agordiĝis por:",
+"Could not set preference: " => "Ne eblis agordi preferon:",
"Error uploading contacts to storage." => "Eraro dum alŝutiĝis kontaktoj al konservejo.",
"There is no error, the file uploaded with success" => "Ne estas eraro, la dosiero alŝutiĝis sukcese.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "La alŝutita dosiero transpasas la preskribon upload_max_filesize en php.ini",
@@ -44,43 +49,50 @@
"Couldn't load temporary image: " => "Ne eblis ŝargi provizoran bildon: ",
"No file was uploaded. Unknown error" => "Neniu dosiero alŝutiĝis. Nekonata eraro.",
"Contacts" => "Kontaktoj",
-"Sorry, this functionality has not been implemented yet" => "Pardonu, ĉi tiu funkcio ankoraŭ ne estas realigita.",
-"Not implemented" => "Ne disponebla",
-"Couldn't get a valid address." => "Ne eblis ekhavi validan adreson.",
-"Error" => "Eraro",
-"Please enter an email address." => "Bonvolu enigi retpoŝtadreson.",
-"Enter name" => "Enigu nomon",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Propra formo, Mallonga nomo, Longa nomo, Inversa aŭ Inversa kun komo",
-"Select type" => "Elektu tipon",
+"Contact is already in this group." => "La kontakto jam estas en ĉi tiu grupo.",
+"Contacts are already in this group." => "La kontaktoj jam estas en ĉi tiu grupo.",
+"Couldn't get contact list." => "Ne eblis ekhavi kontaktoliston.",
+"Contact is not in this group." => "La kontakto ne estas en ĉi tiu grupo.",
+"Contacts are not in this group." => "La kontaktoj ne estas en ĉi tiu grupo.",
+"A group named {group} already exists" => "Grupo nomata {group} jam ekzistas",
+"All" => "Ĉio",
+"Favorites" => "Favoratoj",
+"Shared by {owner}" => "Kunhavigita de {owner}",
+"Indexing contacts" => "Indeksante kontaktojn",
+"Add to..." => "Aldoni al...",
+"Remove from..." => "Forigi el...",
+"Add group..." => "Aldoni grupon...",
"Select photo" => "Elekti foton",
-"You do not have permission to add contacts to " => "Vi ne havas permeson aldoni kontaktojn al",
-"Please select one of your own address books." => "Bonvolu elekti unu el viaj propraj adresaroj.",
-"Permission error" => "Permesa eraro",
-"Click to undo deletion of \"" => "Klaku por malfari forigon de \"",
-"Cancelled deletion of: \"" => "Nuliĝis forigo de: \"",
-"This property has to be non-empty." => "Ĉi tiu propraĵo devas ne esti malplena.",
-"Couldn't serialize elements." => "Ne eblis seriigi erojn.",
-"Unknown error. Please check logs." => "Nekonata eraro. Bonvolu kontroli protokolajn informojn.",
-"Edit name" => "Redakti nomon",
-"No files selected for upload." => "Neniu dosiero elektita por alŝuto.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "La dosiero, kiun vi provas alŝuti, transpasas la maksimuman grandon por dosieraj alŝutoj en ĉi tiu servilo.",
-"Error loading profile picture." => "Eraro dum ŝargado de profila bildo.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Iuj kontaktoj estas markitaj por forigo, sed ankoraŭ ne forigitaj. Bonvolu atendi ĝis ili foriĝos.",
-"Shared by " => "Kunhavigita de",
-"Upload too large" => "Alŝuto tro larĝa",
-"Only image files can be used as profile picture." => "Nur bildodosieroj povas uziĝi kiel profilbildoj.",
-"Wrong file type" => "Malĝusta dosiertipo",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Via foliumilo ne kongruas kun AJAX-alŝutado. Bonvolu klaki la profilbildon por elekti foton alŝutotan.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Ne eblis alŝuti vian dosieron ĉar ĝi estas dosierujo aŭ havas 0 duumokojn",
-"Upload Error" => "Eraro dum alŝuto",
-"Import done" => "Enporto plenumiĝis",
+"Network or server error. Please inform administrator." => "Reta aŭ servila eraro. Bonvolu sciigi al la administranto.",
+"Error adding to group." => "Eraro dum aldono al grupo.",
+"Error removing from group." => "Eraro dum forigo el grupo.",
+"There was an error opening a mail composer." => "Eraro okazis dum malfermo de retpoŝtomesaĝoredaktilo.",
"Not all files uploaded. Retrying..." => "Ne ĉiuj dosieroj alŝutiĝis. Reprovante...",
"Something went wrong with the upload, please retry." => "Io malsukcesis dum alŝuto, bonvolu reprovi.",
+"Error" => "Eraro",
"Importing..." => "Enportante...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Ne eblis alŝuti vian dosieron ĉar ĝi estas dosierujo aŭ havas 0 duumokojn",
+"Upload Error" => "Eraro dum alŝuto",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "La dosiero, kiun vi provas alŝuti, transpasas la maksimuman grandon por dosieraj alŝutoj en ĉi tiu servilo.",
+"Upload too large" => "Alŝuto tro larĝa",
+"Pending" => "Traktotaj",
+"Add group" => "Aldoni grupon",
+"No files selected for upload." => "Neniu dosiero elektita por alŝuto.",
+"Edit profile picture" => "Redakti profilbildon",
+"Error loading profile picture." => "Eraro dum ŝargado de profila bildo.",
+"Enter name" => "Enigu nomon",
+"Enter description" => "Enigu priskribon",
+"Select addressbook" => "Elekti adresaron",
"The address book name cannot be empty." => "La nomo de la adresaro ne povas esti malplena.",
+"Is this correct?" => "Ĉu ĉi tio ĝustas?",
+"There was an unknown error when trying to delete this contact" => "Nekonata eraro okazis dum provo forigi ĉi tiun kontakton",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Iuj kontaktoj estas markitaj por forigo, sed ankoraŭ ne forigitaj. Bonvolu atendi ĝis ili foriĝos.",
+"Click to undo deletion of {num} contacts" => "Klaku por malfari forigon de {num} kontaktoj",
+"Cancelled deletion of {num}" => "Nuliĝis forigo de {num}",
"Result: " => "Rezulto: ",
" imported, " => " enportoj, ",
" failed." => "malsukcesoj.",
+"Displayname cannot be empty." => "Montronomo devas ne esti malplena.",
"Show CardDav link" => "Montri CardDav-ligilon",
"Show read-only VCF link" => "Montri nur legeblan VCF-ligilon",
"Download" => "Elŝuti",
@@ -94,9 +106,6 @@
"There was an error updating the addressbook." => "Eraro okazis dum ĝisdatiĝis la adresaro.",
"You do not have the permissions to delete this addressbook." => "Vi ne havas la permeson forigi ĉi tiun adresaron.",
"There was an error deleting this addressbook." => "Eraro okazis dum foriĝis ĉi tiu adresaro.",
-"Addressbook not found: " => "Adresaro ne troviĝis:",
-"This is not your addressbook." => "Ĉi tiu ne estas via adresaro.",
-"Contact could not be found." => "Ne eblis trovi la kontakton.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -120,28 +129,30 @@
"Video" => "Videaĵo",
"Pager" => "Televokilo",
"Internet" => "Interreto",
-"Birthday" => "Naskiĝotago",
-"Business" => "Negoco",
-"Call" => "Voko",
-"Clients" => "Klientoj",
-"Deliverer" => "Liveranto",
-"Holidays" => "Ferioj",
-"Ideas" => "Ideoj",
-"Journey" => "Vojaĝo",
-"Jubilee" => "Jubileo",
-"Meeting" => "Kunveno",
-"Personal" => "Persona",
-"Projects" => "Projektoj",
-"Questions" => "Demandoj",
+"Friends" => "Amikoj",
+"Family" => "Familio",
+"There was an error deleting properties for this contact." => "Eraro okazis dum forigo de propraĵoj de tiu ĉi kontakto.",
"{name}'s Birthday" => "Naskiĝtago de {name}",
"Contact" => "Kontakto",
"You do not have the permissions to add contacts to this addressbook." => "Vi ne havas la permeson aldoni kontaktojn al ĉi tiu adresaro.",
+"Could not find the vCard with ID." => "Ne troviĝis vCard kun tiu identigilo.",
"You do not have the permissions to edit this contact." => "Vi ne havas permeson redakti ĉi tiun kontakton.",
+"Could not find the vCard with ID: " => "Ne troviĝis vCard kun ĉi tiu identigilo:",
+"Could not find the Addressbook with ID: " => "Ne troviĝis adresaro kun ĉi tiu identigilo:",
"You do not have the permissions to delete this contact." => "Vi ne havas permeson forigi ĉi tiun kontakton.",
"There was an error deleting this contact." => "Eraro okazis dum foriĝis ĉi tiu kontakto.",
-"Add Contact" => "Aldoni kontakton",
-"Import" => "Enporti",
+"Contact not found." => "Kontakto ne troviĝis.",
+"HomePage" => "Hejmpaĝo",
+"New Group" => "Nova grupo",
"Settings" => "Agordo",
+"Import" => "Enporti",
+"Import into:" => "Enporti en:",
+"OK" => "Akcepti",
+"(De-)select all" => "(Mal)elekti ĉion",
+"New Contact" => "Nova kontakto",
+"Groups" => "Grupoj",
+"Favorite" => "Favorato",
+"Delete Contact" => "Forigi kontakton",
"Close" => "Fermi",
"Keyboard shortcuts" => "Fulmoklavoj",
"Navigation" => "Navigado",
@@ -155,55 +166,78 @@
"Add new contact" => "Aldoni novan kontakton",
"Add new addressbook" => "Aldoni novan adresaron",
"Delete current contact" => "Forigi la nunan kontakton",
-"Drop photo to upload" => "Demeti foton por alŝuti",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Vi havas neniun kontakton en via adresaro.
Aldonu novan kontakton aŭ enporti ekzistantajn kontaktojn el VCF-dosiero.
",
+"Add contact" => "Aldoni kontakton",
+"Compose mail" => "Redakti retpoŝtomesaĝon",
+"Delete group" => "Forigi grupon",
"Delete current photo" => "Forigi nunan foton",
"Edit current photo" => "Redakti nunan foton",
"Upload new photo" => "Alŝuti novan foton",
"Select photo from ownCloud" => "Elekti foton el ownCloud",
-"Edit name details" => "Redakti detalojn de nomo",
-"Organization" => "Organizaĵo",
+"First name" => "Persona nomo",
+"Additional names" => "Pliaj nomoj",
+"Last name" => "Familia nomo",
"Nickname" => "Kromnomo",
"Enter nickname" => "Enigu kromnomon",
-"Web site" => "TTT-ejo",
-"http://www.somesite.com" => "http://www.iuejo.com",
-"Go to web site" => "Iri al TTT-ejon",
-"dd-mm-yyyy" => "yyyy-mm-dd",
-"Groups" => "Grupoj",
-"Separate groups with commas" => "Disigi grupojn per komoj",
-"Edit groups" => "Redakti grupojn",
-"Preferred" => "Preferata",
-"Please specify a valid email address." => "Bonvolu specifi validan retpoŝtadreson.",
-"Enter email address" => "Enigi retpoŝtadreson",
-"Mail to address" => "Retpoŝtmesaĝo al adreso",
-"Delete email address" => "Forigi retpoŝþadreson",
-"Enter phone number" => "Enigi telefonnumeron",
-"Delete phone number" => "Forigi telefonnumeron",
-"Instant Messenger" => "Tujmesaĝilo",
-"View on map" => "Vidi en mapo",
-"Edit address details" => "Redakti detalojn de adreso",
-"Add notes here." => "Aldoni notojn ĉi tie.",
-"Add field" => "Aldoni kampon",
+"Title" => "Titolo",
+"Organization" => "Organizaĵo",
+"Birthday" => "Naskiĝotago",
+"Notes go here..." => "Notoj iras tie ĉi...",
+"Add" => "Aldoni",
"Phone" => "Telefono",
"Email" => "Retpoŝtadreso",
"Instant Messaging" => "Tujmesaĝado",
"Address" => "Adreso",
"Note" => "Noto",
-"Download contact" => "Elŝuti kontakton",
+"Web site" => "TTT-ejo",
"Delete contact" => "Forigi kontakton",
+"Preferred" => "Preferata",
+"Please specify a valid email address." => "Bonvolu specifi validan retpoŝtadreson.",
+"someone@example.com" => "iu@example.com",
+"Mail to address" => "Retpoŝtmesaĝo al adreso",
+"Delete email address" => "Forigi retpoŝþadreson",
+"Enter phone number" => "Enigi telefonnumeron",
+"Delete phone number" => "Forigi telefonnumeron",
+"Go to web site" => "Iri al TTT-ejon",
+"Delete URL" => "Forigi URL-on",
+"View on map" => "Vidi en mapo",
+"Delete address" => "Forigi adreson",
+"1 Main Street" => "1 Ĉefa Strato",
+"Street address" => "Stratadreso",
+"12345" => "12345",
+"Postal code" => "Poŝtkodo",
+"Your city" => "Via urbo",
+"City" => "Urbo",
+"Some region" => "Iu regiono",
+"Your country" => "Via lando",
+"Country" => "Lando",
+"Instant Messenger" => "Tujmesaĝilo",
+"Delete IM" => "Forigi tujmesaĝadon",
+"Share" => "Kunhavigi",
+"Export" => "Elporti",
+"Add Contact" => "Aldoni kontakton",
+"Drop photo to upload" => "Demeti foton por alŝuti",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Propra formo, Mallonga nomo, Longa nomo, Inversa aŭ Inversa kun komo",
+"Edit name details" => "Redakti detalojn de nomo",
+"http://www.somesite.com" => "http://www.iuejo.com",
+"dd-mm-yyyy" => "yyyy-mm-dd",
+"Separate groups with commas" => "Disigi grupojn per komoj",
+"Edit groups" => "Redakti grupojn",
+"Enter email address" => "Enigi retpoŝtadreson",
+"Edit address details" => "Redakti detalojn de adreso",
+"Add notes here." => "Aldoni notojn ĉi tie.",
+"Add field" => "Aldoni kampon",
+"Download contact" => "Elŝuti kontakton",
"The temporary image has been removed from cache." => "La provizora bildo estas forigita de la kaŝmemoro.",
"Edit address" => "Redakti adreson",
"Type" => "Tipo",
"PO Box" => "Abonkesto",
-"Street address" => "Stratadreso",
"Street and number" => "Strato kaj numero",
"Extended" => "Etendita",
"Apartment number etc." => "Apartamenta numero, ktp.",
-"City" => "Urbo",
"Region" => "Regiono",
"E.g. state or province" => "Ekz.: subŝtato aŭ provinco",
"Zipcode" => "Poŝtokodo",
-"Postal code" => "Poŝtkodo",
-"Country" => "Lando",
"Addressbook" => "Adresaro",
"Hon. prefixes" => "Honoraj antaŭmetaĵoj",
"Miss" => "f-ino",
@@ -213,7 +247,6 @@
"Mrs" => "s-ino",
"Dr" => "d-ro",
"Given name" => "Persona nomo",
-"Additional names" => "Pliaj nomoj",
"Family name" => "Familia nomo",
"Hon. suffixes" => "Honoraj postmetaĵoj",
"Import a contacts file" => "Enporti kontaktodosieron",
@@ -221,15 +254,12 @@
"create a new addressbook" => "krei novan adresaron",
"Name of new addressbook" => "Nomo de nova adresaro",
"Importing contacts" => "Enportante kontaktojn",
-"Add contact" => "Aldoni kontakton",
"Select Address Books" => "Elektu adresarojn",
-"Enter description" => "Enigu priskribon",
"CardDAV syncing addresses" => "adresoj por CardDAV-sinkronigo",
"more info" => "pli da informo",
"Primary address (Kontact et al)" => "Ĉefa adreso (por Kontakt kaj aliaj)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Adresaroj",
-"Share" => "Kunhavigi",
"New Address Book" => "Nova adresaro",
"Name" => "Nomo",
"Description" => "Priskribo",
diff --git a/l10n/es.php b/l10n/es.php
index c5620b3d..fff29abb 100644
--- a/l10n/es.php
+++ b/l10n/es.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Error al (des)activar libreta de direcciones.",
"id is not set." => "no se ha puesto ninguna ID.",
"Cannot update addressbook with an empty name." => "No se puede actualizar una libreta de direcciones sin nombre.",
+"No category name given." => "No se a dado un nombre a la categoría.",
+"Error adding group." => "Error al añadir el grupo",
+"Group ID missing from request." => "ID de grupo faltante en la solicitud",
+"Contact ID missing from request." => "ID de contacto faltante en la solicitud",
"No ID provided" => "No se ha proporcionado una ID",
"Error setting checksum." => "Error al establecer la suma de verificación.",
"No categories selected for deletion." => "No se seleccionaron categorías para borrar.",
"No address books found." => "No se encontraron libretas de direcciones.",
"No contacts found." => "No se encontraron contactos.",
"element name is not set." => "no se ha puesto ningún nombre de elemento.",
-"Could not parse contact: " => "No puedo pasar el contacto",
-"Cannot add empty property." => "No se puede añadir una propiedad vacía.",
-"At least one of the address fields has to be filled out." => "Al menos uno de los campos de direcciones se tiene que rellenar.",
-"Trying to add duplicate property: " => "Intentando añadir una propiedad duplicada: ",
-"Missing IM parameter." => "Falta un parámetro del MI.",
-"Unknown IM: " => "MI desconocido:",
-"Information about vCard is incorrect. Please reload the page." => "La información sobre el vCard es incorrecta. Por favor vuelve a cargar la página.",
-"Missing ID" => "Falta la ID",
-"Error parsing VCard for ID: \"" => "Error al analizar el VCard para la ID: \"",
"checksum is not set." => "no se ha puesto ninguna suma de comprobación.",
+"Information about vCard is incorrect. Please reload the page." => "La información sobre el vCard es incorrecta. Por favor vuelve a cargar la página.",
+"Couldn't find vCard for %d." => "No se pudo encontra la vCard para %d",
"Information about vCard is incorrect. Please reload the page: " => "La información sobre la vCard es incorrecta. Por favor, recarga la página:",
"Something went FUBAR. " => "Plof. Algo ha fallado.",
+"Cannot save property of type \"%s\" as array" => "No se puede guardar la propiedad del tipo \"%s\" como un arreglo",
+"Missing IM parameter." => "Falta un parámetro del MI.",
+"Unknown IM: " => "MI desconocido:",
"No contact ID was submitted." => "No se ha mandado ninguna ID de contacto.",
"Error reading contact photo." => "Error leyendo fotografía del contacto.",
"Error saving temporary file." => "Error al guardar archivo temporal.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Fallo al cortar el tamaño de la foto",
"Error creating temporary image" => "Fallo al crear la foto temporal",
"Error finding image: " => "Fallo al encontrar la imagen",
+"Key is not set for: " => "Clave no establecida para:",
+"Value is not set for: " => "Valor no establecido para:",
+"Could not set preference: " => "No se pudo establecer la preferencia:",
"Error uploading contacts to storage." => "Error al subir contactos al almacenamiento.",
"There is no error, the file uploaded with success" => "No hay ningún error, el archivo se ha subido con éxito",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "El archivo subido sobrepasa la directiva upload_max_filesize de php.ini",
@@ -46,43 +49,52 @@
"Couldn't load temporary image: " => "Fallo no pudo cargara de una imagen temporal",
"No file was uploaded. Unknown error" => "Fallo no se subió el fichero",
"Contacts" => "Contactos",
-"Sorry, this functionality has not been implemented yet" => "Perdón esta función no esta aún implementada",
-"Not implemented" => "No esta implementada",
-"Couldn't get a valid address." => "Fallo : no hay dirección valida",
-"Error" => "Fallo",
-"Please enter an email address." => "Por favor introduzca una dirección de e-mail",
-"Enter name" => "Introducir nombre",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formato personalizado, nombre abreviado, nombre completo, al revés o al revés con coma",
-"Select type" => "Selecciona el tipo",
+"Contact is already in this group." => "El contacto ya se encuentra en este grupo.",
+"Contacts are already in this group." => "Los contactos ya se encuentran es este grupo.",
+"Couldn't get contact list." => "No se pudo obtener la lista de contactos.",
+"Contact is not in this group." => "El contacto no se encuentra en este grupo.",
+"Contacts are not in this group." => "Los contactos no se encuentran en este grupo.",
+"A group named {group} already exists" => "Un grupo llamado {group} ya existe.",
+"You can drag groups to\narrange them as you like." => "Puede arrastrar grupos para\narreglarlos como usted quiera.",
+"All" => "Todos",
+"Favorites" => "Favoritos",
+"Shared by {owner}" => "Compartido por {owner}",
+"Indexing contacts" => "Indexando contactos",
+"Add to..." => "Añadir a...",
+"Remove from..." => "Remover de...",
+"Add group..." => "Añadir grupo...",
"Select photo" => "eccionar una foto",
-"You do not have permission to add contacts to " => "No tiene permisos para añadir contactos a",
-"Please select one of your own address books." => "Por favor, selecciona una de sus libretas de direcciones.",
-"Permission error" => "Error de permisos",
-"Click to undo deletion of \"" => "Click para deshacer el borrado de \"",
-"Cancelled deletion of: \"" => "Cancelado el borrado de: \"",
-"This property has to be non-empty." => "Este campo no puede estar vacío.",
-"Couldn't serialize elements." => "Fallo no podido ordenar los elementos",
-"Unknown error. Please check logs." => "Error desconocido. Por favor revise el log.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "La propiedad de \"borrar\" se llamado sin argumentos envia fallos a\nbugs.owncloud.org",
-"Edit name" => "Edita el Nombre",
-"No files selected for upload." => "No hay ficheros seleccionados para subir",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "El fichero que quieres subir excede el tamaño máximo permitido en este servidor.",
-"Error loading profile picture." => "Error cargando la imagen del perfil.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Algunos contactos están marcados para su eliminación, pero no eliminados todavía. Por favor, espere a que sean eliminados.",
-"Do you want to merge these address books?" => "¿Quieres mezclar estas libretas de direcciones?",
-"Shared by " => "compartido por",
-"Upload too large" => "bida demasido grande",
-"Only image files can be used as profile picture." => "Solamente archivos de imagen pueden ser usados como imagen del perfil ",
-"Wrong file type" => "Tipo de archivo incorrecto",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Su explorador no soporta subidas AJAX. Por favor haga click en la imagen del perfil para seleccionar una foto para subir.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Imposible subir su archivo, es un directorio o tiene 0 bytes",
-"Upload Error" => "Error de subida",
-"Pending" => "Pendientes",
-"Import done" => "Importación realizada",
+"Network or server error. Please inform administrator." => "Error en la red o en el servidor. Por favor informe al administrador.",
+"Error adding to group." => "Error al añadir al grupo.",
+"Error removing from group." => "Error al remover del grupo.",
+"There was an error opening a mail composer." => "Hubo un error al abrir el escritor de correo electrónico.",
+"Deleting done. Click here to cancel reloading." => "Borrado completo. Haga click para cancelar la recarga",
+"Add address book" => "Añadir libreta de direcciones",
+"Import done. Click here to cancel reloading." => "Importación completa. Haga click para cancerla la recarga. ",
"Not all files uploaded. Retrying..." => "No se han podido subir todos los archivos. Reintentando...",
"Something went wrong with the upload, please retry." => "Algo ha ido mal con la subida, por favor, reintentelo.",
+"Error" => "Fallo",
+"Importing from {filename}..." => "Importando desde {filename}...",
+"{success} imported, {failed} failed." => "{success} importados, {failed} fallidos.",
"Importing..." => "Importando...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Imposible subir su archivo, es un directorio o tiene 0 bytes",
+"Upload Error" => "Error de subida",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "El fichero que quieres subir excede el tamaño máximo permitido en este servidor.",
+"Upload too large" => "bida demasido grande",
+"Pending" => "Pendientes",
+"Add group" => "Añadir grupo",
+"No files selected for upload." => "No hay ficheros seleccionados para subir",
+"Edit profile picture" => "Editar imagen de perfil.",
+"Error loading profile picture." => "Error cargando la imagen del perfil.",
+"Enter name" => "Introducir nombre",
+"Enter description" => "Introducir descripción",
+"Select addressbook" => "Seleccionar libreta de direcciones",
"The address book name cannot be empty." => "El nombre de la libreta de direcciones no puede estar vacio.",
+"Is this correct?" => "¿Es esto correcto?",
+"There was an unknown error when trying to delete this contact" => "Hubo un error desconocido al tratar de eliminar este contacto",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Algunos contactos están marcados para su eliminación, pero no eliminados todavía. Por favor, espere a que sean eliminados.",
+"Click to undo deletion of {num} contacts" => "Pulse para deshacer la eliminación de {num} contactos",
+"Cancelled deletion of {num}" => "La eliminación de {num} fue cancelada",
"Result: " => "Resultado :",
" imported, " => "Importado.",
" failed." => "Fallo.",
@@ -100,9 +112,6 @@
"There was an error updating the addressbook." => "Hubo un error actualizando la libreta de direcciones.",
"You do not have the permissions to delete this addressbook." => "No tienes permisos para eliminar esta libreta de direcciones.",
"There was an error deleting this addressbook." => "Hubo un error eliminando esta libreta de direcciones.",
-"Addressbook not found: " => "Libreta de direcciones no encontrada:",
-"This is not your addressbook." => "Esta no es tu agenda de contactos.",
-"Contact could not be found." => "No se ha podido encontrar el contacto.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +135,9 @@
"Video" => "Vídeo",
"Pager" => "Localizador",
"Internet" => "Internet",
-"Birthday" => "Cumpleaños",
-"Business" => "Negocio",
-"Call" => "Llamada",
-"Clients" => "Clientes",
-"Deliverer" => "Mensajero",
-"Holidays" => "Vacaciones",
-"Ideas" => "Ideas",
-"Journey" => "Jornada",
-"Jubilee" => "Aniversario",
-"Meeting" => "Reunión",
-"Personal" => "Personal",
-"Projects" => "Proyectos",
-"Questions" => "Preguntas",
+"Friends" => "Amigos",
+"Family" => "Familia",
+"There was an error deleting properties for this contact." => "Hubo un error al eliminar las propiedades de este contacto.",
"{name}'s Birthday" => "Cumpleaños de {name}",
"Contact" => "Contacto",
"You do not have the permissions to add contacts to this addressbook." => "No tiene permisos para añadir contactos a esta libreta de direcciones.",
@@ -148,15 +147,27 @@
"Could not find the Addressbook with ID: " => "No se puede encontrar la libreta de direcciones con ID:",
"You do not have the permissions to delete this contact." => "No tiene permisos para eliminar este contacto.",
"There was an error deleting this contact." => "Hubo un error eliminando este contacto.",
-"Add Contact" => "Añadir contacto",
-"Import" => "Importar",
+"Contact not found." => "Contacto no encontrado.",
+"HomePage" => "Página de inicio",
+"New Group" => "Nuevo grupo",
"Settings" => "Configuración",
+"Address books" => "Libretas de direcciones",
+"Import" => "Importar",
+"Select files to import" => "Selecionar archivos para importar",
+"Select files" => "Selecionar archivos",
+"Import into:" => "Importar hacia:",
+"OK" => "Aceptar",
+"(De-)select all" => "Seleccionar todos",
+"New Contact" => "Nuevo contacto",
+"Groups" => "Grupos",
+"Favorite" => "Favorito",
+"Delete Contact" => "Eliminar contacto",
"Close" => "Cierra.",
"Keyboard shortcuts" => "Atajos de teclado",
"Navigation" => "Navegación",
"Next contact in list" => "Siguiente contacto en la lista",
"Previous contact in list" => "Anterior contacto en la lista",
-"Expand/collapse current addressbook" => "Abrir/Cerrar la agenda",
+"Expand/collapse current addressbook" => "Abrir/Cerrar la libreta de direcciones",
"Next addressbook" => "Siguiente libreta de direcciones",
"Previous addressbook" => "Anterior libreta de direcciones",
"Actions" => "Acciones",
@@ -164,56 +175,83 @@
"Add new contact" => "Añadir un nuevo contacto",
"Add new addressbook" => "Añadir nueva libreta de direcciones",
"Delete current contact" => "Eliminar contacto actual",
-"Drop photo to upload" => "Suelta una foto para subirla",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
No tiene ningún contacto.
Agregue uno nuevo or importe contactos existentes de un archivo VCF.
",
+"Add contact" => "Añadir contacto",
+"Compose mail" => "Redactar mensaje",
+"Delete group" => "Eliminar grupo",
"Delete current photo" => "Eliminar fotografía actual",
"Edit current photo" => "Editar fotografía actual",
"Upload new photo" => "Subir nueva fotografía",
"Select photo from ownCloud" => "Seleccionar fotografía desde ownCloud",
-"Edit name details" => "Editar los detalles del nombre",
-"Organization" => "Organización",
+"First name" => "Nombre",
+"Additional names" => "Nombres adicionales",
+"Last name" => "Apellido",
"Nickname" => "Alias",
"Enter nickname" => "Introduce un alias",
-"Web site" => "Sitio Web",
-"http://www.somesite.com" => "http://www.unsitio.com",
-"Go to web site" => "Ir al sitio Web",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "Grupos",
-"Separate groups with commas" => "Separa los grupos con comas",
-"Edit groups" => "Editar grupos",
-"Preferred" => "Preferido",
-"Please specify a valid email address." => "Por favor especifica una dirección de correo electrónico válida.",
-"Enter email address" => "Introduce una dirección de correo electrónico",
-"Mail to address" => "Enviar por correo a la dirección",
-"Delete email address" => "Eliminar dirección de correo electrónico",
-"Enter phone number" => "Introduce un número de teléfono",
-"Delete phone number" => "Eliminar número de teléfono",
-"Instant Messenger" => "Mensajero instantáneo",
-"Delete IM" => "Eliminar IM",
-"View on map" => "Ver en el mapa",
-"Edit address details" => "Editar detalles de la dirección",
-"Add notes here." => "Añade notas aquí.",
-"Add field" => "Añadir campo",
+"Title" => "Título",
+"Enter title" => "Ingrese titulo",
+"Organization" => "Organización",
+"Enter organization" => "Ingrese organización",
+"Birthday" => "Cumpleaños",
+"Notes go here..." => "Las notas van acá...",
+"Export as VCF" => "Exportar como VCF",
+"Add" => "Añadir",
"Phone" => "Teléfono",
"Email" => "Correo electrónico",
"Instant Messaging" => "Mensajería instantánea",
"Address" => "Dirección",
"Note" => "Nota",
-"Download contact" => "Descargar contacto",
+"Web site" => "Sitio Web",
"Delete contact" => "Eliminar contacto",
+"Preferred" => "Preferido",
+"Please specify a valid email address." => "Por favor especifica una dirección de correo electrónico válida.",
+"someone@example.com" => "alguien@ejemplo.com",
+"Mail to address" => "Enviar por correo a la dirección",
+"Delete email address" => "Eliminar dirección de correo electrónico",
+"Enter phone number" => "Introduce un número de teléfono",
+"Delete phone number" => "Eliminar número de teléfono",
+"Go to web site" => "Ir al sitio Web",
+"Delete URL" => "Eliminar URL",
+"View on map" => "Ver en el mapa",
+"Delete address" => "Eliminar dirección",
+"1 Main Street" => "1 Calle Principal",
+"Street address" => "Calle",
+"12345" => "12345",
+"Postal code" => "Código postal",
+"Your city" => "Su ciudad",
+"City" => "Ciudad",
+"Some region" => "Alguna región",
+"State or province" => "Estado o provincia",
+"Your country" => "Su país",
+"Country" => "País",
+"Instant Messenger" => "Mensajero instantáneo",
+"Delete IM" => "Eliminar IM",
+"Share" => "Compartir",
+"Export" => "Exportar",
+"CardDAV link" => "Enlace a CardDAV",
+"Add Contact" => "Añadir contacto",
+"Drop photo to upload" => "Suelta una foto para subirla",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formato personalizado, nombre abreviado, nombre completo, al revés o al revés con coma",
+"Edit name details" => "Editar los detalles del nombre",
+"http://www.somesite.com" => "http://www.unsitio.com",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "Separa los grupos con comas",
+"Edit groups" => "Editar grupos",
+"Enter email address" => "Introduce una dirección de correo electrónico",
+"Edit address details" => "Editar detalles de la dirección",
+"Add notes here." => "Añade notas aquí.",
+"Add field" => "Añadir campo",
+"Download contact" => "Descargar contacto",
"The temporary image has been removed from cache." => "La foto temporal se ha borrado del cache.",
"Edit address" => "Editar dirección",
"Type" => "Tipo",
"PO Box" => "Código postal",
-"Street address" => "Calle",
"Street and number" => "Calle y número",
"Extended" => "Extendido",
"Apartment number etc." => "Número del apartamento, etc.",
-"City" => "Ciudad",
"Region" => "Región",
"E.g. state or province" => "Ej: región o provincia",
"Zipcode" => "Código postal",
-"Postal code" => "Código postal",
-"Country" => "País",
"Addressbook" => "Libreta de direcciones",
"Hon. prefixes" => "Prefijos honoríficos",
"Miss" => "Srta",
@@ -223,7 +261,6 @@
"Mrs" => "Sra",
"Dr" => "Dr",
"Given name" => "Nombre",
-"Additional names" => "Nombres adicionales",
"Family name" => "Apellido",
"Hon. suffixes" => "Sufijos honoríficos",
"J.D." => "J.D.",
@@ -240,15 +277,12 @@
"Name of new addressbook" => "Nombre de la nueva agenda",
"Importing contacts" => "Importando contactos",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
No tiene contactos en su libreta de direcciones.
Puede importar archivos VCF arrastrándolos a la lista de contactos y soltándolos en una libreta de direcciones, o sobre un espacio vacío para crear una nueva libreta de direcciones e importar dentro de ésta. Tambien puede realizar la importación haciendo clic en el botón de importar en la parte inferior de la lista.
",
-"Add contact" => "Añadir contacto",
"Select Address Books" => "Seleccionar Agenda",
-"Enter description" => "Introducir descripción",
"CardDAV syncing addresses" => "Sincronizando direcciones",
"more info" => "más información",
"Primary address (Kontact et al)" => "Dirección primaria (Kontact et al)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Libretas de direcciones",
-"Share" => "Compartir",
"New Address Book" => "Nueva libreta de direcciones",
"Name" => "Nombre",
"Description" => "Descripción",
diff --git a/l10n/es_AR.php b/l10n/es_AR.php
index 9f5cd1b0..42c9dc61 100644
--- a/l10n/es_AR.php
+++ b/l10n/es_AR.php
@@ -1,25 +1,25 @@
"Error al (des)activar la agenda con direcciones.",
+"Error (de)activating addressbook." => "Error al (des)activar la agenda.",
"id is not set." => "La ID no fue asignada.",
"Cannot update addressbook with an empty name." => "No se puede actualizar una libreta de direcciones sin nombre.",
+"No category name given." => "No se a dado un nombre a la categoría.",
+"Error adding group." => "Error al añadir grupo",
+"Group ID missing from request." => "ID de grupo faltante en la solicitud.",
+"Contact ID missing from request." => "ID de contacto faltante en la solicitud.",
"No ID provided" => "No fue proporcionada una ID",
"Error setting checksum." => "Error al establecer la suma de verificación -checksum-.",
"No categories selected for deletion." => "No se seleccionaron categorías para borrar.",
"No address books found." => "No se encontraron agendas.",
"No contacts found." => "No se encontraron contactos.",
"element name is not set." => "el nombre del elemento no fue asignado.",
-"Could not parse contact: " => "No fue posible analizar la sintaxis del contacto",
-"Cannot add empty property." => "No se puede añadir una propiedad vacía.",
-"At least one of the address fields has to be filled out." => "Se tiene que rellenar al menos uno de los campos de direcciones.",
-"Trying to add duplicate property: " => "Estás intentando añadir una propiedad duplicada: ",
-"Missing IM parameter." => "Falta un parámetro del MI.",
-"Unknown IM: " => "MI desconocido:",
-"Information about vCard is incorrect. Please reload the page." => "La información sobre la vCard es incorrecta. Por favor, cargá nuevamente la página",
-"Missing ID" => "Falta la ID",
-"Error parsing VCard for ID: \"" => "Error al analizar la vCard para la ID: \"",
"checksum is not set." => "la suma de comprobación no fue asignada.",
+"Information about vCard is incorrect. Please reload the page." => "La información sobre la vCard es incorrecta. Por favor, cargá nuevamente la página",
+"Couldn't find vCard for %d." => "No se pudo encontrar vCard para %d",
"Information about vCard is incorrect. Please reload the page: " => "La información sobre la vCard es incorrecta. Por favor, recargá la página:",
"Something went FUBAR. " => "Hubo un error irreparable.",
+"Cannot save property of type \"%s\" as array" => "No se puede guardar la propiedad del tipo \"%s\" como un arreglo",
+"Missing IM parameter." => "Falta un parámetro del MI.",
+"Unknown IM: " => "MI desconocido:",
"No contact ID was submitted." => "No se mandó ninguna ID de contacto.",
"Error reading contact photo." => "Error leyendo la imagen del contacto.",
"Error saving temporary file." => "Error al guardar archivo temporal.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Error al recortar la imagen",
"Error creating temporary image" => "Error al crear una imagen temporal",
"Error finding image: " => "Error al encontrar la imagen",
+"Key is not set for: " => "La clave no esta asignada para:",
+"Value is not set for: " => "El valor no esta asignado para:",
+"Could not set preference: " => "No se pudo asignar la preferencia:",
"Error uploading contacts to storage." => "Error al subir contactos al almacenamiento.",
"There is no error, the file uploaded with success" => "No hay errores, el archivo fue subido con éxito",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "El archivo subido excede el valor 'upload_max_filesize' del archivo de configuración php.ini",
@@ -46,43 +49,52 @@
"Couldn't load temporary image: " => "No se pudo cargar la imagen temporal",
"No file was uploaded. Unknown error" => "El archivo no fue subido. Error desconocido",
"Contacts" => "Contactos",
-"Sorry, this functionality has not been implemented yet" => "Perdoná, esta función no está implementada todavía",
-"Not implemented" => "No implementado",
-"Couldn't get a valid address." => "No fue posible obtener una dirección válida",
-"Error" => "Error",
-"Please enter an email address." => "Por favor, escribí una dirección de e-mail",
-"Enter name" => "Escribir nombre",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formato personalizado, nombre abreviado, nombre completo, invertido, o invertido con coma",
-"Select type" => "Seleccionar el tipo",
+"Contact is already in this group." => "El contacto ya se encuentra en este grupo",
+"Contacts are already in this group." => "Los contactos ya se encuentran en este grupo",
+"Couldn't get contact list." => "No se pudo obtener la lista de contactos.",
+"Contact is not in this group." => "El contacto no se encuentra en este grupo.",
+"Contacts are not in this group." => "Los contactos ya se encuentran en este grupo. ",
+"A group named {group} already exists" => "Un grupo llamado {grup} ya existe",
+"You can drag groups to\narrange them as you like." => "Podés arrastrar los grupos para \narreglarlos como quieras.",
+"All" => "Todos",
+"Favorites" => "Favoritos",
+"Shared by {owner}" => "Compartidos por {owner}",
+"Indexing contacts" => "Indexando contactos",
+"Add to..." => "Añadir a...",
+"Remove from..." => "Borrar de...",
+"Add group..." => "Añadir grupo",
"Select photo" => "Seleccionar una imagen",
-"You do not have permission to add contacts to " => "No tenés permisos para añadir contactos a",
-"Please select one of your own address books." => "Por favor, elegí una de tus agendas.",
-"Permission error" => "Error de permisos",
-"Click to undo deletion of \"" => "Hacé click para deshacer el borrado de \"",
-"Cancelled deletion of: \"" => "Se canceló el borrado de: \"",
-"This property has to be non-empty." => "Este campo no puede quedar vacío.",
-"Couldn't serialize elements." => "No fue posible transcribir los elementos",
-"Unknown error. Please check logs." => "Error desconocido. Revisá el log.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "el método \"deleteProperty\" fue llamado sin argumentos. Por favor, reportá el error en bugs.owncloud.org",
-"Edit name" => "Editar el nombre",
-"No files selected for upload." => "No hay archivos seleccionados para subir",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "El archivo que querés subir supera el tamaño máximo permitido en este servidor.",
-"Error loading profile picture." => "Error al cargar la imagen del perfil.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Algunos contactos fuero marcados para ser borrados, pero no fueron borrados todavía. Esperá que lo sean.",
-"Do you want to merge these address books?" => "¿Querés unir estas libretas de direcciones?",
-"Shared by " => "compartido por",
-"Upload too large" => "El tamaño del archivo que querés subir es demasiado grande",
-"Only image files can be used as profile picture." => "Solamente archivos de imagen pueden ser usados como imagen del perfil ",
-"Wrong file type" => "Tipo de archivo incorrecto",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Tu navegador no soporta subidas AJAX. Por favor hacé click en la imagen del perfil para seleccionar una imagen que quieras subir.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "No es posible subir tu archivo porque es un directorio o porque ocupa 0 bytes",
-"Upload Error" => "Error al subir",
-"Pending" => "Pendientes",
-"Import done" => "Importación completada",
+"Network or server error. Please inform administrator." => "Error en la red o en el servidor. Por favor informe al administrador.",
+"Error adding to group." => "Error al añadir al grupo.",
+"Error removing from group." => "Error al quitar del grupo.",
+"There was an error opening a mail composer." => "Hubo un error al abrir el escritor de correo electrónico",
+"Deleting done. Click here to cancel reloading." => "Borrado completo. Haga click para cancerla la recarga. ",
+"Add address book" => "Añadir agenda",
+"Import done. Click here to cancel reloading." => "Importación completa. Haga click para cancerla la recarga. ",
"Not all files uploaded. Retrying..." => "No fue posible subir todos los archivos. Reintentando...",
"Something went wrong with the upload, please retry." => "Algo salió mal durante la subida. Por favor, intentalo nuevamente.",
+"Error" => "Error",
+"Importing from {filename}..." => "Importando de {filename}...",
+"{success} imported, {failed} failed." => "{success} importados, {failed} fallidos.",
"Importing..." => "Importando...",
-"The address book name cannot be empty." => "El nombre de la libreta de direcciones no puede estar vacío.",
+"Unable to upload your file as it is a directory or has 0 bytes" => "No fue posible subir el archivo porque es un directorio o porque su tamaño es 0 bytes",
+"Upload Error" => "Error al subir",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "El archivo que querés subir supera el tamaño máximo permitido en este servidor.",
+"Upload too large" => "El tamaño del archivo que querés subir es demasiado grande",
+"Pending" => "Pendientes",
+"Add group" => "Agregar grupo",
+"No files selected for upload." => "No hay archivos seleccionados para subir",
+"Edit profile picture" => "Editar foto de perfil",
+"Error loading profile picture." => "Error al cargar la imagen del perfil.",
+"Enter name" => "Escribir nombre",
+"Enter description" => "Escribir descripción",
+"Select addressbook" => "Seleccionar agenda",
+"The address book name cannot be empty." => "El nombre de la agenda no puede estar vacío.",
+"Is this correct?" => "¿Es esto correcto?",
+"There was an unknown error when trying to delete this contact" => "Hubo un error desconocido tratando de borrar este contacto",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Algunos contactos fuero marcados para ser borrados, pero no fueron borrados todavía. Esperá que lo sean.",
+"Click to undo deletion of {num} contacts" => "Click para deshacer el borrado de {num} contactos",
+"Cancelled deletion of {num}" => "Cancelado el borrado de {num}",
"Result: " => "Resultado:",
" imported, " => "Importado.",
" failed." => "error.",
@@ -100,9 +112,6 @@
"There was an error updating the addressbook." => "Hubo un error mientras se actualizaba la agenda.",
"You do not have the permissions to delete this addressbook." => "No tenés permisos para borrar esta agenda.",
"There was an error deleting this addressbook." => "Hubo un error mientras se borraba esta agenda.",
-"Addressbook not found: " => "La agenda no fue encontrada",
-"This is not your addressbook." => "Esta no es tu agenda de contactos.",
-"Contact could not be found." => "No fue posible encontrar el contacto.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +135,9 @@
"Video" => "Video",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Cumpleaños",
-"Business" => "Negocio",
-"Call" => "Llamar",
-"Clients" => "Clientes",
-"Deliverer" => "Distribuidor",
-"Holidays" => "Vacaciones",
-"Ideas" => "Ideas",
-"Journey" => "Viaje",
-"Jubilee" => "Aniversario",
-"Meeting" => "Reunión",
-"Personal" => "Personal",
-"Projects" => "Proyectos",
-"Questions" => "Preguntas",
+"Friends" => "Amigos",
+"Family" => "Familia",
+"There was an error deleting properties for this contact." => "Hubo un error al borrar las propiedades de este contacto",
"{name}'s Birthday" => "Cumpleaños de {name}",
"Contact" => "Contacto",
"You do not have the permissions to add contacts to this addressbook." => "No tenés permisos para agregar contactos a esta agenda.",
@@ -148,9 +147,21 @@
"Could not find the Addressbook with ID: " => "No fue posible encontrar la agenda con ID:",
"You do not have the permissions to delete this contact." => "No tenés permisos para borrar este contacto.",
"There was an error deleting this contact." => "Hubo un error mientras se borraba este contacto.",
-"Add Contact" => "Agregar contacto",
-"Import" => "Importar",
+"Contact not found." => "No se pudo encontrar el contacto",
+"HomePage" => "Pagina de inicio",
+"New Group" => "Nuevo grupo",
"Settings" => "Configuración",
+"Address books" => "Agendas",
+"Import" => "Importar",
+"Select files to import" => "Seleccionar archivos para importar",
+"Select files" => "Seleccionar archivos",
+"Import into:" => "Importar a:",
+"OK" => "Aceptar",
+"(De-)select all" => "(De)selecionar todos",
+"New Contact" => "Nuevo contato",
+"Groups" => "Grupos",
+"Favorite" => "Favorito",
+"Delete Contact" => "Borrar contacto",
"Close" => "cerrar",
"Keyboard shortcuts" => "Atajos de teclado",
"Navigation" => "Navegación",
@@ -164,56 +175,83 @@
"Add new contact" => "Agregar un nuevo contacto",
"Add new addressbook" => "Agregar nueva agenda",
"Delete current contact" => "Borrar el contacto seleccionado",
-"Drop photo to upload" => "Arrastrá y soltá una imagen para subirla",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
No tenes contactos en tu agenda.
Agregá un nuevo contacto o importalo desde un contacto existente en un archivo VCF.
",
+"Add contact" => "Agregar contacto",
+"Compose mail" => "Escribir un correo",
+"Delete group" => "Borrar grupo",
"Delete current photo" => "Eliminar imagen actual",
"Edit current photo" => "Editar imagen actual",
"Upload new photo" => "Subir nueva imagen",
"Select photo from ownCloud" => "Seleccionar imagen desde ownCloud",
-"Edit name details" => "Editar los detalles del nombre",
-"Organization" => "Organización",
+"First name" => "Nombre",
+"Additional names" => "Segundo nombre",
+"Last name" => "Apellido",
"Nickname" => "Sobrenombre",
"Enter nickname" => "Escribí un sobrenombre",
-"Web site" => "Página web",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Ir al sitio web",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "Grupos",
-"Separate groups with commas" => "Separá los grupos con comas",
-"Edit groups" => "Editar grupos",
-"Preferred" => "Preferido",
-"Please specify a valid email address." => "Por favor, escribí una dirección de e-mail válida.",
-"Enter email address" => "Escribí una dirección de correo electrónico",
-"Mail to address" => "Enviar por e-mail a la dirección",
-"Delete email address" => "Eliminar dirección de correo electrónico",
-"Enter phone number" => "Escribí un número de teléfono",
-"Delete phone number" => "Eliminar número de teléfono",
-"Instant Messenger" => "Mensajero instantáneo",
-"Delete IM" => "Eliminar IM",
-"View on map" => "Ver en el mapa",
-"Edit address details" => "Editar detalles de la dirección",
-"Add notes here." => "Agregá notas acá.",
-"Add field" => "Agregar campo",
+"Title" => "Título",
+"Enter title" => "Ingrese titulo",
+"Organization" => "Organización",
+"Enter organization" => "Ingrese organización",
+"Birthday" => "Cumpleaños",
+"Notes go here..." => "Las notas van aquí",
+"Export as VCF" => "Exportar como VCF",
+"Add" => "Agregar",
"Phone" => "Teléfono",
-"Email" => "e-mail",
+"Email" => "Correo Electrónico",
"Instant Messaging" => "Mensajería instantánea",
"Address" => "Dirección",
"Note" => "Nota",
-"Download contact" => "Descargar contacto",
+"Web site" => "Página web",
"Delete contact" => "Borrar contacto",
+"Preferred" => "Preferido",
+"Please specify a valid email address." => "Por favor, escribí una dirección de correo electrónico válida.",
+"someone@example.com" => "alguien@ejemplo.com",
+"Mail to address" => "Enviar por correo electrónico a la dirección",
+"Delete email address" => "Eliminar dirección de correo electrónico",
+"Enter phone number" => "Escribí un número de teléfono",
+"Delete phone number" => "Eliminar número de teléfono",
+"Go to web site" => "Ir al sitio web",
+"Delete URL" => "Borrar URL",
+"View on map" => "Ver en el mapa",
+"Delete address" => "Borrar dirección",
+"1 Main Street" => "Calle principal 1",
+"Street address" => "Calle de la dirección",
+"12345" => "12345",
+"Postal code" => "Código postal",
+"Your city" => "Tu ciudad",
+"City" => "Ciudad",
+"Some region" => "Alguna región",
+"State or province" => "Estado o provincia",
+"Your country" => "Tu país",
+"Country" => "País",
+"Instant Messenger" => "Mensajero instantáneo",
+"Delete IM" => "Eliminar IM",
+"Share" => "Compartir",
+"Export" => "Exportar",
+"CardDAV link" => "Enlace a CardDAV",
+"Add Contact" => "Agregar contacto",
+"Drop photo to upload" => "Arrastrá y soltá una imagen para subirla",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formato personalizado, nombre abreviado, nombre completo, invertido, o invertido con coma",
+"Edit name details" => "Editar los detalles del nombre",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "Separá los grupos con comas",
+"Edit groups" => "Editar grupos",
+"Enter email address" => "Escribí una dirección de correo electrónico",
+"Edit address details" => "Editar detalles de la dirección",
+"Add notes here." => "Agregá notas acá.",
+"Add field" => "Agregar campo",
+"Download contact" => "Descargar contacto",
"The temporary image has been removed from cache." => "La imagen temporal fue borrada de la caché",
"Edit address" => "Editar dirección",
"Type" => "Tipo",
"PO Box" => "Código postal",
-"Street address" => "Calle de la dirección",
"Street and number" => "Calle y número",
"Extended" => "Extendido",
"Apartment number etc." => "Número de departamento, etc.",
-"City" => "Ciudad",
"Region" => "Provincia",
"E.g. state or province" => "Eg. provincia o estado",
"Zipcode" => "Código postal",
-"Postal code" => "Código postal",
-"Country" => "País",
"Addressbook" => "Agenda",
"Hon. prefixes" => "Prefijos honoríficos",
"Miss" => "Srta.",
@@ -223,7 +261,6 @@
"Mrs" => "Sra.",
"Dr" => "Dr.",
"Given name" => "Nombre",
-"Additional names" => "Segundo nombre",
"Family name" => "Apellido",
"Hon. suffixes" => "Sufijos honoríficos",
"J.D." => "J.D.",
@@ -237,18 +274,15 @@
"Import a contacts file" => "Importar archivo de contactos",
"Please choose the addressbook" => "Elegí la agenda",
"create a new addressbook" => "crear una nueva agenda",
-"Name of new addressbook" => "Nombre de la nueva agenda",
+"Name of new addressbook" => "Nombre de la agenda nueva",
"Importing contacts" => "Importando contactos",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
No tenés contactos en tu agenda.
Podés importar archivos VCF arrastrando los contactos a la agenda. También podés realizar la importación haciendo click en el botón de Importar, en la parte inferior de la lista.
",
-"Add contact" => "Agregar contacto",
"Select Address Books" => "Seleccionar agendas",
-"Enter description" => "Escribir descripción",
"CardDAV syncing addresses" => "CardDAV está sincronizando direcciones",
"more info" => "más información",
"Primary address (Kontact et al)" => "Dirección primaria (Kontact y semejantes)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Agendas",
-"Share" => "Compartir",
"New Address Book" => "Nueva agenda",
"Name" => "Nombre",
"Description" => "Descripción",
diff --git a/l10n/et_EE.php b/l10n/et_EE.php
index 6d783dcd..377b4426 100644
--- a/l10n/et_EE.php
+++ b/l10n/et_EE.php
@@ -2,24 +2,23 @@
"Error (de)activating addressbook." => "Viga aadressiraamatu (de)aktiveerimisel.",
"id is not set." => "ID on määramata.",
"Cannot update addressbook with an empty name." => "Tühja nimega aadressiraamatut ei saa uuendada.",
+"No category name given." => "Kategooria nime pole sisestatud.",
+"Error adding group." => "Viga grupi lisamisel.",
+"Group ID missing from request." => "Päringust puudub Grupi ID.",
+"Contact ID missing from request." => "Päringust puudub kontakti ID.",
"No ID provided" => "ID-d pole sisestatud",
"Error setting checksum." => "Viga kontrollsumma määramisel.",
"No categories selected for deletion." => "Kustutamiseks pole valitud ühtegi kategooriat.",
"No address books found." => "Ei leitud ühtegi aadressiraamatut.",
"No contacts found." => "Ühtegi kontakti ei leitud.",
"element name is not set." => "elemendi nime pole määratud.",
-"Could not parse contact: " => "Kontakti parsimine ebaõnnestus: ",
-"Cannot add empty property." => "Tühja omadust ei saa lisada.",
-"At least one of the address fields has to be filled out." => "Vähemalt üks aadressiväljadest peab olema täidetud.",
-"Trying to add duplicate property: " => "Proovitakse lisada topeltomadust: ",
-"Missing IM parameter." => "Puuduv IM parameeter",
-"Unknown IM: " => "Tundmatu IM:",
-"Information about vCard is incorrect. Please reload the page." => "Visiitkaardi info pole korrektne. Palun lae leht uuesti.",
-"Missing ID" => "Puudub ID",
-"Error parsing VCard for ID: \"" => "Viga VCard-ist ID parsimisel: \"",
"checksum is not set." => "kontrollsummat pole määratud.",
+"Information about vCard is incorrect. Please reload the page." => "Visiitkaardi info pole korrektne. Palun lae leht uuesti.",
+"Couldn't find vCard for %d." => "%d visiitkaarti ei leitud.",
"Information about vCard is incorrect. Please reload the page: " => "vCard info pole korrektne. Palun lae lehekülg uuesti: ",
"Something went FUBAR. " => "Midagi läks tõsiselt metsa.",
+"Missing IM parameter." => "Puuduv IM parameeter",
+"Unknown IM: " => "Tundmatu IM:",
"No contact ID was submitted." => "Kontakti ID-d pole sisestatud.",
"Error reading contact photo." => "Viga kontakti foto lugemisel.",
"Error saving temporary file." => "Viga ajutise faili salvestamisel.",
@@ -35,6 +34,9 @@
"Error cropping image" => "Viga pildi lõikamisel",
"Error creating temporary image" => "Viga ajutise pildi loomisel",
"Error finding image: " => "Viga pildi leidmisel: ",
+"Key is not set for: " => "Võtit pole määratud:",
+"Value is not set for: " => "Väärtust pole määratud:",
+"Could not set preference: " => "Eelistust ei saa määrata:",
"Error uploading contacts to storage." => "Viga kontaktide üleslaadimisel kettale.",
"There is no error, the file uploaded with success" => "Ühtegi tõrget polnud, fail on üles laetud",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Üleslaetud fail ületab php.ini failis määratud upload_max_filesize suuruse",
@@ -46,43 +48,46 @@
"Couldn't load temporary image: " => "Ajutise pildi laadimine ebaõnnestus: ",
"No file was uploaded. Unknown error" => "Ühtegi faili ei laetud üles. Tundmatu viga",
"Contacts" => "Kontaktid",
-"Sorry, this functionality has not been implemented yet" => "Vabandust, aga see funktsioon pole veel valmis",
-"Not implemented" => "Pole implementeeritud",
-"Couldn't get a valid address." => "Kehtiva aadressi hankimine ebaõnnestus",
-"Error" => "Viga",
-"Please enter an email address." => "Palun sisesta e-posti aadress.",
-"Enter name" => "Sisesta nimi",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Kohandatud vorming, Lühike nimi, Täielik nimi, vastupidine või vastupidine komadega",
-"Select type" => "Vali tüüp",
+"Contact is already in this group." => "Kontakt juba on selles grupis.",
+"Contacts are already in this group." => "Kontaktid juba on selles grupis.",
+"Couldn't get contact list." => "Kontaktide nimekirja hankimine ebaõnnestus.",
+"Contact is not in this group." => "Kontakt pole selles grupis.",
+"Contacts are not in this group." => "Kontaktid pole selles grupis.",
+"A group named {group} already exists" => "Grupp nimega {group} on juba olemas",
+"All" => "Kõik",
+"Favorites" => "Lemmikud",
+"Shared by {owner}" => "Jagas {owner}",
+"Indexing contacts" => "Kontaktide indekseerimine",
+"Add to..." => "Lisa...",
+"Remove from..." => "Eemalda...",
+"Add group..." => "Lisa gruppi...",
"Select photo" => "Vali foto",
-"You do not have permission to add contacts to " => "Sul pole luba lisada kontakti aadressiraamatusse",
-"Please select one of your own address books." => "Palun vali üks oma aadressiraamatutest.",
-"Permission error" => "Õiguse viga",
-"Click to undo deletion of \"" => "Kliki kustutamise tühistamiseks \"",
-"Cancelled deletion of: \"" => "Kustutamine tühistati: \"",
-"This property has to be non-empty." => "See omadus ei tohi olla tühi.",
-"Couldn't serialize elements." => "Elemente ei saa sarjana esitleda.",
-"Unknown error. Please check logs." => "Tundmatu viga. Palun kontrolli vealogisid.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' kutsuti välja ilma tüübi argumendita. Palun teavita leitud veast aadressil bugs.owncloud.org",
-"Edit name" => "Muuda nime",
-"No files selected for upload." => "Üleslaadimiseks pole faile valitud.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Fail , mida sa proovid üles laadida ületab sinu serveri poolt määratud maksimaalse üleslaadimise limiidi.",
-"Error loading profile picture." => "Viga profiilipildi laadimisel",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Mõned kontaktid on märgitud kustutamiseks, aga pole veel kustutatud. Palun oota, kuni need kustutatakse.",
-"Do you want to merge these address books?" => "Kas sa soovid liita neid aadressiraamatuid?",
-"Shared by " => "Jagas",
-"Upload too large" => "Üleslaadimine on liiga suur",
-"Only image files can be used as profile picture." => "Profiilipildina saab kasutada ainult pilte.",
-"Wrong file type" => "Vale failitüüp",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Sinu veebilehitseja ei toeta AJAX-põhist üleslaadimist. Palun kliki profiili pildil, et valida üleslaetav foto.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Faili ei saa üles laadida, kuna see on kaust või selle suurus on 0 baiti",
-"Upload Error" => "Üleslaadimise viga",
-"Pending" => "Ootel",
-"Import done" => "Importimine on tehtud",
+"Network or server error. Please inform administrator." => "Võrgu või serveri viga. Palun informeeri administraatorit.",
+"Error adding to group." => "Viga gruppi lisamisel.",
+"Error removing from group." => "Viga grupist eemaldamisel.",
+"There was an error opening a mail composer." => "Meiliprogrammi avamisel tekkis viga.",
"Not all files uploaded. Retrying..." => "Kõiki faile ei laetud üles. Proovime uuesti...",
"Something went wrong with the upload, please retry." => "Midagi läks üleslaadimisega valesti, palun proovi uuesti.",
+"Error" => "Viga",
"Importing..." => "Importimine...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Faili ei saa üles laadida, kuna see on kaust või selle suurus on 0 baiti",
+"Upload Error" => "Üleslaadimise viga",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Fail , mida sa proovid üles laadida ületab sinu serveri poolt määratud maksimaalse üleslaadimise limiidi.",
+"Upload too large" => "Üleslaadimine on liiga suur",
+"Pending" => "Ootel",
+"Add group" => "Lisa grupp",
+"No files selected for upload." => "Üleslaadimiseks pole faile valitud.",
+"Edit profile picture" => "Muuda profiili pilti",
+"Error loading profile picture." => "Viga profiilipildi laadimisel",
+"Enter name" => "Sisesta nimi",
+"Enter description" => "Sisesta kirjeldus",
+"Select addressbook" => "Vali aadressiraamat",
"The address book name cannot be empty." => "Aadressiraamatu nimi ei saa olla tühi.",
+"Is this correct?" => "Kas see on õige?",
+"There was an unknown error when trying to delete this contact" => "Selle kontakti kustutamisel tekkis viga",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Mõned kontaktid on märgitud kustutamiseks, aga pole veel kustutatud. Palun oota, kuni need kustutatakse.",
+"Click to undo deletion of {num} contacts" => "Kliki, et tühistada {num} kontakti kustutamine",
+"Cancelled deletion of {num}" => "{num} kustutamine tühistati",
"Result: " => "Tulemus: ",
" imported, " => " imporditud, ",
" failed." => " ebaõnnestus.",
@@ -100,9 +105,6 @@
"There was an error updating the addressbook." => "Aadressiraamatu uuendamisel tekkis viga.",
"You do not have the permissions to delete this addressbook." => "Sul pole õigusi selle aadressiraamatu kustutamiseks.",
"There was an error deleting this addressbook." => "Selle aadressiraamatu kustutamisel tekkis viga.",
-"Addressbook not found: " => "Aadressiraamatut ei leitud:",
-"This is not your addressbook." => "See pole sinu aadressiraamat.",
-"Contact could not be found." => "Kontakti ei leitud.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +128,9 @@
"Video" => "Video",
"Pager" => "Piipar",
"Internet" => "Internet",
-"Birthday" => "Sünnipäev",
-"Business" => "Ettevõte",
-"Call" => "Helista",
-"Clients" => "Kliendid",
-"Deliverer" => "Kohaletoimetaja",
-"Holidays" => "Puhkused",
-"Ideas" => "Ideed",
-"Journey" => "Teekond",
-"Jubilee" => "Juubel",
-"Meeting" => "Kohtumine",
-"Personal" => "Isiklik",
-"Projects" => "Projektid",
-"Questions" => "Küsimused",
+"Friends" => "Sõbrad",
+"Family" => "Pereliikmed",
+"There was an error deleting properties for this contact." => "Selle kontakti omaduste kustutamisel tekkis viga.",
"{name}'s Birthday" => "{name} sünnipäev",
"Contact" => "Kontakt",
"You do not have the permissions to add contacts to this addressbook." => "Sul pole õigusi sellesse aadressiraamatusse kontaktide lisamiseks.",
@@ -148,9 +140,18 @@
"Could not find the Addressbook with ID: " => "Ei leitud aadressiraamatut ID-ga:",
"You do not have the permissions to delete this contact." => "Sul pole selle kontakti kustutamiseks õigusi.",
"There was an error deleting this contact." => "Selle kontakti kustutamisel tekkis viga.",
-"Add Contact" => "Lisa kontakt",
-"Import" => "Impordi",
+"Contact not found." => "Kontakti ei leitud.",
+"HomePage" => "Koduleht",
+"New Group" => "Uus grupp",
"Settings" => "Seaded",
+"Import" => "Impordi",
+"Import into:" => "Impordi:",
+"OK" => "OK",
+"(De-)select all" => "(Ära) vali kõik",
+"New Contact" => "Uus kontakt",
+"Groups" => "Grupid",
+"Favorite" => "Lemmik",
+"Delete Contact" => "Kustuta kontakt",
"Close" => "Sule",
"Keyboard shortcuts" => "Klvaiatuuri otseteed",
"Navigation" => "Navigeerimine",
@@ -164,56 +165,78 @@
"Add new contact" => "Lisa uus kontakt",
"Add new addressbook" => "Lisa uus aadressiraamat",
"Delete current contact" => "Kustuta praegune kontakt",
-"Drop photo to upload" => "Lohista üleslaetav foto siia",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Sul pole aadressiraamatus ühtegi kontakti.
Lisa uus kontakt või impordi olemasolevad kontaktid VCF failist.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Sinu aadressiraamatus pole ühtegi kontakti.
Sa võid importida VCF faile lohistades neid kontaktide nimekirja sellele aadressiraamatule, millesse sa soovid neid importida või tühjale kohale, et luua uus aadressiraamat, millesse importida. Sa võid importida ka kasutades nimekirja all olevat nuppu Impordi.
",
-"Add contact" => "Lisa kontakt",
"Select Address Books" => "Vali aadressiraamatud",
-"Enter description" => "Sisesta kirjeldus",
"CardDAV syncing addresses" => "CardDAV sünkroniseerimise aadressid",
"more info" => "lisainfo",
"Primary address (Kontact et al)" => "Peamine aadress",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Aadressiraamatud",
-"Share" => "Jaga",
"New Address Book" => "Uus aadressiraamat",
"Name" => "Nimi",
"Description" => "Kirjeldus",
diff --git a/l10n/eu.php b/l10n/eu.php
index 11451504..948a0eb6 100644
--- a/l10n/eu.php
+++ b/l10n/eu.php
@@ -2,23 +2,23 @@
"Error (de)activating addressbook." => "Errore bat egon da helbide-liburua (des)gaitzen",
"id is not set." => "IDa ez da ezarri.",
"Cannot update addressbook with an empty name." => "Ezin da helbide liburua eguneratu izen huts batekin.",
+"No category name given." => "Ez da kategoriaren izena eman.",
+"Error adding group." => "Errore bat izan da taldea gehitzean.",
+"Group ID missing from request." => "Taldearen IDa falta da eskarian.",
+"Contact ID missing from request." => "Kontaktuaren IDa falta da eskarian.",
"No ID provided" => "Ez da IDrik eman",
"Error setting checksum." => "Errorea kontrol-batura ezartzean.",
"No categories selected for deletion." => "Ez dira ezabatzeko kategoriak hautatu.",
"No address books found." => "Ez da helbide libururik aurkitu.",
"No contacts found." => "Ez da kontakturik aurkitu.",
"element name is not set." => "elementuaren izena ez da ezarri.",
-"Could not parse contact: " => "Ezin izan da kontaktua analizatu:",
-"Cannot add empty property." => "Ezin da propieta hutsa gehitu.",
-"At least one of the address fields has to be filled out." => "Behintzat helbide eremuetako bat bete behar da.",
-"Trying to add duplicate property: " => "Propietate bikoiztuta gehitzen saiatzen ari zara:",
+"checksum is not set." => "Kontrol-batura ezarri gabe dago.",
+"Information about vCard is incorrect. Please reload the page." => "vCard-aren inguruko informazioa okerra da. Mesedez birkargatu orrialdea.",
+"Couldn't find vCard for %d." => "Ezin izan da %drentzako vCarda aurkitu.",
+"Information about vCard is incorrect. Please reload the page: " => "vCard honen informazioa ez da zuzena.Mezedez birkargatu orria:",
+"Cannot save property of type \"%s\" as array" => "Ezin da \"%s\" motako propietatea taula moduan gorde.",
"Missing IM parameter." => "BM parametroa falta da.",
"Unknown IM: " => "BM ezezaguna:",
-"Information about vCard is incorrect. Please reload the page." => "vCard-aren inguruko informazioa okerra da. Mesedez birkargatu orrialdea.",
-"Missing ID" => "ID falta da",
-"Error parsing VCard for ID: \"" => "Errorea VCard analizatzean hurrengo IDrako: \"",
-"checksum is not set." => "Kontrol-batura ezarri gabe dago.",
-"Information about vCard is incorrect. Please reload the page: " => "vCard honen informazioa ez da zuzena.Mezedez birkargatu orria:",
"No contact ID was submitted." => "Ez da kontaktuaren IDrik eman.",
"Error reading contact photo." => "Errore bat izan da kontaktuaren argazkia igotzerakoan.",
"Error saving temporary file." => "Errore bat izan da aldi bateko fitxategia gordetzerakoan.",
@@ -34,6 +34,9 @@
"Error cropping image" => "Errore bat izan da irudia mozten",
"Error creating temporary image" => "Errore bat izan da aldi bateko irudia sortzen",
"Error finding image: " => "Ezin izan da irudia aurkitu:",
+"Key is not set for: " => "Gakoa ez da zehaztu hemen:",
+"Value is not set for: " => "Balioa ez da zehaztu hemen:",
+"Could not set preference: " => "Ezin izan da lehentasuna ezarri:",
"Error uploading contacts to storage." => "Errore bat egon da kontaktuak biltegira igotzerakoan.",
"There is no error, the file uploaded with success" => "Ez da errorerik egon, fitxategia ongi igo da",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Igotako fitxategia php.ini fitxategiko upload_max_filesize direktiba baino handiagoa da",
@@ -45,42 +48,49 @@
"Couldn't load temporary image: " => "Ezin izan da aldi bateko irudia kargatu:",
"No file was uploaded. Unknown error" => "Ez da fitxategirik igo. Errore ezezaguna",
"Contacts" => "Kontaktuak",
-"Sorry, this functionality has not been implemented yet" => "Barkatu, aukera hau ez da oriandik inplementatu",
-"Not implemented" => "Inplementatu gabe",
-"Couldn't get a valid address." => "Ezin izan da eposta baliagarri bat hartu.",
-"Error" => "Errorea",
-"Please enter an email address." => "Mesedez sartu eposta helbidea.",
-"Enter name" => "Sartu izena",
-"Select type" => "Hautatu mota",
+"Contact is already in this group." => "Kontaktua dagoeneko talde honetan dago.",
+"Contacts are already in this group." => "Kontaktuak dagoeneko talde honetan daude.",
+"Couldn't get contact list." => "Ezin izan da kontaktuen zerrenda lortu.",
+"Contact is not in this group." => "Kontaktua ez dago talde honetan.",
+"Contacts are not in this group." => "Kontaktuak ez daude talde honetan.",
+"A group named {group} already exists" => "{group} izeneko taldea dagoeneko existitzen da",
+"All" => "Denak",
+"Favorites" => "Gogokoak",
+"Shared by {owner}" => "{owner}-k partekatuta",
+"Indexing contacts" => "Kontaktuak indexatzen",
+"Add to..." => "Gehitu hemen...",
+"Remove from..." => "Ezabatu hemendik...",
+"Add group..." => "Gehitu taldea...",
"Select photo" => "Hautatu argazkia",
-"You do not have permission to add contacts to " => "Ez duzu baimenik gehitzeko kontaktuak hona",
-"Please select one of your own address books." => "Mesedez hautatu zure helbide-liburu bat.",
-"Permission error" => "Baimen errorea.",
-"Click to undo deletion of \"" => "Klikatu honen ezabaketa desegiteko \"",
-"Cancelled deletion of: \"" => "Honen ezabaketa bertan behera utzi da: \"",
-"This property has to be non-empty." => "Propietate hau ezin da hutsik egon.",
-"Couldn't serialize elements." => "Ezin izan dira elementuak serializatu.",
-"Unknown error. Please check logs." => "Errore ezezaguna. Mesedez begiratu log-ak.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' argumenturik gabe deitu da. Mezedez abisatu bugs.owncloud.org-en",
-"Edit name" => "Editatu izena",
-"No files selected for upload." => "Ez duzu igotzeko fitxategirik hautatu.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Igo nahi duzun fitxategia zerbitzariak onartzen duen tamaina baino handiagoa da.",
-"Error loading profile picture." => "Errorea profilaren irudia kargatzean.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Kontaktu batzuk ezabatzeko markatuta daude, baina oraindik ez dira ezabatu. Mesedez itxoin ezabatu arte.",
-"Do you want to merge these address books?" => "Helbide-liburu hauek elkartu nahi dituzu?",
-"Shared by " => "Honek partekatuta: ",
-"Upload too large" => "Igoera handiegia da",
-"Only image files can be used as profile picture." => "Bakarrik irudiak erabil daitezke profil irudietan.",
-"Wrong file type" => "Fitxategi mota ez-egokia",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Zure arakatzaileak ez du AJAX bidezko igoera onartzen. Mesedez kilikatu profilaren irudian igotzeko irudi bat hautatzeko.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Ezin izan da zure fitxategia igo karpeta bat delako edo 0 byte dituelako",
-"Upload Error" => "Igotzeak huts egin du",
-"Pending" => "Zain",
-"Import done" => "Inportazioa burutua",
+"Network or server error. Please inform administrator." => "Errore bat izan da sare edo zerbitzarian. Mesedez abisatu administradorea.",
+"Error adding to group." => "Errore bat izan da taldera gehitzean.",
+"Error removing from group." => "Errore bat izan da taldetik kentzean.",
+"There was an error opening a mail composer." => "Errore bat izan da posta editorea abiaraztean.",
+"Add address book" => "Gehitu helbide-liburua",
+"Import done. Click here to cancel reloading." => "Inportatzea eginda. Hemen klikatu birkargatzea uzteko.",
"Not all files uploaded. Retrying..." => "Fitxategi guztiak ez dira igo. Berriz saiatzen...",
"Something went wrong with the upload, please retry." => "Zerbait gaizki joan da igotzean, mesedez saiatu berriz.",
+"Error" => "Errorea",
+"Importing from {filename}..." => "Inportatzen {fitxategi-izena}...",
"Importing..." => "Inportatzen",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Ezin izan da zure fitxategia igo karpeta bat delako edo 0 byte dituelako",
+"Upload Error" => "Igotzeak huts egin du",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Igo nahi duzun fitxategia zerbitzariak onartzen duen tamaina baino handiagoa da.",
+"Upload too large" => "Igoera handiegia da",
+"Pending" => "Zain",
+"Add group" => "Gehitu taldea",
+"No files selected for upload." => "Ez duzu igotzeko fitxategirik hautatu.",
+"Edit profile picture" => "Editatu profilaren argazkia",
+"Error loading profile picture." => "Errorea profilaren irudia kargatzean.",
+"Enter name" => "Sartu izena",
+"Enter description" => "Sartu deskribapena",
+"Select addressbook" => "Hautatu helbide-liburua",
"The address book name cannot be empty." => "Helbide-liburuaren izena ezin da hutsik egon.",
+"Is this correct?" => "Hau zuzena al da?",
+"There was an unknown error when trying to delete this contact" => "Errore ezezagun bat izan da kontaktu hau ezabatzeko orduan",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Kontaktu batzuk ezabatzeko markatuta daude, baina oraindik ez dira ezabatu. Mesedez itxoin ezabatu arte.",
+"Click to undo deletion of {num} contacts" => "Klikatu {num} kontaktuen ezabaketa desegiteko",
+"Cancelled deletion of {num}" => "{num}en ezabaketa ezeztatuta",
"Result: " => "Emaitza:",
" imported, " => " inportatua, ",
" failed." => "huts egin du.",
@@ -98,9 +108,6 @@
"There was an error updating the addressbook." => "Errore bat izan da helbide-liburua eguneratzean.",
"You do not have the permissions to delete this addressbook." => "Ez duzu helbide-liburu hau ezabatzeko baimenik.",
"There was an error deleting this addressbook." => "Errore bat izan da helbide-liburu hau ezabatzean.",
-"Addressbook not found: " => "Helbide-liburua ez da aurkitu:",
-"This is not your addressbook." => "Hau ez da zure helbide liburua.",
-"Contact could not be found." => "Ezin izan da kontaktua aurkitu.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -124,19 +131,9 @@
"Video" => "Bideoa",
"Pager" => "Bilagailua",
"Internet" => "Internet",
-"Birthday" => "Jaioteguna",
-"Business" => "Negozioak",
-"Call" => "Deia",
-"Clients" => "Bezeroak",
-"Deliverer" => "Banatzailea",
-"Holidays" => "Oporrak",
-"Ideas" => "Ideiak",
-"Journey" => "Bidaia",
-"Jubilee" => "Urteurrenak",
-"Meeting" => "Bilera",
-"Personal" => "Pertsonala",
-"Projects" => "Proiektuak",
-"Questions" => "Galderak",
+"Friends" => "Lagunak",
+"Family" => "Familia",
+"There was an error deleting properties for this contact." => "Errore bat izan da kontaktu honen propietateak ezabatzerakoan.",
"{name}'s Birthday" => "{name}ren jaioteguna",
"Contact" => "Kontaktua",
"You do not have the permissions to add contacts to this addressbook." => "Ez duzu helbide-liburu honetara kontaktuak gehitzeko baimenik.",
@@ -146,9 +143,20 @@
"Could not find the Addressbook with ID: " => "Ezin izan da hurrengo IDa duen helbide-liburua aurkitu:",
"You do not have the permissions to delete this contact." => "Ez duzu kontaktu hau ezabatzeko baimenik.",
"There was an error deleting this contact." => "Errore bat izan da kontaktua ezabatzean.",
-"Add Contact" => "Gehitu kontaktua",
-"Import" => "Inportatu",
+"HomePage" => "WebOrria",
+"New Group" => "Talde berria",
"Settings" => "Ezarpenak",
+"Address books" => "Helbide liburuak",
+"Import" => "Inportatu",
+"Select files to import" => "Hautatu inportatzeko fitxategiak",
+"Select files" => "Hautatu fitxategiak",
+"Import into:" => "Inportatu hemen:",
+"OK" => "Ados",
+"(De-)select all" => "(Ez-)Hautatu dena",
+"New Contact" => "Kontaktu berria",
+"Groups" => "Taldeak",
+"Favorite" => "Gogokoa",
+"Delete Contact" => "Ezabatu kontaktua",
"Close" => "Itxi",
"Keyboard shortcuts" => "Teklatuaren lasterbideak",
"Navigation" => "Nabigazioa",
@@ -162,60 +170,85 @@
"Add new contact" => "Gehitu kontaktu berria",
"Add new addressbook" => "Gehitu helbide-liburu berria",
"Delete current contact" => "Ezabatu uneko kontaktuak",
-"Drop photo to upload" => "Askatu argazkia igotzeko",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Ez duzu kontakturik helbide-liburuan.
Gehitu kontaktu berri bat edo inportatu VCF fitxategi batetatik.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Ez duzu kontakturik zure helbide-liburuan.
VCF fitxategiak inportatu ditzakezu kontaktu zerrendara arrastratuz eta helbide-liburu batean askatuz bertan inportatzeko, edo hutsune batera helbide-liburu berri bat sortzeko eta bertara inportatzeko. Zerrendaren azpian dagoen inportatu botoia sakatuz ere inportatu dezakezu.
",
-"Add contact" => "Gehitu kontaktua",
"Select Address Books" => "Hautatu helbide-liburuak",
-"Enter description" => "Sartu deskribapena",
"CardDAV syncing addresses" => "CardDAV sinkronizazio helbideak",
"more info" => "informazio gehiago",
"Primary address (Kontact et al)" => "Helbide nagusia",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Helbide Liburuak",
-"Share" => "Partekatu",
"New Address Book" => "Helbide-liburu berria",
"Name" => "Izena",
"Description" => "Deskribapena",
diff --git a/l10n/fa.php b/l10n/fa.php
index 56188202..286b062e 100644
--- a/l10n/fa.php
+++ b/l10n/fa.php
@@ -8,13 +8,8 @@
"No address books found." => "هیچ کتابچه نشانی پیدا نشد",
"No contacts found." => "هیچ شخصی پیدا نشد",
"element name is not set." => "نام اصلی تنظیم نشده است",
-"Cannot add empty property." => "نمیتوان یک خاصیت خالی ایجاد کرد",
-"At least one of the address fields has to be filled out." => "At least one of the address fields has to be filled out. ",
-"Trying to add duplicate property: " => "امتحان کردن برای وارد کردن مشخصات تکراری",
-"Information about vCard is incorrect. Please reload the page." => "اطلاعات درمورد vCard شما اشتباه است لطفا صفحه را دوباره بار گذاری کنید",
-"Missing ID" => "نشانی گم شده",
-"Error parsing VCard for ID: \"" => "خطا در تجزیه کارت ویزا برای شناسه:",
"checksum is not set." => "checksum تنظیم شده نیست",
+"Information about vCard is incorrect. Please reload the page." => "اطلاعات درمورد vCard شما اشتباه است لطفا صفحه را دوباره بار گذاری کنید",
"Information about vCard is incorrect. Please reload the page: " => "اطلاعات کارت ویزا شما غلط است لطفا صفحه را دوباره بارگزاری کنید",
"Something went FUBAR. " => "چند چیز به FUBAR رفتند",
"No contact ID was submitted." => "هیچ اطلاعاتی راجع به شناسه ارسال نشده",
@@ -43,29 +38,25 @@
"Couldn't load temporary image: " => "قابلیت بارگذاری تصویر موقت وجود ندارد:",
"No file was uploaded. Unknown error" => "هیچ فایلی آپلود نشد.خطای ناشناس",
"Contacts" => "اشخاص",
-"Sorry, this functionality has not been implemented yet" => "با عرض پوزش،این قابلیت هنوز اجرا نشده است",
-"Not implemented" => "انجام نشد",
-"Couldn't get a valid address." => "Couldn't get a valid address.",
+"Select photo" => "تصویر را انتخاب کنید",
"Error" => "خطا",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format custom, Short name, Full name, Reverse or Reverse with comma",
-"Select type" => "نوع را انتخاب کنید",
-"This property has to be non-empty." => "این ویژگی باید به صورت غیر تهی عمل کند",
-"Couldn't serialize elements." => "قابلیت مرتب سازی عناصر وجود ندارد",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "پاک کردن ویژگی بدون استدلال انجام شده.لطفا این مورد را گزارش دهید:bugs.owncloud.org",
-"Edit name" => "نام تغییر",
-"No files selected for upload." => "هیچ فایلی برای آپلود انتخاب نشده است",
+"Unable to upload your file as it is a directory or has 0 bytes" => "ناتوان در بارگذاری یا فایل یک پوشه است یا 0بایت دارد",
+"Upload Error" => "خطا در بار گذاری",
"The file you are trying to upload exceed the maximum size for file uploads on this server." => "حجم فایل بسیار بیشتر از حجم تنظیم شده در تنظیمات سرور است",
+"Upload too large" => "سایز فایل برای آپلود زیاد است(م.تنظیمات در php.ini)",
+"Pending" => "در انتظار",
+"No files selected for upload." => "هیچ فایلی برای آپلود انتخاب نشده است",
"Result: " => "نتیجه:",
" imported, " => "وارد شد،",
" failed." => "ناموفق",
+"Displayname cannot be empty." => "اسم نمایشی نمی تواند خالی باشد",
"Download" => "بارگیری",
"Edit" => "ویرایش",
"Delete" => "پاک کردن",
"Cancel" => "انصراف",
-"This is not your addressbook." => "این کتابچه ی نشانه های شما نیست",
-"Contact could not be found." => "اتصال ویا تماسی یافت نشد",
"Work" => "کار",
"Home" => "خانه",
+"Other" => "دیگر",
"Mobile" => "موبایل",
"Text" => "متن",
"Voice" => "صدا",
@@ -74,51 +65,60 @@
"Video" => "رسانه تصویری",
"Pager" => "صفحه",
"Internet" => "اینترنت",
-"Birthday" => "روزتولد",
"{name}'s Birthday" => "روز تولد {name} است",
"Contact" => "اشخاص",
-"Add Contact" => "افزودن اطلاعات شخص مورد نظر",
+"Settings" => "تنظیمات",
"Import" => "وارد کردن",
+"OK" => "باشه",
+"Groups" => "گروه ها",
"Close" => "بستن",
-"Drop photo to upload" => "تصویر را به اینجا بکشید تا بار گذازی شود",
+"Add contact" => "افزودن اطلاعات شخص مورد نظر",
"Delete current photo" => "پاک کردن تصویر کنونی",
"Edit current photo" => "ویرایش تصویر کنونی",
"Upload new photo" => "بار گذاری یک تصویر جدید",
"Select photo from ownCloud" => "انتخاب یک تصویر از ابر های شما",
-"Edit name details" => "ویرایش نام جزئیات",
-"Organization" => "نهاد(ارگان)",
+"Additional names" => "نام های دیگر",
"Nickname" => "نام مستعار",
"Enter nickname" => "یک نام مستعار وارد کنید",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "گروه ها",
-"Separate groups with commas" => "جدا کردن گروه ها به وسیله درنگ نما",
-"Edit groups" => "ویرایش گروه ها",
+"Title" => "عنوان",
+"Organization" => "نهاد(ارگان)",
+"Birthday" => "روزتولد",
+"Add" => "افزودن",
+"Phone" => "شماره تلفن",
+"Email" => "نشانی پست الکترنیک",
+"Address" => "نشانی",
+"Note" => "یادداشت",
+"Delete contact" => "پاک کردن اطلاعات شخص مورد نظر",
"Preferred" => "مقدم",
"Please specify a valid email address." => "لطفا یک پست الکترونیکی معتبر وارد کنید",
-"Enter email address" => "یک پست الکترونیکی وارد کنید",
"Mail to address" => "به نشانی ارسال شد",
"Delete email address" => "پاک کردن نشانی پست الکترونیکی",
"Enter phone number" => "شماره تلفن راوارد کنید",
"Delete phone number" => "پاک کردن شماره تلفن",
"View on map" => "دیدن روی نقشه",
+"City" => "شهر",
+"Country" => "کشور",
+"Share" => "اشتراکگزاری",
+"Export" => "خروجی گرفتن",
+"Add Contact" => "افزودن اطلاعات شخص مورد نظر",
+"Drop photo to upload" => "تصویر را به اینجا بکشید تا بار گذازی شود",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format custom, Short name, Full name, Reverse or Reverse with comma",
+"Edit name details" => "ویرایش نام جزئیات",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "جدا کردن گروه ها به وسیله درنگ نما",
+"Edit groups" => "ویرایش گروه ها",
+"Enter email address" => "یک پست الکترونیکی وارد کنید",
"Edit address details" => "ویرایش جزئیات نشانی ها",
"Add notes here." => "اینجا یادداشت ها را بیافزایید",
"Add field" => "اضافه کردن فیلد",
-"Phone" => "شماره تلفن",
-"Email" => "نشانی پست الکترنیک",
-"Address" => "نشانی",
-"Note" => "یادداشت",
"Download contact" => "دانلود مشخصات اشخاص",
-"Delete contact" => "پاک کردن اطلاعات شخص مورد نظر",
"The temporary image has been removed from cache." => "تصویر موقت از کش پاک شد.",
"Edit address" => "ویرایش نشانی",
"Type" => "نوع",
"PO Box" => "صندوق پستی",
"Extended" => "تمدید شده",
-"City" => "شهر",
"Region" => "ناحیه",
"Zipcode" => "کد پستی",
-"Country" => "کشور",
"Addressbook" => "کتابچه ی نشانی ها",
"Hon. prefixes" => "پیشوند های محترمانه",
"Miss" => "خانم",
@@ -128,7 +128,6 @@
"Mrs" => "خانم",
"Dr" => "دکتر",
"Given name" => "نام معلوم",
-"Additional names" => "نام های دیگر",
"Family name" => "نام خانوادگی",
"Hon. suffixes" => "پسوند های محترم",
"J.D." => "J.D.",
@@ -144,12 +143,12 @@
"create a new addressbook" => "یک کتابچه نشانی بسازید",
"Name of new addressbook" => "نام کتابچه نشانی جدید",
"Importing contacts" => "وارد کردن اشخاص",
-"Add contact" => "افزودن اطلاعات شخص مورد نظر",
"CardDAV syncing addresses" => "CardDAV syncing addresses ",
"more info" => "اطلاعات بیشتر",
"Primary address (Kontact et al)" => "نشانی اولیه",
"iOS/OS X" => "iOS/OS X ",
"Addressbooks" => "کتابچه ی نشانی ها",
"New Address Book" => "کتابچه نشانه های جدید",
+"Name" => "نام",
"Save" => "ذخیره سازی"
);
diff --git a/l10n/fi_FI.php b/l10n/fi_FI.php
index 208874aa..64c10bcb 100644
--- a/l10n/fi_FI.php
+++ b/l10n/fi_FI.php
@@ -8,18 +8,12 @@
"No address books found." => "Osoitekirjoja ei löytynyt.",
"No contacts found." => "Yhteystietoja ei löytynyt.",
"element name is not set." => "kohteen nimeä ei ole asetettu.",
-"Could not parse contact: " => "Ei kyetä tulkitsemaan yhteystietoa:",
-"Cannot add empty property." => "Tyhjää ominaisuutta ei voi lisätä.",
-"At least one of the address fields has to be filled out." => "Vähintään yksi osoitekenttä tulee täyttää.",
-"Trying to add duplicate property: " => "Yritetään lisätä kaksinkertainen ominaisuus",
-"Missing IM parameter." => "Puuttuva IM-arvo.",
-"Unknown IM: " => "Tuntematon IM-arvo.",
-"Information about vCard is incorrect. Please reload the page." => "vCardin tiedot eivät kelpaa. Lataa sivu uudelleen.",
-"Missing ID" => "Puuttuva tunniste (ID)",
-"Error parsing VCard for ID: \"" => "Virhe jäsennettäessä vCardia tunnisteelle: \"",
"checksum is not set." => "tarkistussummaa ei ole asetettu.",
+"Information about vCard is incorrect. Please reload the page." => "vCardin tiedot eivät kelpaa. Lataa sivu uudelleen.",
"Information about vCard is incorrect. Please reload the page: " => "vCard osoitetietueen tiedot ovat virheelliset. Virkistä sivu uudestaan: ",
"Something went FUBAR. " => "Jokin meni pahasti pieleen.",
+"Missing IM parameter." => "Puuttuva IM-arvo.",
+"Unknown IM: " => "Tuntematon IM-arvo.",
"No contact ID was submitted." => "Yhteystiedon tunnistetta (ID) ei lähetetty.",
"Error reading contact photo." => "Virhe yhteystiedon kuvan lukemisessa.",
"Error saving temporary file." => "Virhe tallennettaessa tilapäistiedostoa.",
@@ -46,40 +40,41 @@
"Couldn't load temporary image: " => "Väliaikaiskuvan lataus epäonnistui:",
"No file was uploaded. Unknown error" => "Tiedostoa ei lähetetty. Tuntematon virhe",
"Contacts" => "Yhteystiedot",
-"Sorry, this functionality has not been implemented yet" => "Sori, tätä toiminnallisuutta ei ole vielä toteutettu",
-"Not implemented" => "Ei toteutettu",
-"Couldn't get a valid address." => "Ei kyetä saamaan kelvollista osoitetta.",
-"Error" => "Virhe",
-"Please enter an email address." => "Anna sähköpostiosoite.",
-"Enter name" => "Anna nimi",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Itsemääritelty muoto, lyhyt nimi, pitkä nimi, vastakkainen tai vastakkainen pilkun kanssa",
-"Select type" => "Valitse tyyppi",
+"Contact is already in this group." => "Yhteystieto kuuluu jo tähän ryhmään.",
+"Contacts are already in this group." => "Yhteystiedot kuuluvat jo tähän ryhmään.",
+"Contact is not in this group." => "Yhteystieto ei ole tässä ryhmässä.",
+"Contacts are not in this group." => "Yhteystiedot eivät ole tässä ryhmässä.",
+"A group named {group} already exists" => "Ryhmä nimeltä {group} on jo olemassa",
+"All" => "Kaikki",
+"Favorites" => "Suosikit",
+"Add group..." => "Lisää ryhmä...",
"Select photo" => "Valitse valokuva",
-"You do not have permission to add contacts to " => "Sinulla ei ole oikeuksia lisätä yhteystietoja tänne:",
-"Please select one of your own address books." => "Valitse jokin omista osoitekirjoistasi.",
-"Permission error" => "Käyttöoikeusvirhe",
-"This property has to be non-empty." => "Tämä ominaisuus ei saa olla tyhjä.",
-"Couldn't serialize elements." => "Ei kyetä sarjallistamaan elementtejä.",
-"Unknown error. Please check logs." => "Tuntematon virhe. Tarkista lokitiedostot.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'poistaOminaisuus' kutsuttu ilman tyyppiä. Kerro virheestä bugs.owncloud.org",
-"Edit name" => "Muokkaa nimeä",
-"No files selected for upload." => "Tiedostoja ei ole valittu lähetettäväksi.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Tiedosto, jota yrität ladata ylittää suurimman sallitun koon tällä palvelimella.",
-"Error loading profile picture." => "Virhe profiilikuvaa ladatessa.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Jotkin yhteystiedot on merkitty poistettaviksi, mutta niitä ei ole vielä poistettu. Odota hetki, että kyseiset yhteystiedot poistetaan.",
-"Do you want to merge these address books?" => "Haluatko yhdistää nämä osoitekirjat?",
-"Upload too large" => "Lähetettävä tiedosto on liian suuri",
-"Only image files can be used as profile picture." => "Profiilikuvaksi voi asettaa vain kuvatiedostoja.",
-"Wrong file type" => "Väärä tiedostotyyppi",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Selaimesi ei tue AJAX-lähetyksiä. Napsauta profiilikuvaa valitaksesi lähetettävän valokuvan.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Tiedoston lähetys epäonnistui, koska sen koko on 0 tavua tai kyseessä on kansio.",
-"Upload Error" => "Lähetysvirhe",
-"Pending" => "Odottaa",
-"Import done" => "Tuonti valmis",
+"Network or server error. Please inform administrator." => "Verkko- tai palvelinvirhe. Ilmoita asiasta ylläpitäjälle.",
+"Error adding to group." => "Virhe ryhmään lisättäessä.",
+"Error removing from group." => "Virhe poistettaessa ryhmästä.",
+"Add address book" => "Lisää osoitekirja.",
+"Import done. Click here to cancel reloading." => "Tuonti valmistui. Napsauta tästä peruaksesi uudelleen latauksen.",
"Not all files uploaded. Retrying..." => "Kaikkia tiedostoja ei lähetetty. Yritetään uudelleen...",
"Something went wrong with the upload, please retry." => "Jokin meni vikaan lähettäessä. Yritä uudelleen.",
+"Error" => "Virhe",
+"{success} imported, {failed} failed." => "{success} tuotu, {failed} epäonnistui.",
"Importing..." => "Tuodaan...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Tiedoston lähetys epäonnistui, koska sen koko on 0 tavua tai kyseessä on kansio.",
+"Upload Error" => "Lähetysvirhe",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Tiedosto, jota yrität ladata ylittää suurimman sallitun koon tällä palvelimella.",
+"Upload too large" => "Lähetettävä tiedosto on liian suuri",
+"Pending" => "Odottaa",
+"Add group" => "Lisää ryhmä",
+"No files selected for upload." => "Tiedostoja ei ole valittu lähetettäväksi.",
+"Edit profile picture" => "Muokkaa profiilikuvaa",
+"Error loading profile picture." => "Virhe profiilikuvaa ladatessa.",
+"Enter name" => "Anna nimi",
+"Enter description" => "Anna kuvaus",
+"Select addressbook" => "Valitse osoitekirja",
"The address book name cannot be empty." => "Osoitekirjan nimi ei voi olla tyhjä",
+"Is this correct?" => "Onko tämä oikein?",
+"There was an unknown error when trying to delete this contact" => "Tätä yhteystietoa poistaessa tapahtui tuntematon virhe",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Jotkin yhteystiedot on merkitty poistettaviksi, mutta niitä ei ole vielä poistettu. Odota hetki, että kyseiset yhteystiedot poistetaan.",
"Result: " => "Tulos: ",
" imported, " => " tuotu, ",
" failed." => " epäonnistui.",
@@ -97,9 +92,6 @@
"There was an error updating the addressbook." => "Virhe osoitekirjaa päivittäessä.",
"You do not have the permissions to delete this addressbook." => "Oikeutesi eivät riitä tämän osoitekirjan poistamiseen.",
"There was an error deleting this addressbook." => "Virhe osoitekirjaa poistaessa.",
-"Addressbook not found: " => "Osoitekirjaa ei löytynyt:",
-"This is not your addressbook." => "Tämä ei ole osoitekirjasi.",
-"Contact could not be found." => "Yhteystietoa ei löytynyt.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -123,19 +115,8 @@
"Video" => "Video",
"Pager" => "Hakulaite",
"Internet" => "Internet",
-"Birthday" => "Syntymäpäivä",
-"Business" => "Työ",
-"Call" => "Kutsu",
-"Clients" => "Asiakkaat",
-"Deliverer" => "Toimittaja",
-"Holidays" => "Vapaapäivät",
-"Ideas" => "Ideat",
-"Journey" => "Matka",
-"Jubilee" => "Juhla",
-"Meeting" => "Kokous",
-"Personal" => "Henkilökohtainen",
-"Projects" => "Projektit",
-"Questions" => "Kysymykset",
+"Friends" => "Kaverit",
+"Family" => "Perhe",
"{name}'s Birthday" => "Henkilön {name} syntymäpäivä",
"Contact" => "Yhteystieto",
"You do not have the permissions to add contacts to this addressbook." => "Sinulla ei ole oikeuksia lisätä yhteystietoja tähän osoitekirjaan.",
@@ -145,9 +126,19 @@
"Could not find the Addressbook with ID: " => "Ei löydy osoitekirjaa, jossa on tunniste ID:",
"You do not have the permissions to delete this contact." => "Käyttöoikeutesi eivät riitä tämän yhteystiedon poistamiseen.",
"There was an error deleting this contact." => "Tämän yhteystiedon poistamisessa tapahtui virhe",
-"Add Contact" => "Lisää yhteystieto",
-"Import" => "Tuo",
+"Contact not found." => "Yhteystietoja ei löytynyt.",
+"New Group" => "Uusi ryhmä",
"Settings" => "Asetukset",
+"Address books" => "Osoitekirjat",
+"Import" => "Tuo",
+"Select files to import" => "Valitse tuotavat tiedostot",
+"Select files" => "Valitse tiedostot",
+"OK" => "OK",
+"(De-)select all" => "Valitse kaikki tai poista kaikki valinnat",
+"New Contact" => "Uusi yhteystieto",
+"Groups" => "Ryhmät",
+"Favorite" => "Suosikki",
+"Delete Contact" => "Poista yhteystieto",
"Close" => "Sulje",
"Keyboard shortcuts" => "Pikanäppäimet",
"Navigation" => "Suunnistus",
@@ -161,56 +152,73 @@
"Add new contact" => "Lisää uusi yhteystieto",
"Add new addressbook" => "Lisää uusi osoitekirja",
"Delete current contact" => "Poista nykyinen yhteystieto",
-"Drop photo to upload" => "Ladataksesi pudota kuva",
+"Add contact" => "Lisää yhteystieto",
+"Compose mail" => "Lähetä sähköpostia",
+"Delete group" => "Poista ryhmä",
"Delete current photo" => "Poista nykyinen valokuva",
"Edit current photo" => "Muokkaa nykyistä valokuvaa",
"Upload new photo" => "Lähetä uusi valokuva",
"Select photo from ownCloud" => "Valitse valokuva ownCloudista",
-"Edit name details" => "Muokkaa nimitietoja",
-"Organization" => "Organisaatio",
+"First name" => "Etunimi",
+"Additional names" => "Lisänimet",
+"Last name" => "Sukunimi",
"Nickname" => "Kutsumanimi",
"Enter nickname" => "Anna kutsumanimi",
-"Web site" => "Verkkosivu",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Siirry verkkosivulle",
-"dd-mm-yyyy" => "pp-kk-vvvv",
-"Groups" => "Ryhmät",
-"Separate groups with commas" => "Erota ryhmät pilkuilla",
-"Edit groups" => "Muokkaa ryhmiä",
-"Preferred" => "Ensisijainen",
-"Please specify a valid email address." => "Anna kelvollinen sähköpostiosoite.",
-"Enter email address" => "Anna sähköpostiosoite",
-"Mail to address" => "Lähetä sähköpostia",
-"Delete email address" => "Poista sähköpostiosoite",
-"Enter phone number" => "Anna puhelinnumero",
-"Delete phone number" => "Poista puhelinnumero",
-"Instant Messenger" => "Pikaviestin",
-"Delete IM" => "Poista IM",
-"View on map" => "Näytä kartalla",
-"Edit address details" => "Muokkaa osoitetietoja",
-"Add notes here." => "Lisää huomiot tähän.",
-"Add field" => "Lisää kenttä",
+"Title" => "Otsikko",
+"Organization" => "Organisaatio",
+"Birthday" => "Syntymäpäivä",
+"Notes go here..." => "Muistiinpanot kuuluvat tähän...",
+"Export as VCF" => "Vie VCF-muodossa",
+"Add" => "Lisää",
"Phone" => "Puhelin",
"Email" => "Sähköposti",
"Instant Messaging" => "Pikaviestintä",
"Address" => "Osoite",
"Note" => "Huomio",
-"Download contact" => "Lataa yhteystieto",
+"Web site" => "Verkkosivu",
"Delete contact" => "Poista yhteystieto",
+"Preferred" => "Ensisijainen",
+"Please specify a valid email address." => "Anna kelvollinen sähköpostiosoite.",
+"Mail to address" => "Lähetä sähköpostia",
+"Delete email address" => "Poista sähköpostiosoite",
+"Enter phone number" => "Anna puhelinnumero",
+"Delete phone number" => "Poista puhelinnumero",
+"Go to web site" => "Siirry verkkosivulle",
+"View on map" => "Näytä kartalla",
+"Delete address" => "Poista osoite",
+"Street address" => "Katuosoite",
+"12345" => "12345",
+"Postal code" => "Postinumero",
+"City" => "Paikkakunta",
+"Country" => "Maa",
+"Instant Messenger" => "Pikaviestin",
+"Delete IM" => "Poista IM",
+"Share" => "Jaa",
+"Export" => "Vie",
+"CardDAV link" => "CardDAV-linkki",
+"Add Contact" => "Lisää yhteystieto",
+"Drop photo to upload" => "Ladataksesi pudota kuva",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Itsemääritelty muoto, lyhyt nimi, pitkä nimi, vastakkainen tai vastakkainen pilkun kanssa",
+"Edit name details" => "Muokkaa nimitietoja",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "pp-kk-vvvv",
+"Separate groups with commas" => "Erota ryhmät pilkuilla",
+"Edit groups" => "Muokkaa ryhmiä",
+"Enter email address" => "Anna sähköpostiosoite",
+"Edit address details" => "Muokkaa osoitetietoja",
+"Add notes here." => "Lisää huomiot tähän.",
+"Add field" => "Lisää kenttä",
+"Download contact" => "Lataa yhteystieto",
"The temporary image has been removed from cache." => "Väliaikainen kuva on poistettu välimuistista.",
"Edit address" => "Muokkaa osoitetta",
"Type" => "Tyyppi",
"PO Box" => "Postilokero",
-"Street address" => "Katuosoite",
"Street and number" => "Katu ja numero",
"Extended" => "Laajennettu",
"Apartment number etc." => "Asunnon numero jne.",
-"City" => "Paikkakunta",
"Region" => "Alue",
"E.g. state or province" => "Esim. maakunta tai alue",
"Zipcode" => "Postinumero",
-"Postal code" => "Postinumero",
-"Country" => "Maa",
"Addressbook" => "Osoitekirja",
"Hon. prefixes" => "Kunnianarvoisa etuliite",
"Miss" => "Neiti",
@@ -220,7 +228,6 @@
"Mrs" => "Rouva",
"Dr" => "Tohtori",
"Given name" => "Etunimi",
-"Additional names" => "Lisänimet",
"Family name" => "Sukunimi",
"Hon. suffixes" => "Kunnianarvoisa jälkiliite",
"J.D." => "J.D.",
@@ -236,15 +243,13 @@
"create a new addressbook" => "luo uusi osoitekirja",
"Name of new addressbook" => "Uuden osoitekirjan nimi",
"Importing contacts" => "Tuodaan yhteystietoja",
-"Add contact" => "Lisää yhteystieto",
+"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Osoitekirjassasi ei ole yhteystietoja.
Voit tuoda VCF-tiedostoja vetämällä ne yhteystietoluetteloon ja pudottamalla ne haluamaasi osoitekirjaan, tai lisätä yhteystiedon uuteen osoitekirjaan pudottamalla sen tyhjään tilaan. Vaihtoehtoisesti voit myös napsauttaa Tuo-painiketta luettelon alaosassa.
",
"Select Address Books" => "Valitse osoitekirjat",
-"Enter description" => "Anna kuvaus",
"CardDAV syncing addresses" => "CardDAV-synkronointiosoitteet",
"more info" => "lisää tietoa",
"Primary address (Kontact et al)" => "Varsinainen osoite (yhteystiedot jne.)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Osoitekirjat",
-"Share" => "Jaa",
"New Address Book" => "Uusi osoitekirja",
"Name" => "Nimi",
"Description" => "Kuvaus",
diff --git a/l10n/fr.php b/l10n/fr.php
index 3e20bcd6..45321a41 100644
--- a/l10n/fr.php
+++ b/l10n/fr.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Des erreurs se sont produites lors de l'activation/désactivation du carnet d'adresses.",
"id is not set." => "L'ID n'est pas défini.",
"Cannot update addressbook with an empty name." => "Impossible de mettre à jour le carnet d'adresses avec un nom vide.",
+"No category name given." => "Aucun nom de catégorie n'a été spécifié.",
+"Error adding group." => "Erreur lors de l'ajout du groupe.",
+"Group ID missing from request." => "Identifiant du groupe manquant dans la requête.",
+"Contact ID missing from request." => "Identifiant du contact manquant dans la requête.",
"No ID provided" => "Aucun ID fourni",
"Error setting checksum." => "Erreur lors du paramétrage du hachage.",
"No categories selected for deletion." => "Pas de catégories sélectionnées pour la suppression.",
"No address books found." => "Pas de carnet d'adresses trouvé.",
"No contacts found." => "Aucun contact trouvé.",
"element name is not set." => "Le champ Nom n'est pas défini.",
-"Could not parse contact: " => "Impossible de lire le contact :",
-"Cannot add empty property." => "Impossible d'ajouter un champ vide.",
-"At least one of the address fields has to be filled out." => "Au moins un des champs d'adresses doit être complété.",
-"Trying to add duplicate property: " => "Ajout d'une propriété en double:",
-"Missing IM parameter." => "Paramètre de messagerie instantanée manquants.",
-"Unknown IM: " => "Messagerie instantanée inconnue",
-"Information about vCard is incorrect. Please reload the page." => "Les informations relatives à cette vCard sont incorrectes. Veuillez recharger la page.",
-"Missing ID" => "ID manquant",
-"Error parsing VCard for ID: \"" => "Erreur lors de l'analyse du VCard pour l'ID: \"",
"checksum is not set." => "L'hachage n'est pas défini.",
+"Information about vCard is incorrect. Please reload the page." => "Les informations relatives à cette vCard sont incorrectes. Veuillez recharger la page.",
+"Couldn't find vCard for %d." => "Impossible de trouver une vCard pour %d.",
"Information about vCard is incorrect. Please reload the page: " => "Les informations relatives à cette vCard sont incorrectes. Veuillez recharger la page :",
"Something went FUBAR. " => "Quelque chose est FUBAR.",
+"Cannot save property of type \"%s\" as array" => "Impossible de sauvegarder la propriété du type \"%s\" sous forme de tableau",
+"Missing IM parameter." => "Paramètre de messagerie instantanée manquants.",
+"Unknown IM: " => "Messagerie instantanée inconnue",
"No contact ID was submitted." => "Aucun ID de contact envoyé",
"Error reading contact photo." => "Erreur de lecture de la photo du contact.",
"Error saving temporary file." => "Erreur de sauvegarde du fichier temporaire.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Erreur lors du rognage de l'image",
"Error creating temporary image" => "Erreur de création de l'image temporaire",
"Error finding image: " => "Erreur pour trouver l'image :",
+"Key is not set for: " => "La clé n'est pas spécifiée pour :",
+"Value is not set for: " => "La valeur n'est pas spécifiée pour :",
+"Could not set preference: " => "Impossible de spécifier le paramètre :",
"Error uploading contacts to storage." => "Erreur lors de l'envoi des contacts vers le stockage.",
"There is no error, the file uploaded with success" => "Il n'y a pas d'erreur, le fichier a été envoyé avec succes.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Le fichier envoyé dépasse la directive upload_max_filesize dans php.ini",
@@ -46,43 +49,46 @@
"Couldn't load temporary image: " => "Impossible de charger l'image temporaire :",
"No file was uploaded. Unknown error" => "Aucun fichier n'a été chargé. Erreur inconnue",
"Contacts" => "Contacts",
-"Sorry, this functionality has not been implemented yet" => "Désolé cette fonctionnalité n'a pas encore été implémentée",
-"Not implemented" => "Pas encore implémenté",
-"Couldn't get a valid address." => "Impossible de trouver une adresse valide.",
-"Error" => "Erreur",
-"Please enter an email address." => "Veuillez entrer une adresse e-mail.",
-"Enter name" => "Saisissez le nom",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formatage personnalisé, Nom court, Nom complet, Inversé, Inversé avec virgule",
-"Select type" => "Sélectionner un type",
+"Contact is already in this group." => "Ce contact est déjà présent dans le groupe.",
+"Contacts are already in this group." => "Ces contacts sont déjà présents dans le groupe.",
+"Couldn't get contact list." => "Impossible d'obtenir la liste des contacts.",
+"Contact is not in this group." => "Ce contact n'est pas présent dans le groupe.",
+"Contacts are not in this group." => "Ces contacts ne sont pas présents dans le groupe.",
+"A group named {group} already exists" => "Un groupe nommé {group} existe déjà",
+"All" => "Tous",
+"Favorites" => "Favoris",
+"Shared by {owner}" => "Partagé par {owner}",
+"Indexing contacts" => "Indexation des contacts",
+"Add to..." => "Ajouter à…",
+"Remove from..." => "Retirer de…",
+"Add group..." => "Ajouter un groupe…",
"Select photo" => "Sélectionner une photo",
-"You do not have permission to add contacts to " => "Vous n'avez pas l'autorisation d'ajouter des contacts à",
-"Please select one of your own address books." => "Veuillez sélectionner l'un de vos carnets d'adresses.",
-"Permission error" => "Erreur de permission",
-"Click to undo deletion of \"" => "Cliquez pour annuler la suppression de \"",
-"Cancelled deletion of: \"" => "Suppression annulée pour : \"",
-"This property has to be non-empty." => "Cette valeur ne doit pas être vide",
-"Couldn't serialize elements." => "Impossible de sérialiser les éléments.",
-"Unknown error. Please check logs." => "Erreur inconnue. Veuillez consulter les logs.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' a été appelé sans type d'argument. Merci de rapporter cette anomalie à bugs.owncloud.org",
-"Edit name" => "Éditer le nom",
-"No files selected for upload." => "Aucun fichiers choisis pour être chargés",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Le fichier que vous tentez de charger dépasse la taille maximum de fichier autorisée sur ce serveur.",
-"Error loading profile picture." => "Erreur pendant le chargement de la photo de profil.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Certains contacts sont marqués pour être supprimés, mais ne le sont pas encore. Veuillez attendre que l'opération se termine.",
-"Do you want to merge these address books?" => "Voulez-vous fusionner ces carnets d'adresses ?",
-"Shared by " => "Partagé par",
-"Upload too large" => "Téléversement trop volumineux",
-"Only image files can be used as profile picture." => "Seuls les fichiers images peuvent être utilisés pour la photo de profil.",
-"Wrong file type" => "Mauvais type de fichier",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Votre navigateur ne supporte pas le téléversement avec AJAX. Veuillez cliquer sur l'image du profil pour sélectionner une photo à téléverser.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Impossible de téléverser votre fichier dans la mesure où il s'agit d'un répertoire ou d'un fichier de taille nulle",
-"Upload Error" => "Erreur lors du téléversement",
-"Pending" => "En attente",
-"Import done" => "Fichiers importés",
+"Network or server error. Please inform administrator." => "Erreur de serveur ou du réseau. Veuillez contacter votre administrateur.",
+"Error adding to group." => "Erreur lors de l'ajout au groupe.",
+"Error removing from group." => "Erreur lors du retrait du groupe.",
+"There was an error opening a mail composer." => "Une erreur s'est produite lors de l’ouverture d'un outil de composition email.",
"Not all files uploaded. Retrying..." => "Tous les fichiers n'ont pas pu être téléversés. Nouvel essai…",
"Something went wrong with the upload, please retry." => "Une erreur s'est produite pendant le téléversement, veuillez réessayer.",
+"Error" => "Erreur",
"Importing..." => "Import en cours…",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Impossible de téléverser votre fichier dans la mesure où il s'agit d'un répertoire ou d'un fichier de taille nulle",
+"Upload Error" => "Erreur lors du téléversement",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Le fichier que vous tentez de charger dépasse la taille maximum de fichier autorisée sur ce serveur.",
+"Upload too large" => "Téléversement trop volumineux",
+"Pending" => "En attente",
+"Add group" => "Ajouter un groupe",
+"No files selected for upload." => "Aucun fichiers choisis pour être chargés",
+"Edit profile picture" => "Éditer l'image de profil",
+"Error loading profile picture." => "Erreur pendant le chargement de la photo de profil.",
+"Enter name" => "Saisissez le nom",
+"Enter description" => "Saisissez une description",
+"Select addressbook" => "Sélection d'un carnet d'adresses",
"The address book name cannot be empty." => "Le nom du carnet d'adresses ne peut être vide.",
+"Is this correct?" => "Est-ce correct ?",
+"There was an unknown error when trying to delete this contact" => "Une erreur inconnue s'est produite lors de la tentative de suppression du contact",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Certains contacts sont marqués pour être supprimés, mais ne le sont pas encore. Veuillez attendre que l'opération se termine.",
+"Click to undo deletion of {num} contacts" => "Cliquer pour annuler la suppression de {num} contacts",
+"Cancelled deletion of {num}" => "Suppression annulée pour {num} contacts",
"Result: " => "Résultat :",
" imported, " => "importé,",
" failed." => "échoué.",
@@ -100,9 +106,6 @@
"There was an error updating the addressbook." => "Une erreur s'est produite pendant la mise à jour du carnet d'adresses.",
"You do not have the permissions to delete this addressbook." => "Vous n'avez pas les droits pour supprimer ce carnet d'adresses.",
"There was an error deleting this addressbook." => "Erreur lors de la suppression du carnet d'adresses.",
-"Addressbook not found: " => "Carnet d'adresse introuvable : ",
-"This is not your addressbook." => "Ce n'est pas votre carnet d'adresses.",
-"Contact could not be found." => "Ce contact n'a pu être trouvé.",
"Jabber" => "Jabber",
"AIM" => "AOL Instant Messaging",
"MSN" => "MSN",
@@ -126,19 +129,9 @@
"Video" => "Vidéo",
"Pager" => "Bipeur",
"Internet" => "Internet",
-"Birthday" => "Anniversaire",
-"Business" => "Business",
-"Call" => "Appel",
-"Clients" => "Clients",
-"Deliverer" => "Livreur",
-"Holidays" => "Vacances",
-"Ideas" => "Idées",
-"Journey" => "Trajet",
-"Jubilee" => "Jubilé",
-"Meeting" => "Rendez-vous",
-"Personal" => "Personnel",
-"Projects" => "Projets",
-"Questions" => "Questions",
+"Friends" => "Amis",
+"Family" => "Famille",
+"There was an error deleting properties for this contact." => "Une erreur s'est produite lors de la suppression des propriétés de ce contact.",
"{name}'s Birthday" => "Anniversaire de {name}",
"Contact" => "Contact",
"You do not have the permissions to add contacts to this addressbook." => "Vous n'avez pas les droits suffisants pour ajouter des contacts à ce carnet d'adresses.",
@@ -148,9 +141,18 @@
"Could not find the Addressbook with ID: " => "Impossible de trouver le carnet d'adresses ayant l'ID :",
"You do not have the permissions to delete this contact." => "Vous n'avez pas l'autorisation de supprimer ce contact.",
"There was an error deleting this contact." => "Erreur lors de la suppression du contact.",
-"Add Contact" => "Ajouter un Contact",
-"Import" => "Importer",
+"Contact not found." => "Contact introuvable.",
+"HomePage" => "Page d'Accueil",
+"New Group" => "Nouveau Groupe",
"Settings" => "Paramètres",
+"Import" => "Importer",
+"Import into:" => "Importer dans :",
+"OK" => "OK",
+"(De-)select all" => "(Dé-)sélectionner tout",
+"New Contact" => "Nouveau Contact",
+"Groups" => "Groupes",
+"Favorite" => "Favoris",
+"Delete Contact" => "Supprimer le Contact",
"Close" => "Fermer",
"Keyboard shortcuts" => "Raccourcis clavier",
"Navigation" => "Navigation",
@@ -164,56 +166,78 @@
"Add new contact" => "Ajouter un nouveau contact",
"Add new addressbook" => "Ajouter un nouveau carnet d'adresses",
"Delete current contact" => "Effacer le contact sélectionné",
-"Drop photo to upload" => "Glisser une photo pour l'envoi",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Vous n'avez aucun contact dans votre carnet d'adresses.
Ajoutez un nouveau contact ou importez des contacts existants depuis un fichier VCF.
",
+"Add contact" => "Ajouter un contact",
+"Compose mail" => "Écrire un mail",
+"Delete group" => "Effacer le groupe",
"Delete current photo" => "Supprimer la photo actuelle",
"Edit current photo" => "Editer la photo actuelle",
"Upload new photo" => "Envoyer une nouvelle photo",
"Select photo from ownCloud" => "Sélectionner une photo depuis ownCloud",
-"Edit name details" => "Editer les noms",
-"Organization" => "Société",
+"First name" => "Prénom",
+"Additional names" => "Nom supplémentaires",
+"Last name" => "Nom",
"Nickname" => "Surnom",
"Enter nickname" => "Entrer un surnom",
-"Web site" => "Page web",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Allez à la page web",
-"dd-mm-yyyy" => "jj-mm-aaaa",
-"Groups" => "Groupes",
-"Separate groups with commas" => "Séparer les groupes avec des virgules",
-"Edit groups" => "Editer les groupes",
-"Preferred" => "Préféré",
-"Please specify a valid email address." => "Veuillez entrer une adresse e-mail valide.",
-"Enter email address" => "Entrer une adresse e-mail",
-"Mail to address" => "Envoyer à l'adresse",
-"Delete email address" => "Supprimer l'adresse e-mail",
-"Enter phone number" => "Entrer un numéro de téléphone",
-"Delete phone number" => "Supprimer le numéro de téléphone",
-"Instant Messenger" => "Instant Messenger",
-"Delete IM" => "Supprimer la messagerie instantanée",
-"View on map" => "Voir sur une carte",
-"Edit address details" => "Editer les adresses",
-"Add notes here." => "Ajouter des notes ici.",
-"Add field" => "Ajouter un champ.",
+"Title" => "Titre",
+"Organization" => "Société",
+"Birthday" => "Anniversaire",
+"Notes go here..." => "Remarques…",
+"Add" => "Ajouter",
"Phone" => "Téléphone",
"Email" => "E-mail",
"Instant Messaging" => "Messagerie instantanée",
"Address" => "Adresse",
"Note" => "Note",
-"Download contact" => "Télécharger le contact",
+"Web site" => "Page web",
"Delete contact" => "Supprimer le contact",
+"Preferred" => "Préféré",
+"Please specify a valid email address." => "Veuillez entrer une adresse e-mail valide.",
+"someone@example.com" => "personne@exemple.com",
+"Mail to address" => "Envoyer à l'adresse",
+"Delete email address" => "Supprimer l'adresse e-mail",
+"Enter phone number" => "Entrer un numéro de téléphone",
+"Delete phone number" => "Supprimer le numéro de téléphone",
+"Go to web site" => "Allez à la page web",
+"Delete URL" => "Effacer l'URL",
+"View on map" => "Voir sur une carte",
+"Delete address" => "Effacer l'adresse",
+"1 Main Street" => "1 Rue Principale",
+"Street address" => "Adresse postale",
+"12345" => "12345",
+"Postal code" => "Code postal",
+"Your city" => "Votre Ville",
+"City" => "Ville",
+"Some region" => "Une Région",
+"Your country" => "Votre Pays",
+"Country" => "Pays",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "Supprimer la messagerie instantanée",
+"Share" => "Partager",
+"Export" => "Exporter",
+"Add Contact" => "Ajouter un Contact",
+"Drop photo to upload" => "Glisser une photo pour l'envoi",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formatage personnalisé, Nom court, Nom complet, Inversé, Inversé avec virgule",
+"Edit name details" => "Editer les noms",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "jj-mm-aaaa",
+"Separate groups with commas" => "Séparer les groupes avec des virgules",
+"Edit groups" => "Editer les groupes",
+"Enter email address" => "Entrer une adresse e-mail",
+"Edit address details" => "Editer les adresses",
+"Add notes here." => "Ajouter des notes ici.",
+"Add field" => "Ajouter un champ.",
+"Download contact" => "Télécharger le contact",
"The temporary image has been removed from cache." => "L'image temporaire a été supprimée du cache.",
"Edit address" => "Editer l'adresse",
"Type" => "Type",
"PO Box" => "Boîte postale",
-"Street address" => "Adresse postale",
"Street and number" => "Rue et numéro",
"Extended" => "Étendu",
"Apartment number etc." => "Numéro d'appartement, etc.",
-"City" => "Ville",
"Region" => "Région",
"E.g. state or province" => "Ex: état ou province",
"Zipcode" => "Code postal",
-"Postal code" => "Code postal",
-"Country" => "Pays",
"Addressbook" => "Carnet d'adresses",
"Hon. prefixes" => "Préfixe hon.",
"Miss" => "Mlle",
@@ -223,7 +247,6 @@
"Mrs" => "Mme",
"Dr" => "Dr",
"Given name" => "Prénom",
-"Additional names" => "Nom supplémentaires",
"Family name" => "Nom de famille",
"Hon. suffixes" => "Suffixes hon.",
"J.D." => "J.D.",
@@ -240,15 +263,12 @@
"Name of new addressbook" => "Nom du nouveau carnet d'adresses",
"Importing contacts" => "Importation des contacts",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Vous n'avez pas de contact dans ce carnet d'adresses.
Vous pouvez importer un fichier VCF par simple glisser/déposer vers la liste de contacts, vers un carnet d'adresses existant (afin d'y importer les nouveaux contacts), ou encore vers un emplacement libre afin de créer un nouveau carnet d'adresses à partir des contacts contenus dans le fichier. Vous pouvez également utiliser le bouton d'import en bas de la liste.
",
-"Add contact" => "Ajouter un contact",
"Select Address Books" => "Choix du carnet d'adresses",
-"Enter description" => "Saisissez une description",
"CardDAV syncing addresses" => "Synchronisation des contacts CardDAV",
"more info" => "Plus d'infos",
"Primary address (Kontact et al)" => "Adresse principale",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Carnets d'adresses",
-"Share" => "Partager",
"New Address Book" => "Nouveau Carnet d'adresses",
"Name" => "Nom",
"Description" => "Description",
diff --git a/l10n/gl.php b/l10n/gl.php
index 6c05156c..54f2c27c 100644
--- a/l10n/gl.php
+++ b/l10n/gl.php
@@ -1,21 +1,19 @@
"Produciuse un erro (des)activando a axenda.",
"id is not set." => "non se estableceu o id.",
-"Cannot update addressbook with an empty name." => "Non se pode actualizar a libreta de enderezos sen completar o nome.",
-"No ID provided" => "Non se proveeu ID",
+"Cannot update addressbook with an empty name." => "Non se pode actualizar a caderno de enderezos sen completar o nome.",
+"No ID provided" => "Non se deu o ID ",
"Error setting checksum." => "Erro establecendo a suma de verificación",
"No categories selected for deletion." => "Non se seleccionaron categorías para borrado.",
-"No address books found." => "Non se atoparon libretas de enderezos.",
+"No address books found." => "Non se atoparon cadernos de enderezos.",
"No contacts found." => "Non se atoparon contactos.",
"element name is not set." => "non se nomeou o elemento.",
-"Cannot add empty property." => "Non se pode engadir unha propiedade baleira.",
-"At least one of the address fields has to be filled out." => "Polo menos un dos campos do enderezo ten que ser cuberto.",
-"Trying to add duplicate property: " => "Tentando engadir propiedade duplicada: ",
-"Information about vCard is incorrect. Please reload the page." => "A información sobre a vCard é incorrecta. Por favor volva cargar a páxina.",
-"Missing ID" => "ID perdido",
-"Error parsing VCard for ID: \"" => "Erro procesando a VCard para o ID: \"",
"checksum is not set." => "non se estableceu a suma de verificación.",
-"Information about vCard is incorrect. Please reload the page: " => "A información sobre a vCard é incorrecta. Por favor, recargue a páxina: ",
+"Information about vCard is incorrect. Please reload the page." => "A información sobre a vCard é incorrecta. Volva cargar a páxina.",
+"Information about vCard is incorrect. Please reload the page: " => "A información sobre a vCard é incorrecta. Recargue a páxina: ",
+"Something went FUBAR. " => "Algo se escangallou.",
+"Missing IM parameter." => "Falta un parámetro do MI.",
+"Unknown IM: " => "MI descoñecido:",
"No contact ID was submitted." => "Non se enviou ningún ID de contacto.",
"Error reading contact photo." => "Erro lendo a fotografía do contacto.",
"Error saving temporary file." => "Erro gardando o ficheiro temporal.",
@@ -24,7 +22,7 @@
"No photo path was submitted." => "Non se enviou a ruta a unha foto.",
"File doesn't exist:" => "O ficheiro non existe:",
"Error loading image." => "Erro cargando imaxe.",
-"Error getting contact object." => "Erro obtendo o obxeto contacto.",
+"Error getting contact object." => "Erro obtendo o obxecto contacto.",
"Error getting PHOTO property." => "Erro obtendo a propiedade PHOTO.",
"Error saving contact." => "Erro gardando o contacto.",
"Error resizing image" => "Erro cambiando o tamaño da imaxe",
@@ -32,39 +30,64 @@
"Error creating temporary image" => "Erro creando a imaxe temporal",
"Error finding image: " => "Erro buscando a imaxe: ",
"Error uploading contacts to storage." => "Erro subindo os contactos ao almacén.",
-"There is no error, the file uploaded with success" => "Non houbo erros, o ficheiro subeuse con éxito",
+"There is no error, the file uploaded with success" => "Non houbo erros, o ficheiro subiuse con éxito",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "O ficheiro subido supera a directiva upload_max_filesize no php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "O ficheiro subido supera a directiva MAX_FILE_SIZE especificada no formulario HTML",
"The uploaded file was only partially uploaded" => "O ficheiro so foi parcialmente subido",
-"No file was uploaded" => "Non se subeu ningún ficheiro",
+"No file was uploaded" => "Non se subiu ningún ficheiro",
"Missing a temporary folder" => "Falta o cartafol temporal",
"Couldn't save temporary image: " => "Non se puido gardar a imaxe temporal: ",
"Couldn't load temporary image: " => "Non se puido cargar a imaxe temporal: ",
-"No file was uploaded. Unknown error" => "Non se subeu ningún ficheiro. Erro descoñecido.",
+"No file was uploaded. Unknown error" => "Non se subiu ningún ficheiro. Erro descoñecido.",
"Contacts" => "Contactos",
-"Sorry, this functionality has not been implemented yet" => "Sentímolo, esta función aínda non foi implementada.",
-"Not implemented" => "Non implementada.",
-"Couldn't get a valid address." => "Non se puido obter un enderezo de correo válido.",
+"Select photo" => "Seleccione fotografía",
+"Not all files uploaded. Retrying..." => "Non se subiron todos os ficheiros. Intentándoo de novo...",
+"Something went wrong with the upload, please retry." => "Algo fallou na subida de ficheiros. Inténtao de novo.",
"Error" => "Erro",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formato personalizado, Nome corto, Nome completo, Inverso ou Inverso con coma",
-"Select type" => "Seleccione tipo",
-"This property has to be non-empty." => "Esta propiedade non pode quedar baldeira.",
-"Couldn't serialize elements." => "Non se puido serializar os elementos.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' chamado sen argumento. Por favor, informe en bugs.owncloud.org",
-"Edit name" => "Editar nome",
-"No files selected for upload." => "Sen ficheiros escollidos para subir.",
+"Importing..." => "Importando...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Non se puido subir o ficheiro pois ou é un directorio ou ten 0 bytes",
+"Upload Error" => "Erro na subida",
"The file you are trying to upload exceed the maximum size for file uploads on this server." => "O ficheiro que tenta subir supera o tamaño máximo permitido neste servidor.",
+"Upload too large" => "Subida demasiado grande",
+"Pending" => "Pendentes",
+"No files selected for upload." => "Sen ficheiros escollidos para subir.",
+"Error loading profile picture." => "Erro ao cargar a imaxe de perfil.",
+"Enter name" => "Indique o nome",
+"Enter description" => "Introducir a descrición",
+"The address book name cannot be empty." => "Non se pode deixar baleiro o nome do caderno de enderezos.",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Algúns contactos están marcados para ser eliminados máis aínda non se eliminaron. Espera a que se eliminen.",
"Result: " => "Resultado: ",
" imported, " => " importado, ",
" failed." => " fallou.",
+"Displayname cannot be empty." => "Displayname non pode estar baldeiro.",
+"Show CardDav link" => "Mostrar a ligazón de CardDav",
+"Show read-only VCF link" => "Mostrar as ligazóns a VCF de só lectura",
"Download" => "Descargar",
"Edit" => "Editar",
"Delete" => "Eliminar",
"Cancel" => "Cancelar",
-"This is not your addressbook." => "Esta non é a súa axenda.",
-"Contact could not be found." => "Non se atopou o contacto.",
+"More..." => "Máis...",
+"Less..." => "Menos...",
+"You do not have the permissions to read this addressbook." => "Non tes permisos para ler este caderno de enderezos.",
+"You do not have the permissions to update this addressbook." => "Non tes permisos para actualizar este caderno de enderezos.",
+"There was an error updating the addressbook." => "Houbo un erro actualizando o caderno de enderezos.",
+"You do not have the permissions to delete this addressbook." => "Non tes permisos para eliminar este caderno de enderezos.",
+"There was an error deleting this addressbook." => "Houbo un erro borrando este caderno de enderezos.",
+"Jabber" => "Jabber",
+"AIM" => "AIM",
+"MSN" => "MSN",
+"Twitter" => "Twitter",
+"GoogleTalk" => "Google Talk",
+"Facebook" => "Facebook",
+"XMPP" => "XMPP",
+"ICQ" => "ICQ",
+"Yahoo" => "Yahoo",
+"Skype" => "Skype",
+"QQ" => "QQ",
+"GaduGadu" => "GaduGadu",
"Work" => "Traballo",
"Home" => "Casa",
+"Other" => "Outro",
"Mobile" => "Móbil",
"Text" => "Texto",
"Voice" => "Voz",
@@ -73,52 +96,93 @@
"Video" => "Vídeo",
"Pager" => "Paxinador",
"Internet" => "Internet",
-"Birthday" => "Aniversario",
-"{name}'s Birthday" => "Cumpleanos de {name}",
+"Friends" => "Amigos",
+"Family" => "Familia",
+"{name}'s Birthday" => "Aniversario de {name}",
"Contact" => "Contacto",
-"Add Contact" => "Engadir contacto",
+"You do not have the permissions to add contacts to this addressbook." => "Non tes permisos para engadir contactos a este caderno de enderezos.",
+"Could not find the vCard with ID." => "Non se atopa a vCard coa ID.",
+"You do not have the permissions to edit this contact." => "Non tes permisos para editar este contacto.",
+"Could not find the vCard with ID: " => "Non se atopa a vCard co ID:",
+"Could not find the Addressbook with ID: " => "Non se pode atopar o caderno de enderezos coa ID:",
+"You do not have the permissions to delete this contact." => "Non tes permisos para eliminar este contacto.",
+"There was an error deleting this contact." => "Houbo un erro eliminando este contacto.",
+"Settings" => "Preferencias",
"Import" => "Importar",
+"OK" => "Aceptar",
+"Groups" => "Grupos",
"Close" => "Pechar",
-"Drop photo to upload" => "Solte a foto a subir",
+"Keyboard shortcuts" => "Atallos de teclado",
+"Navigation" => "Navegación",
+"Next contact in list" => "Seguinte contacto na lista",
+"Previous contact in list" => "Contacto anterior na lista",
+"Expand/collapse current addressbook" => "Expandir/contraer o caderno de enderezos actual",
+"Next addressbook" => "Seguinte caderno de enderezos",
+"Previous addressbook" => "Anterior caderno de enderezos",
+"Actions" => "Accións",
+"Refresh contacts list" => "Anovar a lista de contactos",
+"Add new contact" => "Engadir un contacto novo",
+"Add new addressbook" => "Engadir un novo caderno de enderezos",
+"Delete current contact" => "Eliminar o contacto actual",
+"Add contact" => "Engadir contacto",
"Delete current photo" => "Borrar foto actual",
"Edit current photo" => "Editar a foto actual",
"Upload new photo" => "Subir unha nova foto",
"Select photo from ownCloud" => "Escoller foto desde ownCloud",
-"Edit name details" => "Editar detalles do nome",
+"Additional names" => "Nomes adicionais",
+"Nickname" => "Alcume",
+"Enter nickname" => "Introduza o alcume",
+"Title" => "Título",
"Organization" => "Organización",
-"Nickname" => "Apodo",
-"Enter nickname" => "Introuza apodo",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "Grupos",
-"Separate groups with commas" => "Separe grupos con comas",
-"Edit groups" => "Editar grupos",
-"Preferred" => "Preferido",
-"Please specify a valid email address." => "Por favor indique un enderezo de correo electrónico válido.",
-"Enter email address" => "Introduza enderezo de correo electrónico",
-"Mail to address" => "Correo ao enderezo",
-"Delete email address" => "Borrar enderezo de correo electrónico",
-"Enter phone number" => "Introducir número de teléfono",
-"Delete phone number" => "Borrar número de teléfono",
-"View on map" => "Ver no mapa",
-"Edit address details" => "Editar detalles do enderezo",
-"Add notes here." => "Engadir aquí as notas.",
-"Add field" => "Engadir campo",
+"Birthday" => "Aniversario",
+"Add" => "Engadir",
"Phone" => "Teléfono",
"Email" => "Correo electrónico",
+"Instant Messaging" => "Mensaxería instantánea",
"Address" => "Enderezo",
"Note" => "Nota",
-"Download contact" => "Descargar contacto",
+"Web site" => "Sitio web",
"Delete contact" => "Borrar contacto",
+"Preferred" => "Preferido",
+"Please specify a valid email address." => "Indica unha dirección de correo electrónico válida.",
+"Mail to address" => "Enviar correo ao enderezo",
+"Delete email address" => "Borrar o enderezo de correo electrónico",
+"Enter phone number" => "Introducir número de teléfono",
+"Delete phone number" => "Borrar número de teléfono",
+"Go to web site" => "Ir ao sitio web",
+"View on map" => "Ver no mapa",
+"Street address" => "Enderezo da rúa",
+"Postal code" => "Código Postal",
+"City" => "Cidade",
+"Country" => "País",
+"Instant Messenger" => "Mensaxería instantánea",
+"Delete IM" => "Eliminar o MI",
+"Share" => "Compartir",
+"Export" => "Exportar",
+"Add Contact" => "Engadir contacto",
+"Drop photo to upload" => "Solte a foto a subir",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formato personalizado, Nome corto, Nome completo, Inverso ou Inverso con coma",
+"Edit name details" => "Editar detalles do nome",
+"http://www.somesite.com" => "http://www.unhaligazon.net",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "Separe grupos con comas",
+"Edit groups" => "Editar grupos",
+"Enter email address" => "Introduza unha dirección de correo electrónico",
+"Edit address details" => "Editar os detalles do enderezo",
+"Add notes here." => "Engadir aquí as notas.",
+"Add field" => "Engadir campo",
+"Download contact" => "Descargar contacto",
"The temporary image has been removed from cache." => "A imaxe temporal foi eliminada da caché.",
-"Edit address" => "Editar enderezo",
+"Edit address" => "Editar o enderezo",
"Type" => "Escribir",
"PO Box" => "Apartado de correos",
+"Street and number" => "Rúa e número",
"Extended" => "Ampliado",
-"City" => "Cidade",
+"Apartment number etc." => "Número de apartamento etc.",
"Region" => "Autonomía",
+"E.g. state or province" => "P.ex estado ou provincia",
"Zipcode" => "Código postal",
-"Country" => "País",
-"Addressbook" => "Axenda",
+"Addressbook" => "Caderno de enderezos",
"Hon. prefixes" => "Prefixos honoríficos",
"Miss" => "Srta",
"Ms" => "Sra/Srta",
@@ -126,8 +190,7 @@
"Sir" => "Sir",
"Mrs" => "Sra",
"Dr" => "Dr",
-"Given name" => "Apodo",
-"Additional names" => "Nomes adicionais",
+"Given name" => "Alcume",
"Family name" => "Nome familiar",
"Hon. suffixes" => "Sufixos honorarios",
"J.D." => "J.D.",
@@ -139,16 +202,19 @@
"Jr." => "Jr.",
"Sn." => "Sn.",
"Import a contacts file" => "Importar un ficheiro de contactos",
-"Please choose the addressbook" => "Por favor escolla unha libreta de enderezos",
-"create a new addressbook" => "crear unha nova libreta de enderezos",
-"Name of new addressbook" => "Nome da nova libreta de enderezos",
+"Please choose the addressbook" => "Escolle o caderno de enderezos",
+"create a new addressbook" => "crear un novo caderno de enderezos",
+"Name of new addressbook" => "Nome do novo caderno de enderezos",
"Importing contacts" => "Importando contactos",
-"Add contact" => "Engadir contacto",
+"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Non tes contactos no teu caderno de enderezos.
Podes importar ficheiros VCF arrastrándoos á lista de contactos ou ben tirándoos enriba do caderno de enderezos para importalos alí. Tamén arrastrándoos e deixándoos nun punto baleiro créase un novo caderno de enderezos e impórtanse alí. Igualmente podes empregar o botón de importar que tes no fondo da lista.
",
+"Select Address Books" => "Escoller o cadernos de enderezos",
"CardDAV syncing addresses" => "Enderezos CardDAV a sincronizar",
"more info" => "máis información",
"Primary address (Kontact et al)" => "Enderezo primario (Kontact et al)",
"iOS/OS X" => "iOS/OS X",
-"Addressbooks" => "Axendas",
-"New Address Book" => "Nova axenda",
+"Addressbooks" => "Caderno de enderezos",
+"New Address Book" => "Novo caderno de enderezos",
+"Name" => "Nome",
+"Description" => "Descrición",
"Save" => "Gardar"
);
diff --git a/l10n/he.php b/l10n/he.php
index 50116453..60ddd67c 100644
--- a/l10n/he.php
+++ b/l10n/he.php
@@ -8,13 +8,8 @@
"No address books found." => "לא נמצאו פנקסי כתובות.",
"No contacts found." => "לא נמצאו אנשי קשר.",
"element name is not set." => "שם האלמנט לא נקבע.",
-"Cannot add empty property." => "לא ניתן להוסיף מאפיין ריק.",
-"At least one of the address fields has to be filled out." => "יש למלא לפחות אחד משדות הכתובת.",
-"Trying to add duplicate property: " => "ניסיון להוספת מאפיין כפול: ",
-"Information about vCard is incorrect. Please reload the page." => "המידע אודות vCard אינו נכון. נא לטעון מחדש את הדף.",
-"Missing ID" => "מזהה חסר",
-"Error parsing VCard for ID: \"" => "שגיאה בפענוח ה VCard עבור מספר המזהה: \"",
"checksum is not set." => "סיכום ביקורת לא נקבע.",
+"Information about vCard is incorrect. Please reload the page." => "המידע אודות vCard אינו נכון. נא לטעון מחדש את הדף.",
"Information about vCard is incorrect. Please reload the page: " => "המידע עבור ה vCard אינו נכון. אנא טען את העמוד: ",
"Something went FUBAR. " => "משהו לא התנהל כצפוי.",
"No contact ID was submitted." => "מספר מזהה של אישר הקשר לא נשלח.",
@@ -37,14 +32,18 @@
"No file was uploaded" => "שום קובץ לא הועלה",
"Missing a temporary folder" => "תקיה זמנית חסרה",
"Contacts" => "אנשי קשר",
+"Error" => "שגיאה",
+"Unable to upload your file as it is a directory or has 0 bytes" => "לא יכול להעלות את הקובץ מכיוון שזו תקיה או שמשקל הקובץ 0 בתים",
+"Upload Error" => "שגיאת העלאה",
+"Upload too large" => "העלאה גדולה מידי",
+"Pending" => "ממתין",
"Download" => "הורדה",
"Edit" => "עריכה",
"Delete" => "מחיקה",
"Cancel" => "ביטול",
-"This is not your addressbook." => "זהו אינו ספר הכתובות שלך",
-"Contact could not be found." => "לא ניתן לאתר איש קשר",
"Work" => "עבודה",
"Home" => "בית",
+"Other" => "אחר",
"Mobile" => "נייד",
"Text" => "טקסט",
"Voice" => "קולי",
@@ -53,49 +52,58 @@
"Video" => "וידאו",
"Pager" => "זימונית",
"Internet" => "אינטרנט",
-"Birthday" => "יום הולדת",
"{name}'s Birthday" => "יום ההולדת של {name}",
"Contact" => "איש קשר",
-"Add Contact" => "הוספת איש קשר",
+"Settings" => "הגדרות",
"Import" => "יבא",
-"Drop photo to upload" => "גרור ושחרר תמונה בשביל להעלות",
+"OK" => "אישור",
+"Groups" => "קבוצות",
+"Close" => "סגירה",
+"Add contact" => "הוסף איש קשר",
"Delete current photo" => "מחק תמונה נוכחית",
"Edit current photo" => "ערוך תמונה נוכחית",
"Upload new photo" => "העלה תמונה חדשה",
"Select photo from ownCloud" => "בחר תמונה מ ownCloud",
-"Edit name details" => "ערוך פרטי שם",
-"Organization" => "ארגון",
+"Additional names" => "שמות נוספים",
"Nickname" => "כינוי",
"Enter nickname" => "הכנס כינוי",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "קבוצות",
-"Separate groups with commas" => "הפרד קבוצות עם פסיקים",
-"Edit groups" => "ערוך קבוצות",
+"Title" => "כותרת",
+"Organization" => "ארגון",
+"Birthday" => "יום הולדת",
+"Add" => "הוספה",
+"Phone" => "טלפון",
+"Email" => "דואר אלקטרוני",
+"Address" => "כתובת",
+"Note" => "הערה",
+"Delete contact" => "מחיקת איש קשר",
"Preferred" => "מועדף",
"Please specify a valid email address." => "אנא הזן כתובת דוא\"ל חוקית",
-"Enter email address" => "הזן כתובת דוא\"ל",
"Mail to address" => "כתובת",
"Delete email address" => "מחק כתובת דוא\"ל",
"Enter phone number" => "הכנס מספר טלפון",
"Delete phone number" => "מחק מספר טלפון",
"View on map" => "ראה במפה",
+"City" => "עיר",
+"Country" => "מדינה",
+"Share" => "שתף",
+"Export" => "יצוא",
+"Add Contact" => "הוספת איש קשר",
+"Drop photo to upload" => "גרור ושחרר תמונה בשביל להעלות",
+"Edit name details" => "ערוך פרטי שם",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "הפרד קבוצות עם פסיקים",
+"Edit groups" => "ערוך קבוצות",
+"Enter email address" => "הזן כתובת דוא\"ל",
"Edit address details" => "ערוך פרטי כתובת",
"Add notes here." => "הוסף הערות כאן.",
"Add field" => "הוסף שדה",
-"Phone" => "טלפון",
-"Email" => "דואר אלקטרוני",
-"Address" => "כתובת",
-"Note" => "הערה",
"Download contact" => "הורדת איש קשר",
-"Delete contact" => "מחיקת איש קשר",
"Edit address" => "ערוך כתובת",
"Type" => "סוג",
"PO Box" => "תא דואר",
"Extended" => "מורחב",
-"City" => "עיר",
"Region" => "אזור",
"Zipcode" => "מיקוד",
-"Country" => "מדינה",
"Addressbook" => "פנקס כתובות",
"Hon. prefixes" => "קידומות שם",
"Miss" => "גב'",
@@ -105,7 +113,6 @@
"Mrs" => "גב'",
"Dr" => "ד\"ר",
"Given name" => "שם",
-"Additional names" => "שמות נוספים",
"Family name" => "שם משפחה",
"Hon. suffixes" => "סיומות שם",
"J.D." => "J.D.",
@@ -121,12 +128,12 @@
"create a new addressbook" => "צור ספר כתובות חדש",
"Name of new addressbook" => "שם ספר כתובות החדש",
"Importing contacts" => "מיבא אנשי קשר",
-"Add contact" => "הוסף איש קשר",
"CardDAV syncing addresses" => "CardDAV מסנכרן כתובות",
"more info" => "מידע נוסף",
"Primary address (Kontact et al)" => "כתובת ראשית",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "פנקסי כתובות",
"New Address Book" => "פנקס כתובות חדש",
+"Name" => "שם",
"Save" => "שמירה"
);
diff --git a/l10n/hr.php b/l10n/hr.php
index d0134dfd..890d7cbf 100644
--- a/l10n/hr.php
+++ b/l10n/hr.php
@@ -8,13 +8,8 @@
"No address books found." => "Nema adresara.",
"No contacts found." => "Nema kontakata.",
"element name is not set." => "naziv elementa nije postavljen.",
-"Cannot add empty property." => "Prazno svojstvo se ne može dodati.",
-"At least one of the address fields has to be filled out." => "Morate ispuniti barem jedno od adresnih polja.",
-"Trying to add duplicate property: " => "Pokušali ste dodati duplo svojstvo:",
-"Information about vCard is incorrect. Please reload the page." => "Informacija o vCard je neispravna. Osvježite stranicu.",
-"Missing ID" => "Nedostupan ID identifikator",
-"Error parsing VCard for ID: \"" => "Pogreška pri raščlanjivanju VCard za ID:",
"checksum is not set." => "checksum nije postavljen.",
+"Information about vCard is incorrect. Please reload the page." => "Informacija o vCard je neispravna. Osvježite stranicu.",
"Information about vCard is incorrect. Please reload the page: " => "Informacije o VCard su pogrešne. Molimo, učitajte ponovno stranicu:",
"Something went FUBAR. " => "Nešto je otišlo... krivo...",
"No contact ID was submitted." => "ID kontakta nije podnešen.",
@@ -33,12 +28,15 @@
"No file was uploaded" => "Datoteka nije poslana",
"Missing a temporary folder" => "Nedostaje privremeni direktorij",
"Contacts" => "Kontakti",
+"Error" => "Greška",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Nemoguće poslati datoteku jer je prazna ili je direktorij",
+"Upload Error" => "Pogreška pri slanju",
+"Upload too large" => "Prijenos je preobiman",
+"Pending" => "U tijeku",
"Download" => "Preuzimanje",
"Edit" => "Uredi",
"Delete" => "Obriši",
"Cancel" => "Prekini",
-"This is not your addressbook." => "Ovo nije vaš adresar.",
-"Contact could not be found." => "Kontakt ne postoji.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -52,6 +50,7 @@
"GaduGadu" => "GaduGadu",
"Work" => "Posao",
"Home" => "Kuća",
+"Other" => "ostali",
"Mobile" => "Mobitel",
"Text" => "Tekst",
"Voice" => "Glasovno",
@@ -60,57 +59,63 @@
"Video" => "Video",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Rođendan",
"{name}'s Birthday" => "{name} Rođendan",
"Contact" => "Kontakt",
-"Add Contact" => "Dodaj kontakt",
+"Settings" => "Postavke",
"Import" => "Uvezi",
+"Groups" => "Grupe",
"Close" => "Zatvori",
-"Drop photo to upload" => "Dovucite fotografiju za slanje",
+"Add contact" => "Dodaj kontakt",
"Delete current photo" => "Izbriši trenutnu sliku",
"Edit current photo" => "Uredi trenutnu sliku",
"Upload new photo" => "Učitaj novu sliku",
-"Edit name details" => "Uredi detalje imena",
-"Organization" => "Organizacija",
+"Additional names" => "sredenje ime",
"Nickname" => "Nadimak",
"Enter nickname" => "Unesi nadimank",
-"http://www.somesite.com" => "http://www.somesite.com",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "Grupe",
-"Separate groups with commas" => "Razdvoji grupe sa zarezom",
-"Edit groups" => "Uredi grupe",
-"Preferred" => "Preferirano",
-"Please specify a valid email address." => "Upiši važeću email adresu.",
-"Enter email address" => "Unesi email adresu",
-"Delete email address" => "Izbriši email adresu",
-"Enter phone number" => "Unesi broj telefona",
-"Delete phone number" => "Izbriši broj telefona",
-"View on map" => "Prikaži na karti",
-"Edit address details" => "Uredi detalje adrese",
-"Add notes here." => "Dodaj bilješke ovdje.",
-"Add field" => "Dodaj polje",
+"Title" => "Naslov",
+"Organization" => "Organizacija",
+"Birthday" => "Rođendan",
+"Add" => "Dodaj",
"Phone" => "Telefon",
"Email" => "E-mail",
"Address" => "Adresa",
"Note" => "Bilješka",
-"Download contact" => "Preuzmi kontakt",
"Delete contact" => "Izbriši kontakt",
+"Preferred" => "Preferirano",
+"Please specify a valid email address." => "Upiši važeću email adresu.",
+"Delete email address" => "Izbriši email adresu",
+"Enter phone number" => "Unesi broj telefona",
+"Delete phone number" => "Izbriši broj telefona",
+"View on map" => "Prikaži na karti",
+"City" => "Grad",
+"Country" => "Država",
+"Share" => "Podijeli",
+"Export" => "Izvoz",
+"Add Contact" => "Dodaj kontakt",
+"Drop photo to upload" => "Dovucite fotografiju za slanje",
+"Edit name details" => "Uredi detalje imena",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "Razdvoji grupe sa zarezom",
+"Edit groups" => "Uredi grupe",
+"Enter email address" => "Unesi email adresu",
+"Edit address details" => "Uredi detalje adrese",
+"Add notes here." => "Dodaj bilješke ovdje.",
+"Add field" => "Dodaj polje",
+"Download contact" => "Preuzmi kontakt",
"Edit address" => "Uredi adresu",
"Type" => "Tip",
"PO Box" => "Poštanski Pretinac",
"Extended" => "Prošireno",
-"City" => "Grad",
"Region" => "Regija",
"Zipcode" => "Poštanski broj",
-"Country" => "Država",
"Addressbook" => "Adresar",
"Given name" => "Ime",
-"Additional names" => "sredenje ime",
"Family name" => "Prezime",
-"Add contact" => "Dodaj kontakt",
"more info" => "više informacija",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Adresari",
"New Address Book" => "Novi adresar",
+"Name" => "Ime",
"Save" => "Spremi"
);
diff --git a/l10n/hu_HU.php b/l10n/hu_HU.php
index 5cc6c036..0a87d4ab 100644
--- a/l10n/hu_HU.php
+++ b/l10n/hu_HU.php
@@ -8,13 +8,8 @@
"No address books found." => "Nem található címlista",
"No contacts found." => "Nem található kontakt",
"element name is not set." => "az elem neve nincs beállítva",
-"Cannot add empty property." => "Nem adható hozzá üres tulajdonság",
-"At least one of the address fields has to be filled out." => "Legalább egy címmező kitöltendő",
-"Trying to add duplicate property: " => "Kísérlet dupla tulajdonság hozzáadására: ",
-"Information about vCard is incorrect. Please reload the page." => "A vCardról szóló információ helytelen. Töltsd újra az oldalt.",
-"Missing ID" => "Hiányzó ID",
-"Error parsing VCard for ID: \"" => "VCard elemzése sikertelen a következő ID-hoz: \"",
"checksum is not set." => "az ellenőrzőösszeg nincs beállítva",
+"Information about vCard is incorrect. Please reload the page." => "A vCardról szóló információ helytelen. Töltsd újra az oldalt.",
"Information about vCard is incorrect. Please reload the page: " => "Helytelen információ a vCardról. Töltse újra az oldalt: ",
"Something went FUBAR. " => "Valami balul sült el.",
"No contact ID was submitted." => "Nincs ID megadva a kontakthoz",
@@ -43,29 +38,25 @@
"Couldn't load temporary image: " => "Ideiglenes kép betöltése sikertelen",
"No file was uploaded. Unknown error" => "Nem történt feltöltés. Ismeretlen hiba",
"Contacts" => "Kapcsolatok",
-"Sorry, this functionality has not been implemented yet" => "Sajnáljuk, ez a funkció még nem támogatott",
-"Not implemented" => "Nem támogatott",
-"Couldn't get a valid address." => "Érvényes cím lekérése sikertelen",
+"Select photo" => "Fotó kiválasztása",
"Error" => "Hiba",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formátum egyedi, Rövid név, Teljes név, Visszafelé vagy Visszafelé vesszővel",
-"Select type" => "Típus kiválasztása",
-"This property has to be non-empty." => "Ezt a tulajdonságot muszáj kitölteni",
-"Couldn't serialize elements." => "Sorbarakás sikertelen",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "A 'deleteProperty' argumentum nélkül lett meghívva. Kérjük, jelezze a hibát.",
-"Edit name" => "Név szerkesztése",
-"No files selected for upload." => "Nincs kiválasztva feltöltendő fájl",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Nem tölthető fel, mert mappa volt, vagy 0 byte méretű",
+"Upload Error" => "Feltöltési hiba",
"The file you are trying to upload exceed the maximum size for file uploads on this server." => "A feltöltendő fájl mérete meghaladja a megengedett mértéket",
+"Upload too large" => "A feltöltési méret túl nagy",
+"Pending" => "Folyamatban",
+"No files selected for upload." => "Nincs kiválasztva feltöltendő fájl",
"Result: " => "Eredmény: ",
" imported, " => " beimportálva, ",
" failed." => " sikertelen",
+"Displayname cannot be empty." => "Megjelenített név kitöltendő",
"Download" => "Letöltés",
"Edit" => "Szerkesztés",
"Delete" => "Törlés",
"Cancel" => "Mégsem",
-"This is not your addressbook." => "Ez nem a te címjegyzéked.",
-"Contact could not be found." => "Kapcsolat nem található.",
"Work" => "Munkahelyi",
"Home" => "Otthoni",
+"Other" => "Egyéb",
"Mobile" => "Mobiltelefonszám",
"Text" => "Szöveg",
"Voice" => "Hang",
@@ -74,51 +65,60 @@
"Video" => "Video",
"Pager" => "Személyhívó",
"Internet" => "Internet",
-"Birthday" => "Születésnap",
"{name}'s Birthday" => "{name} születésnapja",
"Contact" => "Kapcsolat",
-"Add Contact" => "Kapcsolat hozzáadása",
+"Settings" => "Beállítások",
"Import" => "Import",
+"OK" => "OK",
+"Groups" => "Csoportok",
"Close" => "Bezár",
-"Drop photo to upload" => "Húzza ide a feltöltendő képet",
+"Add contact" => "Kapcsolat hozzáadása",
"Delete current photo" => "Aktuális kép törlése",
"Edit current photo" => "Aktuális kép szerkesztése",
"Upload new photo" => "Új kép feltöltése",
"Select photo from ownCloud" => "Kép kiválasztása ownCloud-ból",
-"Edit name details" => "Név részleteinek szerkesztése",
-"Organization" => "Szervezet",
+"Additional names" => "További nevek",
"Nickname" => "Becenév",
"Enter nickname" => "Becenév megadása",
-"dd-mm-yyyy" => "yyyy-mm-dd",
-"Groups" => "Csoportok",
-"Separate groups with commas" => "Vesszővel válassza el a csoportokat",
-"Edit groups" => "Csoportok szerkesztése",
+"Title" => "Felirat",
+"Organization" => "Szervezet",
+"Birthday" => "Születésnap",
+"Add" => "Hozzáad",
+"Phone" => "Telefonszám",
+"Email" => "E-mail",
+"Address" => "Cím",
+"Note" => "Jegyzet",
+"Delete contact" => "Kapcsolat törlése",
"Preferred" => "Előnyben részesített",
"Please specify a valid email address." => "Adjon meg érvényes email címet",
-"Enter email address" => "Adja meg az email címet",
"Mail to address" => "Postai cím",
"Delete email address" => "Email cím törlése",
"Enter phone number" => "Adja meg a telefonszámot",
"Delete phone number" => "Telefonszám törlése",
"View on map" => "Megtekintés a térképen",
+"City" => "Város",
+"Country" => "Ország",
+"Share" => "Megosztás",
+"Export" => "Exportálás",
+"Add Contact" => "Kapcsolat hozzáadása",
+"Drop photo to upload" => "Húzza ide a feltöltendő képet",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formátum egyedi, Rövid név, Teljes név, Visszafelé vagy Visszafelé vesszővel",
+"Edit name details" => "Név részleteinek szerkesztése",
+"dd-mm-yyyy" => "yyyy-mm-dd",
+"Separate groups with commas" => "Vesszővel válassza el a csoportokat",
+"Edit groups" => "Csoportok szerkesztése",
+"Enter email address" => "Adja meg az email címet",
"Edit address details" => "Cím részleteinek szerkesztése",
"Add notes here." => "Megjegyzések",
"Add field" => "Mező hozzáadása",
-"Phone" => "Telefonszám",
-"Email" => "E-mail",
-"Address" => "Cím",
-"Note" => "Jegyzet",
"Download contact" => "Kapcsolat letöltése",
-"Delete contact" => "Kapcsolat törlése",
"The temporary image has been removed from cache." => "Az ideiglenes kép el lett távolítva a gyorsítótárból",
"Edit address" => "Cím szerkesztése",
"Type" => "Típus",
"PO Box" => "Postafiók",
"Extended" => "Kiterjesztett",
-"City" => "Város",
"Region" => "Megye",
"Zipcode" => "Irányítószám",
-"Country" => "Ország",
"Addressbook" => "Címlista",
"Hon. prefixes" => "Előtag",
"Miss" => "Miss",
@@ -128,7 +128,6 @@
"Mrs" => "Mrs",
"Dr" => "Dr.",
"Given name" => "Teljes név",
-"Additional names" => "További nevek",
"Family name" => "Családnév",
"Hon. suffixes" => "Utótag",
"J.D." => "J.D.",
@@ -144,12 +143,12 @@
"create a new addressbook" => "Címlista létrehozása",
"Name of new addressbook" => "Új címlista neve",
"Importing contacts" => "Kapcsolatok importálása",
-"Add contact" => "Kapcsolat hozzáadása",
"CardDAV syncing addresses" => "CardDAV szinkronizációs címek",
"more info" => "további információ",
"Primary address (Kontact et al)" => "Elsődleges cím",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Címlisták",
"New Address Book" => "Új címlista",
+"Name" => "Név",
"Save" => "Mentés"
);
diff --git a/l10n/ia.php b/l10n/ia.php
index 61f84198..dd3ddd4f 100644
--- a/l10n/ia.php
+++ b/l10n/ia.php
@@ -1,20 +1,20 @@
"Nulle adressario trovate",
"No contacts found." => "Nulle contactos trovate.",
-"Cannot add empty property." => "Non pote adder proprietate vacue.",
"Error saving temporary file." => "Error durante le scriptura in le file temporari",
"Error loading image." => "Il habeva un error durante le cargamento del imagine.",
+"The uploaded file was only partially uploaded" => "Le file incargate solmente esseva incargate partialmente",
"No file was uploaded" => "Nulle file esseva incargate.",
"Missing a temporary folder" => "Manca un dossier temporari",
"Contacts" => "Contactos",
+"Upload too large" => "Incargamento troppo longe",
"Download" => "Discargar",
"Edit" => "Modificar",
"Delete" => "Deler",
"Cancel" => "Cancellar",
-"This is not your addressbook." => "Iste non es tu libro de adresses",
-"Contact could not be found." => "Contacto non poterea esser legite",
"Work" => "Travalio",
"Home" => "Domo",
+"Other" => "Altere",
"Mobile" => "Mobile",
"Text" => "Texto",
"Voice" => "Voce",
@@ -23,41 +23,49 @@
"Video" => "Video",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Anniversario",
"Contact" => "Contacto",
-"Add Contact" => "Adder contacto",
+"Settings" => "Configurationes",
"Import" => "Importar",
+"Groups" => "Gruppos",
+"Close" => "Clauder",
+"Add contact" => "Adder adressario",
"Delete current photo" => "Deler photo currente",
"Edit current photo" => "Modificar photo currente",
"Upload new photo" => "Incargar nove photo",
"Select photo from ownCloud" => "Seliger photo ex ownCloud",
-"Organization" => "Organisation",
+"Additional names" => "Nomines additional",
"Nickname" => "Pseudonymo",
"Enter nickname" => "Inserer pseudonymo",
-"Groups" => "Gruppos",
-"Edit groups" => "Modificar gruppos",
-"Preferred" => "Preferite",
-"Enter email address" => "Entrar un adresse de e-posta",
-"Delete email address" => "Deler adresse de E-posta",
-"Enter phone number" => "Entrar un numero de telephono",
-"Delete phone number" => "Deler numero de telephono",
-"View on map" => "Vider in un carta",
-"Add notes here." => "Adder notas hic",
-"Add field" => "Adder campo",
+"Title" => "Titulo",
+"Organization" => "Organisation",
+"Birthday" => "Anniversario",
+"Add" => "Adder",
"Phone" => "Phono",
"Email" => "E-posta",
"Address" => "Adresse",
"Note" => "Nota",
-"Download contact" => "Discargar contacto",
"Delete contact" => "Deler contacto",
+"Preferred" => "Preferite",
+"Delete email address" => "Deler adresse de E-posta",
+"Enter phone number" => "Entrar un numero de telephono",
+"Delete phone number" => "Deler numero de telephono",
+"View on map" => "Vider in un carta",
+"City" => "Citate",
+"Country" => "Pais",
+"Share" => "Compartir",
+"Export" => "Exportar",
+"Add Contact" => "Adder contacto",
+"Edit groups" => "Modificar gruppos",
+"Enter email address" => "Entrar un adresse de e-posta",
+"Add notes here." => "Adder notas hic",
+"Add field" => "Adder campo",
+"Download contact" => "Discargar contacto",
"Edit address" => "Modificar adresses",
"Type" => "Typo",
"PO Box" => "Cassa postal",
"Extended" => "Extendite",
-"City" => "Citate",
"Region" => "Region",
"Zipcode" => "Codice postal",
-"Country" => "Pais",
"Addressbook" => "Adressario",
"Hon. prefixes" => "Prefixos honorific",
"Miss" => "Senioretta",
@@ -65,17 +73,16 @@
"Mrs" => "Sra.",
"Dr" => "Dr.",
"Given name" => "Nomine date",
-"Additional names" => "Nomines additional",
"Family name" => "Nomine de familia",
"Hon. suffixes" => "Suffixos honorific",
"Import a contacts file" => "Importar un file de contactos",
"Please choose the addressbook" => "Per favor selige le adressario",
"create a new addressbook" => "Crear un nove adressario",
"Name of new addressbook" => "Nomine del nove gruppo:",
-"Add contact" => "Adder adressario",
"more info" => "plus info",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Adressarios",
"New Address Book" => "Nove adressario",
+"Name" => "Nomine",
"Save" => "Salveguardar"
);
diff --git a/l10n/id.php b/l10n/id.php
index 2885333c..54526745 100644
--- a/l10n/id.php
+++ b/l10n/id.php
@@ -1,15 +1,26 @@
"Tidak ada kategori terpilih untuk penghapusan.",
"No contacts found." => "kontak tidak ditemukan",
-"Cannot add empty property." => "tidak dapat menambahkan properti kosong",
-"At least one of the address fields has to be filled out." => "setidaknya satu dari alamat wajib di isi",
+"File doesn't exist:" => "file tidak ditemukan:",
+"There is no error, the file uploaded with success" => "Tidak ada galat, berkas sukses diunggah",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "File yang diunggah melampaui directive upload_max_filesize di php.ini",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "File yang diunggah melampaui directive MAX_FILE_SIZE yang disebutan dalam form HTML.",
+"The uploaded file was only partially uploaded" => "Berkas hanya diunggah sebagian",
+"No file was uploaded" => "Tidak ada berkas yang diunggah",
+"Missing a temporary folder" => "Kehilangan folder temporer",
"Contacts" => "kontak",
+"Error" => "kesalahan",
+"Importing..." => "mengimpor...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Gagal mengunggah berkas anda karena berupa direktori atau mempunyai ukuran 0 byte",
+"Upload Error" => "Terjadi Galat Pengunggahan",
+"Pending" => "Menunggu",
"Download" => "unduh",
"Edit" => "ubah",
"Delete" => "hapus",
"Cancel" => "batal",
-"Contact could not be found." => "kontak tidak dapat ditemukan",
"Work" => "pekerjaan",
"Home" => "rumah",
+"Other" => "Lainnya",
"Mobile" => "ponsel",
"Text" => "teks",
"Voice" => "suara",
@@ -18,30 +29,39 @@
"Video" => "video",
"Pager" => "pager",
"Internet" => "internet",
-"Birthday" => "tanggal lahir",
"{name}'s Birthday" => "hari ulang tahun {name}",
"Contact" => "kontak",
-"Add Contact" => "tambah kontak",
-"Edit name details" => "ubah detail nama",
-"Organization" => "organisasi",
+"Settings" => "pengaturan",
+"Import" => "impor",
+"Groups" => "grup",
+"Close" => "tutup",
"Nickname" => "nama panggilan",
"Enter nickname" => "masukkan nama panggilan",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "grup",
-"Separate groups with commas" => "pisahkan grup dengan tanda koma",
-"Preferred" => "disarankan",
+"Organization" => "organisasi",
+"Birthday" => "tanggal lahir",
+"Add" => "tambah",
"Phone" => "telefon",
"Email" => "surel",
"Address" => "alamat",
-"Download contact" => "unduk kontak",
"Delete contact" => "hapus kontak",
+"Preferred" => "disarankan",
+"City" => "kota",
+"Country" => "negara",
+"Share" => "berbagi",
+"Export" => "ekspor",
+"Add Contact" => "tambah kontak",
+"Edit name details" => "ubah detail nama",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "pisahkan grup dengan tanda koma",
+"Download contact" => "unduk kontak",
"Type" => "tipe",
"PO Box" => "PO box",
-"City" => "kota",
"Region" => "daerah",
"Zipcode" => "kodepos",
-"Country" => "negara",
"Addressbook" => "buku alamat",
+"more info" => "lebih lanjut",
+"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "buku alamat",
+"Name" => "nama",
"Save" => "simpan"
);
diff --git a/l10n/is.php b/l10n/is.php
new file mode 100644
index 00000000..bc39ffe0
--- /dev/null
+++ b/l10n/is.php
@@ -0,0 +1,3 @@
+ "Bæta"
+);
diff --git a/l10n/it.php b/l10n/it.php
index 0c7c10b4..97cac3a5 100644
--- a/l10n/it.php
+++ b/l10n/it.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Errore nel (dis)attivare la rubrica.",
"id is not set." => "ID non impostato.",
"Cannot update addressbook with an empty name." => "Impossibile aggiornare una rubrica senza nome.",
+"No category name given." => "Nessun nome di categoria specificato.",
+"Error adding group." => "Errore durante l'aggiunta del gruppo.",
+"Group ID missing from request." => "ID del gruppo mancante nella richiesta.",
+"Contact ID missing from request." => "ID del contatta mancante nella richiesta.",
"No ID provided" => "Nessun ID fornito",
"Error setting checksum." => "Errore di impostazione del codice di controllo.",
"No categories selected for deletion." => "Nessuna categoria selezionata per l'eliminazione.",
"No address books found." => "Nessuna rubrica trovata.",
"No contacts found." => "Nessun contatto trovato.",
"element name is not set." => "il nome dell'elemento non è impostato.",
-"Could not parse contact: " => "Impossibile elaborare il contatto: ",
-"Cannot add empty property." => "Impossibile aggiungere una proprietà vuota.",
-"At least one of the address fields has to be filled out." => "Deve essere inserito almeno un indirizzo.",
-"Trying to add duplicate property: " => "P",
-"Missing IM parameter." => "Parametro IM mancante.",
-"Unknown IM: " => "IM sconosciuto:",
-"Information about vCard is incorrect. Please reload the page." => "Informazioni sulla vCard non corrette. Ricarica la pagina.",
-"Missing ID" => "ID mancante",
-"Error parsing VCard for ID: \"" => "Errore in fase di elaborazione del file VCard per l'ID: \"",
"checksum is not set." => "il codice di controllo non è impostato.",
+"Information about vCard is incorrect. Please reload the page." => "Informazioni sulla vCard non corrette. Ricarica la pagina.",
+"Couldn't find vCard for %d." => "Impossibile trovare una vCard per %d.",
"Information about vCard is incorrect. Please reload the page: " => "Le informazioni della vCard non sono corrette. Ricarica la pagina: ",
"Something went FUBAR. " => "Qualcosa è andato storto. ",
+"Cannot save property of type \"%s\" as array" => "Impossibile salvare la proprietà \"%s\" come array",
+"Missing IM parameter." => "Parametro IM mancante.",
+"Unknown IM: " => "IM sconosciuto:",
"No contact ID was submitted." => "Nessun ID di contatto inviato.",
"Error reading contact photo." => "Errore di lettura della foto del contatto.",
"Error saving temporary file." => "Errore di salvataggio del file temporaneo.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Errore di ritaglio dell'immagine",
"Error creating temporary image" => "Errore durante la creazione dell'immagine temporanea",
"Error finding image: " => "Errore durante la ricerca dell'immagine: ",
+"Key is not set for: " => "Chiave non impostata per:",
+"Value is not set for: " => "Valore non impostato per:",
+"Could not set preference: " => "Impossibile impostare la preferenza:",
"Error uploading contacts to storage." => "Errore di invio dei contatti in archivio.",
"There is no error, the file uploaded with success" => "Non ci sono errori, il file è stato inviato correttamente",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Il file inviato supera la direttiva upload_max_filesize nel php.ini",
@@ -46,43 +49,53 @@
"Couldn't load temporary image: " => "Impossibile caricare l'immagine temporanea: ",
"No file was uploaded. Unknown error" => "Nessun file è stato inviato. Errore sconosciuto",
"Contacts" => "Contatti",
-"Sorry, this functionality has not been implemented yet" => "Siamo spiacenti, questa funzionalità non è stata ancora implementata",
-"Not implemented" => "Non implementata",
-"Couldn't get a valid address." => "Impossibile ottenere un indirizzo valido.",
-"Error" => "Errore",
-"Please enter an email address." => "Digita un indirizzo di posta elettronica.",
-"Enter name" => "Inserisci il nome",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formato personalizzato, nome breve, nome completo, invertito o invertito con virgola",
-"Select type" => "Seleziona tipo",
+"%d_selected_contacts" => "%d_contatti_selezionati",
+"Contact is already in this group." => "Il contatto è già in questo gruppo.",
+"Contacts are already in this group." => "I contatti sono già in questo gruppo.",
+"Couldn't get contact list." => "Impossibile ottenere l'elenco dei contatti.",
+"Contact is not in this group." => "Il contatto non è in questo gruppo.",
+"Contacts are not in this group." => "I contatti non sono in questo gruppo.",
+"A group named {group} already exists" => "Un gruppo con nome {group} esiste già",
+"You can drag groups to\narrange them as you like." => "Puoi trascinare i gruppi per\norganizzarli come preferisci.",
+"All" => "Tutti",
+"Favorites" => "Preferiti",
+"Shared by {owner}" => "Condiviso da {owner}",
+"Indexing contacts" => "Indicizzazione dei contatti",
+"Add to..." => "Aggiungi a...",
+"Remove from..." => "Rimuovi da...",
+"Add group..." => "Aggiungi gruppo...",
"Select photo" => "Seleziona la foto",
-"You do not have permission to add contacts to " => "Non hai i permessi per aggiungere contatti a",
-"Please select one of your own address books." => "Seleziona una delle tue rubriche.",
-"Permission error" => "Errore relativo ai permessi",
-"Click to undo deletion of \"" => "Fai clic per annullare l'eliminazione di \"",
-"Cancelled deletion of: \"" => "Eliminazione annullata di: \"",
-"This property has to be non-empty." => "Questa proprietà non può essere vuota.",
-"Couldn't serialize elements." => "Impossibile serializzare gli elementi.",
-"Unknown error. Please check logs." => "Errore sconosciuto. Controlla i log.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' invocata senza l'argomento di tipo. Segnalalo a bugs.owncloud.org",
-"Edit name" => "Modifica il nome",
-"No files selected for upload." => "Nessun file selezionato per l'invio",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Il file che stai cercando di inviare supera la dimensione massima per l'invio dei file su questo server.",
-"Error loading profile picture." => "Errore durante il caricamento dell'immagine di profilo.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Alcuni contatti sono marcati per l'eliminazione, ma non sono stati ancora rimossi. Attendi fino al completamento dell'operazione.",
-"Do you want to merge these address books?" => "Vuoi unire queste rubriche?",
-"Shared by " => "Condiviso da",
-"Upload too large" => "Caricamento troppo grande",
-"Only image files can be used as profile picture." => "Per l'immagine del profilo possono essere utilizzati solo file di immagini.",
-"Wrong file type" => "Tipo di file errato",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Il tuo browser non supporta il caricamento AJAX. Fai clic sull'immagine del profilo per selezionare una foto da caricare.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Impossibile caricare il file poiché è una cartella o ha una dimensione di 0 byte",
-"Upload Error" => "Errore di caricamento",
-"Pending" => "In corso",
-"Import done" => "Importazione completata",
+"Network or server error. Please inform administrator." => "Errore di rete o del server. Informa l'amministratore.",
+"Error adding to group." => "Errore durante l'aggiunta al gruppo.",
+"Error removing from group." => "Errore durante la rimozione dal gruppo.",
+"There was an error opening a mail composer." => "Si è verificato un errore durante l'apertura del compositore.",
+"Deleting done. Click here to cancel reloading." => "Eliminazione completata. Fai clic qui per annullare il ricaricamento.",
+"Add address book" => "Aggiungi rubrica",
+"Import done. Click here to cancel reloading." => "Importazione completata. Fai clic qui per annullare il ricaricamento.",
"Not all files uploaded. Retrying..." => "Non tutti i file sono stati caricati. Riprovo...",
"Something went wrong with the upload, please retry." => "Qualcosa non ha funzionato durante il caricamento. Prova ancora.",
+"Error" => "Errore",
+"Importing from {filename}..." => "Importazione da {filename} in corso...",
+"{success} imported, {failed} failed." => "{success} importati, {failed} non riusciti.",
"Importing..." => "Importazione in corso...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Impossibile caricare il file poiché è una cartella o ha una dimensione di 0 byte",
+"Upload Error" => "Errore di caricamento",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Il file che stai cercando di inviare supera la dimensione massima per l'invio dei file su questo server.",
+"Upload too large" => "Caricamento troppo grande",
+"Pending" => "In corso",
+"Add group" => "Aggiungi gruppo",
+"No files selected for upload." => "Nessun file selezionato per l'invio",
+"Edit profile picture" => "Modifica l'immagine del profilo",
+"Error loading profile picture." => "Errore durante il caricamento dell'immagine di profilo.",
+"Enter name" => "Inserisci il nome",
+"Enter description" => "Inserisci una descrizione",
+"Select addressbook" => "Seleziona rubrica",
"The address book name cannot be empty." => "Il nome della rubrica non può essere vuoto.",
+"Is this correct?" => "È corretto?",
+"There was an unknown error when trying to delete this contact" => "Si è verificato un errore durante il tentativo di eliminare il contatto.",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Alcuni contatti sono marcati per l'eliminazione, ma non sono stati ancora rimossi. Attendi fino al completamento dell'operazione.",
+"Click to undo deletion of {num} contacts" => "Un clic per annullare l'eliminazione di {num} contatti",
+"Cancelled deletion of {num}" => "Eliminazione di {num} annullata",
"Result: " => "Risultato: ",
" imported, " => " importato, ",
" failed." => " non riuscito.",
@@ -100,9 +113,6 @@
"There was an error updating the addressbook." => "Si è verificato un errore durante l'aggiornamento della rubrica.",
"You do not have the permissions to delete this addressbook." => "Non hai i permessi per eliminare questa rubrica.",
"There was an error deleting this addressbook." => "Si è verificato un errore durante l'eliminazione della rubrica.",
-"Addressbook not found: " => "Rubrica non trovata:",
-"This is not your addressbook." => "Questa non è la tua rubrica.",
-"Contact could not be found." => "Il contatto non può essere trovato.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +136,9 @@
"Video" => "Video",
"Pager" => "Cercapersone",
"Internet" => "Internet",
-"Birthday" => "Compleanno",
-"Business" => "Lavoro",
-"Call" => "Chiama",
-"Clients" => "Client",
-"Deliverer" => "Corriere",
-"Holidays" => "Festività",
-"Ideas" => "Idee",
-"Journey" => "Viaggio",
-"Jubilee" => "Anniversario",
-"Meeting" => "Riunione",
-"Personal" => "Personale",
-"Projects" => "Progetti",
-"Questions" => "Domande",
+"Friends" => "Amici",
+"Family" => "Famiglia",
+"There was an error deleting properties for this contact." => "Si è verificato un errore durante l'eliminazione di proprietà del contatto.",
"{name}'s Birthday" => "Data di nascita di {name}",
"Contact" => "Contatto",
"You do not have the permissions to add contacts to this addressbook." => "Non hai i permessi per aggiungere contatti a questa rubrica.",
@@ -148,9 +148,22 @@
"Could not find the Addressbook with ID: " => "Impossibile trovare la rubrica con ID:",
"You do not have the permissions to delete this contact." => "Non hai i permessi per eliminare questo contatto.",
"There was an error deleting this contact." => "Si è verificato un errore durante l'eliminazione di questo contatto.",
-"Add Contact" => "Aggiungi contatto",
-"Import" => "Importa",
+"Contact not found." => "Contatto non trovato.",
+"HomePage" => "Pagina principale",
+"New Group" => "Nuovo gruppo",
"Settings" => "Impostazioni",
+"Address books" => "Rubriche",
+"Import" => "Importa",
+"Select files to import" => "Seleziona i file da importare",
+"Select files" => "Seleziona i file",
+"Import into:" => "Importa in:",
+"OK" => "OK",
+"(De-)select all" => "(De)seleziona tutto",
+"New Contact" => "Nuovo contatto",
+"Download Contact(s)" => "Scarica contatto(i)",
+"Groups" => "Gruppi",
+"Favorite" => "Preferito",
+"Delete Contact" => "Elimina contatto",
"Close" => "Chiudi",
"Keyboard shortcuts" => "Scorciatoie da tastiera",
"Navigation" => "Navigazione",
@@ -164,56 +177,83 @@
"Add new contact" => "Aggiungi un nuovo contatto",
"Add new addressbook" => "Aggiungi una nuova rubrica",
"Delete current contact" => "Elimina il contatto corrente",
-"Drop photo to upload" => "Rilascia una foto da inviare",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Non ci sono contatti nella tua rubrica.
Aggiungi un nuovo contatto o importa contatti esistenti da un file VCF.
",
+"Add contact" => "Aggiungi contatto",
+"Compose mail" => "Componi messaggio",
+"Delete group" => "Elimina gruppo",
"Delete current photo" => "Elimina la foto corrente",
"Edit current photo" => "Modifica la foto corrente",
"Upload new photo" => "Invia una nuova foto",
"Select photo from ownCloud" => "Seleziona la foto da ownCloud",
-"Edit name details" => "Modifica dettagli del nome",
-"Organization" => "Organizzazione",
+"First name" => "Nome",
+"Additional names" => "Nomi aggiuntivi",
+"Last name" => "Cognome",
"Nickname" => "Pseudonimo",
"Enter nickname" => "Inserisci pseudonimo",
-"Web site" => "Sito web",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Vai al sito web",
-"dd-mm-yyyy" => "gg-mm-aaaa",
-"Groups" => "Gruppi",
-"Separate groups with commas" => "Separa i gruppi con virgole",
-"Edit groups" => "Modifica gruppi",
-"Preferred" => "Preferito",
-"Please specify a valid email address." => "Specifica un indirizzo email valido",
-"Enter email address" => "Inserisci indirizzo email",
-"Mail to address" => "Invia per email",
-"Delete email address" => "Elimina l'indirizzo email",
-"Enter phone number" => "Inserisci il numero di telefono",
-"Delete phone number" => "Elimina il numero di telefono",
-"Instant Messenger" => "Client di messaggistica istantanea",
-"Delete IM" => "Elimina IM",
-"View on map" => "Visualizza sulla mappa",
-"Edit address details" => "Modifica dettagli dell'indirizzo",
-"Add notes here." => "Aggiungi qui le note.",
-"Add field" => "Aggiungi campo",
+"Title" => "Titolo",
+"Enter title" => "Inserisci il titolo",
+"Organization" => "Organizzazione",
+"Enter organization" => "Inserisci l'organizzazione",
+"Birthday" => "Compleanno",
+"Notes go here..." => "Le note vanno qui...",
+"Export as VCF" => "Esporta come VCF",
+"Add" => "Aggiungi",
"Phone" => "Telefono",
"Email" => "Email",
"Instant Messaging" => "Messaggistica istantanea",
"Address" => "Indirizzo",
"Note" => "Nota",
-"Download contact" => "Scarica contatto",
+"Web site" => "Sito web",
"Delete contact" => "Elimina contatto",
+"Preferred" => "Preferito",
+"Please specify a valid email address." => "Specifica un indirizzo email valido",
+"someone@example.com" => "qualcuno@esempio.com",
+"Mail to address" => "Invia per email",
+"Delete email address" => "Elimina l'indirizzo email",
+"Enter phone number" => "Inserisci il numero di telefono",
+"Delete phone number" => "Elimina il numero di telefono",
+"Go to web site" => "Vai al sito web",
+"Delete URL" => "Elimina URL",
+"View on map" => "Visualizza sulla mappa",
+"Delete address" => "Elimina indirizzo",
+"1 Main Street" => "Via principale 1",
+"Street address" => "Indirizzo",
+"12345" => "12345",
+"Postal code" => "CAP",
+"Your city" => "La tua città",
+"City" => "Città",
+"Some region" => "Una regione",
+"State or province" => "Stato o regione",
+"Your country" => "Il tuo paese",
+"Country" => "Stato",
+"Instant Messenger" => "Client di messaggistica istantanea",
+"Delete IM" => "Elimina IM",
+"Share" => "Condividi",
+"Export" => "Esporta",
+"CardDAV link" => "Collegamento CardDav",
+"Add Contact" => "Aggiungi contatto",
+"Drop photo to upload" => "Rilascia una foto da inviare",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formato personalizzato, nome breve, nome completo, invertito o invertito con virgola",
+"Edit name details" => "Modifica dettagli del nome",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "gg-mm-aaaa",
+"Separate groups with commas" => "Separa i gruppi con virgole",
+"Edit groups" => "Modifica gruppi",
+"Enter email address" => "Inserisci indirizzo email",
+"Edit address details" => "Modifica dettagli dell'indirizzo",
+"Add notes here." => "Aggiungi qui le note.",
+"Add field" => "Aggiungi campo",
+"Download contact" => "Scarica contatto",
"The temporary image has been removed from cache." => "L'immagine temporanea è stata rimossa dalla cache.",
"Edit address" => "Modifica indirizzo",
"Type" => "Tipo",
"PO Box" => "Casella postale",
-"Street address" => "Indirizzo",
"Street and number" => "Via e numero",
"Extended" => "Esteso",
"Apartment number etc." => "Numero appartamento ecc.",
-"City" => "Città",
"Region" => "Regione",
"E.g. state or province" => "Ad es. stato o provincia",
"Zipcode" => "CAP",
-"Postal code" => "CAP",
-"Country" => "Stato",
"Addressbook" => "Rubrica",
"Hon. prefixes" => "Prefissi onorifici",
"Miss" => "Sig.na",
@@ -223,7 +263,6 @@
"Mrs" => "Sig.ra",
"Dr" => "Dott.",
"Given name" => "Nome",
-"Additional names" => "Nomi aggiuntivi",
"Family name" => "Cognome",
"Hon. suffixes" => "Suffissi onorifici",
"J.D." => "J.D.",
@@ -240,15 +279,12 @@
"Name of new addressbook" => "Nome della nuova rubrica",
"Importing contacts" => "Importazione contatti",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Non hai contatti nella tua rubrica.
Puoi importare file VCF trascinandoli sull'elenco dei contatti e rilasciandoli su una rubrica di destinazione o in un punto vuoto per creare una nuova rubrica. Puoi inoltre importare facendo clic sul pulsante di importazione in fondo all'elenco.
",
-"Add contact" => "Aggiungi contatto",
"Select Address Books" => "Seleziona rubriche",
-"Enter description" => "Inserisci una descrizione",
"CardDAV syncing addresses" => "Indirizzi di sincronizzazione CardDAV",
"more info" => "altre informazioni",
"Primary address (Kontact et al)" => "Indirizzo principale (Kontact e altri)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Rubriche",
-"Share" => "Condividi",
"New Address Book" => "Nuova rubrica",
"Name" => "Nome",
"Description" => "Descrizione",
diff --git a/l10n/ja_JP.php b/l10n/ja_JP.php
index 6a8cbbcb..1a2579b5 100644
--- a/l10n/ja_JP.php
+++ b/l10n/ja_JP.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "アドレス帳の有効/無効化に失敗しました。",
"id is not set." => "idが設定されていません。",
"Cannot update addressbook with an empty name." => "空白の名前でアドレス帳を更新することはできません。",
+"No category name given." => "カテゴリ名が指定されていません。",
+"Error adding group." => "グループの追加エラー。",
+"Group ID missing from request." => "リクエストにはグループIDがありません。",
+"Contact ID missing from request." => "リクエストには連絡先IDがありません。",
"No ID provided" => "IDが提供されていません",
"Error setting checksum." => "チェックサムの設定エラー。",
"No categories selected for deletion." => "削除するカテゴリが選択されていません。",
"No address books found." => "アドレス帳が見つかりません。",
"No contacts found." => "連絡先が見つかりません。",
"element name is not set." => "要素名が設定されていません。",
-"Could not parse contact: " => "連絡先を解析できませんでした:",
-"Cannot add empty property." => "項目の新規追加に失敗しました。",
-"At least one of the address fields has to be filled out." => "住所の項目のうち1つは入力して下さい。",
-"Trying to add duplicate property: " => "重複する属性を追加: ",
-"Missing IM parameter." => "IMのパラメータが不足しています。",
-"Unknown IM: " => "不明なIM:",
-"Information about vCard is incorrect. Please reload the page." => "vCardの情報に誤りがあります。ページをリロードして下さい。",
-"Missing ID" => "IDが見つかりません",
-"Error parsing VCard for ID: \"" => "VCardからIDの抽出エラー: \"",
"checksum is not set." => "チェックサムが設定されていません。",
+"Information about vCard is incorrect. Please reload the page." => "vCardの情報に誤りがあります。ページをリロードして下さい。",
+"Couldn't find vCard for %d." => "%d のvCardが見つかりませんでした。",
"Information about vCard is incorrect. Please reload the page: " => "vCardの情報が正しくありません。ページを再読み込みしてください: ",
"Something went FUBAR. " => "何かがFUBARへ移動しました。",
+"Cannot save property of type \"%s\" as array" => "\"%s\" タイプのプロパティを配列として保存できません",
+"Missing IM parameter." => "IMのパラメータが不足しています。",
+"Unknown IM: " => "不明なIM:",
"No contact ID was submitted." => "連絡先IDは登録されませんでした。",
"Error reading contact photo." => "連絡先写真の読み込みエラー。",
"Error saving temporary file." => "一時ファイルの保存エラー。",
@@ -35,6 +35,9 @@
"Error cropping image" => "画像の切り抜きエラー",
"Error creating temporary image" => "一時画像の生成エラー",
"Error finding image: " => "画像検索エラー: ",
+"Key is not set for: " => "キーが未設定:",
+"Value is not set for: " => "値が未設定:",
+"Could not set preference: " => "優先度を設定出来ません: ",
"Error uploading contacts to storage." => "ストレージへの連絡先のアップロードエラー。",
"There is no error, the file uploaded with success" => "エラーはありません。ファイルのアップロードは成功しました",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "アップロードファイルは php.ini 内の upload_max_filesize の制限を超えています",
@@ -46,43 +49,53 @@
"Couldn't load temporary image: " => "一時的な画像の読み込みができませんでした: ",
"No file was uploaded. Unknown error" => "ファイルは何もアップロードされていません。不明なエラー",
"Contacts" => "連絡先",
-"Sorry, this functionality has not been implemented yet" => "申し訳ありません。この機能はまだ実装されていません",
-"Not implemented" => "未実装",
-"Couldn't get a valid address." => "有効なアドレスを取得できませんでした。",
-"Error" => "エラー",
-"Please enter an email address." => "メールアドレスを入力してください。",
-"Enter name" => "名前を入力",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "編集フォーマット、ショートネーム、フルネーム、逆順、カンマ区切りの逆順",
-"Select type" => "タイプを選択",
+"%d_selected_contacts" => "%d個の選択された連絡先",
+"Contact is already in this group." => "連絡先はすでにこのグループに存在します。",
+"Contacts are already in this group." => "連絡先はすでにこのグループに存在します。",
+"Couldn't get contact list." => "連絡先リストを取得できませんでした。",
+"Contact is not in this group." => "連絡先はこのグループに存在しません。",
+"Contacts are not in this group." => "連絡先はこのグループに存在しません。",
+"A group named {group} already exists" => "{group} のグループはすでに存在します",
+"You can drag groups to\narrange them as you like." => "グループをドラックすることで好きな\nように並べ替えることができます。",
+"All" => "すべて",
+"Favorites" => "お気に入り",
+"Shared by {owner}" => "{owner} と共有中",
+"Indexing contacts" => "連絡先のインデックスを作成中",
+"Add to..." => "追加...",
+"Remove from..." => "削除...",
+"Add group..." => "グループを追加...",
"Select photo" => "写真を選択",
-"You do not have permission to add contacts to " => "連絡先を追加する権限がありません",
-"Please select one of your own address books." => "アドレス帳を一つ選択してください",
-"Permission error" => "権限エラー",
-"Click to undo deletion of \"" => "削除の取り消すためにクリックしてください: \"",
-"Cancelled deletion of: \"" => "キャンセルされた削除: \"",
-"This property has to be non-empty." => "この属性は空にできません。",
-"Couldn't serialize elements." => "要素をシリアライズできませんでした。",
-"Unknown error. Please check logs." => "不明なエラーです。ログを確認して下さい。",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' は型の引数無しで呼び出されました。bugs.owncloud.org へ報告してください。",
-"Edit name" => "名前を編集",
-"No files selected for upload." => "アップロードするファイルが選択されていません。",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "アップロードしようとしているファイルは、このサーバの最大ファイルアップロードサイズを超えています。",
-"Error loading profile picture." => "プロファイルの画像の読み込みエラー",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "いくつかの連絡先が削除対象としてマークされていますが、まだ削除されていません。削除するまでお待ちください。",
-"Do you want to merge these address books?" => "これらのアドレス帳をマージしてもよろしいですか?",
-"Shared by " => "共有",
-"Upload too large" => "アップロードには大きすぎます。",
-"Only image files can be used as profile picture." => "画像ファイルのみがプロファイル写真として使用することができます。",
-"Wrong file type" => "誤ったファイルタイプ",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "あなたのブラウザはAJAXのアップロードをサポートしていません。プロファイル写真をクリックしてアップロードする写真を選択してください。",
-"Unable to upload your file as it is a directory or has 0 bytes" => "ディレクトリや0バイトのファイルはアップロードできません。",
-"Upload Error" => "アップロードエラー",
-"Pending" => "中断",
-"Import done" => "インポート完了",
+"Network or server error. Please inform administrator." => "ネットワークもしくはサーバエラーです。管理者に連絡してください。",
+"Error adding to group." => "グループに追加エラー。",
+"Error removing from group." => "グループから削除エラー。",
+"There was an error opening a mail composer." => "メールコンポーザの起動エラーが発生しました。",
+"Deleting done. Click here to cancel reloading." => "削除完了。再読込みをキャンセルする場合はここをクリック。",
+"Add address book" => "アドレスブックを追加",
+"Import done. Click here to cancel reloading." => "インポート完了。再読込みをキャンセルする場合はここをクリック。",
"Not all files uploaded. Retrying..." => "ファイルがアップロード出来ませんでした。再実行中...。",
"Something went wrong with the upload, please retry." => "アップロード中に不具合が発生しました、再実行してください。",
+"Error" => "エラー",
+"Importing from {filename}..." => "{filename} からインポート中...",
+"{success} imported, {failed} failed." => "{success} をインポート、{failed} は失敗しました。",
"Importing..." => "インポート中...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "ディレクトリもしくは0バイトのファイルはアップロードできません",
+"Upload Error" => "アップロードエラー",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "アップロードしようとしているファイルは、このサーバの最大ファイルアップロードサイズを超えています。",
+"Upload too large" => "アップロードには大きすぎます。",
+"Pending" => "中断",
+"Add group" => "グループを追加",
+"No files selected for upload." => "アップロードするファイルが選択されていません。",
+"Edit profile picture" => "プロフィール写真を編集",
+"Error loading profile picture." => "プロファイルの画像の読み込みエラー",
+"Enter name" => "名前を入力",
+"Enter description" => "説明を入力してください",
+"Select addressbook" => "アドレスブックを選択",
"The address book name cannot be empty." => "アドレス帳名は空に出来ません。",
+"Is this correct?" => "これは正しいですか?",
+"There was an unknown error when trying to delete this contact" => "この連絡先の削除時に不明なエラーが発生しました",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "いくつかの連絡先が削除対象としてマークされていますが、まだ削除されていません。削除するまでお待ちください。",
+"Click to undo deletion of {num} contacts" => "{num} 個の連絡先の削除を元に戻す",
+"Cancelled deletion of {num}" => "{num} 個の削除をキャンセルしました",
"Result: " => "結果: ",
" imported, " => " をインポート、 ",
" failed." => " は失敗しました。",
@@ -100,9 +113,6 @@
"There was an error updating the addressbook." => "アドレス帳を更新中にエラーが発生しました。",
"You do not have the permissions to delete this addressbook." => "アドレス帳を削除する権限がありません。",
"There was an error deleting this addressbook." => "アドレス帳を削除するときにエラーが発生しました。",
-"Addressbook not found: " => "アドレス帳が見つかりません:",
-"This is not your addressbook." => "これはあなたの電話帳ではありません。",
-"Contact could not be found." => "連絡先を見つける事ができません。",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +136,9 @@
"Video" => "テレビ電話",
"Pager" => "ポケベル",
"Internet" => "インターネット",
-"Birthday" => "誕生日",
-"Business" => "ビジネス",
-"Call" => "電話",
-"Clients" => "顧客",
-"Deliverer" => "運送会社",
-"Holidays" => "休日",
-"Ideas" => "アイデア",
-"Journey" => "旅行",
-"Jubilee" => "記念祭",
-"Meeting" => "打ち合わせ",
-"Personal" => "個人",
-"Projects" => "プロジェクト",
-"Questions" => "質問",
+"Friends" => "友達",
+"Family" => "家族",
+"There was an error deleting properties for this contact." => "この連絡先のプロパティの削除エラーが発生しました。",
"{name}'s Birthday" => "{name}の誕生日",
"Contact" => "連絡先",
"You do not have the permissions to add contacts to this addressbook." => "アドレスブックに連絡先を追加する権限がありません",
@@ -148,9 +148,22 @@
"Could not find the Addressbook with ID: " => "そのIDのアドレス帳が見つかりませんでした:",
"You do not have the permissions to delete this contact." => "この連絡先を削除する権限がありません",
"There was an error deleting this contact." => "連絡先を削除するときにエラーが発生しました。",
-"Add Contact" => "連絡先の追加",
-"Import" => "インポート",
+"Contact not found." => "連絡先が見つかりません。",
+"HomePage" => "ホームページ",
+"New Group" => "新しいグループ",
"Settings" => "設定",
+"Address books" => "アドレスブック",
+"Import" => "インポート",
+"Select files to import" => "インポートするファイルを選択",
+"Select files" => "ファイルを選択",
+"Import into:" => "インポート情報:",
+"OK" => "OK",
+"(De-)select all" => "すべての選択を解除",
+"New Contact" => "新しい連絡先",
+"Download Contact(s)" => "連絡先をダウンロード",
+"Groups" => "グループ",
+"Favorite" => "お気に入り",
+"Delete Contact" => "連絡先を削除",
"Close" => "閉じる",
"Keyboard shortcuts" => "キーボードショートカット",
"Navigation" => "ナビゲーション",
@@ -164,56 +177,83 @@
"Add new contact" => "新しい連絡先を追加",
"Add new addressbook" => "新しいアドレス帳を追加",
"Delete current contact" => "現在の連絡先を削除",
-"Drop photo to upload" => "写真をドロップしてアップロード",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
",
-"Add contact" => "連絡先を追加",
"Select Address Books" => "アドレス帳を選択してください",
-"Enter description" => "説明を入力してください",
"CardDAV syncing addresses" => "CardDAV同期アドレス",
"more info" => "詳細情報",
"Primary address (Kontact et al)" => "プライマリアドレス(Kontact 他)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "アドレス帳",
-"Share" => "共有",
"New Address Book" => "新規のアドレス帳",
"Name" => "名前",
"Description" => "説明",
diff --git a/l10n/ka_GE.php b/l10n/ka_GE.php
index 9610a3aa..f054febd 100644
--- a/l10n/ka_GE.php
+++ b/l10n/ka_GE.php
@@ -1,11 +1,24 @@
"სარედაქტირებელი კატეგორია არ არის არჩეული ",
+"There is no error, the file uploaded with success" => "ჭოცდომა არ დაფიქსირდა, ფაილი წარმატებით აიტვირთა",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "ატვირთული ფაილი აჭარბებს upload_max_filesize დირექტივას php.ini ფაილში",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "ატვირთული ფაილი აჭარბებს MAX_FILE_SIZE დირექტივას, რომელიც მითითებულია HTML ფორმაში",
+"The uploaded file was only partially uploaded" => "ატვირთული ფაილი მხოლოდ ნაწილობრივ აიტვირთა",
+"No file was uploaded" => "ფაილი არ აიტვირთა",
+"Missing a temporary folder" => "დროებითი საქაღალდე არ არსებობს",
"Contacts" => "კონტაქტები",
+"Error" => "შეცდომა",
+"Unable to upload your file as it is a directory or has 0 bytes" => "თქვენი ფაილის ატვირთვა ვერ მოხერხდა. ის არის საქაღალდე და შეიცავს 0 ბაიტს",
+"Upload Error" => "შეცდომა ატვირთვისას",
+"Upload too large" => "ასატვირთი ფაილი ძალიან დიდია",
+"Pending" => "მოცდის რეჟიმში",
"Download" => "ჩამოტვირთვა",
"Edit" => "რედაქტირება",
"Delete" => "წაშლა",
"Cancel" => "უარყოფა",
"Work" => "სამსახური",
"Home" => "სახლი",
+"Other" => "სხვა",
"Mobile" => "მობილური",
"Text" => "ტექსტი",
"Voice" => "ხმა",
@@ -14,45 +27,52 @@
"Video" => "ვიდეო",
"Pager" => "პეიჯერი",
"Internet" => "ინტერნეტი",
-"Birthday" => "დაბადების დრე",
-"Business" => "ბიზნესი",
-"Clients" => "კლიენტები",
"Contact" => "კონტაქტი",
-"Add Contact" => "კონტაქტის დამატება",
+"Settings" => "პარამეტრები",
"Import" => "იმპორტი",
+"Groups" => "ჯგუფები",
+"Close" => "დახურვა",
+"Add contact" => "კონტაქტის დამატება",
"Delete current photo" => "მიმდინარე სურათის წაშლა",
"Edit current photo" => "მიმდინარე სურათის რედაქტირება",
"Upload new photo" => "ახალი სურათის ატვირთვა",
"Select photo from ownCloud" => "აირჩიე სურათი ownCloud –იდან",
-"Organization" => "ორგანიზაცია",
"Nickname" => "ნიკნეიმი",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "ჯგუფები",
-"Edit groups" => "ჯგუფების რედაქტირება",
-"Enter email address" => "ჩაწერეთ იმეილ მისამართი",
-"Add field" => "დაამატე ველი",
+"Title" => "სახელი",
+"Organization" => "ორგანიზაცია",
+"Birthday" => "დაბადების დრე",
+"Add" => "დამატება",
"Phone" => "ტელეფონი",
"Email" => "იმეილი",
"Address" => "მისამართი",
"Note" => "შენიშვნა",
-"Download contact" => "კონტაქტის ჩამოტვირთვა",
"Delete contact" => "კონტაქტის წაშლა",
+"City" => "ქალაქი",
+"Country" => "ქვეყანა",
+"Share" => "გაზიარება",
+"Export" => "ექსპორტი",
+"Add Contact" => "კონტაქტის დამატება",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Edit groups" => "ჯგუფების რედაქტირება",
+"Enter email address" => "ჩაწერეთ იმეილ მისამართი",
+"Add field" => "დაამატე ველი",
+"Download contact" => "კონტაქტის ჩამოტვირთვა",
"Edit address" => "მისამართის რედაქტირება",
"Type" => "ტიპი",
"PO Box" => "PO ყუთი",
"Extended" => "Extended",
-"City" => "ქალაქი",
"Region" => "რეგიონი",
"Zipcode" => "Zip კოდი",
-"Country" => "ქვეყანა",
"Addressbook" => "მისამარტების ზიგნი",
"Miss" => "მისის",
"Ms" => "მის",
"Mr" => "მისტერ",
"Sir" => "სერ",
-"Add contact" => "კონტაქტის დამატება",
"more info" => "უფრო მეტი ინფორმაცია",
+"Primary address (Kontact et al)" => "პირველადი მისამართი (Kontact et al)",
+"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "მისამართის წიგნები",
"New Address Book" => "ახალი მისამართების წიგნი",
+"Name" => "სახელი",
"Save" => "შენახვა"
);
diff --git a/l10n/ko.php b/l10n/ko.php
index bd4ed0fa..2eaeaa64 100644
--- a/l10n/ko.php
+++ b/l10n/ko.php
@@ -1,89 +1,122 @@
"주소록을 (비)활성화하는 데 실패했습니다.",
-"id is not set." => "아이디가 설정되어 있지 않습니다. ",
-"Cannot update addressbook with an empty name." => "주소록에 이름란이 비어있으면 업데이트를 할 수 없습니다. ",
-"No ID provided" => "제공되는 아이디 없음",
-"Error setting checksum." => "오류 검사합계 설정",
-"No categories selected for deletion." => "삭제 카테고리를 선택하지 않았습니다. ",
+"id is not set." => "ID가 설정되어 있지 않습니다. ",
+"Cannot update addressbook with an empty name." => "주소록 이름이 비어 있으면 업데이트할 수 없습니다.",
+"No category name given." => "분류 이름이 입력되지 않았습니다.",
+"Error adding group." => "그룹을 추가하는 중 오류가 발생하였습니다.",
+"Group ID missing from request." => "요청에 그룹 ID가 누락되었습니다.",
+"Contact ID missing from request." => "요청에 연락처 ID가 누락되었습니다.",
+"No ID provided" => "ID가 지정되지 않았음",
+"Error setting checksum." => "체크섬을 설정하는 중 오류가 발생하였습니다.",
+"No categories selected for deletion." => "삭제할 분류를 선택하지 않았습니다. ",
"No address books found." => "주소록을 찾을 수 없습니다.",
"No contacts found." => "연락처를 찾을 수 없습니다.",
-"element name is not set." => "element 이름이 설정되지 않았습니다.",
-"Could not parse contact: " => "연락처를 구분할 수 없습니다:",
-"Cannot add empty property." => "빈 속성을 추가할 수 없습니다.",
-"At least one of the address fields has to be filled out." => "최소한 하나의 주소록 항목을 입력해야 합니다.",
-"Trying to add duplicate property: " => "중복 속성 추가 시도: ",
-"Missing IM parameter." => "IM 매개 변수 분실.",
-"Unknown IM: " => "알려지지 않은 IM:",
-"Information about vCard is incorrect. Please reload the page." => "vCard 정보가 올바르지 않습니다. 페이지를 새로 고치십시오.",
-"Missing ID" => "아이디 분실",
-"Error parsing VCard for ID: \"" => "아이디에 대한 VCard 분석 오류",
+"element name is not set." => "원소 이름이 설정되지 않았습니다.",
"checksum is not set." => "체크섬이 설정되지 않았습니다.",
-"Information about vCard is incorrect. Please reload the page: " => " vCard에 대한 정보가 잘못되었습니다. 페이지를 다시 로드하세요:",
-"Something went FUBAR. " => "무언가가 FUBAR로 감.",
-"No contact ID was submitted." => "접속 아이디가 기입되지 않았습니다.",
-"Error reading contact photo." => "사진 읽기 오류",
+"Information about vCard is incorrect. Please reload the page." => "vCard 정보가 올바르지 않습니다. 페이지를 새로 고치십시오.",
+"Couldn't find vCard for %d." => "%d의 vCard를 찾을 수 없습니다.",
+"Information about vCard is incorrect. Please reload the page: " => " vCard 정보가 올바르지 않습니다. 페이지를 새로 고치십시오:",
+"Something went FUBAR. " => "알 수 없는 오류가 발생하였습니다.",
+"Cannot save property of type \"%s\" as array" => "\"%s\" 형식의 속성을 배열로 저장할 수 없습니다",
+"Missing IM parameter." => "IM 매개 변수가 없습니다.",
+"Unknown IM: " => "알 수 없는 IM:",
+"No contact ID was submitted." => "연락처 ID가 지정되지 않았습니다.",
+"Error reading contact photo." => "연락처 사진을 불러올 수 없습니다.",
"Error saving temporary file." => "임시 파일을 저장하는 동안 오류가 발생했습니다. ",
-"The loading photo is not valid." => "로딩 사진이 유효하지 않습니다. ",
-"Contact ID is missing." => "접속 아이디가 없습니다. ",
-"No photo path was submitted." => "사진 경로가 제출되지 않았습니다. ",
-"File doesn't exist:" => "파일이 존재하지 않습니다. ",
-"Error loading image." => "로딩 이미지 오류입니다.",
-"Error getting contact object." => "연락처 개체를 가져오는 중 오류가 발생했습니다. ",
+"The loading photo is not valid." => "로딩 사진이 올바르지 않습니다. ",
+"Contact ID is missing." => "연락처 ID가 없습니다. ",
+"No photo path was submitted." => "사진 경로가 지정되지 않았습니다. ",
+"File doesn't exist:" => "파일이 존재하지 않습니다:",
+"Error loading image." => "그림을 불러올 수 없습니다.",
+"Error getting contact object." => "연락처 객체를 가져오는 중 오류가 발생했습니다. ",
"Error getting PHOTO property." => "사진 속성을 가져오는 중 오류가 발생했습니다. ",
"Error saving contact." => "연락처 저장 중 오류가 발생했습니다.",
-"Error resizing image" => "이미지 크기 조정 중 오류가 발생했습니다.",
-"Error cropping image" => "이미지를 자르던 중 오류가 발생했습니다.",
-"Error creating temporary image" => "임시 이미지를 생성 중 오류가 발생했습니다.",
-"Error finding image: " => "이미지를 찾던 중 오류가 발생했습니다:",
-"Error uploading contacts to storage." => "스토리지 에러 업로드 연락처.",
-"There is no error, the file uploaded with success" => "오류없이 파일업로드 성공.",
-"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "php.ini 형식으로 업로드 된 이 파일은 MAX_FILE_SIZE를 초과하였다.",
-"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "HTML형식으로 업로드 된 이 파일은 MAX_FILE_SIZE를 초과하였다.",
-"The uploaded file was only partially uploaded" => "이 업로드된 파일은 부분적으로만 업로드 되었습니다.",
-"No file was uploaded" => "파일이 업로드 되어있지 않습니다",
-"Missing a temporary folder" => "임시 폴더 분실",
-"Couldn't save temporary image: " => "임시 이미지를 저장할 수 없습니다:",
-"Couldn't load temporary image: " => "임시 이미지를 불러올 수 없습니다. ",
-"No file was uploaded. Unknown error" => "파일이 업로드 되지 않았습니다. 알 수 없는 오류.",
+"Error resizing image" => "그림 크기 조절 오류",
+"Error cropping image" => "그림 자르기 오류",
+"Error creating temporary image" => "임시 그림 생성 오류",
+"Error finding image: " => "그림 검색 오류:",
+"Key is not set for: " => "키가 설정되지 않음:",
+"Value is not set for: " => "값이 설정되지 않음:",
+"Could not set preference: " => "우선 순위를 설정할 수 없음:",
+"Error uploading contacts to storage." => "연락처를 저장소에 업로드하는 중 오류가 발생하였습니다.",
+"There is no error, the file uploaded with success" => "파일 업로드에 성공하였습니다.",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "업로드한 파일 크기가 php.ini의 upload_max_filesize보다 큼",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "업로드한 파일 크기가 HTML 폼의 MAX_FILE_SIZE보다 큼",
+"The uploaded file was only partially uploaded" => "파일의 일부분만 업로드됨",
+"No file was uploaded" => "파일이 업로드되지 않았음",
+"Missing a temporary folder" => "임시 폴더가 없음",
+"Couldn't save temporary image: " => "임시 그림을 저장할 수 없음:",
+"Couldn't load temporary image: " => "임시 그림을 불러올 수 없음:",
+"No file was uploaded. Unknown error" => "파일이 업로드되지 않았습니다. 알 수 없는 오류입니다",
"Contacts" => "연락처",
-"Sorry, this functionality has not been implemented yet" => "죄송합니다. 이 기능은 아직 구현되지 않았습니다. ",
-"Not implemented" => "구현되지 않음",
-"Couldn't get a valid address." => "유효한 주소를 얻을 수 없습니다.",
+"Contact is already in this group." => "이 그룹에 연락처가 이미 존재합니다.",
+"Contacts are already in this group." => "이 그룹에 연락처가 이미 존재합니다.",
+"Couldn't get contact list." => "연락처 목록을 가져올 수 없습니다.",
+"Contact is not in this group." => "연락처가 이 그룹에 없습니다.",
+"Contacts are not in this group." => "연락처가 이 그룹에 없습니다.",
+"A group named {group} already exists" => "그룹 {group}이(가) 이미 존재함",
+"You can drag groups to\narrange them as you like." => "원하는 대로 그룹을 드래그하여\n정리할 수 있습니다.",
+"All" => "모두",
+"Favorites" => "즐겨찾기",
+"Shared by {owner}" => "{owner} 님이 공유함",
+"Indexing contacts" => "연락처 인덱스 작성 중",
+"Add to..." => "다음에 추가...",
+"Remove from..." => "다음에서 삭제...",
+"Add group..." => "그룹 추가...",
+"Select photo" => "사진 선택",
+"Network or server error. Please inform administrator." => "네트워크 및 서버 오류입니다. 관리자에게 알려 주십시오.",
+"Error adding to group." => "그룹에 추가하는 중 오류가 발생하였습니다.",
+"Error removing from group." => "그룹에서 삭제하는 중 오류가 발생하였습니다.",
+"There was an error opening a mail composer." => "메일 작성기를 여는 중 오류가 발생하였습니다.",
+"Deleting done. Click here to cancel reloading." => "삭제가 완료되었습니다. 새로 고침을 취소하려면 누르십시오.",
+"Add address book" => "주소록 추가",
+"Import done. Click here to cancel reloading." => "가져오기가 완료되었습니다. 새로 고침을 취소하려면 누르십시오.",
+"Not all files uploaded. Retrying..." => "모든 파일이 업로드되지 않았습니다. 다시 시도하는 중...",
+"Something went wrong with the upload, please retry." => "업로드 중 오류가 발생하였습니다. 다시 시도해 주십시오.",
"Error" => "오류",
-"Enter name" => "이름을 입력",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format custom, Short name, Full name, Reverse or Reverse with comma",
-"Select type" => "유형 선택",
-"You do not have permission to add contacts to " => "당신은 연락처를 추가 할 수 있는 권한이 없습니다. ",
-"Please select one of your own address books." => "당신의 Own 주소록 중 하나만 선택 하세요.",
-"Permission error" => "권한 에러",
-"This property has to be non-empty." => "이 속성은 비어있어서는 안됩니다.",
-"Couldn't serialize elements." => "요소를 직렬화 할 수 없습니다.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty'가 문서형식이 없이 불려왔습니다. bugs.owncloud.org에 보고해주세요. ",
-"Edit name" => "이름 편집",
-"No files selected for upload." => "업로드를 위한 파일이 선택되지 않았습니다. ",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "이 파일은 이 서버 파일 업로드 최대 용량을 초과 합니다. ",
-"Error loading profile picture." => "프로필 사진 로딩 에러",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "일부 연락처가 삭제 표시 되었으나 아직 삭제되지 않았습니다. 삭제가 끝날 때 까지 기다려 주세요.",
-"Do you want to merge these address books?" => "이 주소록을 통합하고 싶으십니까?",
-"Result: " => "결과:",
-" imported, " => "불러오기,",
-" failed." => "실패.",
-"Displayname cannot be empty." => "디스플레이 이름은 비워둘 수 없습니다. ",
-"Show CardDav link" => "CardDav 링크를 표시",
-"Show read-only VCF link" => "읽기전용 VCF 링크 표시",
+"Importing from {filename}..." => "{filename}에서 가져오는 중...",
+"{success} imported, {failed} failed." => "항목 {success}개를 가져왔으며, {failed}개는 실패하였습니다.",
+"Importing..." => "가져오는 중...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "디렉터리 및 빈 파일은 업로드할 수 없습니다",
+"Upload Error" => "업로드 오류",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "업로드할 파일이 서버의 최대 업로드 파일 크기를 초과합니다.",
+"Upload too large" => "업로드한 파일이 너무 큼",
+"Pending" => "대기 중",
+"Add group" => "그룹 추가",
+"No files selected for upload." => "업로드할 파일이 선택되지 않았습니다.",
+"Edit profile picture" => "프로필 사진 편집",
+"Error loading profile picture." => "프로필 사진을 불러오는 중 오류가 발생하였습니다.",
+"Enter name" => "이름 입력",
+"Enter description" => "설명 입력",
+"Select addressbook" => "주소록 선택",
+"The address book name cannot be empty." => "주소록 이름을 비워둘 수 없습니다.",
+"Is this correct?" => "이 정보가 정확합니까?",
+"There was an unknown error when trying to delete this contact" => "이 연락처를 삭제할 때 알 수 없는 오류가 발생하였습니다",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "일부 연락처가 삭제하기로 표시되었지만 아직 삭제되지 않았습니다. 삭제하는 동안 잠시 기다려 주십시오.",
+"Click to undo deletion of {num} contacts" => "연락처 {num}개 삭제를 취소하려면 누르십시오",
+"Cancelled deletion of {num}" => "{num} 개의 삭제를 캔슬했습니다",
+"Result: " => "결과: ",
+" imported, " => "개 항목 가져옴,",
+" failed." => "개 항목 가져오기 실패.",
+"Displayname cannot be empty." => "표시 이름을 입력해야 합니다.",
+"Show CardDav link" => "CardDAV 링크 표시",
+"Show read-only VCF link" => "읽기 전용 VCF 링크 표시",
"Download" => "다운로드",
"Edit" => "편집",
"Delete" => "삭제",
"Cancel" => "취소",
-"More..." => "더...",
-"Addressbook not found: " => "주소록을 찾지 못하였습니다:",
-"This is not your addressbook." => "내 주소록이 아닙니다.",
-"Contact could not be found." => "연락처를 찾을 수 없습니다.",
+"More..." => "더 보기...",
+"Less..." => "덜 보기...",
+"You do not have the permissions to read this addressbook." => "이 주소록을 읽을 수 있는 권한이 없습니다.",
+"You do not have the permissions to update this addressbook." => "이 주소록을 업데이트할 수 있는 권한이 없습니다.",
+"There was an error updating the addressbook." => "주소록을 업데이트하는 중 오류가 발생하였습니다.",
+"You do not have the permissions to delete this addressbook." => "이 주소록을 삭제할 수 있는 권한이 없습니다.",
+"There was an error deleting this addressbook." => "이 주소록을 삭제하는 중 오류가 발생하였습니다.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
"Twitter" => "Twitter",
-"GoogleTalk" => "GoogleTalk",
+"GoogleTalk" => "Google 토크",
"Facebook" => "Facebook",
"XMPP" => "XMPP",
"ICQ" => "ICQ",
@@ -92,111 +125,143 @@
"QQ" => "QQ",
"GaduGadu" => "GaduGadu",
"Work" => "직장",
-"Home" => "자택",
-"Other" => "그 외",
+"Home" => "가정",
+"Other" => "기타",
"Mobile" => "휴대폰",
-"Text" => "문자 번호",
-"Voice" => "음성 번호",
-"Message" => "메세지",
-"Fax" => "팩스 번호",
-"Video" => "영상 번호",
+"Text" => "TTY TDD",
+"Voice" => "음성 사서함",
+"Message" => "메시지",
+"Fax" => "팩스",
+"Video" => "화상 전화",
"Pager" => "호출기",
"Internet" => "인터넷",
-"Birthday" => "생일",
-"Business" => "비즈니스",
-"Call" => "전화",
-"Clients" => "고객",
-"Deliverer" => "운송자",
-"Holidays" => "휴가",
-"Ideas" => "아이디어",
-"Journey" => "여행",
-"Jubilee" => "축제",
-"Meeting" => "미팅",
-"Personal" => "개인의",
-"Projects" => "프로젝트",
-"Questions" => "질문",
-"{name}'s Birthday" => "{이름}의 생일",
+"Friends" => "친구",
+"Family" => "가족",
+"There was an error deleting properties for this contact." => "이 연락처의 속성을 삭제하는 중 오류가 발생하였습니다.",
+"{name}'s Birthday" => "{name}의 생일",
"Contact" => "연락처",
-"You do not have the permissions to edit this contact." => "당신은 연락처를 수정할 권한이 없습니다. ",
-"You do not have the permissions to delete this contact." => "당신은 연락처를 삭제할 권한이 없습니다. ",
-"Add Contact" => "연락처 추가",
-"Import" => "입력",
+"You do not have the permissions to add contacts to this addressbook." => "이 주소록에 연락처를 추가할 수 있는 권한이 없습니다.",
+"Could not find the vCard with ID." => "ID로 vCard를 찾을 수 없습니다.",
+"You do not have the permissions to edit this contact." => "이 연락처를 수정할 수 있는 권한이 없습니다.",
+"Could not find the vCard with ID: " => "다음 ID의 vCard를 찾을 수 없습니다:",
+"Could not find the Addressbook with ID: " => "다음 ID의 주소록 찾을 수 없습니다:",
+"You do not have the permissions to delete this contact." => "이 연락처를 삭제할 수 있는 권한이 없습니다.",
+"There was an error deleting this contact." => "이 연락처를 삭제하는 중 오류가 발생하였습니다.",
+"Contact not found." => "연락처를 찾을 수 없습니다.",
+"HomePage" => "홈 페이지",
+"New Group" => "새 그룹",
"Settings" => "설정",
+"Address books" => "주소록",
+"Import" => "가져오기",
+"Select files to import" => "가져올 파일 선택",
+"Select files" => "파일 선택",
+"Import into:" => "다음으로 가져오기:",
+"OK" => "확인",
+"(De-)select all" => "전체 선택(해제)",
+"New Contact" => "새 연락처",
+"Groups" => "그룹",
+"Favorite" => "즐겨찾기",
+"Delete Contact" => "연락처 삭제",
"Close" => "닫기",
-"Keyboard shortcuts" => "단축키",
-"Navigation" => "네비게이션",
-"Next contact in list" => "목록에서의 다음 연락처",
-"Previous contact in list" => "목록에서의 이전 연락처",
-"Expand/collapse current addressbook" => "현재 주소록을 확장/축소",
+"Keyboard shortcuts" => "키보드 단축키",
+"Navigation" => "탐색",
+"Next contact in list" => "목록의 다음 연락처",
+"Previous contact in list" => "목록의 이전 연락처",
+"Expand/collapse current addressbook" => "현재 주소록 펴기/접기",
"Next addressbook" => "다음 주소록",
"Previous addressbook" => "이전 주소록",
-"Actions" => "작업",
+"Actions" => "동작",
"Refresh contacts list" => "연락처 목록 새로 고침",
-"Add new contact" => "새로운 연락처 추가",
-"Add new addressbook" => "새로운 주소록 추가",
+"Add new contact" => "새 연락처 추가",
+"Add new addressbook" => "새 주소록 추가",
"Delete current contact" => "현재 연락처 삭제",
-"Drop photo to upload" => "Drop photo to upload",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
주소록에 연락처가 없습니다.
새 연락처를 추가하거나 VCF 파일에서 연락처를 가져올 수 있습니다.
",
+"Add contact" => "연락처 추가",
+"Compose mail" => "메일 작성",
+"Delete group" => "그룹 삭제",
"Delete current photo" => "현재 사진 삭제",
"Edit current photo" => "현재 사진 편집",
"Upload new photo" => "새로운 사진 업로드",
"Select photo from ownCloud" => "ownCloud에서 사진 선택",
-"Edit name details" => "이름 세부사항을 편집합니다. ",
-"Organization" => "조직",
+"First name" => "이름",
+"Additional names" => "추가 이름",
+"Last name" => "성",
"Nickname" => "별명",
"Enter nickname" => "별명 입력",
+"Title" => "직위",
+"Enter title" => "제목 입력",
+"Organization" => "조직",
+"Enter organization" => "조직명 입력",
+"Birthday" => "생일",
+"Notes go here..." => "메모를 입력하십시오...",
+"Add" => "추가",
+"Phone" => "전화번호",
+"Email" => "이메일",
+"Instant Messaging" => "인스턴트 메시징",
+"Address" => "주소",
+"Note" => "메모",
"Web site" => "웹 사이트",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "웹 사이트로 가기",
-"dd-mm-yyyy" => "일-월-년",
-"Groups" => "그룹",
-"Separate groups with commas" => "쉼표로 그룹 구분",
-"Edit groups" => "그룹 편집",
+"Delete contact" => "연락처 삭제",
"Preferred" => "선호함",
-"Please specify a valid email address." => "올바른 이메일 주소를 입력하세요.",
-"Enter email address" => "이메일 주소 입력",
-"Mail to address" => "이메일 주소",
-"Delete email address" => "이메일 주소 삭제",
+"Please specify a valid email address." => "올바른 이메일 주소를 입력하십시오.",
+"someone@example.com" => "someone@example.com",
+"Mail to address" => "메일 보내기",
+"Delete email address" => "메일 주소 삭제",
"Enter phone number" => "전화번호 입력",
"Delete phone number" => "전화번호 삭제",
+"Go to web site" => "웹 사이트로 이동",
+"Delete URL" => "URL 삭제",
+"View on map" => "지도에 표시",
+"Delete address" => "주소 삭제",
+"1 Main Street" => "종로 1",
+"Street address" => "거리 주소",
+"12345" => "12345",
+"Postal code" => "우편번호",
+"Your city" => "도시",
+"City" => "도시",
+"Some region" => "지역",
+"State or province" => "주 또는 도",
+"Your country" => "국가",
+"Country" => "국가",
"Instant Messenger" => "인스턴트 메신저",
"Delete IM" => "IM 삭제",
-"View on map" => "지도에서 보기",
-"Edit address details" => "상세 주소 수정",
-"Add notes here." => "여기에 노트 추가.",
-"Add field" => "파일 추가",
-"Phone" => "전화 번호",
-"Email" => "전자 우편",
-"Instant Messaging" => "인스턴트 메세지",
-"Address" => "주소",
-"Note" => "노트",
+"Share" => "공유",
+"Export" => "내보내기",
+"CardDAV link" => "CardDAV 링크",
+"Add Contact" => "연락처 추가",
+"Drop photo to upload" => "사진을 끌어다 놓아서 업로드",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "사용자 정의 형식,짧은 이름,이름 성,성 이름 및 쉼표로 구분된 성 이름",
+"Edit name details" => "이름 정보 편집",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "yyyy-mm-dd",
+"Separate groups with commas" => "쉼표로 그룹 구분",
+"Edit groups" => "그룹 편집",
+"Enter email address" => "메일 주소 입력",
+"Edit address details" => "자세한 정보 편집",
+"Add notes here." => "여기에 메모를 추가하십시오.",
+"Add field" => "항목 추가",
"Download contact" => "연락처 다운로드",
-"Delete contact" => "연락처 삭제",
-"The temporary image has been removed from cache." => "임시 이미지가 캐시에서 제거 되었습니다. ",
-"Edit address" => "주소 수정",
+"The temporary image has been removed from cache." => "임시 그림이 캐시에서 삭제되었습니다. ",
+"Edit address" => "주소 편집",
"Type" => "종류",
"PO Box" => "사서함",
-"Street address" => "번지",
-"Street and number" => "거리와 번호",
-"Extended" => "확장",
-"Apartment number etc." => "아파트 호수 그 외.",
-"City" => "도시",
+"Street and number" => "거리 이름 및 번지",
+"Extended" => "주소 2",
+"Apartment number etc." => "아파트 호수 등",
"Region" => "지역",
-"E.g. state or province" => "예를 들어 구 또는 도",
-"Zipcode" => "우편 번호",
-"Postal code" => "우편 번호",
-"Country" => "국가",
+"E.g. state or province" => "예: 주 또는 도",
+"Zipcode" => "우편번호",
"Addressbook" => "주소록",
-"Hon. prefixes" => "Hon. prefixes",
+"Hon. prefixes" => "존칭 접두사",
"Miss" => "Miss",
"Ms" => "Ms",
"Mr" => "Mr",
"Sir" => "Sir",
"Mrs" => "Mrs",
-"Dr" => "Dr",
-"Given name" => "Given name",
-"Additional names" => "추가 이름",
+"Dr" => "박사",
+"Given name" => "이름",
"Family name" => "성",
-"Hon. suffixes" => "Hon. suffixes",
+"Hon. suffixes" => "존칭 접미사",
"J.D." => "J.D.",
"M.D." => "M.D.",
"D.O." => "D.O.",
@@ -205,22 +270,20 @@
"Esq." => "Esq.",
"Jr." => "Jr.",
"Sn." => "Sn.",
-"Import a contacts file" => "연락처 파일 입력",
-"Please choose the addressbook" => "주소록을 선택해 주세요.",
+"Import a contacts file" => "연락처 파일 가져오기",
+"Please choose the addressbook" => "주소록 선택",
"create a new addressbook" => "새 주소록 만들기",
"Name of new addressbook" => "새 주소록 이름",
-"Importing contacts" => "연락처 입력",
-"Add contact" => "연락처 추가",
+"Importing contacts" => "연락처 가져오기",
+"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
현재 주소록에 연락처가 없습니다.
주소록 상의 연락처 목록에 VCF 파일을 끌어다 놓아서 업로드하거나, 주소록 목록의 빈 곳에 끌어다 놓으면 주소록을 만들어서 업로드합니다. 목록 아래쪽의 가져오기 단추를 눌러서 가져올 수 있습니다.
",
"Select Address Books" => "주소록 선택",
-"Enter description" => "설명을 입력",
-"CardDAV syncing addresses" => "CardDAV 주소 동기화",
+"CardDAV syncing addresses" => "CardDAV 동기화 주소",
"more info" => "더 많은 정보",
-"Primary address (Kontact et al)" => "기본 주소 (Kontact et al)",
+"Primary address (Kontact et al)" => "주 주소(Kontact 등)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "주소록",
-"Share" => "공유",
-"New Address Book" => "새 주소록",
+"New Address Book" => "새로운 주소록",
"Name" => "이름",
-"Description" => "종류",
+"Description" => "설명",
"Save" => "저장"
);
diff --git a/l10n/ku_IQ.php b/l10n/ku_IQ.php
new file mode 100644
index 00000000..dcadb05e
--- /dev/null
+++ b/l10n/ku_IQ.php
@@ -0,0 +1,16 @@
+ "پهڕگهکه ههبوون نیه:",
+"Error" => "ههڵه",
+"Importing..." => "دههێنرێت...",
+"Download" => "داگرتن",
+"Settings" => "دهستكاری",
+"Import" => "هێنان",
+"Close" => "داخستن",
+"Title" => "ناونیشان",
+"Add" => "زیادکردن",
+"Email" => "ئیمهیل",
+"Address" => "ناونیشان",
+"Export" => "ههناردن",
+"Name" => "ناو",
+"Save" => "پاشکهوتکردن"
+);
diff --git a/l10n/lb.php b/l10n/lb.php
index a070edd2..ae9788a3 100644
--- a/l10n/lb.php
+++ b/l10n/lb.php
@@ -6,10 +6,7 @@
"No categories selected for deletion." => "Keng Kategorien fir ze läschen ausgewielt.",
"No address books found." => "Keen Adressbuch fonnt.",
"No contacts found." => "Keng Kontakter fonnt.",
-"Cannot add empty property." => "Ka keng eidel Proprietéit bäisetzen.",
-"Trying to add duplicate property: " => "Probéieren duebel Proprietéit bäi ze setzen:",
"Information about vCard is incorrect. Please reload the page." => "Informatioun iwwert vCard ass net richteg. Lued d'Säit wegl nei.",
-"Missing ID" => "ID fehlt",
"No contact ID was submitted." => "Kontakt ID ass net mat geschéckt ginn.",
"Error reading contact photo." => "Fehler beim liesen vun der Kontakt Photo.",
"Error saving temporary file." => "Fehler beim späicheren vum temporäre Fichier.",
@@ -17,19 +14,25 @@
"Contact ID is missing." => "Kontakt ID fehlt.",
"File doesn't exist:" => "Fichier existéiert net:",
"Error loading image." => "Fehler beim lueden vum Bild.",
+"There is no error, the file uploaded with success" => "Keen Feeler, Datei ass komplett ropgelueden ginn",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Déi ropgelueden Datei ass méi grouss wei d'upload_max_filesize Eegenschaft an der php.ini",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Déi ropgelueden Datei ass méi grouss wei d'MAX_FILE_SIZE Eegenschaft déi an der HTML form uginn ass",
+"The uploaded file was only partially uploaded" => "Déi ropgelueden Datei ass nëmmen hallef ropgelueden ginn",
"No file was uploaded" => "Et ass kee Fichier ropgeluede ginn",
+"Missing a temporary folder" => "Et feelt en temporären Dossier",
"Contacts" => "Kontakter",
"Error" => "Fehler",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Kann deng Datei net eroplueden well et en Dossier ass oder 0 byte grouss ass.",
+"Upload Error" => "Fehler beim eroplueden",
"Result: " => "Resultat: ",
" imported, " => " importéiert, ",
"Download" => "Download",
"Edit" => "Editéieren",
"Delete" => "Läschen",
"Cancel" => "Ofbriechen",
-"This is not your addressbook." => "Dat do ass net däin Adressbuch.",
-"Contact could not be found." => "Konnt den Kontakt net fannen.",
"Work" => "Aarbecht",
"Home" => "Doheem",
+"Other" => "Aner",
"Mobile" => "GSM",
"Text" => "SMS",
"Voice" => "Voice",
@@ -38,41 +41,47 @@
"Video" => "Video",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Gebuertsdag",
"{name}'s Birthday" => "{name} säi Gebuertsdag",
"Contact" => "Kontakt",
-"Add Contact" => "Kontakt bäisetzen",
+"Settings" => "Astellungen",
+"Import" => "Import",
+"Groups" => "Gruppen",
"Close" => "Zoumaachen",
-"Organization" => "Firma",
+"Additional names" => "Weider Nimm",
"Nickname" => "Spëtznumm",
"Enter nickname" => "Gëff e Spëtznumm an",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "Gruppen",
-"Edit groups" => "Gruppen editéieren",
-"Enter phone number" => "Telefonsnummer aginn",
-"Delete phone number" => "Telefonsnummer läschen",
-"View on map" => "Op da Kaart uweisen",
-"Edit address details" => "Adress Detailer editéieren",
+"Title" => "Titel",
+"Organization" => "Firma",
+"Birthday" => "Gebuertsdag",
+"Add" => "Dobäisetzen",
"Phone" => "Telefon",
"Email" => "Email",
"Address" => "Adress",
"Note" => "Note",
-"Download contact" => "Kontakt eroflueden",
"Delete contact" => "Kontakt läschen",
+"Enter phone number" => "Telefonsnummer aginn",
+"Delete phone number" => "Telefonsnummer läschen",
+"View on map" => "Op da Kaart uweisen",
+"City" => "Staat",
+"Country" => "Land",
+"Share" => "Deelen",
+"Export" => "Export",
+"Add Contact" => "Kontakt bäisetzen",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Edit groups" => "Gruppen editéieren",
+"Edit address details" => "Adress Detailer editéieren",
+"Download contact" => "Kontakt eroflueden",
"Type" => "Typ",
"PO Box" => "Postleetzuel",
"Extended" => "Erweidert",
-"City" => "Staat",
"Region" => "Regioun",
"Zipcode" => "Postleetzuel",
-"Country" => "Land",
"Addressbook" => "Adressbuch",
"Mr" => "M",
"Sir" => "Sir",
"Mrs" => "Mme",
"Dr" => "Dr",
"Given name" => "Virnumm",
-"Additional names" => "Weider Nimm",
"Family name" => "Famillje Numm",
"Ph.D." => "Ph.D.",
"Jr." => "Jr.",
@@ -80,5 +89,6 @@
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Adressbicher ",
"New Address Book" => "Neit Adressbuch",
+"Name" => "Numm",
"Save" => "Späicheren"
);
diff --git a/l10n/lt_LT.php b/l10n/lt_LT.php
index 21d367a4..44dbb276 100644
--- a/l10n/lt_LT.php
+++ b/l10n/lt_LT.php
@@ -1,5 +1,6 @@
"Klaida (de)aktyvuojant adresų knygą.",
+"No categories selected for deletion." => "Trynimui nepasirinkta jokia kategorija.",
"No contacts found." => "Kontaktų nerasta.",
"Information about vCard is incorrect. Please reload the page." => "Informacija apie vCard yra neteisinga. ",
"Error reading contact photo." => "Klaida skaitant kontakto nuotrauką.",
@@ -11,15 +12,21 @@
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Įkeliamo failo dydis viršija MAX_FILE_SIZE nustatymą, kuris naudojamas HTML formoje.",
"The uploaded file was only partially uploaded" => "Failas buvo įkeltas tik dalinai",
"No file was uploaded" => "Nebuvo įkeltas joks failas",
+"Missing a temporary folder" => "Nėra laikinojo katalogo",
"Contacts" => "Kontaktai",
+"Error" => "Klaida",
+"Importing..." => "Importuojama...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Neįmanoma įkelti failo - jo dydis gali būti 0 bitų arba tai katalogas",
+"Upload Error" => "Įkėlimo klaida",
+"Upload too large" => "Įkėlimui failas per didelis",
+"Pending" => "Laukiantis",
"Download" => "Atsisiųsti",
"Edit" => "Keisti",
"Delete" => "Trinti",
"Cancel" => "Atšaukti",
-"This is not your addressbook." => "Tai ne jūsų adresų knygelė.",
-"Contact could not be found." => "Kontaktas nerastas",
"Work" => "Darbo",
"Home" => "Namų",
+"Other" => "Kita",
"Mobile" => "Mobilusis",
"Text" => "Žinučių",
"Voice" => "Balso",
@@ -28,25 +35,35 @@
"Video" => "Vaizdo",
"Pager" => "Pranešimų gaviklis",
"Internet" => "Internetas",
-"Birthday" => "Gimtadienis",
"Contact" => "Kontaktas",
-"Add Contact" => "Pridėti kontaktą",
-"Organization" => "Organizacija",
+"Settings" => "Nustatymai",
+"Import" => "Importuoti",
+"OK" => "Gerai",
+"Groups" => "Grupės",
+"Close" => "Užverti",
"Nickname" => "Slapyvardis",
"Enter nickname" => "Įveskite slapyvardį",
+"Title" => "Pavadinimas",
+"Organization" => "Organizacija",
+"Birthday" => "Gimtadienis",
+"Add" => "Pridėti",
"Phone" => "Telefonas",
"Email" => "El. paštas",
"Address" => "Adresas",
-"Download contact" => "Atsisųsti kontaktą",
"Delete contact" => "Ištrinti kontaktą",
+"City" => "Miestas",
+"Country" => "Šalis",
+"Share" => "Dalintis",
+"Export" => "Eksportuoti",
+"Add Contact" => "Pridėti kontaktą",
+"Download contact" => "Atsisųsti kontaktą",
"Type" => "Tipas",
"PO Box" => "Pašto dėžutė",
-"City" => "Miestas",
"Region" => "Regionas",
"Zipcode" => "Pašto indeksas",
-"Country" => "Šalis",
"Addressbook" => "Adresų knyga",
"Addressbooks" => "Adresų knygos",
"New Address Book" => "Nauja adresų knyga",
+"Name" => "Pavadinimas",
"Save" => "Išsaugoti"
);
diff --git a/l10n/lv.php b/l10n/lv.php
new file mode 100644
index 00000000..5ced3a31
--- /dev/null
+++ b/l10n/lv.php
@@ -0,0 +1,20 @@
+ "Viss kārtībā, augšupielāde veiksmīga",
+"No file was uploaded" => "Neviens fails netika augšuplādēts",
+"Missing a temporary folder" => "Trūkst pagaidu mapes",
+"Error" => "Kļūme",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Nav iespējams augšuplādēt jūsu failu, jo tāds jau eksistē vai arī failam nav izmēra (0 baiti)",
+"Upload Error" => "Augšuplādēšanas laikā radās kļūda",
+"Upload too large" => "Fails ir par lielu lai to augšuplādetu",
+"Pending" => "Gaida savu kārtu",
+"Download" => "Lejuplādēt",
+"Delete" => "Izdzēst",
+"Other" => "Cits",
+"Settings" => "Iestatījumi",
+"Groups" => "Grupas",
+"Title" => "Nosaukums",
+"Email" => "Epasts",
+"Share" => "Līdzdalīt",
+"Name" => "Nosaukums",
+"Save" => "Saglabāt"
+);
diff --git a/l10n/mk.php b/l10n/mk.php
index 07e85e41..b228d5e9 100644
--- a/l10n/mk.php
+++ b/l10n/mk.php
@@ -8,13 +8,8 @@
"No address books found." => "Не се најдени адресари.",
"No contacts found." => "Не се најдени контакти.",
"element name is not set." => "име за елементот не е поставена.",
-"Cannot add empty property." => "Неможе да се додаде празна вредност.",
-"At least one of the address fields has to be filled out." => "Барем една од полињата за адреса треба да биде пополнето.",
-"Trying to add duplicate property: " => "Се обидовте да внесете дупликат вредност:",
-"Information about vCard is incorrect. Please reload the page." => "Информацијата за vCard не е точна. Ве молам превчитајте ја страницава.",
-"Missing ID" => "Недостасува ИД",
-"Error parsing VCard for ID: \"" => "Грешка при парсирање VCard за ИД: \"",
"checksum is not set." => "сумата за проверка не е поставена.",
+"Information about vCard is incorrect. Please reload the page." => "Информацијата за vCard не е точна. Ве молам превчитајте ја страницава.",
"Information about vCard is incorrect. Please reload the page: " => "Информацијата за vCard не е точна. Ве молам превчитајте ја страницава:",
"Something went FUBAR. " => "Нешто се расипа.",
"No contact ID was submitted." => "Не беше доставено ИД за контакт.",
@@ -43,29 +38,25 @@
"Couldn't load temporary image: " => "Не можеше да се вчита привремената фотографија:",
"No file was uploaded. Unknown error" => "Ниту еден фајл не се вчита. Непозната грешка",
"Contacts" => "Контакти",
-"Sorry, this functionality has not been implemented yet" => "Жалам, оваа функционалност уште не е имплементирана",
-"Not implemented" => "Не е имплементирано",
-"Couldn't get a valid address." => "Не можев да добијам исправна адреса.",
+"Select photo" => "Одбери фотографија",
"Error" => "Грешка",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Прилагоден формат, кратко име, цело име, обратно или обратно со запирка",
-"Select type" => "Одбери тип",
-"This property has to be non-empty." => "Својството не смее да биде празно.",
-"Couldn't serialize elements." => "Не може да се серијализираат елементите.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' повикан без тип на аргументот. Пријавете грешка/проблем на bugs.owncloud.org",
-"Edit name" => "Уреди го името",
-"No files selected for upload." => "Ниту еден фајл не е избран за вчитување.",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Не може да се преземе вашата датотека бидејќи фолдерот во кој се наоѓа фајлот има големина од 0 бајти",
+"Upload Error" => "Грешка при преземање",
"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Датотеката која се обидувате да ја префрлите ја надминува максималната големина дефинирана за пренос на овој сервер.",
+"Upload too large" => "Фајлот кој се вчитува е преголем",
+"Pending" => "Чека",
+"No files selected for upload." => "Ниту еден фајл не е избран за вчитување.",
"Result: " => "Резултат: ",
" imported, " => "увезено,",
" failed." => "неуспешно.",
+"Displayname cannot be empty." => "Прикажаното име не може да биде празно.",
"Download" => "Преземи",
"Edit" => "Уреди",
"Delete" => "Избриши",
"Cancel" => "Откажи",
-"This is not your addressbook." => "Ова не е во Вашиот адресар.",
-"Contact could not be found." => "Контактот неможе да биде најден.",
"Work" => "Работа",
"Home" => "Дома",
+"Other" => "Останато",
"Mobile" => "Мобилен",
"Text" => "Текст",
"Voice" => "Глас",
@@ -74,51 +65,60 @@
"Video" => "Видео",
"Pager" => "Пејџер",
"Internet" => "Интернет",
-"Birthday" => "Роденден",
"{name}'s Birthday" => "Роденден на {name}",
"Contact" => "Контакт",
-"Add Contact" => "Додади контакт",
+"Settings" => "Параметри",
"Import" => "Внеси",
+"OK" => "Во ред",
+"Groups" => "Групи",
"Close" => "Затвои",
-"Drop photo to upload" => "Довлечкај фотографија за да се подигне",
+"Add contact" => "Додади контакт",
"Delete current photo" => "Избриши моментална фотографија",
"Edit current photo" => "Уреди моментална фотографија",
"Upload new photo" => "Подигни нова фотографија",
"Select photo from ownCloud" => "Изберете фотографија од ownCloud",
-"Edit name details" => "Уреди детали за име",
-"Organization" => "Организација",
+"Additional names" => "Дополнителни имиња",
"Nickname" => "Прекар",
"Enter nickname" => "Внеси прекар",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "Групи",
-"Separate groups with commas" => "Одвоете ги групите со запирка",
-"Edit groups" => "Уреди групи",
+"Title" => "Наслов",
+"Organization" => "Организација",
+"Birthday" => "Роденден",
+"Add" => "Додади",
+"Phone" => "Телефон",
+"Email" => "Е-пошта",
+"Address" => "Адреса",
+"Note" => "Забелешка",
+"Delete contact" => "Избриши го контактот",
"Preferred" => "Претпочитано",
"Please specify a valid email address." => "Ве молам внесете правилна адреса за е-пошта.",
-"Enter email address" => "Внесете е-пошта",
"Mail to address" => "Прати порака до адреса",
"Delete email address" => "Избриши адреса за е-пошта",
"Enter phone number" => "Внесете телефонски број",
"Delete phone number" => "Избриши телефонски број",
"View on map" => "Погледајте на мапа",
+"City" => "Град",
+"Country" => "Држава",
+"Share" => "Сподели",
+"Export" => "Извези",
+"Add Contact" => "Додади контакт",
+"Drop photo to upload" => "Довлечкај фотографија за да се подигне",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Прилагоден формат, кратко име, цело име, обратно или обратно со запирка",
+"Edit name details" => "Уреди детали за име",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "Одвоете ги групите со запирка",
+"Edit groups" => "Уреди групи",
+"Enter email address" => "Внесете е-пошта",
"Edit address details" => "Уреди детали за адреса",
"Add notes here." => "Внесете забелешки тука.",
"Add field" => "Додади поле",
-"Phone" => "Телефон",
-"Email" => "Е-пошта",
-"Address" => "Адреса",
-"Note" => "Забелешка",
"Download contact" => "Преземи го контактот",
-"Delete contact" => "Избриши го контактот",
"The temporary image has been removed from cache." => "Привремената слика е отстранета од кешот.",
"Edit address" => "Уреди адреса",
"Type" => "Тип",
"PO Box" => "Поштенски фах",
"Extended" => "Дополнително",
-"City" => "Град",
"Region" => "Регион",
"Zipcode" => "Поштенски код",
-"Country" => "Држава",
"Addressbook" => "Адресар",
"Hon. prefixes" => "Префикси за титула",
"Miss" => "Г-ца",
@@ -128,7 +128,6 @@
"Mrs" => "Г-ѓа",
"Dr" => "Др",
"Given name" => "Лично име",
-"Additional names" => "Дополнителни имиња",
"Family name" => "Презиме",
"Hon. suffixes" => "Суфикси за титула",
"J.D." => "J.D.",
@@ -144,12 +143,12 @@
"create a new addressbook" => "креирај нов адресар",
"Name of new addressbook" => "Име на новиот адресар",
"Importing contacts" => "Внесување контакти",
-"Add contact" => "Додади контакт",
"CardDAV syncing addresses" => "Адреса за синхронизација со CardDAV",
"more info" => "повеќе информации",
"Primary address (Kontact et al)" => "Примарна адреса",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Адресари",
"New Address Book" => "Нов адресар",
+"Name" => "Име",
"Save" => "Сними"
);
diff --git a/l10n/ms_MY.php b/l10n/ms_MY.php
index 28e7f0ee..5b411a6e 100644
--- a/l10n/ms_MY.php
+++ b/l10n/ms_MY.php
@@ -8,13 +8,8 @@
"No address books found." => "Tiada buku alamat dijumpai.",
"No contacts found." => "Tiada kenalan dijumpai.",
"element name is not set." => "nama elemen tidak ditetapkan.",
-"Cannot add empty property." => "Tidak boleh menambah ruang kosong.",
-"At least one of the address fields has to be filled out." => "Sekurangnya satu ruangan alamat perlu diisikan.",
-"Trying to add duplicate property: " => "Cuba untuk letak nilai duplikasi:",
-"Information about vCard is incorrect. Please reload the page." => "Maklumat vCard tidak tepat. Sila reload semula halaman ini.",
-"Missing ID" => "ID Hilang",
-"Error parsing VCard for ID: \"" => "Ralat VCard untuk ID: \"",
"checksum is not set." => "checksum tidak ditetapkan.",
+"Information about vCard is incorrect. Please reload the page." => "Maklumat vCard tidak tepat. Sila reload semula halaman ini.",
"Information about vCard is incorrect. Please reload the page: " => "Maklumat tentang vCard tidak betul.",
"Something went FUBAR. " => "Sesuatu tidak betul.",
"No contact ID was submitted." => "Tiada ID kenalan yang diberi.",
@@ -43,30 +38,25 @@
"Couldn't load temporary image: " => "Tidak boleh membuka imej sementara: ",
"No file was uploaded. Unknown error" => "Tiada fail dimuatnaik. Ralat tidak diketahui.",
"Contacts" => "Hubungan-hubungan",
-"Sorry, this functionality has not been implemented yet" => "Maaf, fungsi ini masih belum boleh diguna lagi",
-"Not implemented" => "Tidak digunakan",
-"Couldn't get a valid address." => "Tidak boleh mendapat alamat yang sah.",
+"Select photo" => "Pilih foto",
"Error" => "Ralat",
-"Enter name" => "Masukkan nama",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format bebas, Nama pendek, Nama penuh, Unduran dengan koma",
-"Select type" => "PIlih jenis",
-"This property has to be non-empty." => "Nilai ini tidak boleh kosong.",
-"Couldn't serialize elements." => "Tidak boleh menggabungkan elemen.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' dipanggil tanpa argumen taip. Sila maklumkan di bugs.owncloud.org",
-"Edit name" => "Ubah nama",
-"No files selected for upload." => "Tiada fail dipilih untuk muatnaik.",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Tidak boleh memuatnaik fail anda kerana mungkin ianya direktori atau saiz fail 0 bytes",
+"Upload Error" => "Muat naik ralat",
"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Fail yang ingin dimuatnaik melebihi saiz yang dibenarkan.",
+"Upload too large" => "Muatnaik terlalu besar",
+"Pending" => "Dalam proses",
+"No files selected for upload." => "Tiada fail dipilih untuk muatnaik.",
+"Enter name" => "Masukkan nama",
+"Enter description" => "Masukkan keterangan",
"Result: " => "Hasil: ",
" imported, " => " import, ",
" failed." => " gagal.",
+"Displayname cannot be empty." => "Nama paparan tidak boleh kosong",
"Download" => "Muat naik",
"Edit" => "Sunting",
"Delete" => "Padam",
"Cancel" => "Batal",
"More..." => "Lagi...",
-"Addressbook not found: " => "Buku alamat tidak ditemui:",
-"This is not your addressbook." => "Ini bukan buku alamat anda.",
-"Contact could not be found." => "Hubungan tidak dapat ditemui",
"Work" => "Kerja",
"Home" => "Rumah",
"Other" => "Lain",
@@ -78,63 +68,61 @@
"Video" => "Video",
"Pager" => "Alat Kelui",
"Internet" => "Internet",
-"Birthday" => "Hari lahir",
-"Business" => "Perniagaan",
-"Clients" => "klien",
-"Holidays" => "Hari kelepasan",
-"Ideas" => "Idea",
-"Journey" => "Perjalanan",
-"Jubilee" => "Jubli",
-"Meeting" => "Mesyuarat",
-"Personal" => "Peribadi",
-"Projects" => "Projek",
"{name}'s Birthday" => "Hari Lahir {name}",
"Contact" => "Hubungan",
-"Add Contact" => "Tambah kenalan",
-"Import" => "Import",
"Settings" => "Tetapan",
+"Import" => "Import",
+"OK" => "OK",
+"Groups" => "Kumpulan",
"Close" => "Tutup",
"Next addressbook" => "Buku alamat seterusnya",
"Previous addressbook" => "Buku alamat sebelumnya",
-"Drop photo to upload" => "Letak foto disini untuk muatnaik",
+"Add contact" => "Letak kenalan",
"Delete current photo" => "Padam foto semasa",
"Edit current photo" => "Ubah foto semasa",
"Upload new photo" => "Muatnaik foto baru",
"Select photo from ownCloud" => "Pilih foto dari ownCloud",
-"Edit name details" => "Ubah butiran nama",
-"Organization" => "Organisasi",
+"Additional names" => "Nama tambahan",
"Nickname" => "Nama Samaran",
"Enter nickname" => "Masukkan nama samaran",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "Kumpulan",
-"Separate groups with commas" => "Asingkan kumpulan dengan koma",
-"Edit groups" => "Ubah kumpulan",
+"Organization" => "Organisasi",
+"Birthday" => "Hari lahir",
+"Add" => "Tambah",
+"Phone" => "Telefon",
+"Email" => "Emel",
+"Address" => "Alamat",
+"Note" => "Nota",
+"Delete contact" => "Padam hubungan",
"Preferred" => "Pilihan",
"Please specify a valid email address." => "Berikan alamat emel yang sah.",
-"Enter email address" => "Masukkan alamat emel",
"Mail to address" => "Hantar ke alamat",
"Delete email address" => "Padam alamat emel",
"Enter phone number" => "Masukkan nombor telefon",
"Delete phone number" => "Padam nombor telefon",
"View on map" => "Lihat pada peta",
+"City" => "bandar",
+"Country" => "Negara",
+"Share" => "Kongsi",
+"Export" => "Export",
+"Add Contact" => "Tambah kenalan",
+"Drop photo to upload" => "Letak foto disini untuk muatnaik",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format bebas, Nama pendek, Nama penuh, Unduran dengan koma",
+"Edit name details" => "Ubah butiran nama",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "Asingkan kumpulan dengan koma",
+"Edit groups" => "Ubah kumpulan",
+"Enter email address" => "Masukkan alamat emel",
"Edit address details" => "Ubah butiran alamat",
"Add notes here." => "Letak nota disini.",
"Add field" => "Letak ruangan",
-"Phone" => "Telefon",
-"Email" => "Emel",
-"Address" => "Alamat",
-"Note" => "Nota",
"Download contact" => "Muat turun hubungan",
-"Delete contact" => "Padam hubungan",
"The temporary image has been removed from cache." => "Imej sementara telah dibuang dari cache.",
"Edit address" => "Ubah alamat",
"Type" => "Jenis",
"PO Box" => "Peti surat",
"Extended" => "Sambungan",
-"City" => "bandar",
"Region" => "Wilayah",
"Zipcode" => "Poskod",
-"Country" => "Negara",
"Addressbook" => "Buku alamat",
"Hon. prefixes" => "Awalan nama",
"Miss" => "Cik",
@@ -144,7 +132,6 @@
"Mrs" => "Puan",
"Dr" => "Dr",
"Given name" => "Nama diberi",
-"Additional names" => "Nama tambahan",
"Family name" => "Nama keluarga",
"Hon. suffixes" => "Awalan nama",
"J.D." => "J.D.",
@@ -160,9 +147,7 @@
"create a new addressbook" => "Cipta buku alamat baru",
"Name of new addressbook" => "Nama buku alamat",
"Importing contacts" => "Import senarai kenalan",
-"Add contact" => "Letak kenalan",
"Select Address Books" => "Pilih Buku Alamat",
-"Enter description" => "Masukkan keterangan",
"CardDAV syncing addresses" => "alamat selarian CardDAV",
"more info" => "maklumat lanjut",
"Primary address (Kontact et al)" => "Alamat utama",
diff --git a/l10n/nb_NO.php b/l10n/nb_NO.php
index 52cc73bc..e3309aaf 100644
--- a/l10n/nb_NO.php
+++ b/l10n/nb_NO.php
@@ -3,14 +3,15 @@
"id is not set." => "id er ikke satt.",
"Cannot update addressbook with an empty name." => "Kan ikke oppdatere adressebøker uten navn.",
"No ID provided" => "Ingen ID angitt",
+"Error setting checksum." => "Feil under skriving av sjekksum",
"No categories selected for deletion." => "Ingen kategorier valgt for sletting.",
"No address books found." => "Ingen adressebok funnet.",
"No contacts found." => "Ingen kontakter funnet.",
-"Cannot add empty property." => "Kan ikke legge til tomt felt.",
-"At least one of the address fields has to be filled out." => "Minst en av adressefeltene må oppgis.",
+"element name is not set." => "navn på elementet er ikke satt.",
+"checksum is not set." => "sjekksumm er ikke satt.",
"Information about vCard is incorrect. Please reload the page." => "Informasjonen om vCard-filen er ikke riktig. Last inn siden på nytt.",
-"Missing ID" => "Manglende ID",
"Something went FUBAR. " => "Noe gikk fryktelig galt.",
+"No contact ID was submitted." => "Ingen kontakt ID ble gitt",
"Error reading contact photo." => "Klarte ikke å lese kontaktbilde.",
"Error saving temporary file." => "Klarte ikke å lagre midlertidig fil.",
"The loading photo is not valid." => "Bildet som lastes inn er ikke gyldig.",
@@ -18,6 +19,8 @@
"No photo path was submitted." => "Ingen filsti ble lagt inn.",
"File doesn't exist:" => "Filen eksisterer ikke:",
"Error loading image." => "Klarte ikke å laste bilde.",
+"Error getting contact object." => "Feil ved henting av kontakt objektet.",
+"Error getting PHOTO property." => "Feil ved henting av foto verdi.",
"Error saving contact." => "Klarte ikke å lagre kontakt.",
"Error resizing image" => "Klarte ikke å endre størrelse på bildet",
"Error cropping image" => "Klarte ikke å beskjære bildet",
@@ -34,11 +37,15 @@
"Couldn't load temporary image: " => "Kunne ikke laste midlertidig bilde:",
"No file was uploaded. Unknown error" => "Ingen filer ble lastet opp. Ukjent feil.",
"Contacts" => "Kontakter",
+"Select photo" => "Velg bilde",
"Error" => "Feil",
-"Select type" => "Velg type",
-"Edit name" => "Endre navn",
-"No files selected for upload." => "Ingen filer valgt for opplasting.",
+"Importing..." => "Importerer...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Kan ikke laste opp filen din siden det er en mappe eller den har 0 bytes",
+"Upload Error" => "Opplasting feilet",
"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Filen du prøver å laste opp er for stor.",
+"Upload too large" => "Filen er for stor",
+"Pending" => "Ventende",
+"No files selected for upload." => "Ingen filer valgt for opplasting.",
"Result: " => "Resultat:",
" imported, " => "importert,",
" failed." => "feilet.",
@@ -46,10 +53,14 @@
"Edit" => "Rediger",
"Delete" => "Slett",
"Cancel" => "Avbryt",
-"This is not your addressbook." => "Dette er ikke dine adressebok.",
-"Contact could not be found." => "Kontakten ble ikke funnet.",
+"Less..." => "Mindre...",
+"You do not have the permissions to delete this addressbook." => "Du har ikke tilgang til å slette denne adresseboken",
+"There was an error deleting this addressbook." => "Det oppstod en feil under sletting av denne adresseboken",
+"Yahoo" => "Yahoo",
+"Skype" => "Skype",
"Work" => "Arbeid",
"Home" => "Hjem",
+"Other" => "Annet",
"Mobile" => "Mobil",
"Text" => "Tekst",
"Voice" => "Svarer",
@@ -58,51 +69,73 @@
"Video" => "Video",
"Pager" => "Pager",
"Internet" => "Internett",
-"Birthday" => "Bursdag",
"{name}'s Birthday" => "{name}s bursdag",
"Contact" => "Kontakt",
-"Add Contact" => "Ny kontakt",
+"Could not find the vCard with ID." => "Kunne ikke finne vCard med denne IDen",
+"You do not have the permissions to edit this contact." => "Du har ikke tilgang til å endre denne kontakten.",
+"You do not have the permissions to delete this contact." => "Du har ikke tilgang til å slette denne kontakten.",
+"There was an error deleting this contact." => "Det oppstod en feil ved sletting av denne kontakten",
+"Settings" => "Innstillinger",
"Import" => "Importer",
+"OK" => "OK",
+"Groups" => "Grupper",
"Close" => "Lukk",
-"Drop photo to upload" => "Dra bilder hit for å laste opp",
+"Keyboard shortcuts" => "Tastatur snarveier",
+"Navigation" => "Navigasjon",
+"Next contact in list" => "Neste kontakt i listen",
+"Previous contact in list" => "Forrige kontakt i listen",
+"Expand/collapse current addressbook" => "Vis/skjul adresseboken",
+"Add new contact" => "Legg til ny kontakt",
+"Add new addressbook" => "Legg til ny adressebok",
+"Delete current contact" => "Slett kontakten",
+"Add contact" => "Ny kontakt",
"Delete current photo" => "Fjern nåværende bilde",
"Edit current photo" => "Rediger nåværende bilde",
"Upload new photo" => "Last opp nytt bilde",
"Select photo from ownCloud" => "Velg bilde fra ownCloud",
-"Edit name details" => "Endre detaljer rundt navn",
-"Organization" => "Organisasjon",
+"Additional names" => "Ev. mellomnavn",
"Nickname" => "Kallenavn",
"Enter nickname" => "Skriv inn kallenavn",
-"dd-mm-yyyy" => "dd-mm-åååå",
-"Groups" => "Grupper",
-"Separate groups with commas" => "Skill gruppene med komma",
-"Edit groups" => "Endre grupper",
+"Title" => "Tittel",
+"Organization" => "Organisasjon",
+"Birthday" => "Bursdag",
+"Add" => "Legg til",
+"Phone" => "Telefon",
+"Email" => "E-post",
+"Address" => "Adresse",
+"Note" => "Notat",
+"Web site" => "Hjemmeside",
+"Delete contact" => "Slett kontakt",
"Preferred" => "Foretrukket",
"Please specify a valid email address." => "Vennligst angi en gyldig e-postadresse.",
-"Enter email address" => "Skriv inn e-postadresse",
"Mail to address" => "Send e-post til adresse",
"Delete email address" => "Fjern e-postadresse",
"Enter phone number" => "Skriv inn telefonnummer",
"Delete phone number" => "Fjern telefonnummer",
"View on map" => "Se på kart",
+"City" => "By",
+"Country" => "Land",
+"Share" => "Del",
+"Export" => "Eksporter",
+"Add Contact" => "Ny kontakt",
+"Drop photo to upload" => "Dra bilder hit for å laste opp",
+"Edit name details" => "Endre detaljer rundt navn",
+"http://www.somesite.com" => "http://www.domene.no",
+"dd-mm-yyyy" => "dd-mm-åååå",
+"Separate groups with commas" => "Skill gruppene med komma",
+"Edit groups" => "Endre grupper",
+"Enter email address" => "Skriv inn e-postadresse",
"Edit address details" => "Endre detaljer rundt adresse",
"Add notes here." => "Legg inn notater her.",
"Add field" => "Legg til felt",
-"Phone" => "Telefon",
-"Email" => "E-post",
-"Address" => "Adresse",
-"Note" => "Notat",
"Download contact" => "Hend ned kontakten",
-"Delete contact" => "Slett kontakt",
"The temporary image has been removed from cache." => "Det midlertidige bildet er fjernet fra cache.",
"Edit address" => "Endre adresse",
"Type" => "Type",
"PO Box" => "Postboks",
"Extended" => "Utvidet",
-"City" => "By",
"Region" => "Området",
"Zipcode" => "Postnummer",
-"Country" => "Land",
"Addressbook" => "Adressebok",
"Hon. prefixes" => "Ærestitler",
"Miss" => "Frøken",
@@ -110,7 +143,6 @@
"Mrs" => "Fru",
"Dr" => "Dr",
"Given name" => "Fornavn",
-"Additional names" => "Ev. mellomnavn",
"Family name" => "Etternavn",
"Hon. suffixes" => "Titler",
"Ph.D." => "Stipendiat",
@@ -121,11 +153,12 @@
"create a new addressbook" => "Lag ny adressebok",
"Name of new addressbook" => "Navn på ny adressebok",
"Importing contacts" => "Importerer kontakter",
-"Add contact" => "Ny kontakt",
"CardDAV syncing addresses" => "Synkroniseringsadresse for CardDAV",
"more info" => "mer info",
+"Primary address (Kontact et al)" => "Primær adresse (kontakt osv)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Adressebøker",
"New Address Book" => "Ny adressebok",
+"Name" => "Navn",
"Save" => "Lagre"
);
diff --git a/l10n/nl.php b/l10n/nl.php
index 4b9731db..9ff5ffdb 100644
--- a/l10n/nl.php
+++ b/l10n/nl.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Fout bij het (de)activeren van het adresboek.",
"id is not set." => "id is niet ingesteld.",
"Cannot update addressbook with an empty name." => "Kan adresboek zonder naam niet wijzigen",
+"No category name given." => "Geen categorienaam opgegeven.",
+"Error adding group." => "Fout bij toevoegen groep",
+"Group ID missing from request." => "Groep ID niet opgegeven",
+"Contact ID missing from request." => "Contact ID niet opgegeven",
"No ID provided" => "Geen ID opgegeven",
"Error setting checksum." => "Instellen controlegetal mislukt",
"No categories selected for deletion." => "Geen categorieën geselecteerd om te verwijderen.",
"No address books found." => "Geen adresboek gevonden",
"No contacts found." => "Geen contracten gevonden",
"element name is not set." => "onderdeel naam is niet opgegeven.",
-"Could not parse contact: " => "Kon het contact niet verwerken",
-"Cannot add empty property." => "Kan geen lege eigenschap toevoegen.",
-"At least one of the address fields has to be filled out." => "Minstens één van de adresvelden moet ingevuld worden.",
-"Trying to add duplicate property: " => "Eigenschap bestaat al: ",
-"Missing IM parameter." => "IM parameter ontbreekt",
-"Unknown IM: " => "Onbekende IM:",
-"Information about vCard is incorrect. Please reload the page." => "Informatie over de vCard is onjuist. Herlaad de pagina.",
-"Missing ID" => "Ontbrekend ID",
-"Error parsing VCard for ID: \"" => "Fout bij inlezen VCard voor ID: \"",
"checksum is not set." => "controlegetal is niet opgegeven.",
+"Information about vCard is incorrect. Please reload the page." => "Informatie over de vCard is onjuist. Herlaad de pagina.",
+"Couldn't find vCard for %d." => "Kan geen vCard vinden voor %d.",
"Information about vCard is incorrect. Please reload the page: " => "Informatie over vCard is fout. Herlaad de pagina: ",
"Something went FUBAR. " => "Er ging iets totaal verkeerd. ",
+"Cannot save property of type \"%s\" as array" => "Kan waarde van type \"%s\" niet opslaan als array",
+"Missing IM parameter." => "IM parameter ontbreekt",
+"Unknown IM: " => "Onbekende IM:",
"No contact ID was submitted." => "Geen contact ID opgestuurd.",
"Error reading contact photo." => "Lezen van contact foto mislukt.",
"Error saving temporary file." => "Tijdelijk bestand opslaan mislukt.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Fout tijdens aanpassen plaatje",
"Error creating temporary image" => "Fout om een tijdelijk plaatje te maken",
"Error finding image: " => "Fout kan plaatje niet vinden:",
+"Key is not set for: " => "Sleutel niet bekend:",
+"Value is not set for: " => "Waarde niet bekend:",
+"Could not set preference: " => "Kan voorkeur niet opslaan:",
"Error uploading contacts to storage." => "Fout bij opslaan van contacten.",
"There is no error, the file uploaded with success" => "De upload van het bestand is goedgegaan.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Het bestand overschrijdt de upload_max_filesize instelling in php.ini",
@@ -46,43 +49,45 @@
"Couldn't load temporary image: " => "Kan tijdelijk plaatje niet op laden:",
"No file was uploaded. Unknown error" => "Er was geen bestand geladen. Onbekende fout",
"Contacts" => "Contacten",
-"Sorry, this functionality has not been implemented yet" => "Sorry, deze functionaliteit is nog niet geïmplementeerd",
-"Not implemented" => "Niet geïmplementeerd",
-"Couldn't get a valid address." => "Kan geen geldig adres krijgen",
-"Error" => "Fout",
-"Please enter an email address." => "Voer een emailadres in",
-"Enter name" => "Naam",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formateer aangepast, Korte naam, Volledige naam, Achteruit of Achteruit met komma",
-"Select type" => "Selecteer type",
+"Contact is already in this group." => "De contactpersoon bevindt zich al in deze groep.",
+"Contacts are already in this group." => "De contactpersonen bevinden zich al in deze groep.",
+"Couldn't get contact list." => "Kan de contactenlijst niet ophalen.",
+"Contact is not in this group." => "De contactpersoon bevindt zich niet in deze groep",
+"Contacts are not in this group." => "De contactpersonen bevinden zich niet in deze groep",
+"A group named {group} already exists" => "Er bestaat al een groep {group}",
+"All" => "Alle",
+"Favorites" => "Favorieten",
+"Shared by {owner}" => "Gedeeld door {owner}",
+"Indexing contacts" => "Bezig met indexeren van contactpersonen",
+"Add to..." => "Toevoegen aan...",
+"Remove from..." => "Verwijderen uit...",
+"Add group..." => "Nieuwe groep...",
"Select photo" => "Selecteer een foto",
-"You do not have permission to add contacts to " => "U hebt geen permissie om contacten toe te voegen aan",
-"Please select one of your own address books." => "Selecteer één van uw eigen adresboeken",
-"Permission error" => "Permissie fout",
-"Click to undo deletion of \"" => "Klik om de verwijdering ongedaan te maken van \"",
-"Cancelled deletion of: \"" => "Verwijdering afgebroken van: \"",
-"This property has to be non-empty." => "Dit veld mag niet leeg blijven",
-"Couldn't serialize elements." => "Kan de elementen niet serializen",
-"Unknown error. Please check logs." => "Onbekende fout. Controleer de logs.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' aangeroepen zonder type argument. Rapporteer dit a.u.b. via http://bugs.owncloud.org",
-"Edit name" => "Pas naam aan",
-"No files selected for upload." => "Geen bestanden geselecteerd voor upload.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Het bestand dat u probeert te uploaden overschrijdt de maximale bestand grootte voor bestand uploads voor deze server.",
-"Error loading profile picture." => "Fout profiel plaatje kan niet worden geladen.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Enkele contacten zijn gemarkeerd om verwijderd te worden, maar zijn nog niet verwijderd. Wacht totdat ze zijn verwijderd.",
-"Do you want to merge these address books?" => "Wilt u deze adresboeken samenvoegen?",
-"Shared by " => "Gedeeld door",
-"Upload too large" => "Upload is te groot",
-"Only image files can be used as profile picture." => "Alleen afbeeldingsbestanden kunnen als profile afbeelding worden gebruikt.",
-"Wrong file type" => "Verkeerde bestand type",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Uw browser ondersteunt geen AJAX upload. Klik op de profiel afbeelding om een foto te selecteren en deze te uploaden.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Het lukt niet om uw bestand te uploaded, omdat het een folder of 0 bytes is",
-"Upload Error" => "Upload fout",
-"Pending" => "In behandeling",
-"Import done" => "Import uitgevoerd",
+"Network or server error. Please inform administrator." => "Netwerk- of serverfout. Neem contact op met de beheerder.",
+"Error adding to group." => "Fout bij het toevoegen aan de groep.",
+"Error removing from group." => "Fout bij het verwijderen uit de groep.",
+"There was an error opening a mail composer." => "Er is iets misgegaan tijdens het openen van een email programma.",
"Not all files uploaded. Retrying..." => "Nog niet alle bestanden zijn ge-upload. Nogmaals proberen...",
"Something went wrong with the upload, please retry." => "Er is iets fout gegaan met het uploaden. Probeer het nog eens.",
+"Error" => "Fout",
"Importing..." => "Importeren...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Het lukt niet om uw bestand te uploaded, omdat het een folder of 0 bytes is",
+"Upload Error" => "Upload fout",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Het bestand dat u probeert te uploaden overschrijdt de maximale bestand grootte voor bestand uploads voor deze server.",
+"Upload too large" => "Upload is te groot",
+"Pending" => "In behandeling",
+"No files selected for upload." => "Geen bestanden geselecteerd voor upload.",
+"Edit profile picture" => "Bewerk profielafbeelding",
+"Error loading profile picture." => "Fout profiel plaatje kan niet worden geladen.",
+"Enter name" => "Naam",
+"Enter description" => "Beschrijving",
+"Select addressbook" => "Kies een adresboek",
"The address book name cannot be empty." => "De naam van het adresboek mag niet leeg zijn.",
+"Is this correct?" => "Is dit correct?",
+"There was an unknown error when trying to delete this contact" => "Er is een onbekende fout opgetreden bij het verwijderen van deze contactpersoon",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Enkele contacten zijn gemarkeerd om verwijderd te worden, maar zijn nog niet verwijderd. Wacht totdat ze zijn verwijderd.",
+"Click to undo deletion of {num} contacts" => "Klik om het verwijderen van {num} contactpersonen ongedaan te maken.",
+"Cancelled deletion of {num}" => "Verwijderen geannuleerd van {num}",
"Result: " => "Resultaat:",
" imported, " => "geïmporteerd,",
" failed." => "gefaald.",
@@ -100,9 +105,6 @@
"There was an error updating the addressbook." => "Er is een fout opgetreden bij het bijwerken van het adresboek.",
"You do not have the permissions to delete this addressbook." => "U heeft onvoldoende rechten om dit adresboek te verwijderen.",
"There was an error deleting this addressbook." => "Er is een fout opgetreden bij het verwijderen van dit adresboek.",
-"Addressbook not found: " => "Adresboek niet gevonden:",
-"This is not your addressbook." => "Dit is niet uw adresboek.",
-"Contact could not be found." => "Contact kon niet worden gevonden.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +128,9 @@
"Video" => "Video",
"Pager" => "Pieper",
"Internet" => "Internet",
-"Birthday" => "Verjaardag",
-"Business" => "Business",
-"Call" => "Bel",
-"Clients" => "Klanten",
-"Deliverer" => "Leverancier",
-"Holidays" => "Vakanties",
-"Ideas" => "Ideeën",
-"Journey" => "Reis",
-"Jubilee" => "Jubileum",
-"Meeting" => "Vergadering",
-"Personal" => "Persoonlijk",
-"Projects" => "Projecten",
-"Questions" => "Vragen",
+"Friends" => "Vrienden",
+"Family" => "Familie",
+"There was an error deleting properties for this contact." => "Er is iets misgegaan tijdens het verwijderen van de eigenschappen van dit contact.",
"{name}'s Birthday" => "{name}'s verjaardag",
"Contact" => "Contact",
"You do not have the permissions to add contacts to this addressbook." => "U kunt geen contact personen toevoegen aan dit adresboek.",
@@ -148,9 +140,18 @@
"Could not find the Addressbook with ID: " => "Kan het adresboek niet vinden met ID:",
"You do not have the permissions to delete this contact." => "U heeft geen permissie om dit contact te verwijderen.",
"There was an error deleting this contact." => "Er is een fout opgetreden bij het verwijderen van dit contact persoon.",
-"Add Contact" => "Contact toevoegen",
-"Import" => "Importeer",
+"Contact not found." => "Contact niet gevonden.",
+"HomePage" => "HomePage",
+"New Group" => "Nieuwe Groep",
"Settings" => "Instellingen",
+"Import" => "Importeer",
+"Import into:" => "Importeer naar:",
+"OK" => "OK",
+"(De-)select all" => "(De-)selecteer alle",
+"New Contact" => "Nieuw Contact",
+"Groups" => "Groepen",
+"Favorite" => "Favoriet",
+"Delete Contact" => "Verwijder Contact",
"Close" => "Sluiten",
"Keyboard shortcuts" => "Sneltoetsen",
"Navigation" => "Navigatie",
@@ -164,56 +165,74 @@
"Add new contact" => "Voeg nieuw contact toe",
"Add new addressbook" => "Voeg nieuw adresboek toe",
"Delete current contact" => "Verwijder huidig contact",
-"Drop photo to upload" => "Verwijder foto uit upload",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Je hebt geen contacten in je addresboek.
Voeg een nieuw contact toe of importeer bestaande contacten met een VCF bestand.
",
+"Add contact" => "Contactpersoon toevoegen",
+"Compose mail" => "Schrijf email",
+"Delete group" => "Verwijder groep",
"Delete current photo" => "Verwijdere huidige foto",
"Edit current photo" => "Wijzig huidige foto",
"Upload new photo" => "Upload nieuwe foto",
"Select photo from ownCloud" => "Selecteer foto uit ownCloud",
-"Edit name details" => "Wijzig naam gegevens",
-"Organization" => "Organisatie",
+"First name" => "Voornaam",
+"Additional names" => "Extra namen",
+"Last name" => "Achternaam",
"Nickname" => "Roepnaam",
"Enter nickname" => "Voer roepnaam in",
-"Web site" => "Website",
-"http://www.somesite.com" => "http://www.willekeurigesite.com",
-"Go to web site" => "Ga naar website",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "Groepen",
-"Separate groups with commas" => "Gebruik komma bij meerder groepen",
-"Edit groups" => "Wijzig groepen",
-"Preferred" => "Voorkeur",
-"Please specify a valid email address." => "Geef een geldig email adres op.",
-"Enter email address" => "Voer email adres in",
-"Mail to address" => "Mail naar adres",
-"Delete email address" => "Verwijder email adres",
-"Enter phone number" => "Voer telefoonnummer in",
-"Delete phone number" => "Verwijdere telefoonnummer",
-"Instant Messenger" => "Instant Messenger",
-"Delete IM" => "Verwijder IM",
-"View on map" => "Bekijk op een kaart",
-"Edit address details" => "Wijzig adres gegevens",
-"Add notes here." => "Voeg notitie toe",
-"Add field" => "Voeg veld toe",
+"Title" => "Titel",
+"Organization" => "Organisatie",
+"Birthday" => "Verjaardag",
+"Notes go here..." => "Hier de notities...",
+"Add" => "Toevoegen",
"Phone" => "Telefoon",
"Email" => "E-mail",
"Instant Messaging" => "Instant Messaging",
"Address" => "Adres",
"Note" => "Notitie",
-"Download contact" => "Download contact",
+"Web site" => "Website",
"Delete contact" => "Verwijder contact",
+"Preferred" => "Voorkeur",
+"Please specify a valid email address." => "Geef een geldig email adres op.",
+"someone@example.com" => "iemand@voorbeeld.nl",
+"Mail to address" => "Mail naar adres",
+"Delete email address" => "Verwijder email adres",
+"Enter phone number" => "Voer telefoonnummer in",
+"Delete phone number" => "Verwijdere telefoonnummer",
+"Go to web site" => "Ga naar website",
+"Delete URL" => "Verwijder URL",
+"View on map" => "Bekijk op een kaart",
+"Delete address" => "Verwijder adres",
+"Street address" => "Adres",
+"12345" => "12345",
+"Postal code" => "Postcode",
+"City" => "Stad",
+"Country" => "Land",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "Verwijder IM",
+"Share" => "Deel",
+"Export" => "Exporteer",
+"Add Contact" => "Contact toevoegen",
+"Drop photo to upload" => "Verwijder foto uit upload",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formateer aangepast, Korte naam, Volledige naam, Achteruit of Achteruit met komma",
+"Edit name details" => "Wijzig naam gegevens",
+"http://www.somesite.com" => "http://www.willekeurigesite.com",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "Gebruik komma bij meerder groepen",
+"Edit groups" => "Wijzig groepen",
+"Enter email address" => "Voer email adres in",
+"Edit address details" => "Wijzig adres gegevens",
+"Add notes here." => "Voeg notitie toe",
+"Add field" => "Voeg veld toe",
+"Download contact" => "Download contact",
"The temporary image has been removed from cache." => "Het tijdelijke plaatje is uit de cache verwijderd.",
"Edit address" => "Wijzig adres",
"Type" => "Type",
"PO Box" => "Postbus",
-"Street address" => "Adres",
"Street and number" => "Straat en nummer",
"Extended" => "Uitgebreide",
"Apartment number etc." => "Apartement nummer",
-"City" => "Stad",
"Region" => "Regio",
"E.g. state or province" => "Provincie",
"Zipcode" => "Postcode",
-"Postal code" => "Postcode",
-"Country" => "Land",
"Addressbook" => "Adresboek",
"Hon. prefixes" => "Hon. prefixes",
"Miss" => "Mw",
@@ -223,7 +242,6 @@
"Mrs" => "Mw",
"Dr" => "M",
"Given name" => "Voornaam",
-"Additional names" => "Extra namen",
"Family name" => "Achternaam",
"Hon. suffixes" => "Honorabele",
"J.D." => "Jurist",
@@ -240,15 +258,12 @@
"Name of new addressbook" => "Naam van nieuw adresboek",
"Importing contacts" => "Importeren van contacten",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
U heeft geen contacten in uw adresboek.
U kunt VCF bestanden importeren door ze naar de contactenlijst te slepen en ze daar op een adresboek los te laten om ze in het desbetreffende adresboek op te nemen of laat ze op het lege gedeelte los om een nieuw adresboek te maken met de contacten uit het bestand. Uw kunt ook importeren door op de import knop te klikken aan de onderkant van de lijst.
",
-"Add contact" => "Contactpersoon toevoegen",
"Select Address Books" => "Selecteer adresboeken",
-"Enter description" => "Beschrijving",
"CardDAV syncing addresses" => "CardDAV synchroniseert de adressen",
"more info" => "meer informatie",
"Primary address (Kontact et al)" => "Standaardadres",
"iOS/OS X" => "IOS/OS X",
"Addressbooks" => "Adresboeken",
-"Share" => "Deel",
"New Address Book" => "Nieuw Adresboek",
"Name" => "Naam",
"Description" => "Beschrijving",
diff --git a/l10n/nn_NO.php b/l10n/nn_NO.php
index 39969b79..4ac4999a 100644
--- a/l10n/nn_NO.php
+++ b/l10n/nn_NO.php
@@ -1,42 +1,55 @@
"Ein feil oppstod ved (de)aktivering av adressebok.",
-"Cannot add empty property." => "Kan ikkje leggja til tomt felt.",
-"At least one of the address fields has to be filled out." => "Minst eit av adressefelta må fyllast ut.",
"Information about vCard is incorrect. Please reload the page." => "Informasjonen om vCard-et er feil, ver venleg og last sida på nytt.",
+"There is no error, the file uploaded with success" => "Ingen feil, fila vart lasta opp",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Den opplasta fila er større enn variabelen upload_max_filesize i php.ini",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Den opplasta fila er større enn variabelen MAX_FILE_SIZE i HTML-skjemaet",
+"The uploaded file was only partially uploaded" => "Fila vart berre delvis lasta opp",
+"No file was uploaded" => "Ingen filer vart lasta opp",
+"Missing a temporary folder" => "Manglar ei mellombels mappe",
"Contacts" => "Kotaktar",
+"Error" => "Feil",
+"Upload too large" => "For stor opplasting",
"Download" => "Last ned",
"Edit" => "Endra",
"Delete" => "Slett",
"Cancel" => "Kanseller",
-"This is not your addressbook." => "Dette er ikkje di adressebok.",
-"Contact could not be found." => "Fann ikkje kontakten.",
"Work" => "Arbeid",
"Home" => "Heime",
+"Other" => "Anna",
"Mobile" => "Mobil",
"Text" => "Tekst",
"Voice" => "Tale",
"Fax" => "Faks",
"Video" => "Video",
"Pager" => "Personsøkjar",
-"Birthday" => "Bursdag",
"Contact" => "Kontakt",
-"Add Contact" => "Legg til kontakt",
+"Settings" => "Innstillingar",
+"Import" => "Importer",
+"Groups" => "Grupper",
+"Close" => "Lukk",
+"Title" => "Tittel",
"Organization" => "Organisasjon",
-"Preferred" => "Føretrekt",
+"Birthday" => "Bursdag",
+"Add" => "Legg til",
"Phone" => "Telefonnummer",
"Email" => "Epost",
"Address" => "Adresse",
-"Download contact" => "Last ned kontakt",
"Delete contact" => "Slett kontakt",
+"Preferred" => "Føretrekt",
+"City" => "Stad",
+"Country" => "Land",
+"Export" => "Eksporter",
+"Add Contact" => "Legg til kontakt",
+"Download contact" => "Last ned kontakt",
"Type" => "Skriv",
"PO Box" => "Postboks",
"Extended" => "Utvida",
-"City" => "Stad",
"Region" => "Region/fylke",
"Zipcode" => "Postnummer",
-"Country" => "Land",
"Addressbook" => "Adressebok",
"Addressbooks" => "Adressebøker",
"New Address Book" => "Ny adressebok",
+"Name" => "Namn",
"Save" => "Lagre"
);
diff --git a/l10n/oc.php b/l10n/oc.php
new file mode 100644
index 00000000..b27773d6
--- /dev/null
+++ b/l10n/oc.php
@@ -0,0 +1,36 @@
+ "Pas de categorias seleccionadas per escafar.",
+"There is no error, the file uploaded with success" => "Amontcargament capitat, pas d'errors",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Lo fichièr amontcargat es tròp bèl per la directiva «upload_max_filesize » del php.ini",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Lo fichièr amontcargat es mai gròs que la directiva «MAX_FILE_SIZE» especifiada dins lo formulari HTML",
+"The uploaded file was only partially uploaded" => "Lo fichièr foguèt pas completament amontcargat",
+"No file was uploaded" => "Cap de fichièrs son estats amontcargats",
+"Missing a temporary folder" => "Un dorsièr temporari manca",
+"Contacts" => "Contactes",
+"Error" => "Error",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Impossible d'amontcargar lo teu fichièr qu'es un repertòri o que ten pas que 0 octet.",
+"Upload Error" => "Error d'amontcargar",
+"Upload too large" => "Amontcargament tròp gròs",
+"Pending" => "Al esperar",
+"Download" => "Avalcarga",
+"Edit" => "Editar",
+"Delete" => "Escafa",
+"Cancel" => "Annula",
+"Work" => "Trabalh",
+"Other" => "Autres",
+"Settings" => "Configuracion",
+"Import" => "Importa",
+"OK" => "D'accòrdi",
+"Groups" => "Grops",
+"Title" => "Títol",
+"Birthday" => "Anniversari",
+"Add" => "Ajusta",
+"Email" => "Corrièl",
+"Share" => "Parteja",
+"Export" => "Exporta",
+"more info" => "mai d'entresenhes",
+"Primary address (Kontact et al)" => "Adreiças primarias (Kontact et al)",
+"iOS/OS X" => "iOS/OS X",
+"Name" => "Nom",
+"Save" => "Enregistra"
+);
diff --git a/l10n/pl.php b/l10n/pl.php
index 2941304c..b0712c1e 100644
--- a/l10n/pl.php
+++ b/l10n/pl.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Błąd (de)aktywowania książki adresowej.",
"id is not set." => "id nie ustawione.",
"Cannot update addressbook with an empty name." => "Nie można zaktualizować książki adresowej z pustą nazwą.",
+"No category name given." => "Nie nadano nazwy kategorii",
+"Error adding group." => "Błąd dodania grupy.",
+"Group ID missing from request." => "Brakuje wymaganego ID grupy",
+"Contact ID missing from request." => "Brakuje wymaganego ID kontaktu ",
"No ID provided" => "Brak opatrzonego ID ",
"Error setting checksum." => "Błąd ustawień sumy kontrolnej",
"No categories selected for deletion." => "Nie zaznaczono kategorii do usunięcia",
"No address books found." => "Nie znaleziono książek adresowych",
"No contacts found." => "Nie znaleziono kontaktów.",
"element name is not set." => "nazwa elementu nie jest ustawiona.",
-"Could not parse contact: " => "Nie można parsować kontaktu:",
-"Cannot add empty property." => "Nie można dodać pustego elementu.",
-"At least one of the address fields has to be filled out." => "Należy wypełnić przynajmniej jedno pole adresu.",
-"Trying to add duplicate property: " => "Próba dodania z duplikowanej właściwości:",
-"Missing IM parameter." => "Brak parametru komunikator",
-"Unknown IM: " => "Nieznany Komunikator",
-"Information about vCard is incorrect. Please reload the page." => "Informacje o vCard są nieprawidłowe. Proszę odświeżyć stronę.",
-"Missing ID" => "Brak ID",
-"Error parsing VCard for ID: \"" => "Wystąpił błąd podczas przetwarzania VCard ID: \"",
"checksum is not set." => "checksum-a nie ustawiona",
+"Information about vCard is incorrect. Please reload the page." => "Informacje o vCard są nieprawidłowe. Proszę odświeżyć stronę.",
+"Couldn't find vCard for %d." => "Nie można znaleźć vCard dla %d.",
"Information about vCard is incorrect. Please reload the page: " => "Informacje na temat vCard są niepoprawne. Proszę przeładuj stronę:",
"Something went FUBAR. " => "Gdyby coś poszło FUBAR.",
+"Cannot save property of type \"%s\" as array" => "Nie można zapisać właściwości typu \"%s\" jako tablicy",
+"Missing IM parameter." => "Brak parametru komunikator",
+"Unknown IM: " => "Nieznany Komunikator",
"No contact ID was submitted." => "ID kontaktu nie został utworzony.",
"Error reading contact photo." => "Błąd odczytu zdjęcia kontaktu.",
"Error saving temporary file." => "Wystąpił błąd podczas zapisywania pliku tymczasowego.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Błąd przycinania obrazu",
"Error creating temporary image" => "Błąd utworzenia obrazu tymczasowego",
"Error finding image: " => "Błąd znajdowanie obrazu: ",
+"Key is not set for: " => "Klucz nie ustawiony dla:",
+"Value is not set for: " => "Wartość nie ustawiona dla:",
+"Could not set preference: " => "Nie można ustawić preferencji: ",
"Error uploading contacts to storage." => "Wystąpił błąd podczas wysyłania kontaktów do magazynu.",
"There is no error, the file uploaded with success" => "Nie było błędów, plik wyczytano poprawnie.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Załadowany plik przekracza wielkość upload_max_filesize w php.ini ",
@@ -46,43 +49,52 @@
"Couldn't load temporary image: " => "Nie można wczytać obrazu tymczasowego: ",
"No file was uploaded. Unknown error" => "Plik nie został załadowany. Nieznany błąd",
"Contacts" => "Kontakty",
-"Sorry, this functionality has not been implemented yet" => "Niestety, ta funkcja nie została jeszcze zaimplementowana",
-"Not implemented" => "Nie wdrożono",
-"Couldn't get a valid address." => "Nie można pobrać prawidłowego adresu.",
-"Error" => "Błąd",
-"Please enter an email address." => "Podaj adres email",
-"Enter name" => "Wpisz nazwę",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format niestandardowy, krótkie nazwy, imię i nazwisko, Odwracać lub Odwrócić z przecinkiem",
-"Select type" => "Wybierz typ",
+"Contact is already in this group." => "Kontakt jest już w tej grupie.",
+"Contacts are already in this group." => "Kontakty są już w tej grupie.",
+"Couldn't get contact list." => "Nie można pobrać listy kontaktów.",
+"Contact is not in this group." => "Kontakt nie jest w tej grupie.",
+"Contacts are not in this group." => "Kontakty nie sa w tej grupie.",
+"A group named {group} already exists" => "Nazwa grupy {group} już istnieje",
+"You can drag groups to\narrange them as you like." => "Można przeciągnąć grupy do\naby podzielić je jak chcesz.",
+"All" => "Wszystkie",
+"Favorites" => "Ulubione",
+"Shared by {owner}" => "Udostępnione przez {owner}",
+"Indexing contacts" => "Indeksuj kontakty",
+"Add to..." => "Dodaj do...",
+"Remove from..." => "Usuń z...",
+"Add group..." => "Dodaje grupę....",
"Select photo" => "Wybierz zdjęcie",
-"You do not have permission to add contacts to " => "Nie masz uprawnień dodawania kontaktów do",
-"Please select one of your own address books." => "Wybierz własną książkę adresową.",
-"Permission error" => "Błąd uprawnień",
-"Click to undo deletion of \"" => "Kliknij aby cofnąć usunięcie \"",
-"Cancelled deletion of: \"" => "Anulowane usunięcie :\"",
-"This property has to be non-empty." => "Ta właściwość nie może być pusta.",
-"Couldn't serialize elements." => "Nie można serializować elementów.",
-"Unknown error. Please check logs." => "Nieznany błąd. Sprawdź logi",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "\"deleteProperty' wywołana bez argumentu typu. Proszę raportuj na bugs.owncloud.org",
-"Edit name" => "Zmień nazwę",
-"No files selected for upload." => "Żadne pliki nie zostały zaznaczone do wysłania.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Plik, który próbujesz wysłać przekracza maksymalny rozmiar pliku przekazywania na tym serwerze.",
-"Error loading profile picture." => "Błąd wczytywania zdjęcia profilu.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Niektóre kontakty są zaznaczone do usunięcia, ale nie są usunięte jeszcze. Proszę czekać na ich usunięcie.",
-"Do you want to merge these address books?" => "Czy chcesz scalić te książki adresowe?",
-"Shared by " => "Udostępniane przez",
-"Upload too large" => "Załadunek za duży",
-"Only image files can be used as profile picture." => "Tylko obrazki mogą być użyte jako zdjęcie profilowe.",
-"Wrong file type" => "Zły typ pliku",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Twoja przeglądarka nie obsługuje wczytywania AJAX. Proszę kliknąć na zdjęcie profilu, aby wybrać zdjęcie do wgrania.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Nie można przesłać pliku, ponieważ to jest katalog lub ma 0 bajtów",
-"Upload Error" => "Błąd ładowania",
-"Pending" => "W toku",
-"Import done" => "Import zakończony",
+"Network or server error. Please inform administrator." => "Błąd połączenia lub serwera. Skontaktuj sie z administratorem.",
+"Error adding to group." => "Błąd dodania do grupy.",
+"Error removing from group." => "Błąd usunięcia z grupy.",
+"There was an error opening a mail composer." => "Wystąpił błąd podczas otwierania edytora.",
+"Deleting done. Click here to cancel reloading." => "Usuwanie udane. Kliknij tu aby anulować przeładowanie.",
+"Add address book" => "Dodaj książkę adresową",
+"Import done. Click here to cancel reloading." => "Importowanie zakończone. Kliknij tu aby anulować przeładowanie.",
"Not all files uploaded. Retrying..." => "Nie wszystkie pliki załadowane. Ponowna próba...",
"Something went wrong with the upload, please retry." => "Coś poszło nie tak z ładowanie, proszę spróbować ponownie.",
+"Error" => "Błąd",
+"Importing from {filename}..." => "Importowanie z {filename}...",
+"{success} imported, {failed} failed." => "{success} udanych, {failed} nieudanych.",
"Importing..." => "Importowanie...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Nie można przesłać pliku, ponieważ to jest katalog lub ma 0 bajtów",
+"Upload Error" => "Błąd ładowania",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Plik, który próbujesz wysłać przekracza maksymalny rozmiar pliku przekazywania na tym serwerze.",
+"Upload too large" => "Załadunek za duży",
+"Pending" => "W toku",
+"Add group" => "Dodaj drupę",
+"No files selected for upload." => "Żadne pliki nie zostały zaznaczone do wysłania.",
+"Edit profile picture" => "Edytuj zdjęcie profilu",
+"Error loading profile picture." => "Błąd wczytywania zdjęcia profilu.",
+"Enter name" => "Wpisz nazwę",
+"Enter description" => "Wprowadź opis",
+"Select addressbook" => "Wybierz książkę adresową",
"The address book name cannot be empty." => "Nazwa książki adresowej nie może być pusta.",
+"Is this correct?" => "Jest to prawidłowe?",
+"There was an unknown error when trying to delete this contact" => "Wystąpił nieznany błąd podczas próby usunięcia tego kontaktu",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Niektóre kontakty są zaznaczone do usunięcia, ale nie są usunięte jeszcze. Proszę czekać na ich usunięcie.",
+"Click to undo deletion of {num} contacts" => "Kliknij aby cofnąć usunięcie {num} kontaktów",
+"Cancelled deletion of {num}" => "Usunięcie Anulowane {num}",
"Result: " => "Wynik: ",
" imported, " => " importowane, ",
" failed." => " nie powiodło się.",
@@ -100,9 +112,6 @@
"There was an error updating the addressbook." => "Wystąpił błąd podczas aktualizowania książki adresowej.",
"You do not have the permissions to delete this addressbook." => "Nie masz uprawnień do usunięcia tej książki adresowej.",
"There was an error deleting this addressbook." => "Wystąpił błąd podczas usuwania tej książki adresowej",
-"Addressbook not found: " => "Nie znaleziono książki adresowej:",
-"This is not your addressbook." => "To nie jest Twoja książka adresowa.",
-"Contact could not be found." => "Nie można odnaleźć kontaktu.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +135,9 @@
"Video" => "Połączenie wideo",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Urodziny",
-"Business" => "Biznesowe",
-"Call" => "Wywołanie",
-"Clients" => "Klienci",
-"Deliverer" => "Doręczanie",
-"Holidays" => "Święta",
-"Ideas" => "Pomysły",
-"Journey" => "Podróż",
-"Jubilee" => "Jubileusz",
-"Meeting" => "Spotkanie",
-"Personal" => "Osobiste",
-"Projects" => "Projekty",
-"Questions" => "Pytania",
+"Friends" => "Przyjaciele",
+"Family" => "Rodzina",
+"There was an error deleting properties for this contact." => "Wystąpił błąd podczas usuwania właściwości dla tego kontaktu.",
"{name}'s Birthday" => "{name} Urodzony",
"Contact" => "Kontakt",
"You do not have the permissions to add contacts to this addressbook." => "Nie masz uprawnień do dodawania kontaktów do tej książki adresowej.",
@@ -148,9 +147,21 @@
"Could not find the Addressbook with ID: " => "Nie można odnaleźć książki adresowej z ID.",
"You do not have the permissions to delete this contact." => "Nie masz uprawnień kasowania kontaktów.",
"There was an error deleting this contact." => "Wystąpił błąd podczas usuwania tego kontaktu.",
-"Add Contact" => "Dodaj kontakt",
-"Import" => "Import",
+"Contact not found." => "Kontaktu nie znaleziono.",
+"HomePage" => "Strona domowa",
+"New Group" => "Nowa grupa",
"Settings" => "Ustawienia",
+"Address books" => "Książki adresowe",
+"Import" => "Import",
+"Select files to import" => "Wybierz pliki do importu",
+"Select files" => "Wybierz pliki",
+"Import into:" => "Importuj do:",
+"OK" => "OK",
+"(De-)select all" => "Odznacz wszystkie",
+"New Contact" => "Nowy kontakt",
+"Groups" => "Grupy",
+"Favorite" => "Ulubione",
+"Delete Contact" => "Usuń kontakt",
"Close" => "Zamknij",
"Keyboard shortcuts" => "Skróty klawiatury",
"Navigation" => "Nawigacja",
@@ -164,56 +175,83 @@
"Add new contact" => "Dodaj nowy kontakt",
"Add new addressbook" => "Dodaj nowa książkę adresową",
"Delete current contact" => "Usuń obecny kontakt",
-"Drop photo to upload" => "Upuść fotografię aby załadować",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Nie masz żadnych kontaktów w Twojej książce adresowej.
Dodaj nowy kontakt lub zaimportuj istniejące kontakty z pliku VCF.
",
+"Add contact" => "Dodaj kontakt",
+"Compose mail" => "Tworzenie wiadomości",
+"Delete group" => "Usuń grupę",
"Delete current photo" => "Usuń aktualne zdjęcie",
"Edit current photo" => "Edytuj aktualne zdjęcie",
"Upload new photo" => "Wczytaj nowe zdjęcie",
"Select photo from ownCloud" => "Wybierz zdjęcie z ownCloud",
-"Edit name details" => "Edytuj szczegóły nazwy",
-"Organization" => "Organizacja",
+"First name" => "Imię",
+"Additional names" => "Dodatkowe nazwy",
+"Last name" => "Nazwisko",
"Nickname" => "Nazwa",
"Enter nickname" => "Wpisz nazwę",
-"Web site" => "Strona www",
-"http://www.somesite.com" => "http://www.jakasstrona.pl",
-"Go to web site" => "Idż do strony www",
-"dd-mm-yyyy" => "dd-mm-rrrr",
-"Groups" => "Grupy",
-"Separate groups with commas" => "Oddziel grupy przecinkami",
-"Edit groups" => "Edytuj grupy",
-"Preferred" => "Preferowane",
-"Please specify a valid email address." => "Określ prawidłowy adres e-mail.",
-"Enter email address" => "Wpisz adres email",
-"Mail to address" => "Mail na adres",
-"Delete email address" => "Usuń adres mailowy",
-"Enter phone number" => "Wpisz numer telefonu",
-"Delete phone number" => "Usuń numer telefonu",
-"Instant Messenger" => "Komunikator",
-"Delete IM" => "Usuń Komunikator",
-"View on map" => "Zobacz na mapie",
-"Edit address details" => "Edytuj szczegóły adresu",
-"Add notes here." => "Dodaj notatkę tutaj.",
-"Add field" => "Dodaj pole",
+"Title" => "Tytuł",
+"Enter title" => "Wpisz nazwę",
+"Organization" => "Organizacja",
+"Enter organization" => "Wpisz organizację",
+"Birthday" => "Urodziny",
+"Notes go here..." => "Notatki kliknij tutaj...",
+"Export as VCF" => "Eksportuj jako VCF",
+"Add" => "Dodaj",
"Phone" => "Telefon",
"Email" => "E-mail",
"Instant Messaging" => "Komunikator",
"Address" => "Adres",
"Note" => "Uwaga",
-"Download contact" => "Pobiera kontakt",
+"Web site" => "Strona www",
"Delete contact" => "Usuwa kontakt",
+"Preferred" => "Preferowane",
+"Please specify a valid email address." => "Określ prawidłowy adres e-mail.",
+"someone@example.com" => "twójmail@twojadomena.pl",
+"Mail to address" => "Mail na adres",
+"Delete email address" => "Usuń adres mailowy",
+"Enter phone number" => "Wpisz numer telefonu",
+"Delete phone number" => "Usuń numer telefonu",
+"Go to web site" => "Idż do strony www",
+"Delete URL" => "Usuń URL",
+"View on map" => "Zobacz na mapie",
+"Delete address" => "Usuń adres",
+"1 Main Street" => "1 główna ulica",
+"Street address" => "Ulica",
+"12345" => "12345",
+"Postal code" => "Kod pocztowy",
+"Your city" => "Twoje miasto",
+"City" => "Miasto",
+"Some region" => "Region",
+"State or province" => "Województwo ",
+"Your country" => "Twoje państwo",
+"Country" => "Kraj",
+"Instant Messenger" => "Komunikator",
+"Delete IM" => "Usuń Komunikator",
+"Share" => "Udostępnij",
+"Export" => "Export",
+"CardDAV link" => "Link CardDAV",
+"Add Contact" => "Dodaj kontakt",
+"Drop photo to upload" => "Upuść fotografię aby załadować",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format niestandardowy, krótkie nazwy, imię i nazwisko, Odwracać lub Odwrócić z przecinkiem",
+"Edit name details" => "Edytuj szczegóły nazwy",
+"http://www.somesite.com" => "http://www.jakasstrona.pl",
+"dd-mm-yyyy" => "dd-mm-rrrr",
+"Separate groups with commas" => "Oddziel grupy przecinkami",
+"Edit groups" => "Edytuj grupy",
+"Enter email address" => "Wpisz adres email",
+"Edit address details" => "Edytuj szczegóły adresu",
+"Add notes here." => "Dodaj notatkę tutaj.",
+"Add field" => "Dodaj pole",
+"Download contact" => "Pobiera kontakt",
"The temporary image has been removed from cache." => "Tymczasowy obraz został usunięty z pamięci podręcznej.",
"Edit address" => "Edytuj adres",
"Type" => "Typ",
"PO Box" => "Skrzynka pocztowa",
-"Street address" => "Ulica",
"Street and number" => "Ulica i numer",
"Extended" => "Rozszerzony",
"Apartment number etc." => "Numer lokalu",
-"City" => "Miasto",
"Region" => "Region",
"E.g. state or province" => "Np. stanu lub prowincji",
"Zipcode" => "Kod pocztowy",
-"Postal code" => "Kod pocztowy",
-"Country" => "Kraj",
"Addressbook" => "Książka adresowa",
"Hon. prefixes" => "Prefiksy Hon.",
"Miss" => "Panna",
@@ -223,7 +261,6 @@
"Mrs" => "Pani",
"Dr" => "Dr",
"Given name" => "Podaj imię",
-"Additional names" => "Dodatkowe nazwy",
"Family name" => "Nazwa rodziny",
"Hon. suffixes" => "Sufiksy Hon.",
"J.D." => "J.D.",
@@ -240,15 +277,12 @@
"Name of new addressbook" => "Nazwa nowej książki adresowej",
"Importing contacts" => "importuj kontakty",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Nie masz kontaktów w książce adresowej.
Możesz zaimportować pliki VCF poprzez przeciągnięcie ich do listy kontaktów i albo upuścić je na książce adresowej w celu zaimportowanie ich do niej lub na pustym miejscu, aby utworzyć nowych nową książke adresową i zaimportować je do niej. Możesz również także zaimportować, klikając przycisk Importuj na dole listy.
",
-"Add contact" => "Dodaj kontakt",
"Select Address Books" => "Wybierz książki adresowe",
-"Enter description" => "Wprowadź opis",
"CardDAV syncing addresses" => "adres do synchronizacji CardDAV",
"more info" => "więcej informacji",
"Primary address (Kontact et al)" => "Pierwszy adres",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Książki adresowe",
-"Share" => "Udostępnij",
"New Address Book" => "Nowa książka adresowa",
"Name" => "Nazwa",
"Description" => "Opis",
diff --git a/l10n/pl_PL.php b/l10n/pl_PL.php
index c09a5078..d3f40cea 100644
--- a/l10n/pl_PL.php
+++ b/l10n/pl_PL.php
@@ -1,3 +1,7 @@
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Nie masz kontaktów w książce adresowej.
Możesz zaimportować pliki VCF poprzez przeciągnięcie ich do listy kontaktów i albo upuścić je na książce adresowej w celu zaimportowanie ich do niej lub na pustym miejscu, aby utworzyć nowych nową książke adresową i zaimportować je do niej. Możesz również także zaimportować, klikając przycisk Importuj na dole listy.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Nie masz kontaktów w książce adresowej.
Możesz zaimportować pliki VCF poprzez przeciągnięcie ich do listy kontaktów i albo upuścić je na książce adresowej w celu zaimportowanie ich do niej lub na pustym miejscu, aby utworzyć nowych nową książke adresową i zaimportować je do niej. Możesz również także zaimportować, klikając przycisk Importuj na dole listy.
",
+"Save" => "Zapisz"
);
diff --git a/l10n/pt_BR.php b/l10n/pt_BR.php
index c514ab47..c03d01bc 100644
--- a/l10n/pt_BR.php
+++ b/l10n/pt_BR.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Erro ao (des)ativar agenda.",
"id is not set." => "ID não definido.",
"Cannot update addressbook with an empty name." => "Não é possível atualizar sua agenda com um nome em branco.",
+"No category name given." => "Nenhum nome de categoria foi dado.",
+"Error adding group." => "Erro ao adicionar grupo.",
+"Group ID missing from request." => "O ID do grupo requisitado não foi encontrado.",
+"Contact ID missing from request." => "O ID do contato requisitado não foi encontrado.",
"No ID provided" => "Nenhum ID fornecido",
"Error setting checksum." => "Erro ajustando checksum.",
"No categories selected for deletion." => "Nenhum categoria selecionada para remoção.",
"No address books found." => "Nenhuma agenda de endereços encontrada.",
"No contacts found." => "Nenhum contato encontrado.",
"element name is not set." => "nome do elemento não definido.",
-"Could not parse contact: " => "Incapaz de analisar contato:",
-"Cannot add empty property." => "Não é possível adicionar propriedade vazia.",
-"At least one of the address fields has to be filled out." => "Pelo menos um dos campos de endereço tem que ser preenchido.",
-"Trying to add duplicate property: " => "Tentando adiciona propriedade duplicada:",
-"Missing IM parameter." => "Faltando parâmetro de IM.",
-"Unknown IM: " => "IM desconhecido:",
-"Information about vCard is incorrect. Please reload the page." => "Informações sobre vCard é incorreta. Por favor, recarregue a página.",
-"Missing ID" => "Faltando ID",
-"Error parsing VCard for ID: \"" => "Erro de identificação VCard para ID:",
"checksum is not set." => "checksum não definido.",
+"Information about vCard is incorrect. Please reload the page." => "Informações sobre vCard é incorreta. Por favor, recarregue a página.",
+"Couldn't find vCard for %d." => "Não foi possível encontrar o vCard %d.",
"Information about vCard is incorrect. Please reload the page: " => "Informação sobre vCard incorreto. Por favor, recarregue a página:",
"Something went FUBAR. " => "Something went FUBAR. ",
+"Cannot save property of type \"%s\" as array" => "Não foi possível salvar a propriedade od tipo \"%s\" como um array",
+"Missing IM parameter." => "Faltando parâmetro de IM.",
+"Unknown IM: " => "IM desconhecido:",
"No contact ID was submitted." => "Nenhum ID do contato foi submetido.",
"Error reading contact photo." => "Erro de leitura na foto do contato.",
"Error saving temporary file." => "Erro ao salvar arquivo temporário.",
@@ -46,43 +46,29 @@
"Couldn't load temporary image: " => "Não foi possível carregar a imagem temporária:",
"No file was uploaded. Unknown error" => "Nenhum arquivo foi transferido. Erro desconhecido",
"Contacts" => "Contatos",
-"Sorry, this functionality has not been implemented yet" => "Desculpe, esta funcionalidade não foi implementada ainda",
-"Not implemented" => "não implementado",
-"Couldn't get a valid address." => "Não foi possível obter um endereço válido.",
-"Error" => "Erro",
-"Please enter an email address." => "Por favor digite um endereço de e-mail",
-"Enter name" => "Digite o nome",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formato personalizado, Nome curto, Nome completo, Inverter ou Inverter com vírgula",
-"Select type" => "Selecione o tipo",
+"Contact is already in this group." => "O contato já pertence ao grupo.",
+"Contacts are already in this group." => "Os contatos já pertencem ao grupo.",
+"A group named {group} already exists" => "Já existe um grupo com o nome {group}",
+"All" => "Todos",
+"Favorites" => "Favoritos",
+"Shared by {owner}" => "Compartilhado por {owner}",
+"Add group..." => "Adicionar grupo...",
"Select photo" => "Selecione foto",
-"You do not have permission to add contacts to " => "Você não tem permissão para adicionar contatos a",
-"Please select one of your own address books." => "Por favor selecione uma das suas próprias agendas.",
-"Permission error" => "Erro de permissão",
-"Click to undo deletion of \"" => "Clique para desfazer remoção de \"",
-"Cancelled deletion of: \"" => "Remoção desfeita de: \"",
-"This property has to be non-empty." => "Esta propriedade não pode estar vazia.",
-"Couldn't serialize elements." => "Não foi possível serializar elementos.",
-"Unknown error. Please check logs." => "Erro desconhecido. Por favor verifique os logs.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "\"deleteProperty\" chamado sem argumento de tipo. Por favor, informe a bugs.owncloud.org",
-"Edit name" => "Editar nome",
-"No files selected for upload." => "Nenhum arquivo selecionado para carregar.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "O arquivo que você está tentando carregar excede o tamanho máximo para este servidor.",
-"Error loading profile picture." => "Erro ao carregar imagem de perfil.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Alguns contatos foram marcados para remoção, mas não foram removidos ainda. Por favor aguarde a remoção desses contatos.",
-"Do you want to merge these address books?" => "Você deseja unir essas agendas?",
-"Shared by " => "Compartilhado por",
-"Upload too large" => "Upload muito grande",
-"Only image files can be used as profile picture." => "Somente imagens podem ser usadas como foto de perfil.",
-"Wrong file type" => "Tipo de arquivo errado",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Seu navegador não suporta upload via AJAX. Por favor clique na foto de perfil e selecione uma foto para enviar.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Incapaz de enviar seu arquivo pois ele é um diretório, ou ele tem 0 bytes",
-"Upload Error" => "Erro de Upload",
-"Pending" => "Pendente",
-"Import done" => "Importação concluída",
"Not all files uploaded. Retrying..." => "Nem todos os arquivos foram enviados. Tentando novamente...",
"Something went wrong with the upload, please retry." => "Algo errado ocorreu com o envio, por favor tente novamente.",
+"Error" => "Erro",
"Importing..." => "Importando...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Incapaz de enviar seu arquivo pois ele é um diretório, ou ele tem 0 bytes",
+"Upload Error" => "Erro de Upload",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "O arquivo que você está tentando carregar excede o tamanho máximo para este servidor.",
+"Upload too large" => "Upload muito grande",
+"Pending" => "Pendente",
+"No files selected for upload." => "Nenhum arquivo selecionado para carregar.",
+"Error loading profile picture." => "Erro ao carregar imagem de perfil.",
+"Enter name" => "Digite o nome",
+"Enter description" => "Digite a descrição",
"The address book name cannot be empty." => "O nome da agenda não pode ficar em branco.",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Alguns contatos foram marcados para remoção, mas não foram removidos ainda. Por favor aguarde a remoção desses contatos.",
"Result: " => "Resultado:",
" imported, " => "importado,",
" failed." => "falhou.",
@@ -100,9 +86,6 @@
"There was an error updating the addressbook." => "Houve um erro ao atualizar a agenda.",
"You do not have the permissions to delete this addressbook." => "Você não tem permissão para remover essa agenda.",
"There was an error deleting this addressbook." => "Houve um erro ao remover essa agenda.",
-"Addressbook not found: " => "Agenda não encontrada:",
-"This is not your addressbook." => "Esta não é a sua agenda de endereços.",
-"Contact could not be found." => "Contato não pôde ser encontrado.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +109,8 @@
"Video" => "Vídeo",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Aniversário",
-"Business" => "Trabalho",
-"Call" => "Chamar",
-"Clients" => "Clientes",
-"Deliverer" => "Entrega",
-"Holidays" => "Feriados",
-"Ideas" => "Idéias",
-"Journey" => "Jornada",
-"Jubilee" => "Jubileu",
-"Meeting" => "Reunião",
-"Personal" => "Pessoal",
-"Projects" => "Projetos",
-"Questions" => "Perguntas",
+"Friends" => "Amigos",
+"Family" => "Família",
"{name}'s Birthday" => "Aniversário de {name}",
"Contact" => "Contato",
"You do not have the permissions to add contacts to this addressbook." => "Você não tem permissões para adicionar contatos a essa agenda.",
@@ -148,9 +120,10 @@
"Could not find the Addressbook with ID: " => "Não pôde encontrar a Agenda com ID:",
"You do not have the permissions to delete this contact." => "Você não tem permissão para remover esse contato.",
"There was an error deleting this contact." => "Houve um erro ao remover esse contato.",
-"Add Contact" => "Adicionar Contato",
-"Import" => "Importar",
"Settings" => "Ajustes",
+"Import" => "Importar",
+"OK" => "OK",
+"Groups" => "Grupos",
"Close" => "Fechar.",
"Keyboard shortcuts" => "Atalhos do teclado",
"Navigation" => "Navegação",
@@ -164,56 +137,64 @@
"Add new contact" => "Adicionar novo contato",
"Add new addressbook" => "Adicionar nova agenda",
"Delete current contact" => "Remover contato atual",
-"Drop photo to upload" => "Arraste a foto para ser carregada",
+"Add contact" => "Adicionar contatos",
"Delete current photo" => "Deletar imagem atual",
"Edit current photo" => "Editar imagem atual",
"Upload new photo" => "Carregar nova foto",
"Select photo from ownCloud" => "Selecionar foto do OwnCloud",
-"Edit name details" => "Editar detalhes do nome",
-"Organization" => "Organização",
+"Additional names" => "Segundo Nome",
"Nickname" => "Apelido",
"Enter nickname" => "Digite o apelido",
-"Web site" => "Web site",
-"http://www.somesite.com" => "http://www.qualquersite.com",
-"Go to web site" => "Ir para web site",
-"dd-mm-yyyy" => "dd-mm-aaaa",
-"Groups" => "Grupos",
-"Separate groups with commas" => "Separe grupos por virgula",
-"Edit groups" => "Editar grupos",
-"Preferred" => "Preferido",
-"Please specify a valid email address." => "Por favor, especifique um email válido.",
-"Enter email address" => "Digite um endereço de email",
-"Mail to address" => "Correio para endereço",
-"Delete email address" => "Remover endereço de email",
-"Enter phone number" => "Digite um número de telefone",
-"Delete phone number" => "Remover número de telefone",
-"Instant Messenger" => "Mensageiro Instantâneo",
-"Delete IM" => "Delete IM",
-"View on map" => "Visualizar no mapa",
-"Edit address details" => "Editar detalhes de endereço",
-"Add notes here." => "Adicionar notas",
-"Add field" => "Adicionar campo",
+"Title" => "Título",
+"Organization" => "Organização",
+"Birthday" => "Aniversário",
+"Add" => "Adicionar",
"Phone" => "Telefone",
"Email" => "E-mail",
"Instant Messaging" => "Mensagem Instantânea",
"Address" => "Endereço",
"Note" => "Nota",
-"Download contact" => "Baixar contato",
+"Web site" => "Web site",
"Delete contact" => "Apagar contato",
+"Preferred" => "Preferido",
+"Please specify a valid email address." => "Por favor, especifique um email válido.",
+"Mail to address" => "Correio para endereço",
+"Delete email address" => "Remover endereço de email",
+"Enter phone number" => "Digite um número de telefone",
+"Delete phone number" => "Remover número de telefone",
+"Go to web site" => "Ir para web site",
+"View on map" => "Visualizar no mapa",
+"Street address" => "Endereço da rua",
+"Postal code" => "Código postal",
+"City" => "Cidade",
+"Country" => "País",
+"Instant Messenger" => "Mensageiro Instantâneo",
+"Delete IM" => "Delete IM",
+"Share" => "Compartilhar",
+"Export" => "Exportar",
+"Add Contact" => "Adicionar Contato",
+"Drop photo to upload" => "Arraste a foto para ser carregada",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formato personalizado, Nome curto, Nome completo, Inverter ou Inverter com vírgula",
+"Edit name details" => "Editar detalhes do nome",
+"http://www.somesite.com" => "http://www.qualquersite.com",
+"dd-mm-yyyy" => "dd-mm-aaaa",
+"Separate groups with commas" => "Separe grupos por virgula",
+"Edit groups" => "Editar grupos",
+"Enter email address" => "Digite um endereço de email",
+"Edit address details" => "Editar detalhes de endereço",
+"Add notes here." => "Adicionar notas",
+"Add field" => "Adicionar campo",
+"Download contact" => "Baixar contato",
"The temporary image has been removed from cache." => "A imagem temporária foi removida cache.",
"Edit address" => "Editar endereço",
"Type" => "Digite",
"PO Box" => "Caixa Postal",
-"Street address" => "Endereço da rua",
"Street and number" => "Logradouro e número",
"Extended" => "Estendido",
"Apartment number etc." => "Número do apartamento, etc.",
-"City" => "Cidade",
"Region" => "Região",
"E.g. state or province" => "Estado ou província",
"Zipcode" => "CEP",
-"Postal code" => "Código postal",
-"Country" => "País",
"Addressbook" => "Agenda de Endereço",
"Hon. prefixes" => "Exmo. Prefixos ",
"Miss" => "Senhorita",
@@ -223,7 +204,6 @@
"Mrs" => "Sra.",
"Dr" => "Dr",
"Given name" => "Primeiro Nome",
-"Additional names" => "Segundo Nome",
"Family name" => "Sobrenome",
"Hon. suffixes" => "Exmo. Sufixos",
"J.D." => "J.D.",
@@ -240,15 +220,12 @@
"Name of new addressbook" => "Nome da nova agenda de endereços",
"Importing contacts" => "Importar contatos",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Você não tem contatos em sua agenda de endereços.
Você pode importar arquivos VCF arrastando-os para a lista de contatos ou para uma agenda para importar para ela, ou em um local vazio para criar uma nova agenda e importar para ela. Você também pode importar, clicando no botão importar na parte inferior da lista.
",
-"Add contact" => "Adicionar contatos",
"Select Address Books" => "Selecione Agendas",
-"Enter description" => "Digite a descrição",
"CardDAV syncing addresses" => "Sincronizando endereços CardDAV",
"more info" => "leia mais",
"Primary address (Kontact et al)" => "Endereço primário(Kontact et al)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Agendas de Endereço",
-"Share" => "Compartilhar",
"New Address Book" => "Nova agenda",
"Name" => "Nome",
"Description" => "Descrição",
diff --git a/l10n/pt_PT.php b/l10n/pt_PT.php
index 3dc0b17b..fd864100 100644
--- a/l10n/pt_PT.php
+++ b/l10n/pt_PT.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Erro a (des)ativar o livro de endereços",
"id is not set." => "id não está definido",
"Cannot update addressbook with an empty name." => "Não é possivel actualizar o livro de endereços com o nome vazio.",
+"No category name given." => "Categoria sem nome",
+"Error adding group." => "Erro a adicionar o grupo",
+"Group ID missing from request." => "Falta o ID do grupo no pedido",
+"Contact ID missing from request." => "Falta o ID do contacto no pedido",
"No ID provided" => "Nenhum ID inserido",
"Error setting checksum." => "Erro a definir checksum.",
"No categories selected for deletion." => "Nenhuma categoria selecionada para eliminar.",
"No address books found." => "Nenhum livro de endereços encontrado.",
"No contacts found." => "Nenhum contacto encontrado.",
"element name is not set." => "o nome do elemento não está definido.",
-"Could not parse contact: " => "Incapaz de processar contacto",
-"Cannot add empty property." => "Não é possivel adicionar uma propriedade vazia",
-"At least one of the address fields has to be filled out." => "Pelo menos um dos campos de endereço precisa de estar preenchido",
-"Trying to add duplicate property: " => "A tentar adicionar propriedade duplicada: ",
-"Missing IM parameter." => "Falta o parâmetro de mensagens instantâneas (IM)",
-"Unknown IM: " => "Mensagens instantâneas desconhecida (IM)",
-"Information about vCard is incorrect. Please reload the page." => "A informação sobre o vCard está incorreta. Por favor refresque a página",
-"Missing ID" => "Falta ID",
-"Error parsing VCard for ID: \"" => "Erro a analisar VCard para o ID: \"",
"checksum is not set." => "Checksum não está definido.",
+"Information about vCard is incorrect. Please reload the page." => "A informação sobre o vCard está incorreta. Por favor recarregue a página",
+"Couldn't find vCard for %d." => "Não foi possível encontrar o vCard para %d.",
"Information about vCard is incorrect. Please reload the page: " => "A informação sobre o VCard está incorrecta. Por favor refresque a página: ",
"Something went FUBAR. " => "Algo provocou um FUBAR. ",
+"Cannot save property of type \"%s\" as array" => "Não foi possível guardar a propriedade do tipo \"%s\" como vector",
+"Missing IM parameter." => "Falta o parâmetro de mensagens instantâneas (IM)",
+"Unknown IM: " => "Mensagens instantâneas desconhecida (IM)",
"No contact ID was submitted." => "Nenhum ID de contacto definido.",
"Error reading contact photo." => "Erro a ler a foto do contacto.",
"Error saving temporary file." => "Erro a guardar ficheiro temporário.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Erro a recorar a imagem",
"Error creating temporary image" => "Erro a criar a imagem temporária",
"Error finding image: " => "Erro enquanto pesquisava pela imagem: ",
+"Key is not set for: " => "A chave não está definida para:",
+"Value is not set for: " => "O valor não está definido para:",
+"Could not set preference: " => "Não foi possível definir as preferencias:",
"Error uploading contacts to storage." => "Erro a carregar os contactos para o armazenamento.",
"There is no error, the file uploaded with success" => "Não ocorreu erros, o ficheiro foi submetido com sucesso",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "O tamanho do ficheiro carregado excede o parametro upload_max_filesize em php.ini",
@@ -46,43 +49,52 @@
"Couldn't load temporary image: " => "Não é possível carregar a imagem temporária: ",
"No file was uploaded. Unknown error" => "Nenhum ficheiro foi carregado. Erro desconhecido",
"Contacts" => "Contactos",
-"Sorry, this functionality has not been implemented yet" => "Desculpe, esta funcionalidade ainda não está implementada",
-"Not implemented" => "Não implementado",
-"Couldn't get a valid address." => "Não foi possível obter um endereço válido.",
-"Error" => "Erro",
-"Please enter an email address." => "Por favor escreva um endereço de email.",
-"Enter name" => "Introduzir nome",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formate personalizado, Nome curto, Nome completo, Reverso ou Reverso com virgula",
-"Select type" => "Seleccionar tipo",
+"Contact is already in this group." => "O contacto já está neste grupo.",
+"Contacts are already in this group." => "Os contactos já estão neste grupo",
+"Couldn't get contact list." => "Não foi possível ler a lista de contactos",
+"Contact is not in this group." => "O contacto não está neste grupo",
+"Contacts are not in this group." => "Os contactos não estão neste grupo",
+"A group named {group} already exists" => "Um grupo com o nome {group} já existe",
+"You can drag groups to\narrange them as you like." => "Pode arrastar grupos para\ncolocá-los como desejar.",
+"All" => "Todos",
+"Favorites" => "Favoritos",
+"Shared by {owner}" => "Partilhado por {owner}",
+"Indexing contacts" => "A indexar os contactos",
+"Add to..." => "Adicionar a...",
+"Remove from..." => "Remover de...",
+"Add group..." => "Adicionar grupo...",
"Select photo" => "Seleccione uma fotografia",
-"You do not have permission to add contacts to " => "Não tem permissão para acrescentar contactos a",
-"Please select one of your own address books." => "Por favor escolha uma das suas listas de contactos.",
-"Permission error" => "Erro de permissão",
-"Click to undo deletion of \"" => "Click para recuperar \"",
-"Cancelled deletion of: \"" => "Cancelou o apagar de: \"",
-"This property has to be non-empty." => "Esta propriedade não pode estar vazia.",
-"Couldn't serialize elements." => "Não foi possivel serializar os elementos",
-"Unknown error. Please check logs." => "Erro desconhecido. Por favor verifique os logs.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' chamada sem argumento definido. Por favor report o problema em bugs.owncloud.org",
-"Edit name" => "Editar nome",
-"No files selected for upload." => "Nenhum ficheiro seleccionado para enviar.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "O tamanho do ficheiro que está a tentar carregar ultrapassa o limite máximo definido para ficheiros no servidor.",
-"Error loading profile picture." => "Erro ao carregar imagem de perfil.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Alguns contactos forma marcados para apagar, mas ainda não foram apagados. Por favor espere que ele sejam apagados.",
-"Do you want to merge these address books?" => "Quer fundir estes Livros de endereços?",
-"Shared by " => "Partilhado por",
-"Upload too large" => "Upload muito grande",
-"Only image files can be used as profile picture." => "Apenas ficheiros de imagens podem ser usados como fotografias de perfil.",
-"Wrong file type" => "Tipo de ficheiro errado",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "O seu navegador não suporta o upload por AJAX. Por favor click na imagem de perfil para seleccionar uma fotografia para enviar.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Foi impossível enviar o seu ficheiro, pois é uma directoria ou tem 0 bytes.",
-"Upload Error" => "Erro de upload",
-"Pending" => "Pendente",
-"Import done" => "Importação terminada",
+"Network or server error. Please inform administrator." => "Erro de rede ou do servidor. Por favor, informe o administrador.",
+"Error adding to group." => "Erro a adicionar ao grupo.",
+"Error removing from group." => "Erro a remover do grupo.",
+"There was an error opening a mail composer." => "Houve um erro a abrir o editor de e-mail.",
+"Deleting done. Click here to cancel reloading." => "A eliminação foi concluída com sucesso. Clique aqui para cancelar o refrescamento.",
+"Add address book" => "Adicionar livro de endereços.",
+"Import done. Click here to cancel reloading." => "Importação concluída com sucesso. Clique aqui para cancelar o refrescamento.",
"Not all files uploaded. Retrying..." => "Nem todos os ficheiros foram enviados. A tentar de novo...",
"Something went wrong with the upload, please retry." => "Algo correu mal ao enviar, por favor tente de novo.",
+"Error" => "Erro",
+"Importing from {filename}..." => "A importar de {filename}...",
+"{success} imported, {failed} failed." => "{sucess} importados, {failed} não importados.",
"Importing..." => "A importar...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Não é possível fazer o envio do ficheiro devido a ser uma pasta ou ter 0 bytes",
+"Upload Error" => "Erro no envio",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "O tamanho do ficheiro que está a tentar carregar ultrapassa o limite máximo definido para ficheiros no servidor.",
+"Upload too large" => "Upload muito grande",
+"Pending" => "Pendente",
+"Add group" => "Adicionar grupo",
+"No files selected for upload." => "Nenhum ficheiro seleccionado para enviar.",
+"Edit profile picture" => "Editar a fotografia de perfil.",
+"Error loading profile picture." => "Erro ao carregar imagem de perfil.",
+"Enter name" => "Introduzir nome",
+"Enter description" => "Introduzir descrição",
+"Select addressbook" => "Selecionar livro de endereços",
"The address book name cannot be empty." => "O nome do livro de endereços não pode estar vazio.",
+"Is this correct?" => "Isto está correcto?",
+"There was an unknown error when trying to delete this contact" => "Houve um erro desconhecido enquanto tentava eliminar este contacto.",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Alguns contactos forma marcados para apagar, mas ainda não foram apagados. Por favor espere que ele sejam apagados.",
+"Click to undo deletion of {num} contacts" => "Clique para desfazer a eliminar de {num} contactos",
+"Cancelled deletion of {num}" => "Cancelada a eliminação de {num} contactos",
"Result: " => "Resultado: ",
" imported, " => " importado, ",
" failed." => " falhou.",
@@ -100,9 +112,6 @@
"There was an error updating the addressbook." => "Ocorreu um erro ao actualizar o livro de endereços.",
"You do not have the permissions to delete this addressbook." => "Não tem permissões para apagar esta lista de contactos.",
"There was an error deleting this addressbook." => "Ocorreu um erro ao apagar esta lista de contactos.",
-"Addressbook not found: " => "Livro de endereços não encontrado.",
-"This is not your addressbook." => "Esta não é a sua lista de contactos",
-"Contact could not be found." => "O contacto não foi encontrado",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -118,7 +127,7 @@
"Work" => "Emprego",
"Home" => "Casa",
"Other" => "Outro",
-"Mobile" => "Telemovel",
+"Mobile" => "Telemóvel",
"Text" => "Texto",
"Voice" => "Voz",
"Message" => "Mensagem",
@@ -126,19 +135,9 @@
"Video" => "Vídeo",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Aniversário",
-"Business" => "Empresa",
-"Call" => "Telefonar",
-"Clients" => "Clientes",
-"Deliverer" => "Fornecedor",
-"Holidays" => "Férias",
-"Ideas" => "Ideias",
-"Journey" => "Viagem",
-"Jubilee" => "Jubileu",
-"Meeting" => "Encontro",
-"Personal" => "Pessoal",
-"Projects" => "Projectos",
-"Questions" => "Questões",
+"Friends" => "Amigos",
+"Family" => "Familia",
+"There was an error deleting properties for this contact." => "Houve um erro a eliminar as propriedades deste contacto",
"{name}'s Birthday" => "Aniversário de {name}",
"Contact" => "Contacto",
"You do not have the permissions to add contacts to this addressbook." => "Não tem permissões para acrescentar contactos a este livro de endereços.",
@@ -148,9 +147,21 @@
"Could not find the Addressbook with ID: " => "Não foi possível encontrar a lista de contactos com o ID:",
"You do not have the permissions to delete this contact." => "Não tem permissões para apagar este contacto.",
"There was an error deleting this contact." => "Ocorreu um erro ao apagar este contacto.",
-"Add Contact" => "Adicionar Contacto",
-"Import" => "Importar",
+"Contact not found." => "Contacto não encontrado",
+"HomePage" => "Página Inicial",
+"New Group" => "Novo Grupo",
"Settings" => "Configurações",
+"Address books" => "Livro de endereços.",
+"Import" => "Importar",
+"Select files to import" => "Seleccione ficheiros para importar.",
+"Select files" => "Seleccione os ficheiros.",
+"Import into:" => "Importar para:",
+"OK" => "OK",
+"(De-)select all" => "(Des)seleccionar todos",
+"New Contact" => "Novo Contacto",
+"Groups" => "Grupos",
+"Favorite" => "Favorito",
+"Delete Contact" => "Eliminar o Contacto",
"Close" => "Fechar",
"Keyboard shortcuts" => "Atalhos de teclado",
"Navigation" => "Navegação",
@@ -164,56 +175,79 @@
"Add new contact" => "Adicionar novo contacto",
"Add new addressbook" => "Adicionar novo Livro de endereços",
"Delete current contact" => "Apagar o contacto atual",
-"Drop photo to upload" => "Arraste e solte fotos para carregar",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
A sua lista de contactos está vazia.
Adicione novos contactos ou importe de um ficheiro VCF.
",
+"Add contact" => "Adicionar contacto",
+"Compose mail" => "Escrever e-mail.",
+"Delete group" => "Eliminar grupo",
"Delete current photo" => "Eliminar a foto actual",
"Edit current photo" => "Editar a foto actual",
"Upload new photo" => "Carregar nova foto",
"Select photo from ownCloud" => "Selecionar uma foto da ownCloud",
-"Edit name details" => "Editar detalhes do nome",
-"Organization" => "Organização",
+"First name" => "Primeiro Nome",
+"Additional names" => "Nomes adicionais",
+"Last name" => "Ultimo Nome",
"Nickname" => "Alcunha",
"Enter nickname" => "Introduza alcunha",
-"Web site" => "Página web",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Ir para página web",
-"dd-mm-yyyy" => "dd-mm-aaaa",
-"Groups" => "Grupos",
-"Separate groups with commas" => "Separe os grupos usando virgulas",
-"Edit groups" => "Editar grupos",
-"Preferred" => "Preferido",
-"Please specify a valid email address." => "Por favor indique um endereço de correio válido",
-"Enter email address" => "Introduza endereço de email",
-"Mail to address" => "Enviar correio para o endereço",
-"Delete email address" => "Eliminar o endereço de correio",
-"Enter phone number" => "Insira o número de telefone",
-"Delete phone number" => "Eliminar o número de telefone",
-"Instant Messenger" => "Mensageiro instantâneo",
-"Delete IM" => "Apagar mensageiro instantâneo (IM)",
-"View on map" => "Ver no mapa",
-"Edit address details" => "Editar os detalhes do endereço",
-"Add notes here." => "Insira notas aqui.",
-"Add field" => "Adicionar campo",
+"Title" => "Titulo ",
+"Organization" => "Organização",
+"Birthday" => "Aniversário",
+"Notes go here..." => "As notas ficam aqui:",
+"Add" => "Adicionar",
"Phone" => "Telefone",
"Email" => "Email",
"Instant Messaging" => "Mensagens Instantâneas",
"Address" => "Morada",
"Note" => "Nota",
+"Web site" => "Página web",
+"Delete contact" => "Apagar contacto",
+"Preferred" => "Preferido",
+"Please specify a valid email address." => "Por favor indique um endereço de correio válido",
+"someone@example.com" => "alguem@exemplo.com",
+"Mail to address" => "Enviar correio para o endereço",
+"Delete email address" => "Eliminar o endereço de correio",
+"Enter phone number" => "Insira o número de telefone",
+"Delete phone number" => "Eliminar o número de telefone",
+"Go to web site" => "Ir para página web",
+"Delete URL" => "Eliminar Endereço (URL)",
+"View on map" => "Ver no mapa",
+"Delete address" => "Eliminar endereço",
+"1 Main Street" => "1 Rua Princial",
+"Street address" => "Endereço da Rua",
+"12345" => "12345",
+"Postal code" => "Código Postal",
+"Your city" => "Cidade",
+"City" => "Cidade",
+"Some region" => "Região (Distrito)",
+"Your country" => "País",
+"Country" => "País",
+"Instant Messenger" => "Mensageiro instantâneo",
+"Delete IM" => "Apagar mensageiro instantâneo (IM)",
+"Share" => "Partilhar",
+"Export" => "Exportar",
+"CardDAV link" => "Link CardDAV",
+"Add Contact" => "Adicionar Contacto",
+"Drop photo to upload" => "Arraste e solte fotos para carregar",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formate personalizado, Nome curto, Nome completo, Reverso ou Reverso com virgula",
+"Edit name details" => "Editar detalhes do nome",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd-mm-aaaa",
+"Separate groups with commas" => "Separe os grupos usando virgulas",
+"Edit groups" => "Editar grupos",
+"Enter email address" => "Introduza endereço de email",
+"Edit address details" => "Editar os detalhes do endereço",
+"Add notes here." => "Insira notas aqui.",
+"Add field" => "Adicionar campo",
"Download contact" => "Transferir contacto",
-"Delete contact" => "Apagar contato",
"The temporary image has been removed from cache." => "A imagem temporária foi retirada do cache.",
"Edit address" => "Editar endereço",
"Type" => "Tipo",
"PO Box" => "Apartado",
-"Street address" => "Endereço da Rua",
"Street and number" => "Rua e número",
"Extended" => "Extendido",
"Apartment number etc." => "Número de Apartamento, etc.",
-"City" => "Cidade",
"Region" => "Região",
"E.g. state or province" => "Por Ex. Estado ou província",
"Zipcode" => "Código Postal",
-"Postal code" => "Código Postal",
-"Country" => "País",
"Addressbook" => "Livro de endereços",
"Hon. prefixes" => "Prefixos honoráveis",
"Miss" => "Menina",
@@ -223,7 +257,6 @@
"Mrs" => "Senhora",
"Dr" => "Dr",
"Given name" => "Nome introduzido",
-"Additional names" => "Nomes adicionais",
"Family name" => "Nome de familia",
"Hon. suffixes" => "Sufixos Honoráveis",
"J.D." => "D.J.",
@@ -240,15 +273,12 @@
"Name of new addressbook" => "Nome do novo livro de endereços",
"Importing contacts" => "A importar os contactos",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Não tem contactos no seu livro de endereços.
Pode importar ficheiros VCF arrastando-os para a lista de contactos e largá-los num livro de endereços onde os queira importar, ou num lugar vazio para criar um novo livro de endereços e importar aí. Pode também importar clickando no botão de importar no fundo da lista.",
-"Add contact" => "Adicionar contacto",
"Select Address Books" => "Selecionar Livros de contactos",
-"Enter description" => "Introduzir descrição",
"CardDAV syncing addresses" => "CardDAV a sincronizar endereços",
"more info" => "mais informação",
"Primary address (Kontact et al)" => "Endereço primario (Kontact et al)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Livros de endereços",
-"Share" => "Partilhar",
"New Address Book" => "Novo livro de endereços",
"Name" => "Nome",
"Description" => "Descrição",
diff --git a/l10n/ro.php b/l10n/ro.php
index db7cad7d..5795d43a 100644
--- a/l10n/ro.php
+++ b/l10n/ro.php
@@ -7,13 +7,8 @@
"No address books found." => "Nici o carte de adrese găsită",
"No contacts found." => "Nici un contact găsit",
"element name is not set." => "numele elementului nu este stabilit.",
-"Cannot add empty property." => "Nu se poate adăuga un câmp gol.",
-"At least one of the address fields has to be filled out." => "Cel puțin unul din câmpurile adresei trebuie completat.",
-"Trying to add duplicate property: " => "Se încearcă adăugarea unei proprietăți duplicat:",
-"Information about vCard is incorrect. Please reload the page." => "Informațiile cărții de vizită sunt incorecte. Te rog reîncarcă pagina.",
-"Missing ID" => "ID lipsă",
-"Error parsing VCard for ID: \"" => "Eroare la prelucrarea VCard-ului pentru ID:\"",
"checksum is not set." => "suma de control nu este stabilită.",
+"Information about vCard is incorrect. Please reload the page." => "Informațiile cărții de vizită sunt incorecte. Te rog reîncarcă pagina.",
"Information about vCard is incorrect. Please reload the page: " => "Informația despre vCard este incorectă. Te rugăm să reîncarci pagina:",
"No contact ID was submitted." => "Nici un ID de contact nu a fost transmis",
"Error reading contact photo." => "Eroare la citerea fotografiei de contact",
@@ -25,15 +20,21 @@
"Error loading image." => "Eroare la încărcarea imaginii.",
"Error uploading contacts to storage." => "Eroare la încărcarea contactelor.",
"There is no error, the file uploaded with success" => "Nu a apărut nici o eroare, fișierul a fost încărcat cu succes",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Fișierul are o dimensiune mai mare decât cea specificată în variabila upload_max_filesize din php.ini",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Fișierul are o dimensiune mai mare decât variabile MAX_FILE_SIZE specificată în formularul HTML",
"The uploaded file was only partially uploaded" => "Fișierul a fost încărcat doar parțial",
"No file was uploaded" => "Nu a fost încărcat nici un fișier",
"Missing a temporary folder" => "Lipsește un director temporar",
"No file was uploaded. Unknown error" => "Nici un fișier nu a fost încărcat. Eroare necunoscută",
"Contacts" => "Contacte",
"Error" => "Eroare",
+"Importing..." => "Se importă...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Nu s-a putut încărca fișierul tău deoarece pare să fie un director sau are 0 bytes.",
+"Upload Error" => "Eroare la încărcare",
+"Upload too large" => "Fișierul încărcat este prea mare",
+"Pending" => "În așteptare",
"Enter name" => "Specifică nume",
-"Select type" => "Selectează tip",
-"Edit name" => "Editează nume",
+"Enter description" => "Specifică descriere",
"Result: " => "Rezultat:",
" imported, " => "importat,",
"Show CardDav link" => "Arată legătură CardDav",
@@ -42,8 +43,6 @@
"Delete" => "Șterge",
"Cancel" => "Anulează",
"More..." => "Mai multe...",
-"This is not your addressbook." => "Nu se găsește în agendă.",
-"Contact could not be found." => "Contactul nu a putut fi găsit.",
"Work" => "Servicu",
"Home" => "Acasă",
"Other" => "Altele",
@@ -55,20 +54,12 @@
"Video" => "Video",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Zi de naștere",
-"Business" => "Companie",
-"Call" => "Sună",
-"Clients" => "Clienți",
-"Ideas" => "Idei",
-"Meeting" => "Întâlnire",
-"Personal" => "Personal",
-"Projects" => "Proiecte",
-"Questions" => "Întrebări",
"{name}'s Birthday" => "Ziua de naștere a {name}",
"Contact" => "Contact",
-"Add Contact" => "Adaugă contact",
-"Import" => "Importă",
"Settings" => "Setări",
+"Import" => "Importă",
+"OK" => "OK",
+"Groups" => "Grupuri",
"Close" => "Închide",
"Keyboard shortcuts" => "Scurtături din tastatură",
"Navigation" => "Navigare",
@@ -77,51 +68,57 @@
"Actions" => "Acțiuni",
"Add new contact" => "Adaugă contact nou",
"Delete current contact" => "Șterge contactul curent",
+"Add contact" => "Adaugă contact",
"Delete current photo" => "Șterge poza curentă",
"Edit current photo" => "Editează poza curentă",
"Upload new photo" => "Încarcă poză nouă",
"Select photo from ownCloud" => "Selectează poză din ownCloud",
-"Edit name details" => "Introdu detalii despre nume",
-"Organization" => "Organizație",
"Nickname" => "Pseudonim",
"Enter nickname" => "Introdu pseudonim",
-"Web site" => "Site web",
-"Go to web site" => "Vizitează site-ul",
-"dd-mm-yyyy" => "zz-ll-aaaa",
-"Groups" => "Grupuri",
-"Separate groups with commas" => "Separă grupurile cu virgule",
-"Edit groups" => "Editează grupuri",
-"Preferred" => "Preferat",
-"Please specify a valid email address." => "Te rog să specifici un e-mail corect",
-"Enter email address" => "Introdu adresa de e-mail",
-"Mail to address" => "Trimite mesaj la e-mail",
-"Delete email address" => "Șterge e-mail",
-"Enter phone number" => "Specifică numărul de telefon",
-"Delete phone number" => "Șterge numărul de telefon",
-"View on map" => "Vezi pe hartă",
-"Edit address details" => "Editează detaliile adresei",
-"Add notes here." => "Adaugă note",
-"Add field" => "Adaugă câmp",
+"Title" => "Titlu",
+"Organization" => "Organizație",
+"Birthday" => "Zi de naștere",
+"Add" => "Adaugă",
"Phone" => "Telefon",
"Email" => "Email",
"Address" => "Adresă",
"Note" => "Notă",
-"Download contact" => "Descarcă acest contact",
+"Web site" => "Site web",
"Delete contact" => "Șterge contact",
+"Preferred" => "Preferat",
+"Please specify a valid email address." => "Te rog să specifici un e-mail corect",
+"Mail to address" => "Trimite mesaj la e-mail",
+"Delete email address" => "Șterge e-mail",
+"Enter phone number" => "Specifică numărul de telefon",
+"Delete phone number" => "Șterge numărul de telefon",
+"Go to web site" => "Vizitează site-ul",
+"View on map" => "Vezi pe hartă",
+"Street address" => "Adresa",
+"Postal code" => "Codul poștal",
+"City" => "Oraș",
+"Country" => "Țară",
+"Share" => "Partajează",
+"Export" => "Exportă",
+"Add Contact" => "Adaugă contact",
+"Edit name details" => "Introdu detalii despre nume",
+"dd-mm-yyyy" => "zz-ll-aaaa",
+"Separate groups with commas" => "Separă grupurile cu virgule",
+"Edit groups" => "Editează grupuri",
+"Enter email address" => "Introdu adresa de e-mail",
+"Edit address details" => "Editează detaliile adresei",
+"Add notes here." => "Adaugă note",
+"Add field" => "Adaugă câmp",
+"Download contact" => "Descarcă acest contact",
"The temporary image has been removed from cache." => "Imaginea temporară a fost eliminată din cache.",
"Edit address" => "Editeză adresă",
"Type" => "Tip",
"PO Box" => "CP",
-"Street address" => "Adresa",
"Street and number" => "Stradă și număr",
"Extended" => "Extins",
"Apartment number etc." => "Apartament etc.",
-"City" => "Oraș",
"Region" => "Regiune",
"E.g. state or province" => "Ex. județ sau provincie",
"Zipcode" => "Cod poștal",
-"Postal code" => "Codul poștal",
-"Country" => "Țară",
"Addressbook" => "Agendă",
"Ms" => "Dna.",
"Mr" => "Dl.",
@@ -129,8 +126,8 @@
"Family name" => "Nume",
"Import a contacts file" => "Importă un fișier cu contacte",
"Importing contacts" => "Se importă contactele",
-"Add contact" => "Adaugă contact",
-"Enter description" => "Specifică descriere",
+"more info" => "mai multe informații",
+"Primary address (Kontact et al)" => "Adresa primară (Kontact et al)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Agende",
"New Address Book" => "Agendă nouă",
diff --git a/l10n/ru.php b/l10n/ru.php
index c9f9c20a..b5bc53b8 100644
--- a/l10n/ru.php
+++ b/l10n/ru.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Ошибка (де)активации адресной книги.",
"id is not set." => "id не установлен.",
"Cannot update addressbook with an empty name." => "Нельзя обновить адресную книгу с пустым именем.",
+"No category name given." => "Не задано имя категории",
+"Error adding group." => "Ошибка добавления группы.",
+"Group ID missing from request." => "В запросе отсутствует ID группы.",
+"Contact ID missing from request." => "В запросе отсутствует ID контакта.",
"No ID provided" => "ID не предоставлен",
"Error setting checksum." => "Ошибка установки контрольной суммы.",
"No categories selected for deletion." => "Категории для удаления не установлены.",
"No address books found." => "Адресные книги не найдены.",
"No contacts found." => "Контакты не найдены.",
"element name is not set." => "имя элемента не установлено.",
-"Could not parse contact: " => "Невозможно распознать контакт:",
-"Cannot add empty property." => "Невозможно добавить пустой параметр.",
-"At least one of the address fields has to be filled out." => "Как минимум одно поле адреса должно быть заполнено.",
-"Trying to add duplicate property: " => "При попытке добавить дубликат:",
-"Missing IM parameter." => "Отсутствует параметр IM.",
-"Unknown IM: " => "Неизвестный IM:",
-"Information about vCard is incorrect. Please reload the page." => "Информация о vCard некорректна. Пожалуйста, обновите страницу.",
-"Missing ID" => "Отсутствует ID",
-"Error parsing VCard for ID: \"" => "Ошибка обработки VCard для ID: \"",
"checksum is not set." => "контрольная сумма не установлена.",
+"Information about vCard is incorrect. Please reload the page." => "Информация о vCard некорректна. Пожалуйста, обновите страницу.",
+"Couldn't find vCard for %d." => "Невозможно найти vCard для %d.",
"Information about vCard is incorrect. Please reload the page: " => "Информация о vCard не корректна. Перезагрузите страницу: ",
"Something went FUBAR. " => "Что-то пошло FUBAR.",
+"Cannot save property of type \"%s\" as array" => "Невозможно сохранить свойство типа \"%s\", как массив",
+"Missing IM parameter." => "Отсутствует параметр IM.",
+"Unknown IM: " => "Неизвестный IM:",
"No contact ID was submitted." => "Нет контакта ID",
"Error reading contact photo." => "Ошибка чтения фотографии контакта.",
"Error saving temporary file." => "Ошибка сохранения временного файла.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Ошибка обрезки изображений",
"Error creating temporary image" => "Ошибка создания временных изображений",
"Error finding image: " => "Ошибка поиска изображений:",
+"Key is not set for: " => "Не установлен ключ для:",
+"Value is not set for: " => "Не установлено значение для:",
+"Could not set preference: " => "Не удалось установить важность:",
"Error uploading contacts to storage." => "Ошибка загрузки контактов в хранилище.",
"There is no error, the file uploaded with success" => "Файл загружен успешно.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Загружаемый файл первосходит значение переменной upload_max_filesize, установленно в php.ini",
@@ -46,43 +49,53 @@
"Couldn't load temporary image: " => "Не удалось загрузить временное изображение:",
"No file was uploaded. Unknown error" => "Файл не был загружен. Неизвестная ошибка",
"Contacts" => "Контакты",
-"Sorry, this functionality has not been implemented yet" => "К сожалению, эта функция не была реализована",
-"Not implemented" => "Не реализовано",
-"Couldn't get a valid address." => "Не удалось получить адрес.",
-"Error" => "Ошибка",
-"Please enter an email address." => "Пожалуйста, введите адрес электронной почты",
-"Enter name" => "Введите имя",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Формат Краткое имя, Полное имя",
-"Select type" => "Выберите тип",
+"%d_selected_contacts" => "%d_выбранные_контакты",
+"Contact is already in this group." => "Контакт уже находятся в этой группе.",
+"Contacts are already in this group." => "Контакты уже находятся в этой группе.",
+"Couldn't get contact list." => "Не удалось получить список контактов.",
+"Contact is not in this group." => "Контакт не в этой группе.",
+"Contacts are not in this group." => "Контакты не в этой группе.",
+"A group named {group} already exists" => "Группа с названием {group} уже существует",
+"You can drag groups to\narrange them as you like." => "Вы можете перетащить группы в\nрасположите их как вам нравится",
+"All" => "Все",
+"Favorites" => "Избранное",
+"Shared by {owner}" => "Опубликовано {owner}",
+"Indexing contacts" => "Индексация контактов",
+"Add to..." => "Добавить в...",
+"Remove from..." => "Удалить из...",
+"Add group..." => "Добавить группу...",
"Select photo" => "Выберите фото",
-"You do not have permission to add contacts to " => "У вас нет разрешений добавлять контакты в",
-"Please select one of your own address books." => "Выберите одну из ваших собственных адресных книг.",
-"Permission error" => "Ошибка доступа",
-"Click to undo deletion of \"" => "Нажмите для отмены удаления \"",
-"Cancelled deletion of: \"" => "Отменено удаление: \"",
-"This property has to be non-empty." => "Это поле не должно быть пустым.",
-"Couldn't serialize elements." => "Не удалось сериализовать элементы.",
-"Unknown error. Please check logs." => "Неизвестная ошибка. Пожалуйста, проверьте логи.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' called without type argument. Please report at bugs.owncloud.org",
-"Edit name" => "Изменить имя",
-"No files selected for upload." => "Нет выбранных файлов для загрузки.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Файл, который вы пытаетесь загрузить превышать максимальный размер загружаемых файлов на этом сервере.",
-"Error loading profile picture." => "Ошибка загрузки изображения профиля.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Некоторые контакты помечены на удаление, но ещё не удалены. Подождите, пока они удаляются.",
-"Do you want to merge these address books?" => "Вы хотите соединить эти адресные книги?",
-"Shared by " => "Опубликовано",
-"Upload too large" => "Файл слишком велик",
-"Only image files can be used as profile picture." => "Только файлы изображений могут быть использованы в качестве картинки профиля.",
-"Wrong file type" => "Неверный тип файла",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Ваш браузер не поддерживает загрузку AJAX. Пожалуйста, нажмите на картинке профиля, чтобы загрузить фото.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Файл не был загружен: его размер 0 байт либо это не файл, а директория.",
-"Upload Error" => "Ошибка при загрузке",
-"Pending" => "Ожидание",
-"Import done" => "Импорт завершен",
+"Network or server error. Please inform administrator." => "Ошибка сети или сервера. Пожалуйста, обратитесь к администратору.",
+"Error adding to group." => "Ошибка добавления в группу.",
+"Error removing from group." => "Ошибка удаления из группы",
+"There was an error opening a mail composer." => "Произошла ошибка при открытии почтовой программы.",
+"Deleting done. Click here to cancel reloading." => "Удаление завершено. Щелкните здесь для отмены перезагрузки.",
+"Add address book" => "Добавить адресную книгу",
+"Import done. Click here to cancel reloading." => "Импорт завершен. Щелкните здесь для отмены перезагрузки.",
"Not all files uploaded. Retrying..." => "Не все файлы были загружены. Повторяю...",
"Something went wrong with the upload, please retry." => "В процессе загрузки что-то пошло не так, пожалуйста загрузите повторно.",
+"Error" => "Ошибка",
+"Importing from {filename}..." => "Импорт из {filename}...",
+"{success} imported, {failed} failed." => "{success} импортировано, {failed} потеряно.",
"Importing..." => "Импортирую...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Файл не был загружен: его размер 0 байт либо это не файл, а директория.",
+"Upload Error" => "Ошибка при загрузке",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Файл, который вы пытаетесь загрузить превышать максимальный размер загружаемых файлов на этом сервере.",
+"Upload too large" => "Файл слишком велик",
+"Pending" => "Ожидание",
+"Add group" => "Добавить группу",
+"No files selected for upload." => "Нет выбранных файлов для загрузки.",
+"Edit profile picture" => "Редактировать изображение профиля",
+"Error loading profile picture." => "Ошибка загрузки изображения профиля.",
+"Enter name" => "Введите имя",
+"Enter description" => "Ввдите описание",
+"Select addressbook" => "Выбрать адресную книгу",
"The address book name cannot be empty." => "Имя адресной книги не может быть пустым.",
+"Is this correct?" => "Это верно?",
+"There was an unknown error when trying to delete this contact" => "Произошла неизвестная ошибка при попытке удалить этот контакт",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Некоторые контакты помечены на удаление, но ещё не удалены. Подождите, пока они удаляются.",
+"Click to undo deletion of {num} contacts" => "Нажмите для отмены удаления {num} контактов",
+"Cancelled deletion of {num}" => "Отменено удаление {num}",
"Result: " => "Результат:",
" imported, " => "импортировано, ",
" failed." => "не удалось.",
@@ -100,9 +113,6 @@
"There was an error updating the addressbook." => "Ошибка при обновлении адресной книги.",
"You do not have the permissions to delete this addressbook." => "У вас нет права удалять эту адресную книгу.",
"There was an error deleting this addressbook." => "Ошибка при удалении адресной книги.",
-"Addressbook not found: " => "Адресная книга не найдена:",
-"This is not your addressbook." => "Это не ваша адресная книга.",
-"Contact could not be found." => "Контакт не найден.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +136,9 @@
"Video" => "Видео",
"Pager" => "Пейджер",
"Internet" => "Интернет",
-"Birthday" => "День рождения",
-"Business" => "Бизнес",
-"Call" => "Вызов",
-"Clients" => "Клиенты",
-"Deliverer" => "Посыльный",
-"Holidays" => "Праздники",
-"Ideas" => "Идеи",
-"Journey" => "Поездка",
-"Jubilee" => "Юбилей",
-"Meeting" => "Встреча",
-"Personal" => "Личный",
-"Projects" => "Проекты",
-"Questions" => "Вопросы",
+"Friends" => "Друзья",
+"Family" => "Семья",
+"There was an error deleting properties for this contact." => "Произошла ошибка при удалении свойств данного контакта.",
"{name}'s Birthday" => "День рождения {name}",
"Contact" => "Контакт",
"You do not have the permissions to add contacts to this addressbook." => "У вас нет права создавать контакты в этой адресной книге.",
@@ -148,9 +148,22 @@
"Could not find the Addressbook with ID: " => "Не могу найти адресную книгу с ID:",
"You do not have the permissions to delete this contact." => "У вас нет разрешений удалять этот контакт.",
"There was an error deleting this contact." => "Ошибка при удалении контакта.",
-"Add Contact" => "Добавить Контакт",
-"Import" => "Импорт",
+"Contact not found." => "Контакт не найден.",
+"HomePage" => "Домашняя страница",
+"New Group" => "Новая группа",
"Settings" => "Настройки",
+"Address books" => "Адресная книга",
+"Import" => "Импорт",
+"Select files to import" => "Выберите файлы для импорта:",
+"Select files" => "Выберите файл",
+"Import into:" => "Импорт в",
+"OK" => "ОК",
+"(De-)select all" => "(Отменить) отметить все",
+"New Contact" => "Новый контакт",
+"Download Contact(s)" => "Загрузить контакт(ы)",
+"Groups" => "Группы",
+"Favorite" => "Избранное",
+"Delete Contact" => "Удалить контакт",
"Close" => "Закрыть",
"Keyboard shortcuts" => "Горячие клавиши",
"Navigation" => "Навигация",
@@ -164,56 +177,83 @@
"Add new contact" => "Добавить новый контакт",
"Add new addressbook" => "Добавить новую адресную книгу",
"Delete current contact" => "Удалить текущий контакт",
-"Drop photo to upload" => "Перетяните фотографии для загрузки",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
В вашей адресной книге нет контактов.
Добавьте новый контакт или импортируйте контакты из VCF файла.
",
+"Add contact" => "Добавить контакт",
+"Compose mail" => "Написать письмо",
+"Delete group" => "Удалить группу",
"Delete current photo" => "Удалить текущую фотографию",
"Edit current photo" => "Редактировать текущую фотографию",
"Upload new photo" => "Загрузить новую фотографию",
"Select photo from ownCloud" => "Выбрать фотографию из ownCloud",
-"Edit name details" => "Изменить детали имени",
-"Organization" => "Организация",
+"First name" => "Имя",
+"Additional names" => "Отчество",
+"Last name" => "Фамилия",
"Nickname" => "Псевдоним",
"Enter nickname" => "Введите псевдоним",
-"Web site" => "Веб-сайт",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Перейти на веб-сайт",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "Группы",
-"Separate groups with commas" => "Разделить группы запятыми",
-"Edit groups" => "Редактировать группы",
-"Preferred" => "Предпочитаемый",
-"Please specify a valid email address." => "Укажите правильный адрес электронной почты.",
-"Enter email address" => "Укажите эл. почту",
-"Mail to address" => "Написать по адресу",
-"Delete email address" => "Удалить адрес электронной почты",
-"Enter phone number" => "Введите номер телефона",
-"Delete phone number" => "Удалить номер телефона",
-"Instant Messenger" => "Instant Messenger",
-"Delete IM" => "Удалить IM",
-"View on map" => "Показать на карте",
-"Edit address details" => "Введите детали адреса",
-"Add notes here." => "Добавьте заметки здесь.",
-"Add field" => "Добавить поле",
+"Title" => "Заголовок",
+"Enter title" => "Введите название",
+"Organization" => "Организация",
+"Enter organization" => "Введите организацию",
+"Birthday" => "День рождения",
+"Notes go here..." => "Здесь будут заметки...",
+"Export as VCF" => "Экспорт в VCF",
+"Add" => "Добавить",
"Phone" => "Телефон",
"Email" => "Эл. почта",
"Instant Messaging" => "Быстрые сообщения",
"Address" => "Адрес",
"Note" => "Заметка",
-"Download contact" => "Скачать контакт",
+"Web site" => "Веб-сайт",
"Delete contact" => "Удалить контакт",
+"Preferred" => "Предпочитаемый",
+"Please specify a valid email address." => "Укажите правильный адрес электронной почты.",
+"someone@example.com" => "someone@example.com",
+"Mail to address" => "Написать по адресу",
+"Delete email address" => "Удалить адрес электронной почты",
+"Enter phone number" => "Введите номер телефона",
+"Delete phone number" => "Удалить номер телефона",
+"Go to web site" => "Перейти на веб-сайт",
+"Delete URL" => "Удалить URL",
+"View on map" => "Показать на карте",
+"Delete address" => "Удалить адрес",
+"1 Main Street" => "1 Ленина улица",
+"Street address" => "Улица",
+"12345" => "12345",
+"Postal code" => "Почтовый индекс",
+"Your city" => "Ваш город",
+"City" => "Город",
+"Some region" => "Некоторый регион",
+"State or province" => "Область или район",
+"Your country" => "Ваша страна",
+"Country" => "Страна",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "Удалить IM",
+"Share" => "Опубликовать",
+"Export" => "Экспорт",
+"CardDAV link" => "Ссылка CardDAV",
+"Add Contact" => "Добавить Контакт",
+"Drop photo to upload" => "Перетяните фотографии для загрузки",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Формат Краткое имя, Полное имя",
+"Edit name details" => "Изменить детали имени",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "Разделить группы запятыми",
+"Edit groups" => "Редактировать группы",
+"Enter email address" => "Укажите эл. почту",
+"Edit address details" => "Введите детали адреса",
+"Add notes here." => "Добавьте заметки здесь.",
+"Add field" => "Добавить поле",
+"Download contact" => "Скачать контакт",
"The temporary image has been removed from cache." => "Временный образ был удален из кэша.",
"Edit address" => "Редактировать адрес",
"Type" => "Тип",
"PO Box" => "АО",
-"Street address" => "Улица",
"Street and number" => "Улица и дом",
"Extended" => "Расширенный",
"Apartment number etc." => "Номер квартиры и т.д.",
-"City" => "Город",
"Region" => "Область",
"E.g. state or province" => "Например, область или район",
"Zipcode" => "Почтовый индекс",
-"Postal code" => "Почтовый индекс",
-"Country" => "Страна",
"Addressbook" => "Адресная книга",
"Hon. prefixes" => "Префикс имени",
"Miss" => "Мисс",
@@ -223,7 +263,6 @@
"Mrs" => "Г-жа",
"Dr" => "Доктор",
"Given name" => "Имя",
-"Additional names" => "Отчество",
"Family name" => "Фамилия",
"Hon. suffixes" => "Суффикс имени",
"J.D." => "Уважительные суффиксы",
@@ -240,15 +279,12 @@
"Name of new addressbook" => "Имя новой адресной книги",
"Importing contacts" => "Импорт контактов",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
В вашей адресной книге нет контактов.
Вы можете импортировать файлы VCF, перетаскивая их в список контактов и бросая либо в нужную адресную книгу либо на свободное место для импорта в новую адресную книгу. Так же вы можете импортировать контакты с помощью кнопку импорта внизу списка.
",
-"Add contact" => "Добавить контакт",
"Select Address Books" => "Выбрать адресную книгу",
-"Enter description" => "Ввдите описание",
"CardDAV syncing addresses" => "Синхронизация адресов CardDAV",
"more info" => "дополнительная информация",
"Primary address (Kontact et al)" => "Первичный адрес (Kontact и др.)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Адресные книги",
-"Share" => "Опубликовать",
"New Address Book" => "Новая адресная книга",
"Name" => "Имя",
"Description" => "Описание",
diff --git a/l10n/ru_RU.php b/l10n/ru_RU.php
index b493a23d..160ae820 100644
--- a/l10n/ru_RU.php
+++ b/l10n/ru_RU.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Ошибка (дез)активации адресной книги.",
"id is not set." => "ID не установлен",
"Cannot update addressbook with an empty name." => "Невозможно обновить адресную книгу с пустой строкой имени.",
+"No category name given." => "Не дано имя категории.",
+"Error adding group." => "Ошибка добавления группы.",
+"Group ID missing from request." => "В запросе отсутствует ID группы.",
+"Contact ID missing from request." => "В запросе отсутствует ID контакта.",
"No ID provided" => "Не предоставлено ID",
"Error setting checksum." => "Ошибка при установке контрольной суммы.",
"No categories selected for deletion." => "Нет категорий, выбранных для удаления.",
"No address books found." => "Не найдено адресных книг.",
"No contacts found." => "Не найдено контактов.",
"element name is not set." => "Элемент Имя не установлен.",
-"Could not parse contact: " => "Не удалось обработать контакт:",
-"Cannot add empty property." => "Невозможно добавить пустое свойство.",
-"At least one of the address fields has to be filled out." => "Хотя бы одно адресное поле должно быть заполнено.",
-"Trying to add duplicate property: " => "Попробуйте добавить дублирующееся свойство.",
-"Missing IM parameter." => "Отсутствующий IM параметр.",
-"Unknown IM: " => "Неизвестный IM: ",
-"Information about vCard is incorrect. Please reload the page." => "Информация о визитной карточке некорректна. Пожалуйста, перезагрузите страницу.",
-"Missing ID" => "Отсутствующий ID",
-"Error parsing VCard for ID: \"" => "Ошибка при анализе визитной карточки для ID: \"",
"checksum is not set." => "Контрольная сумма не установлена.",
+"Information about vCard is incorrect. Please reload the page." => "Информация о визитной карточке некорректна. Пожалуйста, перезагрузите страницу.",
+"Couldn't find vCard for %d." => "Не удалось найти визитную карточку для %d.",
"Information about vCard is incorrect. Please reload the page: " => "Информация о визитной карточке некорректна. Пожалуйста, перезагрузите страницу:",
"Something went FUBAR. " => "Что-то безнадежно испорчено.",
+"Cannot save property of type \"%s\" as array" => "Не удается сохранить свойство типа \"%s\" как массив",
+"Missing IM parameter." => "Отсутствующий IM параметр.",
+"Unknown IM: " => "Неизвестный IM: ",
"No contact ID was submitted." => "Контактный ID не был представлен.",
"Error reading contact photo." => "Ошибка при чтении фотографии контакта.",
"Error saving temporary file." => "Ошибка при сохранении временного файла.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Ошибка обрезки изображения",
"Error creating temporary image" => "Ошибка при создании временного изображения",
"Error finding image: " => "Ошибка поиска изображений:",
+"Key is not set for: " => "Ключ не установлен для: ",
+"Value is not set for: " => "Значение не установлено для: ",
+"Could not set preference: " => "Не удалось установить предпочтения:",
"Error uploading contacts to storage." => "Ошибка загрузки контактов в память.",
"There is no error, the file uploaded with success" => "Ошибки нет, файл успешно загружен",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Размер загружаемого файла превысил максимально допустимый в директиве upload_max_filesize в php.ini",
@@ -46,43 +49,46 @@
"Couldn't load temporary image: " => "Не удалось загрузить временное изображение:",
"No file was uploaded. Unknown error" => "Файл не был загружен. Неизвестная ошибка",
"Contacts" => "Контакты",
-"Sorry, this functionality has not been implemented yet" => "Извините, эта функция еще не реализована",
-"Not implemented" => "Не выполнено",
-"Couldn't get a valid address." => "Не удалось получить действительный адрес.",
-"Error" => "Ошибка",
-"Please enter an email address." => "Пожалуйста, введите email-адрес",
-"Enter name" => "Ввод имени",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Пользовательский формат, сокращенное имя, полное имя, обратный порядок или обратный порядок с запятыми",
-"Select type" => "Выбрать тип",
+"Contact is already in this group." => "Контакт уже в этой группе.",
+"Contacts are already in this group." => "Контакты уже в этой группе.",
+"Couldn't get contact list." => "Не удалось получить лист контактов.",
+"Contact is not in this group." => "Контакт не в этой группе.",
+"Contacts are not in this group." => "Контакты не в этой группе.",
+"A group named {group} already exists" => "Группа, названная {группа} уже существует",
+"All" => "Все",
+"Favorites" => "Избранные",
+"Shared by {owner}" => "Опубликовано {собственник}",
+"Indexing contacts" => "Индексирование контактов",
+"Add to..." => "Добавить к...",
+"Remove from..." => "Удалить из...",
+"Add group..." => "Добавить группу...",
"Select photo" => "Выбрать фотографию",
-"You do not have permission to add contacts to " => "У Вас нет полномочий для добавления контактов",
-"Please select one of your own address books." => "Пожалуйста, выберите одну из Ваших собственных адресных книг.",
-"Permission error" => "Ошибка разрешения доступа",
-"Click to undo deletion of \"" => "Нажмите, чтобы отменить удаление \"",
-"Cancelled deletion of: \"" => "Отменено удаление: \"",
-"This property has to be non-empty." => "Это свойство не должно быть пустым.",
-"Couldn't serialize elements." => "Не удалось сериализовать элементы.",
-"Unknown error. Please check logs." => "Неизвестная ошибка. Пожалуйста, проверьте логи.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "\"deleteProperty\" вызывается без аргументов типа. Пожалуйста, отправьте отчет на bugs.owncloud.org",
-"Edit name" => "Редактировать имя",
-"No files selected for upload." => "Не выбрано файлов для загрузки.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Размер загружаемого Вами файла превышает максимально допустимый для загрузки на данный сервер.",
-"Error loading profile picture." => "Ошибка при загрузке картинки профиля.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Некоторые контакты отмечены для удаления, но еще не удалены. Пожалуйста, подождите пока они будут удалены.",
-"Do you want to merge these address books?" => "Вы хотите соединить эти адресные книги?",
-"Shared by " => "Добавлено в общий доступ",
-"Upload too large" => "Загрузка слишком велика",
-"Only image files can be used as profile picture." => "Только файлы изображений могут быть использованы в качестве картинки к профилю.",
-"Wrong file type" => "Неверный тип файла",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Ваш браузер не поддерживает AJAX загрузки. Пожалуйста, нажмите на картинку профиля, чтобы выбрать фотографию для загрузки.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Невозможно загрузить Ваш файл, так как он является каталогом или его размер составляет 0 байт.",
-"Upload Error" => "Ошибка загрузки",
-"Pending" => "Ожидание",
-"Import done" => "Импортирование выполнено",
+"Network or server error. Please inform administrator." => "Сетевая или серверная ошибка. Пожалуйста, сообщите адмистратору.",
+"Error adding to group." => "Ошибка добавления в группу.",
+"Error removing from group." => "Ошибка удаления из группы.",
+"There was an error opening a mail composer." => "Произошла ошибка при открытии окна составления сообщения.",
"Not all files uploaded. Retrying..." => "Не все файлы загружены. Попробуйте снова..",
"Something went wrong with the upload, please retry." => "Что-то пошло не так при загрузке, пожалуйста, попробуйте снова.",
-"Importing..." => "Импортирование..",
+"Error" => "Ошибка",
+"Importing..." => "Импортирование...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Невозможно загрузить Ваш файл, так как он является каталогом или его размер составляет 0 байт.",
+"Upload Error" => "Ошибка загрузки",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Размер загружаемого Вами файла превышает максимально допустимый для загрузки на данный сервер.",
+"Upload too large" => "Загрузка слишком велика",
+"Pending" => "Ожидание",
+"Add group" => "Добавить группу",
+"No files selected for upload." => "Не выбрано файлов для загрузки.",
+"Edit profile picture" => "Добавить изображение к профилю",
+"Error loading profile picture." => "Ошибка при загрузке картинки профиля.",
+"Enter name" => "Ввод имени",
+"Enter description" => "Ввод описания",
+"Select addressbook" => "Выбрать адресную книгу",
"The address book name cannot be empty." => "Имя адресной книги не должно быть пустым.",
+"Is this correct?" => "Это верно?",
+"There was an unknown error when trying to delete this contact" => "Возникла неизвестная ошибка при попытке удалить этот контакт",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Некоторые контакты отмечены для удаления, но еще не удалены. Пожалуйста, подождите пока они будут удалены.",
+"Click to undo deletion of {num} contacts" => "Нажмите, чтобы отменить удаление {num} контактов",
+"Cancelled deletion of {num}" => "Отменено удаление {num}",
"Result: " => "Результат:",
" imported, " => "импортировано,",
" failed." => "не удалось.",
@@ -100,9 +106,6 @@
"There was an error updating the addressbook." => "Произошла ошибка при обновлении адресной книги.",
"You do not have the permissions to delete this addressbook." => "У Вас нет полномочий для удаления этой адресной книги.",
"There was an error deleting this addressbook." => "Произошла ошибка при удалении этой адресной книги.",
-"Addressbook not found: " => "Адресная книга не найдена:",
-"This is not your addressbook." => "Это не Ваша адресная книга.",
-"Contact could not be found." => "Контакт не может быть найден.",
"Jabber" => "Джаббер",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +129,9 @@
"Video" => "Видео",
"Pager" => "Пейджер",
"Internet" => "Интернет",
-"Birthday" => "День рождения",
-"Business" => "Бизнес",
-"Call" => "Вызов",
-"Clients" => "Клиенты",
-"Deliverer" => "Поставщик",
-"Holidays" => "Праздники",
-"Ideas" => "Идеи",
-"Journey" => "Путешествие",
-"Jubilee" => "Юбилей",
-"Meeting" => "Встреча",
-"Personal" => "Персональный",
-"Projects" => "Проекты",
-"Questions" => "Вопросы",
+"Friends" => "Друзья",
+"Family" => "Семья",
+"There was an error deleting properties for this contact." => "Возникла ошибка при удалении свойств для этого контакта.",
"{name}'s Birthday" => "{имя} день рождения",
"Contact" => "Контакт",
"You do not have the permissions to add contacts to this addressbook." => "У Вас нет разрешения для добавления контактов в эту адресную книгу.",
@@ -148,9 +141,18 @@
"Could not find the Addressbook with ID: " => "Не удалось найти адресную книгу с ID:",
"You do not have the permissions to delete this contact." => "У Вас нет полномочий для удаления этого контакта.",
"There was an error deleting this contact." => "Произошла ошибка при удалении этого контакта.",
-"Add Contact" => "Добавить контакт",
-"Import" => "Импортировать",
+"Contact not found." => "Контакт не найден.",
+"HomePage" => "Домашняя страница",
+"New Group" => "Новая группа",
"Settings" => "Настройки",
+"Import" => "Импортировать",
+"Import into:" => "Импортировать в:",
+"OK" => "OK",
+"(De-)select all" => "Отметить(снять отметку) все",
+"New Contact" => "Новый контакт",
+"Groups" => "Группы",
+"Favorite" => "Избранный",
+"Delete Contact" => "Удалить контакт",
"Close" => "Закрыть",
"Keyboard shortcuts" => "Комбинации клавиш",
"Navigation" => "Навигация",
@@ -164,56 +166,78 @@
"Add new contact" => "Добавить новый контакт",
"Add new addressbook" => "Добавить новую адресную книгу",
"Delete current contact" => "Удалить текущий контакт",
-"Drop photo to upload" => "Перетащите фотографию для загрузки",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
У Вас нет контактов в адресной книге.
Добавьте новый контакт или импортируйте существующие контакты из VCF-файла.
",
+"Add contact" => "Добавить контакт",
+"Compose mail" => "Написать письмо",
+"Delete group" => "Удалить группу",
"Delete current photo" => "Удалить текущую фотографию",
"Edit current photo" => "Редактировать текущую фотографию",
"Upload new photo" => "Загрузить новую фотографию",
"Select photo from ownCloud" => "Выбрать фотографию из ownCloud",
-"Edit name details" => "Редактировать детали имени",
-"Organization" => "Организация",
+"First name" => "Имя",
+"Additional names" => "Дополнительные имена",
+"Last name" => "Фамилия",
"Nickname" => "Имя",
"Enter nickname" => "Введите имя",
-"Web site" => "Веб-сайт",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Перейти к веб-сайту",
-"dd-mm-yyyy" => "дд-мм-гггг",
-"Groups" => "Группы",
-"Separate groups with commas" => "Разделите группы запятыми",
-"Edit groups" => "Редактировать группы",
-"Preferred" => "Предпочтительный",
-"Please specify a valid email address." => "Пожалуйста,укажите действительный email адрес.",
-"Enter email address" => "Введите email адрес",
-"Mail to address" => "Послать письмо адресату",
-"Delete email address" => "Удалить email адрес",
-"Enter phone number" => "Введите телефонный номер",
-"Delete phone number" => "Удалить телефонный номер",
-"Instant Messenger" => "Служба обмена мгновенными сообщениями",
-"Delete IM" => "Удалить IM",
-"View on map" => "Посмотреть на карте",
-"Edit address details" => "Детальное редактирование адреса",
-"Add notes here." => "Добавить здесь заметок.",
-"Add field" => "Добавить поле",
+"Title" => "Название",
+"Organization" => "Организация",
+"Birthday" => "День рождения",
+"Notes go here..." => "Заметки перемещаются сюда...",
+"Add" => "Добавить",
"Phone" => "Телефон",
"Email" => "Email",
"Instant Messaging" => "Обмен мгновенными сообщениями",
"Address" => "Адрес",
"Note" => "Заметки",
-"Download contact" => "загрузить контакт",
+"Web site" => "Веб-сайт",
"Delete contact" => "Удалить контакт",
+"Preferred" => "Предпочтительный",
+"Please specify a valid email address." => "Пожалуйста,укажите действительный email адрес.",
+"someone@example.com" => "someone@example.com",
+"Mail to address" => "Послать письмо адресату",
+"Delete email address" => "Удалить email адрес",
+"Enter phone number" => "Введите телефонный номер",
+"Delete phone number" => "Удалить телефонный номер",
+"Go to web site" => "Перейти к веб-сайту",
+"Delete URL" => "Удалить URL",
+"View on map" => "Посмотреть на карте",
+"Delete address" => "Удалить адрес",
+"1 Main Street" => "1 главная улица",
+"Street address" => "Улица",
+"12345" => "12345",
+"Postal code" => "Почтовый код",
+"Your city" => "Ваш город",
+"City" => "Город",
+"Some region" => "Регион",
+"Your country" => "Ваша страна",
+"Country" => "Страна",
+"Instant Messenger" => "Служба обмена мгновенными сообщениями",
+"Delete IM" => "Удалить IM",
+"Share" => "Сделать общим",
+"Export" => "Экспортировать",
+"Add Contact" => "Добавить контакт",
+"Drop photo to upload" => "Перетащите фотографию для загрузки",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Пользовательский формат, сокращенное имя, полное имя, обратный порядок или обратный порядок с запятыми",
+"Edit name details" => "Редактировать детали имени",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "дд-мм-гггг",
+"Separate groups with commas" => "Разделите группы запятыми",
+"Edit groups" => "Редактировать группы",
+"Enter email address" => "Введите email адрес",
+"Edit address details" => "Детальное редактирование адреса",
+"Add notes here." => "Добавить здесь заметок.",
+"Add field" => "Добавить поле",
+"Download contact" => "загрузить контакт",
"The temporary image has been removed from cache." => "Временное изображение было удалено из кэша.",
"Edit address" => "Редактировать адрес",
"Type" => "Тип",
"PO Box" => "Почтовый ящик",
-"Street address" => "Улица",
"Street and number" => "Улица и номер",
"Extended" => "Расширенный",
"Apartment number etc." => "Квартира и т.д.",
-"City" => "Город",
"Region" => "Регион (область)",
"E.g. state or province" => "Напр., штат или область",
"Zipcode" => "Индекс",
-"Postal code" => "Почтовый код",
-"Country" => "Страна",
"Addressbook" => "Адресная книга",
"Hon. prefixes" => "Почетные префиксы",
"Miss" => "мисс",
@@ -223,7 +247,6 @@
"Mrs" => "Г-жа",
"Dr" => "Доктор",
"Given name" => "Имя",
-"Additional names" => "Дополнительные имена",
"Family name" => "Фамилия",
"Hon. suffixes" => "Префиксы",
"J.D." => "Доктор права",
@@ -240,15 +263,12 @@
"Name of new addressbook" => "Имя новой адресной книги",
"Importing contacts" => "Импортирование контактов",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
У Вас нет контактов в адресной книге.
Вы можете импортировать VCF-файлы путем перетаскивания их в список контактов и скинуть их либо на адресную книгу для импорта в нее, либо на пустое место для создания новой адресной книги с последующим импортом в нее. Вы можете также импортировать путем нажатия на кнопку импорта внизу списка.
",
-"Add contact" => "Добавить контакт",
"Select Address Books" => "Выбрать адресные книги",
-"Enter description" => "Ввод описания",
"CardDAV syncing addresses" => "CardDAV ",
"more info" => "Больше информации",
"Primary address (Kontact et al)" => "Первичный адрес",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Адресные книги",
-"Share" => "Сделать общим",
"New Address Book" => "Новая адресная книга",
"Name" => "Имя",
"Description" => "Описание",
diff --git a/l10n/si_LK.php b/l10n/si_LK.php
index c4ecadf4..0262dcd6 100644
--- a/l10n/si_LK.php
+++ b/l10n/si_LK.php
@@ -6,32 +6,56 @@
"No categories selected for deletion." => "මකා දැමීම සඳහා ප්රවර්ගයන් තෝරා නොමැත.",
"No address books found." => "ලිපින පොත් හමු නොවිනි",
"No contacts found." => "සබඳතා හමු නොවිනි",
-"Cannot add empty property." => "අයිතිය ශුන්යව එක් කළ නොහැක.",
-"At least one of the address fields has to be filled out." => "අඩුම තරමින් එක් යොමු ක්ෂේත්රයක්වත් පිරවිය යුතුයි.",
-"Trying to add duplicate property: " => "අයිතියෙහි අනුපිටපතක් එක් කිරීමට උත්සාහ කිරීම:",
+"element name is not set." => "අවයවය සඳහා නමක් දමා නැත",
"Information about vCard is incorrect. Please reload the page." => "vCard පිළිබඳ තොරතුරු අසත්යයි. කරුණාකර පිටුව නැවත බාගත කරන්න.",
-"Missing ID" => "හැඳුනුම් අංකය නොමැත",
+"Something went FUBAR. " => "යම් කිසිවක් FUBAR විය",
"No contact ID was submitted." => "සබඳතා අංකය සපයා නැත.",
"Error reading contact photo." => "හඳුනාගැනීමේ ඡායාරූපය කියවීම දෝෂ සහිතයි.",
"Error saving temporary file." => "තාවකාලික ගොනුව සුරැකීම දෝෂ සහිතයි.",
+"The loading photo is not valid." => "පූරණය වන රූපය වලංගු නැත",
"Contact ID is missing." => "සබඳතා හැඳිනුම් අංකය නොමැත.",
"File doesn't exist:" => "ගොනුව නොපවතී",
"Error loading image." => "රූපය පූරණය දෝෂ සහිතයි.",
+"Error getting contact object." => "සම්බන්ධතා වස්තුව ගෙන ඒමේදී දෝෂයක්",
+"Error saving contact." => "සම්බන්ධතාව සුරැකිමේදී දෝෂයක්",
+"Error creating temporary image" => "තාවකාලික ඡායාරූපයක් තැනීමේ දෝෂයක්",
+"Error finding image: " => "ඡායාරූපය සොයාගැනීමේ දෝෂයක්",
"Error uploading contacts to storage." => "ගබඩාවට පුද්ගල විස්තර උඩුගත කිරීමේ දෝෂයක්",
"There is no error, the file uploaded with success" => "දෝෂයක් නොමැත. සාර්ථකව ගොනුව උඩුගත කෙරුණි",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "php.ini හි upload_max_filesize නියමයට වඩා ගොනුව විශාලය",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "උඩුගත කළ ගොනුවේ විශාලත්වය HTML පෝරමයේ නියම කළ ඇති MAX_FILE_SIZE විශාලත්වයට වඩා වැඩිය",
"The uploaded file was only partially uploaded" => "උඩුගත කළ ගොනුවේ කොටසක් පමණක් උඩුගත විය",
"No file was uploaded" => "ගොනුවක් උඩුගත නොවුණි",
"Missing a temporary folder" => "තාවකාලික ෆොල්ඩරයක් අතුරුදහන්",
+"Couldn't save temporary image: " => "තාවකාලික රූපය සුරැකීමට නොහැකි විය",
+"No file was uploaded. Unknown error" => "ගොනුවක් උඩුගත නොවුනි. නොහැඳිනු දෝෂයක්",
"Contacts" => "සබඳතා",
+"Error" => "දෝෂයක්",
+"Importing..." => "ආයාත කරමින් පවති...",
+"Upload Error" => "උඩුගත කිරීමේ දෝෂයක්",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "ඔබ උඩුගත කිරීමට තැත් කරන ගොනුව, සේවාදායකයාට උඩුගත කළ හැකි උපරිම ගොනු විශාලත්වයට වඩා වැඩිය",
+"Upload too large" => "උඩුගත කිරීම විශාල වැඩිය",
+"No files selected for upload." => "උඩුගත කිරීමට ගොනු තෝරා නැත",
+"Enter name" => "නම දෙන්න",
+"Enter description" => "විස්තරය දෙන්න",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "සමහර සම්බන්ධතා මකන ලෙස ලකුණු කොට ඇත. කරුණාකර ඒවා මැකෙන තෙක් සිටින්න",
+"Result: " => "ප්රතිඵලය:",
+" imported, " => "ආයාත කරන ලදී,",
+" failed." => "අසාර්ථකයි",
+"Displayname cannot be empty." => "පෙන්වන නම හිස්ව තිබිය නොහැක",
"Download" => "බාගත කිරීම",
"Edit" => "සකසන්න",
"Delete" => "මකන්න",
"Cancel" => "එපා",
-"This is not your addressbook." => "මේ ඔබේ ලිපින පොත නොවේ",
-"Contact could not be found." => "සබඳතාවය සොයා ගත නොහැක.",
+"More..." => "තවත්...",
+"Less..." => "අඩුවෙන්...",
+"You do not have the permissions to update this addressbook." => "මෙම ලිපින පොත යාවත්කාලීන කිරීමට ඔබට අවසර නැත",
+"There was an error updating the addressbook." => "මෙම ලිපින පොත යාවත්කාලීන කිරීමේදී දෝෂයක් ඇති විය",
+"You do not have the permissions to delete this addressbook." => "මෙම ලිපින පොත මැකීමට ඔබට අවසර නැත",
+"There was an error deleting this addressbook." => "මෙම ලිපින පොත මැකීමේදී දෝෂයක් ඇති විය",
"Work" => "රාජකාරී",
"Home" => "නිවස",
+"Other" => "වෙනත්",
"Mobile" => "ජංගම",
"Text" => "පෙළ",
"Voice" => "හඬ",
@@ -40,48 +64,81 @@
"Video" => "වීඩියෝව",
"Pager" => "පේජරය",
"Internet" => "අන්තර්ජාලය",
-"Birthday" => "උපන් දිනය",
"{name}'s Birthday" => "{name}ගේ උපන්දිනය",
"Contact" => "සබඳතාව",
-"Add Contact" => "සබඳතාවක් එක් කරන්න",
-"Drop photo to upload" => "උඩුගත කිරීමට මෙතැනට දමන්න",
+"You do not have the permissions to add contacts to this addressbook." => "මෙම ලිපින පොතට අලුත් සම්බන්ධතා එක් කිරීමට ඔබට අවසර නැත",
+"You do not have the permissions to edit this contact." => "මෙම සම්බන්ධතාව සංස්කරණය කිරීමට ඔබට අවසර නැත",
+"You do not have the permissions to delete this contact." => "මෙම සම්බන්ධතාව මැකීමට ඔබට අවසර නැත",
+"There was an error deleting this contact." => "මෙම සම්බන්ධතාව මැකීමේදී දෝෂයක් ඇති විය",
+"Settings" => "සිටුවම්",
+"Import" => "ආයාත කරන්න",
+"OK" => "හරි",
+"Groups" => "කණ්ඩායම්",
+"Close" => "වසන්න",
+"Next addressbook" => "මෙයට පසු ලිපින පොත",
+"Previous addressbook" => "මෙයට පෙර ලිපින පොත",
+"Add contact" => "සම්බන්ධතාවක් එකතු කරන්න",
"Delete current photo" => "වර්තමාන ඡායාරූපය මකන්න",
"Edit current photo" => "වර්තමාන ඡායාරූපය සංස්කරණය කරන්න",
"Upload new photo" => "නව ඡායාරූපයක් උඩුගත කරන්න",
-"Edit name details" => "නමේ විස්තර සංස්කරණය කරන්න",
-"Organization" => "ආයතනය",
+"Additional names" => "වෙනත් නම්",
"Nickname" => "පටබැඳි නම",
"Enter nickname" => "පටබැඳි නම ඇතුලත් කරන්න",
-"dd-mm-yyyy" => "දිදි-මාමා-වවවව",
-"Groups" => "කණ්ඩායම්",
-"Separate groups with commas" => "කණ්ඩායම් කොමා භාවිතයෙන් වෙන් කරන්න",
-"Edit groups" => "කණ්ඩායම් සංස්කරණය කරන්න",
+"Title" => "මාතෘකාව",
+"Organization" => "ආයතනය",
+"Birthday" => "උපන් දිනය",
+"Add" => "එකතු කරන්න",
+"Phone" => "දුරකථන",
+"Email" => "ඉ-තැපැල්",
+"Address" => "ලිපිනය",
+"Note" => "නෝට්ටුවක්",
+"Web site" => "වෙබ් අඩවිය",
+"Delete contact" => "සබඳතාව මකන්න",
"Preferred" => "රුචි",
"Please specify a valid email address." => "වලංගු විද්යුත් තැපැල් ලිපිනයක් ලබා දෙන්න",
-"Enter email address" => "විද්යුත් තැපැල් ලිපිනයක් දෙන්න",
"Mail to address" => "තැපැල් එවිය යුතු ලිපිනය",
"Delete email address" => "විද්යුත් තැපැල් ලිපිනය මකන්න",
"Enter phone number" => "දුරකථන අංකයක් දෙන්න",
"Delete phone number" => "දුරකථන අංකය මකන්න",
+"Go to web site" => "වෙබ් අඩවියට යන්න",
"View on map" => "සිතියමේ පෙන්වන්න",
+"City" => "නගරය",
+"Country" => "රට",
+"Share" => "බෙදා හදා ගන්න",
+"Export" => "නිර්යාත කරන්න",
+"Add Contact" => "සබඳතාවක් එක් කරන්න",
+"Drop photo to upload" => "උඩුගත කිරීමට මෙතැනට දමන්න",
+"Edit name details" => "නමේ විස්තර සංස්කරණය කරන්න",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "දිදි-මාමා-වවවව",
+"Separate groups with commas" => "කණ්ඩායම් කොමා භාවිතයෙන් වෙන් කරන්න",
+"Edit groups" => "කණ්ඩායම් සංස්කරණය කරන්න",
+"Enter email address" => "විද්යුත් තැපැල් ලිපිනයක් දෙන්න",
"Edit address details" => "ලිපින විස්තර සංස්කරණය කරන්න",
-"Phone" => "දුරකථන",
-"Email" => "ඉ-තැපැල්",
-"Address" => "ලිපිනය",
+"Add notes here." => "මෙතැන නෝට්ටුවක් තබන්න",
+"Add field" => "ක්ෂේත්රයක් එකතු කරන්න",
"Download contact" => "සබඳතා බාගත කරන්න",
-"Delete contact" => "සබඳතාව මකන්න",
"Edit address" => "ලිපිනය සංස්කරණය කරන්න",
"Type" => "වර්ගය",
"PO Box" => "තැ.පෙ.",
"Extended" => "දීඝී කිරීම",
-"City" => "නගරය",
"Region" => "කළාපය",
"Zipcode" => "තැපැල් කේතය",
-"Country" => "රට",
"Addressbook" => "ලිපින පොත",
+"Hon. prefixes" => "ගෞරවාන්විත නාම",
"Given name" => "දී ඇති නම",
-"Additional names" => "වෙනත් නම්",
+"Family name" => "අවසන් නම",
+"Import a contacts file" => "සම්බන්ධතා ඇති ගොනුවක් ආයාත කරන්න",
+"Please choose the addressbook" => "කරුණාකර ලිපින පොත තෝරන්න",
+"create a new addressbook" => "නව ලිපින පොතක් සාදන්න",
+"Name of new addressbook" => "නව ලිපින පොතේ නම",
+"Importing contacts" => "සම්බන්ධතා ආයාත කරමින් පවතී",
+"more info" => "තව විස්තර",
+"Primary address (Kontact et al)" => "ප්රාථමික ලිපිනය(හැම විටම සම්බන්ධ කරගත හැක)",
+"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "ලිපින පොත්",
"New Address Book" => "නව ලිපින පොතක් ",
+"Name" => "නම",
+"Description" => "විස්තරය",
"Save" => "සුරකින්න"
);
diff --git a/l10n/sk_SK.php b/l10n/sk_SK.php
index 021a5e93..3d3311e9 100644
--- a/l10n/sk_SK.php
+++ b/l10n/sk_SK.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Chyba (de)aktivácie adresára.",
"id is not set." => "ID nie je nastavené.",
"Cannot update addressbook with an empty name." => "Nedá sa upraviť adresár s prázdnym menom.",
+"No category name given." => "Neudané meno kategórie.",
+"Error adding group." => "Chyba vytvárania danej skupiny.",
+"Group ID missing from request." => "Chýbajúce skupinové ID pri požiadavke.",
+"Contact ID missing from request." => "Chýbajúce kontaktné ID pri požiadavke.",
"No ID provided" => "ID nezadané",
"Error setting checksum." => "Chyba pri nastavovaní kontrolného súčtu.",
"No categories selected for deletion." => "Žiadne kategórie neboli vybraté na odstránenie.",
"No address books found." => "Žiadny adresár nenájdený.",
"No contacts found." => "Žiadne kontakty nenájdené.",
"element name is not set." => "meno elementu nie je nastavené.",
-"Could not parse contact: " => "Nedá sa spracovať kontakt:",
-"Cannot add empty property." => "Nemôžem pridať prázdny údaj.",
-"At least one of the address fields has to be filled out." => "Musí byť uvedený aspoň jeden adresný údaj.",
-"Trying to add duplicate property: " => "Pokúšate sa pridať rovnaký atribút:",
-"Missing IM parameter." => "Chýba údaj o IM.",
-"Unknown IM: " => "Neznáme IM:",
-"Information about vCard is incorrect. Please reload the page." => "Informácie o vCard sú neplatné. Prosím obnovte stránku.",
-"Missing ID" => "Chýba ID",
-"Error parsing VCard for ID: \"" => "Chyba pri vyňatí ID z VCard:",
"checksum is not set." => "kontrolný súčet nie je nastavený.",
+"Information about vCard is incorrect. Please reload the page." => "Informácie o vCard sú neplatné. Prosím obnovte stránku.",
+"Couldn't find vCard for %d." => "Nemožno nájsť vCard pre %d.",
"Information about vCard is incorrect. Please reload the page: " => "Informácia o vCard je nesprávna. Obnovte stránku, prosím.",
"Something went FUBAR. " => "Niečo sa pokazilo.",
+"Cannot save property of type \"%s\" as array" => "Nemožno uložiť charaktersitiku typu \"%s\" ako pole",
+"Missing IM parameter." => "Chýba údaj o IM.",
+"Unknown IM: " => "Neznáme IM:",
"No contact ID was submitted." => "Nebolo nastavené ID kontaktu.",
"Error reading contact photo." => "Chyba pri čítaní fotky kontaktu.",
"Error saving temporary file." => "Chyba pri ukladaní dočasného súboru.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Chyba počas orezania obrázku.",
"Error creating temporary image" => "Chyba počas vytvárania dočasného obrázku.",
"Error finding image: " => "Chyba vyhľadania obrázku: ",
+"Key is not set for: " => "Neudaný kľúč pre:",
+"Value is not set for: " => "Neudaná hodnota pre:",
+"Could not set preference: " => "Nemožno nastaviť voľbu:",
"Error uploading contacts to storage." => "Chyba pri ukladaní kontaktov na úložisko.",
"There is no error, the file uploaded with success" => "Nevyskytla sa žiadna chyba, súbor úspešne uložené.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Ukladaný súbor prekračuje nastavenie upload_max_filesize v php.ini",
@@ -46,43 +49,52 @@
"Couldn't load temporary image: " => "Nemôžem načítať dočasný obrázok: ",
"No file was uploaded. Unknown error" => "Žiaden súbor nebol odoslaný. Neznáma chyba",
"Contacts" => "Kontakty",
-"Sorry, this functionality has not been implemented yet" => "Bohužiaľ, táto funkcia ešte nebola implementovaná",
-"Not implemented" => "Neimplementované",
-"Couldn't get a valid address." => "Nemôžem získať platnú adresu.",
-"Error" => "Chyba",
-"Please enter an email address." => "Zadať e-mailovú adresu",
-"Enter name" => "Zadaj meno",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formát vlastný, krátke meno, celé meno, obrátené alebo obrátené s čiarkami",
-"Select type" => "Vybrať typ",
+"Contact is already in this group." => "Kontakt sa už nachádza v danej skupine.",
+"Contacts are already in this group." => "Kontakty sa už nachádzajú v danej skupine.",
+"Couldn't get contact list." => "Nemožno získať kontaktný list.",
+"Contact is not in this group." => "Kontakt nie je v danej skupine.",
+"Contacts are not in this group." => "Kontakty nie sú v danej skupine.",
+"A group named {group} already exists" => "Skupina pomenovaná ako {group} už existuje.",
+"You can drag groups to\narrange them as you like." => "Potiahnutím a pustením môžete \nusporiadať skupiny podľa ľúbosti.",
+"All" => "Všetky",
+"Favorites" => "Obľúbené",
+"Shared by {owner}" => "Zdieľané cez {owner}",
+"Indexing contacts" => "Indexovanie kontaktov",
+"Add to..." => "Pridať do...",
+"Remove from..." => "Odstrániť z...",
+"Add group..." => "Pridať skupinu...",
"Select photo" => "Vybrať fotku",
-"You do not have permission to add contacts to " => "Nemáte oprávnenie pre pridanie kontaktu do",
-"Please select one of your own address books." => "Zvoľte jeden z vašich adresárov.",
-"Permission error" => "Porucha oprávnenia.",
-"Click to undo deletion of \"" => "Kliknite pre zrušenie zmazania \"",
-"Cancelled deletion of: \"" => "Zrušené mazanie: \"",
-"This property has to be non-empty." => "Tento parameter nemôže byť prázdny.",
-"Couldn't serialize elements." => "Nemôžem previesť prvky.",
-"Unknown error. Please check logs." => "Neznáma chyba. Prosím skontrolujte záznamy.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' zavolané bez argument. Prosím oznámte chybu na bugs.owncloud.org",
-"Edit name" => "Upraviť meno",
-"No files selected for upload." => "Žiadne súbory neboli vybrané k nahratiu",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Súbor, ktorý sa pokúšate nahrať, presahuje maximálnu povolenú veľkosť.",
-"Error loading profile picture." => "Chyba pri nahrávaní profilového obrázku.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Počkajte prosím do skončenia mazania kontaktov označených na mazanie.",
-"Do you want to merge these address books?" => "Chcete zlúčiť tieto adresáre?",
-"Shared by " => "Zdieľané",
-"Upload too large" => "Nahrávanie je príliš veľké",
-"Only image files can be used as profile picture." => "Ako profilový obrázok sa dajú použiť len obrázkové súbory.",
-"Wrong file type" => "Nesprávny typ súboru",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Váš prehliadač nepodporuje odosielanie cez AJAX. Prosím kliknite na profilový obrázok pre výber fotografie na odoslanie.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Nedá sa odoslať Váš súbor, pretože je to adresár, alebo je jeho veľkosť 0 bajtov",
-"Upload Error" => "Chyba pri posielaní",
-"Pending" => "Prebieha",
-"Import done" => "Import ukončený",
+"Network or server error. Please inform administrator." => "Chyba sieťe alebo servra. Informujte prosím administrátora.",
+"Error adding to group." => "Chyba pri pridávaní do skupiny.",
+"Error removing from group." => "Chyba pri odstraňovaní zo skupiny.",
+"There was an error opening a mail composer." => "Vyskytla sa chyba pri otváraní nástroja na tvorbu pošty.",
+"Deleting done. Click here to cancel reloading." => "Odstraňovanie dokončené. Kliknite sem pre zrušenie obnovenia.",
+"Add address book" => "Pridať adresár kontaktov",
+"Import done. Click here to cancel reloading." => "Importovanie dokončené. Kliknite sem pre zrušenie obnovenia.",
"Not all files uploaded. Retrying..." => "Všetky súbory neboli odoslané. Opakujem...",
"Something went wrong with the upload, please retry." => "Stalo sa niečo zlé s odosielaným súborom, skúste ho prosím odoslať znovu.",
+"Error" => "Chyba",
+"Importing from {filename}..." => "Importujem z {filename}...",
+"{success} imported, {failed} failed." => "{success} importované, {failed} zlyhané.",
"Importing..." => "Importujem...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Nedá sa odoslať Váš súbor, pretože je to adresár, alebo je jeho veľkosť 0 bajtov",
+"Upload Error" => "Chyba odosielania",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Súbor, ktorý sa pokúšate nahrať, presahuje maximálnu povolenú veľkosť.",
+"Upload too large" => "Nahrávanie je príliš veľké",
+"Pending" => "Prebieha",
+"Add group" => "Pridať skupinu",
+"No files selected for upload." => "Žiadne súbory neboli vybrané k nahratiu",
+"Edit profile picture" => "Upraviť profilový avatar",
+"Error loading profile picture." => "Chyba pri nahrávaní profilového obrázku.",
+"Enter name" => "Zadaj meno",
+"Enter description" => "Zadať popis",
+"Select addressbook" => "Vybrať adresný zoznam",
"The address book name cannot be empty." => "Názov adresára nemôže byť prázdny.",
+"Is this correct?" => "Je to správne?",
+"There was an unknown error when trying to delete this contact" => "Vyskytla sa neznáma chyba pri odstraňovaní daného kontaktu.",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Počkajte prosím do skončenia mazania kontaktov označených na mazanie.",
+"Click to undo deletion of {num} contacts" => "Kliknite pre odvrátenie operácie zmazania {num} kontaktov.",
+"Cancelled deletion of {num}" => "Zrušené odstraňovanie {num} kontaktov.",
"Result: " => "Výsledok: ",
" imported, " => " importovaných, ",
" failed." => " zlyhaných.",
@@ -100,9 +112,6 @@
"There was an error updating the addressbook." => "Nastala chyba pri pokuse o úpravy v adresári.",
"You do not have the permissions to delete this addressbook." => "Nemáte oprávnenie pre zmazanie tohto adresára.",
"There was an error deleting this addressbook." => "Vyskytla sa chyba pri mazaní tohto adresára.",
-"Addressbook not found: " => "Adresár nebol nájdený:",
-"This is not your addressbook." => "Toto nie je váš adresár.",
-"Contact could not be found." => "Kontakt nebol nájdený.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +135,9 @@
"Video" => "Video",
"Pager" => "Pager",
"Internet" => "Internet",
-"Birthday" => "Narodeniny",
-"Business" => "Biznis",
-"Call" => "Zavolať",
-"Clients" => "Klienti",
-"Deliverer" => "Dodávateľ",
-"Holidays" => "Prázdniny",
-"Ideas" => "Nápady",
-"Journey" => "Cesta",
-"Jubilee" => "Jubileum",
-"Meeting" => "Stretnutie",
-"Personal" => "Osobné",
-"Projects" => "Projekty",
-"Questions" => "Otázky",
+"Friends" => "Priatelia",
+"Family" => "Rodina",
+"There was an error deleting properties for this contact." => "Vyskytla sa chyba pri odstraňovaní charakteristík pre daný kontakt.",
"{name}'s Birthday" => "Narodeniny {name}",
"Contact" => "Kontakt",
"You do not have the permissions to add contacts to this addressbook." => "Nemáte oprávnenie pridať kontakt do adresára.",
@@ -148,9 +147,21 @@
"Could not find the Addressbook with ID: " => "Nie je možné nájsť adresár s ID:",
"You do not have the permissions to delete this contact." => "Nemáte oprávnenie pre zmazanie tohto kontaktu.",
"There was an error deleting this contact." => "Vyskytla sa chyba pri mazaní tohto kontaktu.",
-"Add Contact" => "Pridať Kontakt.",
-"Import" => "Importovať",
+"Contact not found." => "Kontakty nenájdené.",
+"HomePage" => "Domovská stránka",
+"New Group" => "Nová skupina",
"Settings" => "Nastavenia",
+"Address books" => "Adresáre kontaktov",
+"Import" => "Importovať",
+"Select files to import" => "Vybrať súbory pre import",
+"Select files" => "Vybrať súbory",
+"Import into:" => "Importovať do:",
+"OK" => "OK",
+"(De-)select all" => "(Ne-)vybrať všetky",
+"New Contact" => "Nový kontakt",
+"Groups" => "Skupiny",
+"Favorite" => "Obľúbené",
+"Delete Contact" => "Odstrániť kontakt",
"Close" => "Zatvoriť",
"Keyboard shortcuts" => "Klávesové skratky",
"Navigation" => "Navigácia",
@@ -164,56 +175,79 @@
"Add new contact" => "Pridaj nový kontakt",
"Add new addressbook" => "Pridaj nový adresár",
"Delete current contact" => "Vymaž súčasný kontakt",
-"Drop photo to upload" => "Pretiahnite sem fotku pre nahratie",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Nemáte žiadne kontakty v adresnom zozname.
Pridajte nový kontakt, prípadne importujte existujúce kontakty z VCF súboru.
",
+"Add contact" => "Pridať kontakt",
+"Compose mail" => "Napísať poštu",
+"Delete group" => "Odstrániť skupinu",
"Delete current photo" => "Odstrániť súčasnú fotku",
"Edit current photo" => "Upraviť súčasnú fotku",
"Upload new photo" => "Nahrať novú fotku",
"Select photo from ownCloud" => "Vybrať fotku z ownCloud",
-"Edit name details" => "Upraviť podrobnosti mena",
-"Organization" => "Organizácia",
+"First name" => "Krstné meno",
+"Additional names" => "Ďalšie mená",
+"Last name" => "Priezvisko",
"Nickname" => "Prezývka",
"Enter nickname" => "Zadajte prezývku",
-"Web site" => "Web stránka",
-"http://www.somesite.com" => "http://www.stranka.sk",
-"Go to web site" => "Navštíviť web",
-"dd-mm-yyyy" => "dd. mm. yyyy",
-"Groups" => "Skupiny",
-"Separate groups with commas" => "Oddelte skupiny čiarkami",
-"Edit groups" => "Úprava skupín",
-"Preferred" => "Uprednostňované",
-"Please specify a valid email address." => "Prosím zadajte platnú e-mailovú adresu.",
-"Enter email address" => "Zadajte e-mailové adresy",
-"Mail to address" => "Odoslať na adresu",
-"Delete email address" => "Odstrániť e-mailové adresy",
-"Enter phone number" => "Zadajte telefónne číslo",
-"Delete phone number" => "Odstrániť telefónne číslo",
-"Instant Messenger" => "Okamžité správy IM",
-"Delete IM" => "Zmazať IM",
-"View on map" => "Zobraziť na mape",
-"Edit address details" => "Upraviť podrobnosti adresy",
-"Add notes here." => "Tu môžete pridať poznámky.",
-"Add field" => "Pridať pole",
+"Title" => "Nadpis",
+"Organization" => "Organizácia",
+"Birthday" => "Narodeniny",
+"Notes go here..." => "Poznámky idú sem...",
+"Add" => "Pridať",
"Phone" => "Telefón",
"Email" => "E-mail",
"Instant Messaging" => "Okamžité správy IM",
"Address" => "Adresa",
"Note" => "Poznámka",
-"Download contact" => "Stiahnuť kontakt",
+"Web site" => "Web stránka",
"Delete contact" => "Odstrániť kontakt",
+"Preferred" => "Uprednostňované",
+"Please specify a valid email address." => "Prosím zadajte platnú e-mailovú adresu.",
+"someone@example.com" => "niekto@niečo.sk",
+"Mail to address" => "Odoslať na adresu",
+"Delete email address" => "Odstrániť e-mailové adresy",
+"Enter phone number" => "Zadajte telefónne číslo",
+"Delete phone number" => "Odstrániť telefónne číslo",
+"Go to web site" => "Navštíviť web",
+"Delete URL" => "Odstrániť URL",
+"View on map" => "Zobraziť na mape",
+"Delete address" => "Odstrániť adresu",
+"1 Main Street" => "1 Hlavná Ulica",
+"Street address" => "Ulica",
+"12345" => "12345",
+"Postal code" => "PSČ",
+"Your city" => "Vaše mesto",
+"City" => "Mesto",
+"Some region" => "Nejaký región",
+"Your country" => "Vaša krajina",
+"Country" => "Krajina",
+"Instant Messenger" => "Okamžité správy IM",
+"Delete IM" => "Zmazať IM",
+"Share" => "Zdieľať",
+"Export" => "Export",
+"CardDAV link" => "CardDAV odkaz",
+"Add Contact" => "Pridať Kontakt.",
+"Drop photo to upload" => "Pretiahnite sem fotku pre nahratie",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Formát vlastný, krátke meno, celé meno, obrátené alebo obrátené s čiarkami",
+"Edit name details" => "Upraviť podrobnosti mena",
+"http://www.somesite.com" => "http://www.stranka.sk",
+"dd-mm-yyyy" => "dd. mm. yyyy",
+"Separate groups with commas" => "Oddelte skupiny čiarkami",
+"Edit groups" => "Úprava skupín",
+"Enter email address" => "Zadajte e-mailové adresy",
+"Edit address details" => "Upraviť podrobnosti adresy",
+"Add notes here." => "Tu môžete pridať poznámky.",
+"Add field" => "Pridať pole",
+"Download contact" => "Stiahnuť kontakt",
"The temporary image has been removed from cache." => "Dočasný obrázok bol odstránený z cache.",
"Edit address" => "Upraviť adresu",
"Type" => "Typ",
"PO Box" => "PO Box",
-"Street address" => "Ulica",
"Street and number" => "Ulica a číslo",
"Extended" => "Rozšírené",
"Apartment number etc." => "Číslo bytu a pod.",
-"City" => "Mesto",
"Region" => "Región",
"E.g. state or province" => "Napr. štát alebo provincia",
"Zipcode" => "PSČ",
-"Postal code" => "PSČ",
-"Country" => "Krajina",
"Addressbook" => "Adresár",
"Hon. prefixes" => "Tituly pred",
"Miss" => "Slečna",
@@ -223,7 +257,6 @@
"Mrs" => "Pani",
"Dr" => "Dr.",
"Given name" => "Krstné meno",
-"Additional names" => "Ďalšie mená",
"Family name" => "Priezvisko",
"Hon. suffixes" => "Tituly za",
"J.D." => "JUDr.",
@@ -240,15 +273,12 @@
"Name of new addressbook" => "Meno nového adresára",
"Importing contacts" => "Importovanie kontaktov",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Vo vašej knihe adries nemáte kontakty.
Môžete importovať súbory VCF pretiahnutím na zoznam kontaktov a pustením na knihu pre pridanie, alebo do prázdneho miesta pre vytvorenie novej knihy adries. Tiež môžete importovať kliknutím na tlačidlo Importovať na konci zoznamu.
",
-"Add contact" => "Pridať kontakt",
"Select Address Books" => "Zvoliť adresáre",
-"Enter description" => "Zadať popis",
"CardDAV syncing addresses" => "Adresy pre synchronizáciu s CardDAV",
"more info" => "viac informácií",
"Primary address (Kontact et al)" => "Predvolená adresa (Kontakt etc)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Adresáre",
-"Share" => "Zdieľať",
"New Address Book" => "Nový adresár",
"Name" => "Meno",
"Description" => "Popis",
diff --git a/l10n/sl.php b/l10n/sl.php
index 1e43908e..caeff455 100644
--- a/l10n/sl.php
+++ b/l10n/sl.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Napaka med omogočanjem ali onemogočanjem imenika.",
"id is not set." => "ID ni nastavljen.",
"Cannot update addressbook with an empty name." => "Imenika s praznim imenom ni mogoče posodobiti.",
+"No category name given." => "Ime kategorije ni bilo podano.",
+"Error adding group." => "Napaka pri dodajanju skupine.",
+"Group ID missing from request." => "V zahtevku manjka ID skupine.",
+"Contact ID missing from request." => "V zahtevku manjka ID stika.",
"No ID provided" => "Vrednost ID ni podana",
"Error setting checksum." => "Napaka med nastavljanjem nadzorne vsote.",
"No categories selected for deletion." => "Ni izbrane kategorije za izbris.",
"No address books found." => "Ni mogoče najti nobenega imenika.",
"No contacts found." => "Ni najdenih stikov.",
"element name is not set." => "ime predmeta ni nastavljeno.",
-"Could not parse contact: " => "Stika ni mogoče razčleniti:",
-"Cannot add empty property." => "Prazne lastnosti ni mogoče dodati.",
-"At least one of the address fields has to be filled out." => "Izpolniti je treba vsak eno polje imenika.",
-"Trying to add duplicate property: " => "Izveden je poskus dodajanja podvojene lastnost:",
-"Missing IM parameter." => "Manjka parameter IM.",
-"Unknown IM: " => "Neznan IM:",
-"Information about vCard is incorrect. Please reload the page." => "Podrobnosti kartice vCard niso pravilne. Ponovno naložite stran.",
-"Missing ID" => "Manjka ID",
-"Error parsing VCard for ID: \"" => "Napaka med razčlenjevanjem VCard za ID: \"",
"checksum is not set." => "nadzorna vsota ni nastavljena.",
+"Information about vCard is incorrect. Please reload the page." => "Podrobnosti kartice vCard niso pravilne. Ponovno naložite stran.",
+"Couldn't find vCard for %d." => "Ne najdem vCard za %d.",
"Information about vCard is incorrect. Please reload the page: " => "Podrobnosti o vCard so napačne. Ponovno naložite stran: ",
"Something went FUBAR. " => "Nekaj je šlo v franže. ",
+"Cannot save property of type \"%s\" as array" => "Lastnost vrste \"%s\" ne morem shraniti kot matriko",
+"Missing IM parameter." => "Manjka parameter IM.",
+"Unknown IM: " => "Neznan IM:",
"No contact ID was submitted." => "ID stika ni poslan.",
"Error reading contact photo." => "Napaka branja slike stika.",
"Error saving temporary file." => "Napaka shranjevanja začasne datoteke.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Napaka med obrezovanjem slike",
"Error creating temporary image" => "Napaka med ustvarjanjem začasne slike",
"Error finding image: " => "Napaka med iskanjem datoteke: ",
+"Key is not set for: " => "Ključ ni nastavljen za:",
+"Value is not set for: " => "Vrednost ni nastavljena za:",
+"Could not set preference: " => "Ne morem nastaviti lastnosti:",
"Error uploading contacts to storage." => "Napaka med nalaganjem stikov v hrambo.",
"There is no error, the file uploaded with success" => "Datoteka je uspešno naložena brez napak.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Naložena datoteka presega velikost, ki jo določa parameter upload_max_filesize v datoteki php.ini",
@@ -46,43 +49,53 @@
"Couldn't load temporary image: " => "Začasne slike ni mogoče naložiti: ",
"No file was uploaded. Unknown error" => "Nobena datoteka ni naložena. Neznana napaka.",
"Contacts" => "Stiki",
-"Sorry, this functionality has not been implemented yet" => "Žal ta zmožnost še ni podprta",
-"Not implemented" => "Ni podprto",
-"Couldn't get a valid address." => "Ni mogoče pridobiti veljavnega naslova.",
-"Error" => "Napaka",
-"Please enter an email address." => "Vpišite elektronski poštni naslov.",
-"Enter name" => "Vnesi ime",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format po meri, Kratko ime, Polno ime, Obratno ali Obratno z vejico",
-"Select type" => "Izberite vrsto",
+"%d_selected_contacts" => "%d_selected_contacts",
+"Contact is already in this group." => "Stik je že v tej skupini.",
+"Contacts are already in this group." => "Stiki so že v tej skupini.",
+"Couldn't get contact list." => "Ne morem dobiti seznama stikov.",
+"Contact is not in this group." => "Stik ni v tej skupini",
+"Contacts are not in this group." => "Stiki niso v tej skupini.",
+"A group named {group} already exists" => "Skupina z imenom {group} že obstaja.",
+"You can drag groups to\narrange them as you like." => "Skupine lahko z vlečenjem\nrazporedite po vaših željah.",
+"All" => "Vsi",
+"Favorites" => "Priljubljene",
+"Shared by {owner}" => "V souporabo dal {owner}",
+"Indexing contacts" => "Ustvarjanje kazala stikov",
+"Add to..." => "Dodaj v ...",
+"Remove from..." => "Odstrani iz ...",
+"Add group..." => "Dodaj skupino ...",
"Select photo" => "Izbor slike",
-"You do not have permission to add contacts to " => "Ni ustreznih dovoljenj za dodajanje stikov v",
-"Please select one of your own address books." => "Izberite enega izmed imenikov.",
-"Permission error" => "Napaka dovoljenj",
-"Click to undo deletion of \"" => "Kliknite za preklic izbrisa \"",
-"Cancelled deletion of: \"" => "Preklican izbris: \"",
-"This property has to be non-empty." => "Ta lastnost ne sme biti prazna",
-"Couldn't serialize elements." => "Predmetov ni mogoče dati v zaporedje.",
-"Unknown error. Please check logs." => "Neznana napaka. Preverite dnevniški zapis za več podrobnosti.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "Lastnost \"deleteProperty\" je bila klicana brez vrste argumenta. Oddajte poročilo o napaki na bugs.owncloud.org",
-"Edit name" => "Uredi ime",
-"No files selected for upload." => "Ni izbrane datoteke za nalaganje.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Datoteka, ki jo poskušate naložiti, presega največjo dovoljeno velikost za pošiljanje na tem strežniku.",
-"Error loading profile picture." => "Napaka med nalaganjem slike profila.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Nekateri stiki so označeni za izbris, vendar še niso izbrisani. Počakajte na izbris.",
-"Do you want to merge these address books?" => "Ali želite združiti imenike?",
-"Shared by " => "V souporabi z",
-"Upload too large" => "Datoteke za pošiljanje so prevelike",
-"Only image files can be used as profile picture." => "Kot slike profila so lahko uporabljene le slikovne datoteke.",
-"Wrong file type" => "Napačna vrsta datoteke",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Brskalnik ne podpira pošiljanja AJAX. Preverite sliko profila za izbor fotografije za pošiljanje.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Datoteke ni mogoče naložiti, saj je mapa ali pa je velikosti 0 bajtov.",
-"Upload Error" => "Napaka med pošiljanjem",
-"Pending" => "V čakanju",
-"Import done" => "Uvoz je končan",
+"Network or server error. Please inform administrator." => "Napaka omrežja ali strežnika. Prosimo, če o tem obvestite administratorja.",
+"Error adding to group." => "Napaka pri dodajanju v skupino.",
+"Error removing from group." => "Napaka pri odstranjevanju iz skupine.",
+"There was an error opening a mail composer." => "Med odpiranjem sestavljalnika pošte je prišlo do napake.",
+"Deleting done. Click here to cancel reloading." => "Izbris je končan. Če želite preklicati ponovno nalaganje, kliknite sem.",
+"Add address book" => "Dodaj imenik",
+"Import done. Click here to cancel reloading." => "Uvoz je končan. Če želite preklicati ponovno nalaganje, kliknite sem.",
"Not all files uploaded. Retrying..." => "Vse datoteke niso bile poslane. Poskus bo ponovljen ...",
"Something went wrong with the upload, please retry." => "Med nalaganjem je prišlo do napake. Poskusite znova.",
+"Error" => "Napaka",
+"Importing from {filename}..." => "Uvažam iz {filename}...",
+"{success} imported, {failed} failed." => "{success} uvoženih, {failed} spodletelih.",
"Importing..." => "Uvažanje ...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Pošiljanje ni mogoče, saj gre za mapo, ali pa je datoteka velikosti 0 bajtov.",
+"Upload Error" => "Napaka med nalaganjem",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Datoteka, ki jo poskušate naložiti, presega največjo dovoljeno velikost za pošiljanje na tem strežniku.",
+"Upload too large" => "Datoteke za pošiljanje so prevelike",
+"Pending" => "V čakanju ...",
+"Add group" => "Dodaj skupino",
+"No files selected for upload." => "Ni izbrane datoteke za nalaganje.",
+"Edit profile picture" => "Uredi fotografijo profila",
+"Error loading profile picture." => "Napaka med nalaganjem slike profila.",
+"Enter name" => "Vnesi ime",
+"Enter description" => "Vnesi opis",
+"Select addressbook" => "Izberite imenik",
"The address book name cannot be empty." => "Imenika mora imeti določeno ime.",
+"Is this correct?" => "Ali je to pravilno?",
+"There was an unknown error when trying to delete this contact" => "Med poskusom izbrisa tega stika je prišlo do neznane napake.",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Nekateri stiki so označeni za izbris, vendar še niso izbrisani. Počakajte na izbris.",
+"Click to undo deletion of {num} contacts" => "Klikni za preklic izbrisa {num} stikov",
+"Cancelled deletion of {num}" => "Preklican izbris {num} stikov",
"Result: " => "Rezultati: ",
" imported, " => " uvoženih, ",
" failed." => " je spodletelo.",
@@ -100,9 +113,6 @@
"There was an error updating the addressbook." => "Med posodabljanjem imenika je prišlo do napake.",
"You do not have the permissions to delete this addressbook." => "Ni ustreznih dovoljenj za izbris tega imenika.",
"There was an error deleting this addressbook." => "Med brisanjem imenika je prišlo do napake.",
-"Addressbook not found: " => "Imenika ni mogoče najti:",
-"This is not your addressbook." => "To ni vaš imenik.",
-"Contact could not be found." => "Stika ni bilo mogoče najti.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +136,9 @@
"Video" => "Video",
"Pager" => "Pozivnik",
"Internet" => "Internet",
-"Birthday" => "Rojstni dan",
-"Business" => "Poslovno",
-"Call" => "Klic",
-"Clients" => "Stranka",
-"Deliverer" => "Dostavljalec",
-"Holidays" => "Prazniki",
-"Ideas" => "Ideje",
-"Journey" => "Potovanje",
-"Jubilee" => "Obletnica",
-"Meeting" => "Srečanje",
-"Personal" => "Osebno",
-"Projects" => "Projekti",
-"Questions" => "Vprašanja",
+"Friends" => "Prijatelji",
+"Family" => "Družina",
+"There was an error deleting properties for this contact." => "Pri brisanju lastnosti tega kontakta, je prišlo do napake.",
"{name}'s Birthday" => "{name} - rojstni dan",
"Contact" => "Stik",
"You do not have the permissions to add contacts to this addressbook." => "Ni ustreznih dovoljenj za dodajanje stikov v ta imenik.",
@@ -148,9 +148,22 @@
"Could not find the Addressbook with ID: " => "Ni mogoče najti imenika z ID:",
"You do not have the permissions to delete this contact." => "Ni ustreznih dovoljenj za izbris tega stika.",
"There was an error deleting this contact." => "Med brisanjem stika je prišlo do napake.",
-"Add Contact" => "Dodaj stik",
-"Import" => "Uvozi",
+"Contact not found." => "Stik ni bil najden.",
+"HomePage" => "Domača stran",
+"New Group" => "Nova skupina",
"Settings" => "Nastavitve",
+"Address books" => "Imeniki",
+"Import" => "Uvozi",
+"Select files to import" => "Izberite datoteke za uvoz",
+"Select files" => "Izberi datoteke",
+"Import into:" => "Uvozi v:",
+"OK" => "V redu",
+"(De-)select all" => "(Od-)izberi vse",
+"New Contact" => "Nov stik",
+"Download Contact(s)" => "Prenesi stike",
+"Groups" => "Skupine",
+"Favorite" => "Priljubljen",
+"Delete Contact" => "Izbriši stik",
"Close" => "Zapri",
"Keyboard shortcuts" => "Bližnjice na tipkovnici",
"Navigation" => "Krmarjenje",
@@ -164,56 +177,83 @@
"Add new contact" => "Dodaj nov stik",
"Add new addressbook" => "Dodaj nov imenik",
"Delete current contact" => "Izbriši trenutni stik",
-"Drop photo to upload" => "Spustite sliko tukaj, da bi jo poslali na strežnik",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
V vašem imeniku nimate stikov.
Dodaj nov stik ali uvozi obstoječe stike iz datoteke VCF.
",
+"Add contact" => "Dodaj stik",
+"Compose mail" => "Sestavi mail",
+"Delete group" => "Izbriši skupino",
"Delete current photo" => "Izbriši trenutno sliko",
"Edit current photo" => "Uredi trenutno sliko",
"Upload new photo" => "Naloži novo sliko",
"Select photo from ownCloud" => "Izberi sliko iz ownCloud",
-"Edit name details" => "Uredi podrobnosti imena",
-"Organization" => "Ustanova",
+"First name" => "Ime",
+"Additional names" => "Druga imena",
+"Last name" => "Priimek",
"Nickname" => "Vzdevek",
"Enter nickname" => "Vnos vzdevka",
-"Web site" => "Spletna stran",
-"http://www.somesite.com" => "http://www.spletnastran.si",
-"Go to web site" => "Pojdi na spletno stran",
-"dd-mm-yyyy" => "dd. mm. yyyy",
-"Groups" => "Skupine",
-"Separate groups with commas" => "Skupine ločite z vejicami",
-"Edit groups" => "Uredi skupine",
-"Preferred" => "Prednostno",
-"Please specify a valid email address." => "Navesti je treba veljaven elektronski poštni naslov.",
-"Enter email address" => "Vnesite elektronski poštni naslov",
-"Mail to address" => "Elektronski naslov prejemnika",
-"Delete email address" => "Izbriši elektronski poštni naslov",
-"Enter phone number" => "Vpiši telefonsko številko",
-"Delete phone number" => "Izbriši telefonsko številko",
-"Instant Messenger" => "Hipni sporočilnik",
-"Delete IM" => "Izbriši IM",
-"View on map" => "Pokaži na zemljevidu",
-"Edit address details" => "Uredi podrobnosti",
-"Add notes here." => "Opombe dodajte tukaj.",
-"Add field" => "Dodaj polje",
+"Title" => "Ime",
+"Enter title" => "Vnesite naziv",
+"Organization" => "Ustanova",
+"Enter organization" => "Vnesite organizacijo",
+"Birthday" => "Rojstni dan",
+"Notes go here..." => "Prostor za opombe ...",
+"Export as VCF" => "Izvozi kot VCF",
+"Add" => "Dodaj",
"Phone" => "Telefon",
"Email" => "Elektronska pošta",
"Instant Messaging" => "Hipno sporočanje",
"Address" => "Naslov",
"Note" => "Opomba",
-"Download contact" => "Prejmi stik",
+"Web site" => "Spletna stran",
"Delete contact" => "Izbriši stik",
+"Preferred" => "Prednostno",
+"Please specify a valid email address." => "Navesti je treba veljaven elektronski poštni naslov.",
+"someone@example.com" => "nekdo@primer.com",
+"Mail to address" => "Elektronski naslov prejemnika",
+"Delete email address" => "Izbriši elektronski poštni naslov",
+"Enter phone number" => "Vpiši telefonsko številko",
+"Delete phone number" => "Izbriši telefonsko številko",
+"Go to web site" => "Pojdi na spletno stran",
+"Delete URL" => "Izbriši URL",
+"View on map" => "Pokaži na zemljevidu",
+"Delete address" => "Izbriši imenik",
+"1 Main Street" => "1 Glavna ulica",
+"Street address" => "Naslov ulice",
+"12345" => "12345",
+"Postal code" => "Poštna številka",
+"Your city" => "Vaše mesto",
+"City" => "Mesto",
+"Some region" => "Neka regija",
+"State or province" => "Zvezna država ali provinca",
+"Your country" => "Vaša država",
+"Country" => "Država",
+"Instant Messenger" => "Hipni sporočilnik",
+"Delete IM" => "Izbriši IM",
+"Share" => "Souporaba",
+"Export" => "Izvozi",
+"CardDAV link" => "CardDAV povezava",
+"Add Contact" => "Dodaj stik",
+"Drop photo to upload" => "Spustite sliko tukaj, da bi jo poslali na strežnik",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format po meri, Kratko ime, Polno ime, Obratno ali Obratno z vejico",
+"Edit name details" => "Uredi podrobnosti imena",
+"http://www.somesite.com" => "http://www.spletnastran.si",
+"dd-mm-yyyy" => "dd. mm. yyyy",
+"Separate groups with commas" => "Skupine ločite z vejicami",
+"Edit groups" => "Uredi skupine",
+"Enter email address" => "Vnesite elektronski poštni naslov",
+"Edit address details" => "Uredi podrobnosti",
+"Add notes here." => "Opombe dodajte tukaj.",
+"Add field" => "Dodaj polje",
+"Download contact" => "Prejmi stik",
"The temporary image has been removed from cache." => "Začasna slika je odstranjena iz predpomnilnika.",
"Edit address" => "Uredi naslov",
"Type" => "Vrsta",
"PO Box" => "Poštni predal",
-"Street address" => "Naslov ulice",
"Street and number" => "Ulica in štelika",
"Extended" => "Razširjeno",
"Apartment number etc." => "Številka stanovanja itd.",
-"City" => "Mesto",
"Region" => "Regija",
"E.g. state or province" => "Npr. dežela ali pokrajina",
"Zipcode" => "Poštna številka",
-"Postal code" => "Poštna številka",
-"Country" => "Država",
"Addressbook" => "Imenik",
"Hon. prefixes" => "Predpone",
"Miss" => "gdč.",
@@ -223,7 +263,6 @@
"Mrs" => "ga.",
"Dr" => "dr.",
"Given name" => "Ime",
-"Additional names" => "Druga imena",
"Family name" => "Priimek",
"Hon. suffixes" => "Pripone",
"J.D." => "univ. dipl. prav.",
@@ -240,15 +279,12 @@
"Name of new addressbook" => "Ime novega imenika",
"Importing contacts" => "Poteka uvažanje stikov",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
V imeniku ni stikov.
Datoteke VCF je mogoče uvoziti tako, da jih povlečete na obstoječ seznam stikov ali na prazno mesto. Pri slednjem dejanju bo ustvarjen nov imenik s stiki. Stike lahko uvažate tudi s klikom na gumb uvozi, ki je postavljen na dnu seznama.
",
-"Add contact" => "Dodaj stik",
"Select Address Books" => "Izbor imenikov",
-"Enter description" => "Vnesi opis",
"CardDAV syncing addresses" => "Naslovi CardDAV za usklajevanje",
"more info" => "več podrobnosti",
"Primary address (Kontact et al)" => "Osnovni naslov (za stik)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Imeniki",
-"Share" => "Souporaba",
"New Address Book" => "Nov imenik",
"Name" => "Ime",
"Description" => "Opis",
diff --git a/l10n/sr.php b/l10n/sr.php
index 328f8f61..a02076b5 100644
--- a/l10n/sr.php
+++ b/l10n/sr.php
@@ -1,39 +1,68 @@
"Greška u (de)aktiviranju adresara",
+"No categories selected for deletion." => "Ни једна категорија није означена за брисање.",
"Information about vCard is incorrect. Please reload the page." => "Подаци о вКарти су неисправни. Поново учитајте страницу.",
+"Error loading image." => "Greška pri učitavanju slika",
+"There is no error, the file uploaded with success" => "Нема грешке, фајл је успешно послат",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Послати фајл превазилази директиву upload_max_filesize из ",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Послати фајл превазилази директиву MAX_FILE_SIZE која је наведена у ХТМЛ форми",
+"The uploaded file was only partially uploaded" => "Послати фајл је само делимично отпремљен!",
+"No file was uploaded" => "Ниједан фајл није послат",
+"Missing a temporary folder" => "Недостаје привремена фасцикла",
"Contacts" => "Контакти",
+"Error" => "Грешка",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Не могу да отпремим датотеку као фасциклу или она има 0 бајтова",
+"Upload Error" => "Грешка при отпремању",
+"Upload too large" => "Датотека је превелика",
+"Pending" => "На чекању",
"Download" => "Преузимање",
"Edit" => "Уреди",
"Delete" => "Обриши",
"Cancel" => "Откажи",
-"This is not your addressbook." => "Ово није ваш адресар.",
-"Contact could not be found." => "Контакт се не може наћи.",
"Work" => "Посао",
"Home" => "Кућа",
+"Other" => "Друго",
"Mobile" => "Мобилни",
"Text" => "Текст",
"Voice" => "Глас",
"Fax" => "Факс",
"Video" => "Видео",
"Pager" => "Пејџер",
-"Birthday" => "Рођендан",
"Contact" => "Контакт",
-"Add Contact" => "Додај контакт",
+"Settings" => "Подешавања",
+"Import" => "Увези",
+"Groups" => "Групе",
+"Close" => "Затвори",
+"Delete current photo" => "Izbriši trenutnu fotografiju",
+"Edit current photo" => "Izmeni trenutnu fotografiju",
+"Upload new photo" => "Učitaj novu fotografiju",
+"Select photo from ownCloud" => "Izaberi fotografiju sa ownCloud",
+"Title" => "Наслов",
"Organization" => "Организација",
-"Preferred" => "Пожељан",
+"Birthday" => "Рођендан",
+"Add" => "Додај",
"Phone" => "Телефон",
"Email" => "Е-маил",
"Address" => "Адреса",
-"Download contact" => "Преузми контакт",
"Delete contact" => "Обриши контакт",
+"Preferred" => "Пожељан",
+"City" => "Град",
+"Country" => "Земља",
+"Share" => "Дељење",
+"Export" => "Извези",
+"Add Contact" => "Додај контакт",
+"Download contact" => "Преузми контакт",
+"Edit address" => "Izmeni adresu",
"Type" => "Тип",
"PO Box" => "Поштански број",
"Extended" => "Прошири",
-"City" => "Град",
"Region" => "Регија",
"Zipcode" => "Зип код",
-"Country" => "Земља",
"Addressbook" => "Адресар",
+"more info" => "више информација",
+"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Адресар",
"New Address Book" => "Нови адресар",
+"Name" => "Име",
"Save" => "Сними"
);
diff --git a/l10n/sr@latin.php b/l10n/sr@latin.php
index 39f025a0..b4ec46a1 100644
--- a/l10n/sr@latin.php
+++ b/l10n/sr@latin.php
@@ -1,27 +1,41 @@
"Podaci o vKarti su neispravni. Ponovo učitajte stranicu.",
+"There is no error, the file uploaded with success" => "Nema greške, fajl je uspešno poslat",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Poslati fajl prevazilazi direktivu upload_max_filesize iz ",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Poslati fajl prevazilazi direktivu MAX_FILE_SIZE koja je navedena u HTML formi",
+"The uploaded file was only partially uploaded" => "Poslati fajl je samo delimično otpremljen!",
+"No file was uploaded" => "Nijedan fajl nije poslat",
+"Missing a temporary folder" => "Nedostaje privremena fascikla",
+"Upload too large" => "Pošiljka je prevelika",
+"Download" => "Preuzmi",
"Edit" => "Uredi",
"Delete" => "Obriši",
-"This is not your addressbook." => "Ovo nije vaš adresar.",
-"Contact could not be found." => "Kontakt se ne može naći.",
+"Cancel" => "Otkaži",
"Work" => "Posao",
"Home" => "Kuća",
+"Other" => "Drugo",
"Mobile" => "Mobilni",
"Text" => "Tekst",
"Voice" => "Glas",
"Fax" => "Faks",
"Video" => "Video",
"Pager" => "Pejdžer",
-"Birthday" => "Rođendan",
-"Add Contact" => "Dodaj kontakt",
+"Settings" => "Podešavanja",
+"Groups" => "Grupe",
+"Close" => "Zatvori",
+"Title" => "Naslov",
"Organization" => "Organizacija",
+"Birthday" => "Rođendan",
"Phone" => "Telefon",
"Email" => "E-mail",
"Address" => "Adresa",
+"City" => "Grad",
+"Country" => "Zemlja",
+"Add Contact" => "Dodaj kontakt",
"PO Box" => "Poštanski broj",
"Extended" => "Proširi",
-"City" => "Grad",
"Region" => "Regija",
"Zipcode" => "Zip kod",
-"Country" => "Zemlja"
+"Name" => "Ime",
+"Save" => "Snimi"
);
diff --git a/l10n/sv.php b/l10n/sv.php
index ebed2ae4..cabf15c5 100644
--- a/l10n/sv.php
+++ b/l10n/sv.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "Fel (av)aktivera adressbok.",
"id is not set." => "ID är inte satt.",
"Cannot update addressbook with an empty name." => "Kan inte uppdatera adressboken med ett tomt namn.",
+"No category name given." => "Ingen kategori angiven.",
+"Error adding group." => "Fel vid tillägg av grupp.",
+"Group ID missing from request." => "Grupp-ID fattas från anrop.",
+"Contact ID missing from request." => "Kontakt-ID fattas från anrop.",
"No ID provided" => "Inget ID angett",
"Error setting checksum." => "Fel uppstod när kontrollsumma skulle sättas.",
"No categories selected for deletion." => "Inga kategorier valda för borttaging",
"No address books found." => "Ingen adressbok funnen.",
"No contacts found." => "Inga kontakter funna.",
"element name is not set." => "elementnamn ej angett.",
-"Could not parse contact: " => "Kunde inte läsa kontakt:",
-"Cannot add empty property." => "Kan inte lägga till en tom egenskap.",
-"At least one of the address fields has to be filled out." => "Minst ett fält måste fyllas i.",
-"Trying to add duplicate property: " => "Försöker lägga till dubblett:",
-"Missing IM parameter." => "IM parameter saknas.",
-"Unknown IM: " => "Okänt IM:",
-"Information about vCard is incorrect. Please reload the page." => "Information om vCard är felaktigt. Vänligen ladda om sidan.",
-"Missing ID" => "ID saknas",
-"Error parsing VCard for ID: \"" => "Fel vid läsning av VCard för ID: \"",
"checksum is not set." => "kontrollsumma är inte satt.",
+"Information about vCard is incorrect. Please reload the page." => "Information om vCard är felaktigt. Vänligen ladda om sidan.",
+"Couldn't find vCard for %d." => "Kunde inte hitta vCard för %d.",
"Information about vCard is incorrect. Please reload the page: " => "Informationen om vCard är fel. Ladda om sidan:",
"Something went FUBAR. " => "Något gick fel.",
+"Cannot save property of type \"%s\" as array" => "Kan inte spara egenskap av typen \"%s\" som en lista",
+"Missing IM parameter." => "IM parameter saknas.",
+"Unknown IM: " => "Okänt IM:",
"No contact ID was submitted." => "Inget kontakt-ID angavs.",
"Error reading contact photo." => "Fel uppstod vid läsning av kontaktfoto.",
"Error saving temporary file." => "Fel uppstod när temporär fil skulle sparas.",
@@ -35,6 +35,9 @@
"Error cropping image" => "Fel vid beskärning av bilden",
"Error creating temporary image" => "Fel vid skapande av tillfällig bild",
"Error finding image: " => "Kunde inte hitta bild:",
+"Key is not set for: " => "Nyckel är inte angiven för:",
+"Value is not set for: " => "Värde är inte satt för:",
+"Could not set preference: " => "Kunde inte sätta inställning:",
"Error uploading contacts to storage." => "Fel uppstod när kontakt skulle lagras.",
"There is no error, the file uploaded with success" => "Inga fel uppstod. Filen laddades upp utan problem.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Den uppladdade filen överskrider upload_max_filesize direktivet i php.ini",
@@ -46,43 +49,52 @@
"Couldn't load temporary image: " => "Kunde inte ladda tillfällig bild:",
"No file was uploaded. Unknown error" => "Ingen fil uppladdad. Okänt fel",
"Contacts" => "Kontakter",
-"Sorry, this functionality has not been implemented yet" => "Tyvärr är denna funktion inte införd än",
-"Not implemented" => "Inte införd",
-"Couldn't get a valid address." => "Kunde inte hitta en giltig adress.",
-"Error" => "Fel",
-"Please enter an email address." => "Ange en e-postadress.",
-"Enter name" => "Ange namn",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => " anpassad, korta namn, hela namn, bakåt eller bakåt med komma",
-"Select type" => "Välj typ",
+"Contact is already in this group." => "Kontakten finns redan i denna grupp.",
+"Contacts are already in this group." => "Kontakterna finns redan i denna grupp.",
+"Couldn't get contact list." => "Kunde inte hämta kontaktlista.",
+"Contact is not in this group." => "Kontakten är inte i denna grupp.",
+"Contacts are not in this group." => "Kontakterna är inte i denna grupp.",
+"A group named {group} already exists" => "En grupp men namnet {group} finns redan",
+"You can drag groups to\narrange them as you like." => "Du kan dra grupper för att\nordna dem som du vill.",
+"All" => "Alla",
+"Favorites" => "Favoriter",
+"Shared by {owner}" => "Delad av {owner}",
+"Indexing contacts" => "Indexerar kontakter",
+"Add to..." => "Lägga till...",
+"Remove from..." => "Ta bort från...",
+"Add group..." => "Lägg till grupp...",
"Select photo" => "Välj foto",
-"You do not have permission to add contacts to " => "Du saknar behörighet att skapa kontakter i",
-"Please select one of your own address books." => "Välj en av dina egna adressböcker.",
-"Permission error" => "Behörighetsfel",
-"Click to undo deletion of \"" => "Klicka för att ångra radering av \"",
-"Cancelled deletion of: \"" => "Avbruten radering av: \"",
-"This property has to be non-empty." => "Denna egenskap får inte vara tom.",
-"Couldn't serialize elements." => "Kunde inte serialisera element.",
-"Unknown error. Please check logs." => "Okänt fel. Kontrollera loggarna.",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "\"deleteProperty\" anropades utan typargument. Vänligen rapportera till bugs.owncloud.org",
-"Edit name" => "Ändra namn",
-"No files selected for upload." => "Inga filer valda för uppladdning",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Filen du försöker ladda upp är större än den maximala storleken för filuppladdning på denna server.",
-"Error loading profile picture." => "Fel vid hämtning av profilbild.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Vissa kontakter är markerade för radering, men är inte raderade än. Vänta tills dom är raderade.",
-"Do you want to merge these address books?" => "Vill du slå samman dessa adressböcker?",
-"Shared by " => "Delad av",
-"Upload too large" => "För stor uppladdning",
-"Only image files can be used as profile picture." => "Endast bildfiler kan användas som profilbild.",
-"Wrong file type" => "Felaktig filtyp",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "Din webbläsare saknar stöd för uppladdning med AJAX. Klicka på profilbilden för att välja ett foto att ladda upp.",
-"Unable to upload your file as it is a directory or has 0 bytes" => "Kan inte ladda upp din fil eftersom det är en katalog eller har 0 bytes",
-"Upload Error" => "Fel vid uppladdning",
-"Pending" => "Väntar",
-"Import done" => "Import klar",
+"Network or server error. Please inform administrator." => "Nätverk eller serverfel. Informera administratören.",
+"Error adding to group." => "Fel vid tillägg i grupp.",
+"Error removing from group." => "Fel vid radering från grupp.",
+"There was an error opening a mail composer." => "Fel uppstod när e-postklient skulle öppnas.",
+"Deleting done. Click here to cancel reloading." => "Radering klar. Klicka här för att avbryta omläsning.",
+"Add address book" => "Lägg till adressbok",
+"Import done. Click here to cancel reloading." => "Import klar. Klicka här för att avbryta omläsning.",
"Not all files uploaded. Retrying..." => "Alla filer är inte uppladdade. Försöker igen...",
"Something went wrong with the upload, please retry." => "Något gick fel med uppladdningen, försök igen.",
+"Error" => "Fel",
+"Importing from {filename}..." => "Importerar från {filename}...",
+"{success} imported, {failed} failed." => "{success} importerad, {failed} misslyckades.",
"Importing..." => "Importerar...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Kan inte ladda upp din fil eftersom det är en katalog eller har 0 bytes",
+"Upload Error" => "Fel vid uppladdning",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Filen du försöker ladda upp är större än den maximala storleken för filuppladdning på denna server.",
+"Upload too large" => "För stor uppladdning",
+"Pending" => "Väntar",
+"Add group" => "Lägg till grupp",
+"No files selected for upload." => "Inga filer valda för uppladdning",
+"Edit profile picture" => "Anpassa profilbild",
+"Error loading profile picture." => "Fel vid hämtning av profilbild.",
+"Enter name" => "Ange namn",
+"Enter description" => "Ange beskrivning",
+"Select addressbook" => "Välj adressbok",
"The address book name cannot be empty." => "Adressbokens namn kan inte vara tomt.",
+"Is this correct?" => "Är detta korrekt?",
+"There was an unknown error when trying to delete this contact" => "Okänt fel uppstod när denna kontakt skulle raderas",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Vissa kontakter är markerade för radering, men är inte raderade än. Vänta tills dom är raderade.",
+"Click to undo deletion of {num} contacts" => "Klicka för att ångra radering av {num} kontakter",
+"Cancelled deletion of {num}" => "Avbruten radering av {num}",
"Result: " => "Resultat:",
" imported, " => "importerad,",
" failed." => "misslyckades.",
@@ -100,9 +112,6 @@
"There was an error updating the addressbook." => "Ett fel uppstod när adressboken skulle uppdateras.",
"You do not have the permissions to delete this addressbook." => "Du har inte behörighet att radera denna adressbok.",
"There was an error deleting this addressbook." => "Fel uppstod vid radering av denna adressbok.",
-"Addressbook not found: " => "Adressboken hittades inte:",
-"This is not your addressbook." => "Det här är inte din adressbok.",
-"Contact could not be found." => "Kontakt kunde inte hittas.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +135,9 @@
"Video" => "Video",
"Pager" => "Personsökare",
"Internet" => "Internet",
-"Birthday" => "Födelsedag",
-"Business" => "Företag",
-"Call" => "Ring",
-"Clients" => "Kunder",
-"Deliverer" => "Leverera",
-"Holidays" => "Helgdagar",
-"Ideas" => "Idéer",
-"Journey" => "Resa",
-"Jubilee" => "Jubileum",
-"Meeting" => "Möte",
-"Personal" => "Privat",
-"Projects" => "Projekt",
-"Questions" => "Frågor",
+"Friends" => "Vänner",
+"Family" => "Familj",
+"There was an error deleting properties for this contact." => "Ett fel uppstod vid radering av egenskaper för denna kontakt.",
"{name}'s Birthday" => "{name}'s födelsedag",
"Contact" => "Kontakt",
"You do not have the permissions to add contacts to this addressbook." => "Du har inte behörighet att lägga till kontakter i denna adressbok.",
@@ -148,9 +147,21 @@
"Could not find the Addressbook with ID: " => "Kan inte hitta adressboken med ID:",
"You do not have the permissions to delete this contact." => "Du saknar behörighet för att radera denna kontakt.",
"There was an error deleting this contact." => "Fel uppstod vid radering av denna kontakt.",
-"Add Contact" => "Lägg till kontakt",
-"Import" => "Importera",
+"Contact not found." => "Kontakt kan inte hittas.",
+"HomePage" => "Hemsida",
+"New Group" => "Ny grupp",
"Settings" => "Inställningar",
+"Address books" => "Adressböcker",
+"Import" => "Importera",
+"Select files to import" => "Välj filer för import",
+"Select files" => "Välj filer",
+"Import into:" => "Importera till:",
+"OK" => "OK",
+"(De-)select all" => "(Av-)markera alla",
+"New Contact" => "Ny kontakt",
+"Groups" => "Grupper",
+"Favorite" => "Favorit",
+"Delete Contact" => "Radera kontakt",
"Close" => "Stäng",
"Keyboard shortcuts" => "Kortkommandon",
"Navigation" => "Navigering",
@@ -164,56 +175,79 @@
"Add new contact" => "Lägg till ny kontakt",
"Add new addressbook" => "Lägg till ny adressbok",
"Delete current contact" => "Radera denna kontakt",
-"Drop photo to upload" => "Släpp foto för att ladda upp",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Du har inga kontakter i din adressbok.
Lägg till en ny kontakt eller importera från en VCF-fil.
",
+"Add contact" => "Lägg till en kontakt",
+"Compose mail" => "Skapa e-post",
+"Delete group" => "Radera grupp",
"Delete current photo" => "Ta bort aktuellt foto",
"Edit current photo" => "Redigera aktuellt foto",
"Upload new photo" => "Ladda upp ett nytt foto",
"Select photo from ownCloud" => "Välj foto från ownCloud",
-"Edit name details" => "Redigera detaljer för namn",
-"Organization" => "Organisation",
+"First name" => "Förnamn",
+"Additional names" => "Mellannamn",
+"Last name" => "Efternamn",
"Nickname" => "Smeknamn",
"Enter nickname" => "Ange smeknamn",
-"Web site" => "Webbplats",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Gå till webbplats",
-"dd-mm-yyyy" => "dd-mm-åååå",
-"Groups" => "Grupper",
-"Separate groups with commas" => "Separera grupperna med kommatecken",
-"Edit groups" => "Editera grupper",
-"Preferred" => "Föredragen",
-"Please specify a valid email address." => "Vänligen ange en giltig e-postadress.",
-"Enter email address" => "Ange e-postadress",
-"Mail to address" => "Posta till adress.",
-"Delete email address" => "Ta bort e-postadress",
-"Enter phone number" => "Ange telefonnummer",
-"Delete phone number" => "Ta bort telefonnummer",
-"Instant Messenger" => "Instant Messenger",
-"Delete IM" => "Radera IM",
-"View on map" => "Visa på karta",
-"Edit address details" => "Redigera detaljer för adress",
-"Add notes here." => "Lägg till noteringar här.",
-"Add field" => "Lägg till fält",
+"Title" => "Titel",
+"Organization" => "Organisation",
+"Birthday" => "Födelsedag",
+"Notes go here..." => "Noteringar här...",
+"Add" => "Lägg till",
"Phone" => "Telefon",
"Email" => "E-post",
"Instant Messaging" => "Instant Messaging",
"Address" => "Adress",
"Note" => "Notering",
-"Download contact" => "Ladda ner kontakt",
+"Web site" => "Webbplats",
"Delete contact" => "Radera kontakt",
+"Preferred" => "Föredragen",
+"Please specify a valid email address." => "Vänligen ange en giltig e-postadress.",
+"someone@example.com" => "någon@exempel.com",
+"Mail to address" => "Posta till adress.",
+"Delete email address" => "Ta bort e-postadress",
+"Enter phone number" => "Ange telefonnummer",
+"Delete phone number" => "Ta bort telefonnummer",
+"Go to web site" => "Gå till webbplats",
+"Delete URL" => "Radera URL",
+"View on map" => "Visa på karta",
+"Delete address" => "Radera adress",
+"1 Main Street" => "1 Main Street",
+"Street address" => "Gatuadress",
+"12345" => "12345",
+"Postal code" => "Postnummer",
+"Your city" => "Din stad",
+"City" => "Stad",
+"Some region" => "En region",
+"Your country" => "Ditt land",
+"Country" => "Land",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "Radera IM",
+"Share" => "Dela",
+"Export" => "Exportera",
+"CardDAV link" => "CardDAV-länk",
+"Add Contact" => "Lägg till kontakt",
+"Drop photo to upload" => "Släpp foto för att ladda upp",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => " anpassad, korta namn, hela namn, bakåt eller bakåt med komma",
+"Edit name details" => "Redigera detaljer för namn",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd-mm-åååå",
+"Separate groups with commas" => "Separera grupperna med kommatecken",
+"Edit groups" => "Editera grupper",
+"Enter email address" => "Ange e-postadress",
+"Edit address details" => "Redigera detaljer för adress",
+"Add notes here." => "Lägg till noteringar här.",
+"Add field" => "Lägg till fält",
+"Download contact" => "Ladda ner kontakt",
"The temporary image has been removed from cache." => "Den tillfälliga bilden har raderats från cache.",
"Edit address" => "Editera adress",
"Type" => "Typ",
"PO Box" => "Postbox",
-"Street address" => "Gatuadress",
"Street and number" => "Gata och nummer",
"Extended" => "Utökad",
"Apartment number etc." => "Lägenhetsnummer",
-"City" => "Stad",
"Region" => "Län",
"E.g. state or province" => "T.ex. stat eller provins",
"Zipcode" => "Postnummer",
-"Postal code" => "Postnummer",
-"Country" => "Land",
"Addressbook" => "Adressbok",
"Hon. prefixes" => "Ledande titlar",
"Miss" => "Fröken",
@@ -223,7 +257,6 @@
"Mrs" => "Fru",
"Dr" => "Dr.",
"Given name" => "Förnamn",
-"Additional names" => "Mellannamn",
"Family name" => "Efternamn",
"Hon. suffixes" => "Efterställda titlar",
"J.D." => "Kand. Jur.",
@@ -240,15 +273,12 @@
"Name of new addressbook" => "Namn för ny adressbok",
"Importing contacts" => "Importerar kontakter",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Det finns inga kontakter i din adressbok.
Du kan importera VCF-filer genom att antingen dra till kontaktlistan och släppa på en befintlig adressbok, eller på en tom plats för att skapa en ny adressbok. Du kan också importera genom att klicka på importknappen längst ner i listan.
",
-"Add contact" => "Lägg till en kontakt",
"Select Address Books" => "Välj adressböcker",
-"Enter description" => "Ange beskrivning",
"CardDAV syncing addresses" => "CardDAV synkningsadresser",
"more info" => "mer information",
"Primary address (Kontact et al)" => "Primär adress (Kontakt o.a.)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Adressböcker",
-"Share" => "Dela",
"New Address Book" => "Ny adressbok",
"Name" => "Namn",
"Description" => "Beskrivning",
diff --git a/l10n/ta_LK.php b/l10n/ta_LK.php
new file mode 100644
index 00000000..e7532828
--- /dev/null
+++ b/l10n/ta_LK.php
@@ -0,0 +1,272 @@
+ "முகவரி புத்தகத்தை செயற்படுத்துவதில் (செயற்படுத்தாமையில்) வழு",
+"id is not set." => "அடையாளம் அமைக்கப்படவில்லை",
+"Cannot update addressbook with an empty name." => "வெற்றிட பெயரால் முகவரி புத்தகத்தை இற்றைப்படுத்தமுடியாது",
+"No category name given." => "வகை பெயர் தரப்படவில்லை.",
+"Error adding group." => "குழுவை சேர்ப்பதில் வழு",
+"Group ID missing from request." => "வேண்டுகோளில் குழு ID விடுபட்டுள்ளது.",
+"Contact ID missing from request." => "வேண்டுகோளில் தொடர்பு ID விடுபட்டுள்ளது.",
+"No ID provided" => "ID வழங்கப்படவில்லை",
+"Error setting checksum." => "சரிபார்ப்புத் தொகையை அமைப்பதில் வழு",
+"No categories selected for deletion." => "நீக்குவதற்கு எந்தப் பிரிவும் தெரிவுசெய்யப்படவில்லை.",
+"No address books found." => "முகவரி புத்தகம் கண்டுப்பிடிக்கப்படவில்லை",
+"No contacts found." => "தொடர்புகள் கண்டுப்பிடிக்கப்படவில்லை",
+"element name is not set." => "மூலக பெயர் அமைக்கப்படவில்லை",
+"checksum is not set." => "சரிபார்ப்பு தொகை அமைக்கப்படவில்லை",
+"Information about vCard is incorrect. Please reload the page." => "vCard பற்றிய தகவல்கள் தவறானது. தயவுசெய்து பக்கத்தை மீள்ளேற்றுக",
+"Couldn't find vCard for %d." => "%d இன் vCard ஐ கண்டுப்பிடிக்கமுடியவில்லை",
+"Information about vCard is incorrect. Please reload the page: " => "vCard பற்றிய தகவல்கள் தவறானது. தயவுசெய்து பக்கத்தை மீள்ளேற்றுக",
+"Something went FUBAR. " => "ஏதோ FUBAR ஆகிவிட்டது",
+"Cannot save property of type \"%s\" as array" => "ஒரு அணியாக வகை \"%s\" இன் உறுப்புக்களை சேமிக்க முடியாது",
+"Missing IM parameter." => "IM அளவுருகளை காணவில்லை.",
+"Unknown IM: " => "அறியப்படாத IM",
+"No contact ID was submitted." => "தொடர்பு அடையாளங்கள் சமர்பிக்கப்படவில்லை",
+"Error reading contact photo." => "தொடர்பு படங்களை வாசிப்பதில் வழு",
+"Error saving temporary file." => "தற்காலிக கோப்பை சேமிப்பதில் வழு",
+"The loading photo is not valid." => "ஏற்றப்பட்ட படம் செல்லுபடியற்றது",
+"Contact ID is missing." => "தொடர்பு அடையாளத்தை காணவில்லை",
+"No photo path was submitted." => "படத்திற்கான பாதை சமர்ப்பிக்கப்படவில்லை",
+"File doesn't exist:" => "கோப்பை காணவில்லை",
+"Error loading image." => "படங்களை ஏற்றுவதில் வழு",
+"Error getting contact object." => "தொடர்பு பொருளை பெறுவதில் வழு ",
+"Error getting PHOTO property." => "பட தொகுப்பை பெறுவதில் வழு",
+"Error saving contact." => "தொடர்பை சேமிப்பதில் வழு",
+"Error resizing image" => "படத்தின் அளவை மாற்றுவதில் வழு",
+"Error cropping image" => "படத்தை செதுக்குவதில் வழு",
+"Error creating temporary image" => "தற்காலிக படத்தை உருவாக்குவதில் வழு",
+"Error finding image: " => "படங்களை தேடுவதில் வழு:",
+"Key is not set for: " => "அதற்கு சாவியை அமைக்கவில்ல:",
+"Value is not set for: " => "அதற்கு பெறுமதியை அமைக்கவில்லை:",
+"Could not set preference: " => "விருப்பங்களை அமைக்கமுடியவில்லை:",
+"Error uploading contacts to storage." => "சேமிப்பகத்தில் தொடர்புகளை பதிவேற்றுவதில் வழு",
+"There is no error, the file uploaded with success" => "இங்கு வழு இல்லை, கோப்பு வெற்றிகரமாக பதிவேற்றப்பட்டது",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "பதிவேற்றப்பட்ட கோப்பானது php.ini இலுள்ள upload_max_filesize directive ஐ விட கூடியது",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "பதிவேற்றப்பட்ட கோப்பானது HTML படிவத்தில் குறிப்பிடப்பட்டுள்ள MAX_FILE_SIZE directive ஐ விட கூடியது",
+"The uploaded file was only partially uploaded" => "பதிவேற்றப்பட்ட கோப்பானது பகுதியாக மட்டுமே பதிவேற்றப்பட்டுள்ளது",
+"No file was uploaded" => "எந்த கோப்பும் பதிவேற்றப்படவில்லை",
+"Missing a temporary folder" => "ஒரு தற்காலிகமான கோப்புறையை காணவில்லை",
+"Couldn't save temporary image: " => "தற்காலிக படத்தை சேமிக்கமுடியாது",
+"Couldn't load temporary image: " => "தற்காலிக படத்தை ஏற்றமுடியாது",
+"No file was uploaded. Unknown error" => "ஒரு கோப்பும் பதிவேற்றப்படவில்லை. அறியப்படாத வழு",
+"Contacts" => "தொடர்புகள்",
+"Contact is already in this group." => "தொடர்பு ஏற்கனவே இந்த குழுவில் உள்ளது.",
+"Contacts are already in this group." => "தொடர்புகள் ஏற்கனவே இந்த குழுவில் உள்ளது.",
+"Couldn't get contact list." => "தொடர்பு பட்டியலை பெறமுடியாதுள்ளது.",
+"Contact is not in this group." => "தொடர்பு இந்த குழுவில் இல்லை.",
+"Contacts are not in this group." => "தொடர்புகள் இந்த குழுவில் இல்லை",
+"A group named {group} already exists" => "ஒரு குழு பெயர் {குழு} ஏற்கனவே உள்ளது",
+"All" => "எல்லாம்",
+"Favorites" => "விருப்பங்கள்",
+"Shared by {owner}" => "பகிரப்பட்டது {சொந்தகாரர்}",
+"Indexing contacts" => "தொடர்புகளை அட்டவணையிடுதல்",
+"Add to..." => "இற்கு சேர்க்கப்பட்டது...",
+"Remove from..." => "இலிருந்து அகற்றுக...",
+"Add group..." => "குழுவிற்கு சேர்க்க...",
+"Select photo" => "படத்தை தெரிக",
+"Network or server error. Please inform administrator." => "வலையமைப்பு அல்லது சேவையக வழு. தயவுசெய்து நிர்வாகிக்கு தெரியப்படுத்தவும்.",
+"Error adding to group." => "குழுவில் சேர்ப்பதில் வழு.",
+"Error removing from group." => "குழுவிலிருந்து அகற்றுவதிலிருந்து வழு.",
+"There was an error opening a mail composer." => "மின்னஞ்சல் செய்தியாக்குகையை திறப்பதில் வழு.",
+"Error" => "வழு",
+"Unable to upload your file as it is a directory or has 0 bytes" => "அடைவு அல்லது 0 bytes ஐ கொண்டுள்ளதால் உங்களுடைய கோப்பை பதிவேற்ற முடியவில்லை",
+"Upload Error" => "பதிவேற்றல் வழு",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "நீங்கள் பதிவேற்ற முயற்சிக்கும் கோப்பானது இந்த சேவையகத்தில் பதிவேற்றக்கூடிய கோப்பின் ஆகக்கூடிய அளவைவிட கூடியது. ",
+"Upload too large" => "பதிவேற்றல் மிகப்பெரியது",
+"Pending" => "நிலுவையிலுள்ள",
+"Add group" => "குழுவில் சேர்க்க",
+"No files selected for upload." => "பதிவேற்றுவதற்கு கோப்புகள் தெரிவுசெய்யப்படவில்லை",
+"Edit profile picture" => "விபரக்கோவை படத்தை தொகுக்க ",
+"Error loading profile picture." => "விபரக்கோவை படத்தை ஏற்றுவதில் வழு",
+"Enter name" => "பெயரை நுழைக்க ",
+"Enter description" => "விபரிப்புக்களை நுழைக்க",
+"Select addressbook" => "முகவரி புத்தகத்தை தெரிவுசெய்க",
+"The address book name cannot be empty." => "முகவரிப் புத்தகத்தின் பெயர் வெறுமையாக இருக்கமுடியாது.",
+"Is this correct?" => "இது சரியா?",
+"There was an unknown error when trying to delete this contact" => "இந்த தொடர்பை நீக்கும் போது தெரியாத வழு ஏற்பட்டது",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "சில தொடர்புகள் அழிப்பதற்காக அடையாளப்படுத்தப்பட்டுள்ளது, ஆனால் இன்னும் அழிக்கவில்லை. தயவுசெய்து அது அழியும் வரை காத்திருக்கவும்.",
+"Click to undo deletion of {num} contacts" => "தொடர்புகள் நீக்கியதை முன் செயல் நீக்கம் {num} செய்வதற்கு சொடக்குக",
+"Cancelled deletion of {num}" => "{num} ஐ நீக்குவதை இரத்துசெய்க",
+"Result: " => "முடிவு:",
+" imported, " => "இறக்குமதி செய்யப்பட்டது,",
+" failed." => "தோல்வியுற்றது",
+"Displayname cannot be empty." => "காட்சிப்பெயர் வெறுமையாக இருக்கமுடியாது.வாவா",
+"Show CardDav link" => "CardDav இணைப்பை காட்டவும்",
+"Show read-only VCF link" => "வாசிக்கக்கூடிய VCF இணைப்பை மட்டும் காட்டுக",
+"Download" => "பதிவிறக்குக",
+"Edit" => "தொகுக்க",
+"Delete" => "அழிக்க",
+"Cancel" => "இரத்து செய்க",
+"More..." => "மேலதிக...",
+"Less..." => "குறைவு...",
+"You do not have the permissions to read this addressbook." => "இந்த முகவரி புத்தகத்தை வாசிப்பதற்கு உங்களுக்கு அனுமதியில்லை .",
+"You do not have the permissions to update this addressbook." => "இந்த முகவரி புத்தகத்தை இற்றைப்படுத்துவதற்கு உங்களுக்கு அனுமதியில்லை.",
+"There was an error updating the addressbook." => "முகவரி புத்தகத்தை இற்றைப்படுத்தலில் வழு.",
+"You do not have the permissions to delete this addressbook." => "இந்த முகவரி புத்தகத்தை நீக்குவதற்கு உங்களுக்கு அனுமதியில்லை.",
+"There was an error deleting this addressbook." => "இந்த முகவரி புத்தகத்தை நீக்குவதில் வழு",
+"Jabber" => "Jabber",
+"AIM" => "AIM",
+"MSN" => "MSN",
+"Twitter" => "Twitter",
+"GoogleTalk" => "GoogleTalk",
+"Facebook" => "Facebook",
+"XMPP" => "XMPP",
+"ICQ" => "ICQ",
+"Yahoo" => "Yahoo",
+"Skype" => "Skype",
+"QQ" => "QQ",
+"GaduGadu" => "GaduGadu",
+"Work" => "வேலை",
+"Home" => "அகம்",
+"Other" => "மற்றவை",
+"Mobile" => "இடமாற்றக்கூடிய",
+"Text" => "உரை",
+"Voice" => "குரல்",
+"Message" => "செய்தி",
+"Fax" => "தொலை நகல்",
+"Video" => "நிகழ்படம்",
+"Pager" => "தொலை அழைப்பான்",
+"Internet" => "இணையம்",
+"Friends" => "நண்பர்கள்",
+"Family" => "குடும்பம்",
+"There was an error deleting properties for this contact." => "இந்த தொடர்புகளின் உறுப்புக்களை நீக்குவதில் வழு ஏற்பட்டுள்ளது.",
+"{name}'s Birthday" => "{பெயர்} இன் பிறந்தநாள்",
+"Contact" => "தொடர்பு",
+"You do not have the permissions to add contacts to this addressbook." => "இந்த முகவரிபுத்தகத்தில் தொடர்பை சேர்ப்பதற்கு உங்களுக்கு அனுமதியில்லை. ",
+"Could not find the vCard with ID." => "ID உடனான vCard ஐ கண்டுப்பிடிப்பதில் வழு.",
+"You do not have the permissions to edit this contact." => "இந்த தொடர்பை தொகுப்பதற்கு உங்களுக்கு அனுமதியில்லை.",
+"Could not find the vCard with ID: " => "ID உடனான vCard ஐ கண்டுப்பிடிப்பதில் வழு.",
+"Could not find the Addressbook with ID: " => "ID உடனான முகவரி புத்தகத்தை கண்டுப்பிடிப்பதில் வழு.",
+"You do not have the permissions to delete this contact." => "இந்த தொடர்பை நீக்குவதற்கு உங்களுக்கு அனுமதியில்லை.",
+"There was an error deleting this contact." => "இந்த தொடர்பை நீக்குவதில் வழு",
+"Contact not found." => "தொடர்பு கண்டுப்பிடிக்கப்படவில்லை",
+"HomePage" => "தொடக்க பக்கம்",
+"New Group" => "புதிய குழு",
+"Settings" => "அமைப்புகள்",
+"Import" => "இறக்குமதி",
+"Import into:" => "இதற்கு இறக்குமதி செய்க:",
+"OK" => "சரி ",
+"(De-)select all" => "எல்லாவற்றையும் தெரிவுசெய்க (செய்யாதிக-)",
+"New Contact" => "புதிய தொடர்பு",
+"Groups" => "குழுக்கள்",
+"Favorite" => "விருப்பமான",
+"Delete Contact" => "தொடர்பை நீக்குக",
+"Close" => "மூடுக",
+"Keyboard shortcuts" => "விசைப்பலகை குறுக்குவழிகள்",
+"Navigation" => "வழிசெலுத்தல்",
+"Next contact in list" => "பட்டியலில் உள்ள அடுத்த தொடர்பு",
+"Previous contact in list" => "பட்டியலில் முந்தைய தொடர்பு",
+"Expand/collapse current addressbook" => "தற்போதைய முகவரி புத்தகத்தை விரிவாக்குக/தகர்த்துக",
+"Next addressbook" => "அடுத்த முகவரி புத்தகம்",
+"Previous addressbook" => "முந்தைய முகவரி புத்தகம்",
+"Actions" => "செயல்கள்",
+"Refresh contacts list" => "தொடர்பு பட்டியலை மீள் ஏற்றுக",
+"Add new contact" => "புதிய தொடர்பை சேர்க்க",
+"Add new addressbook" => "புதிய முகவரி புத்தகத்தை சேர்க்க",
+"Delete current contact" => "தற்போதைய தொடர்பை நீக்குக",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
உங்களுடைய முகவரி புத்தகத்தில் ஒரு தொடர்பும் இல்லை.
புதிய தொடர்பை சேர்க்க அல்லது ஏற்கனவே உள்ள தொடர்புகளை VCF கோப்பிலிருந்து இறக்குமதி செய்க.
",
+"Add contact" => "தொடர்பை சேர்க்க",
+"Compose mail" => "மின்னஞ்சல் செய்தியாக்குகை",
+"Delete group" => "குழுக்களை நீக்குக",
+"Delete current photo" => "தற்போதைய படத்தை நீக்குக",
+"Edit current photo" => "தற்போதைய படத்தை தொகுக்க",
+"Upload new photo" => "புதிய படத்தை பதிவேற்றுக",
+"Select photo from ownCloud" => "ownCloud இலிருந்து படத்தை தெரிவுசெய்க",
+"First name" => "முதல் பெயர்",
+"Additional names" => "மேலதிக பெயர்கள்",
+"Last name" => "கடைசிப் பெயர்",
+"Nickname" => "பட்டப்பெயர்",
+"Enter nickname" => "பட்டப்பெயரை நுழைக்க",
+"Title" => "தலைப்பு",
+"Organization" => "நிறுவனம்",
+"Birthday" => "பிறந்த நாள்",
+"Notes go here..." => "குறிப்புகள் இங்கே இருக்கின்றன...",
+"Add" => "சேர்க்க",
+"Phone" => "தொலைப்பேசி",
+"Email" => "மின்னஞ்சல்",
+"Instant Messaging" => "Instant Messaging",
+"Address" => "முகவரி",
+"Note" => "குறிப்பு",
+"Web site" => "வலைய தளம்",
+"Delete contact" => "தொடர்பை நீக்குக",
+"Preferred" => "விரும்பிய",
+"Please specify a valid email address." => "தயவுசெய்து செல்லுபடியான மின்னஞ்சல் முகவரியை குறிப்பிடுக.",
+"someone@example.com" => "someone@example.com",
+"Mail to address" => "மின்னஞ்சல் முகவரி",
+"Delete email address" => "மின்னஞ்சல் முகவரியை நீக்குக",
+"Enter phone number" => "தொலைப்பேசி இலக்கத்தை நுழைக்க",
+"Delete phone number" => "தொலைப்பேசி இலக்கத்தை நீக்குக",
+"Go to web site" => "வலைய தளத்திற்கு செல்க",
+"Delete URL" => "URL ஐ நீக்குக",
+"View on map" => "வரைப்படத்தில் காண்க",
+"Delete address" => "முகவரியை நீக்குக",
+"1 Main Street" => "1 பிரதான பாதை",
+"Street address" => "வீதி முகவரி",
+"12345" => "12345",
+"Postal code" => "தபால் குறியீடு",
+"Your city" => "உங்களுடைய நகரம்",
+"City" => "நகரம்",
+"Some region" => "சில பிரதேசம்",
+"Your country" => "உங்களுடைய நாடு",
+"Country" => "நாடு",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "IM ஐ நீக்குக",
+"Share" => "பகிர்வு",
+"Export" => "ஏற்றுமதி",
+"Add Contact" => "தொடர்புகளை சேர்க்க",
+"Drop photo to upload" => "பதிவேற்றுவதற்கான படத்தை விடுக",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "தனிப்பயன் வடிவமைப்பு, சுருக்கப் பெயர், முழுப்பெயர், எதிர் அல்லது காற்புள்ளியினால் பின்னோக்கு",
+"Edit name details" => "பெயர் விபரங்களை தொகுக்க ",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "குழுக்களை காற்புள்ளியினால் வேறாக்குக",
+"Edit groups" => "குழுக்களை தொகுக்க",
+"Enter email address" => "மின்னஞ்சல் முகவரியை நுழைக்க",
+"Edit address details" => "முகவரி விபரங்களை தொகுக்க",
+"Add notes here." => "குறிப்புக்களை இங்கே சேர்க்க",
+"Add field" => "புலத்தை சேர்க்க",
+"Download contact" => "தொடர்பை தரவிறக்குக",
+"The temporary image has been removed from cache." => "தற்காலிக படம் இடைமாற்றுநினைவகத்திலிருந்து அகற்றப்படுகிறது.",
+"Edit address" => "முகவரியை தொகுக்க",
+"Type" => "வகை",
+"PO Box" => "PO பெட்டி",
+"Street and number" => "வீதி மற்றும் இலக்கம்",
+"Extended" => "விஸ்த்தரிக்கப்பட்ட",
+"Apartment number etc." => "அபாட்மென்ட் இலக்கம் உதாரணம்.",
+"Region" => "பிரதேசம்",
+"E.g. state or province" => "உதாரணம் . மாநிலம் அல்லது மாகாணம்",
+"Zipcode" => "தபால் இலக்கம்",
+"Addressbook" => "முகவரி புத்தகம்",
+"Hon. prefixes" => "Hon. முன்னொட்டுகள்",
+"Miss" => "செல்வி",
+"Ms" => "திருமதி",
+"Mr" => "திரு",
+"Sir" => "சேர்",
+"Mrs" => "திருமதி",
+"Dr" => "டாக்டர்",
+"Given name" => "தரப்பட்ட பெயர்",
+"Family name" => "குடும்ப பெயர்",
+"Hon. suffixes" => "Hon. பின்னொட்டுகள்",
+"J.D." => "J.D.",
+"M.D." => "M.D.",
+"D.O." => "D.O.",
+"D.C." => "D.C.",
+"Ph.D." => "Ph.D.",
+"Esq." => "Esq.",
+"Jr." => "Jr.",
+"Sn." => "Sn.",
+"Import a contacts file" => "தொடர்பு கோப்பை இறக்குமதி செய்க",
+"Please choose the addressbook" => "தயவுசெய்து முகவரி புத்தகத்தை தெரிவுசெய்க",
+"create a new addressbook" => "புதிதாக முகவரி புத்தகமொன்றை உருவாக்குக",
+"Name of new addressbook" => "புதிய முகவரி புத்தகத்தின் பெயர்",
+"Importing contacts" => "தொடர்புகள் இறக்குமதி செய்யப்படுகின்றன",
+"Select Address Books" => "முகவரி புத்தகத்தை தெரிவுசெய்க",
+"CardDAV syncing addresses" => "முகவரிகளை cardDAV ஒத்திசைக்கின்றன",
+"more info" => "மேலதிக தகவல்",
+"Primary address (Kontact et al)" => "முதன்மை முகவரி (Kontact et al)",
+"iOS/OS X" => "iOS/OS X",
+"Addressbooks" => "முகவரி புத்தகங்கள்",
+"New Address Book" => "புதிய முகவரி புத்தகம்",
+"Name" => "பெயர்",
+"Description" => "விவரிப்பு",
+"Save" => "சேமிக்க"
+);
diff --git a/l10n/th_TH.php b/l10n/th_TH.php
index 10793f27..cf8d1dc9 100644
--- a/l10n/th_TH.php
+++ b/l10n/th_TH.php
@@ -2,24 +2,24 @@
"Error (de)activating addressbook." => "เกิดข้อผิดพลาดใน (ยกเลิก)การเปิดใช้งานสมุดบันทึกที่อยู่",
"id is not set." => "ยังไม่ได้กำหนดรหัส",
"Cannot update addressbook with an empty name." => "ไม่สามารถอัพเดทสมุดบันทึกที่อยู่โดยไม่มีชื่อได้",
+"No category name given." => "ยังไม่ได้ใส่ชื่อหมวดหมู่",
+"Error adding group." => "เกิดข้อผิดพลาดในการเพิ่มกลุ่ม",
+"Group ID missing from request." => "รหัสกลุ่มที่ร้องขอเกิดการสูญหาย",
+"Contact ID missing from request." => "รหัสรายชื่อผู้ติดต่อที่ร้องขอเกิดการสูญหาย",
"No ID provided" => "ยังไม่ได้ใส่รหัส",
"Error setting checksum." => "เกิดข้อผิดพลาดในการตั้งค่า checksum",
"No categories selected for deletion." => "ยังไม่ได้เลือกหมวดหมู่ที่ต้องการลบ",
"No address books found." => "ไม่พบสมุดบันทึกที่อยู่ที่ต้องการ",
"No contacts found." => "ไม่พบข้อมูลการติดต่อที่ต้องการ",
"element name is not set." => "ยังไม่ได้กำหนดชื่อ",
-"Could not parse contact: " => "ไม่สามารถแจกแจงรายชื่อผู้ติดต่อได้",
-"Cannot add empty property." => "ไม่สามารถเพิ่มรายละเอียดที่ไม่มีข้อมูลได้",
-"At least one of the address fields has to be filled out." => "อย่างน้อยที่สุดช่องข้อมูลที่อยู่จะต้องถูกกรอกลงไป",
-"Trying to add duplicate property: " => "พยายามที่จะเพิ่มทรัพยากรที่ซ้ำซ้อนกัน: ",
-"Missing IM parameter." => "ค่าพารามิเตอร์ IM เกิดการสูญหาย",
-"Unknown IM: " => "IM ไม่ทราบชื่อ:",
-"Information about vCard is incorrect. Please reload the page." => "ข้อมูลเกี่ยวกับ vCard ไม่ถูกต้อง กรุณาโหลดหน้าเวปใหม่อีกครั้ง",
-"Missing ID" => "รหัสสูญหาย",
-"Error parsing VCard for ID: \"" => "พบข้อผิดพลาดในการแยกรหัส VCard:\"",
"checksum is not set." => "ยังไม่ได้กำหนดค่า checksum",
+"Information about vCard is incorrect. Please reload the page." => "ข้อมูลเกี่ยวกับ vCard ไม่ถูกต้อง กรุณาโหลดหน้าเวปใหม่อีกครั้ง",
+"Couldn't find vCard for %d." => "ไม่พบ vCard สำหรับ %d",
"Information about vCard is incorrect. Please reload the page: " => "ข้อมูล vCard ไม่ถูกต้อง กรุณาโหลดหน้าเว็บใหม่อีกครั้ง: ",
"Something went FUBAR. " => "มีบางอย่างเกิดการ FUBAR. ",
+"Cannot save property of type \"%s\" as array" => "ไม่สามารถบันทึกคุณสมบัติของประเภท \"%s\" เป็นชุดอะเรย์ได้",
+"Missing IM parameter." => "ค่าพารามิเตอร์ IM เกิดการสูญหาย",
+"Unknown IM: " => "IM ไม่ทราบชื่อ:",
"No contact ID was submitted." => "ไม่มีรหัสข้อมูลการติดต่อถูกส่งมา",
"Error reading contact photo." => "เกิดข้อผิดพลาดในการอ่านรูปภาพของข้อมูลการติดต่อ",
"Error saving temporary file." => "เกิดข้อผิดพลาดในการบันทึกไฟล์ชั่วคราว",
@@ -35,6 +35,9 @@
"Error cropping image" => "เกิดข้อผิดพลาดในการครอบตัดภาพ",
"Error creating temporary image" => "เกิดข้อผิดพลาดในการสร้างรูปภาพชั่วคราว",
"Error finding image: " => "เกิดข้อผิดพลาดในการค้นหารูปภาพ: ",
+"Key is not set for: " => "ยังไม่ได้กำหนดรหัสคีย์สำหรับ:",
+"Value is not set for: " => "ยังไม่ได้กำหนดค่าสำหรับ:",
+"Could not set preference: " => "ไม่สามารถกำหนดการตั้งค่าส่่วนตัว:",
"Error uploading contacts to storage." => "เกิดข้อผิดพลาดในการอัพโหลดข้อมูลการติดต่อไปยังพื้นที่จัดเก็บข้อมูล",
"There is no error, the file uploaded with success" => "ไม่พบข้อผิดพลาดใดๆ, ไฟล์ถูกอัพโหลดเรียบร้อยแล้ว",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "ไฟล์ที่อัพโหลดมีขนาดไฟล์ใหญ่เกินจำนวนที่กำหนดไว้ในคำสั่ง upload_max_filesize ที่อยู่ในไฟล์ php.ini",
@@ -46,43 +49,46 @@
"Couldn't load temporary image: " => "ไม่สามารถโหลดรูปภาพชั่วคราวได้: ",
"No file was uploaded. Unknown error" => "ยังไม่มีไฟล์ใดที่ถูกอัพโหลด เกิดข้อผิดพลาดที่ไม่ทราบสาเหตุ",
"Contacts" => "ข้อมูลการติดต่อ",
-"Sorry, this functionality has not been implemented yet" => "ขออภัย, ฟังก์ชั่นการทำงานนี้ยังไม่ได้ถูกดำเนินการ",
-"Not implemented" => "ยังไม่ได้ถูกดำเนินการ",
-"Couldn't get a valid address." => "ไม่สามารถดึงที่อยู่ที่ถูกต้องได้",
-"Error" => "พบข้อผิดพลาด",
-"Please enter an email address." => "กรุณากรอกที่อยู่อีเมล",
-"Enter name" => "กรอกชื่อ",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "กำหนดรูปแบบของชื่อย่อ, ชื่อจริง, ย้อนค่ากลัีบด้วยคอมม่าเอง",
-"Select type" => "เลือกชนิด",
+"Contact is already in this group." => "รายชื่อผู้ติดต่อมีอยู่ในกลุ่มนี้อยู่แล้ว",
+"Contacts are already in this group." => "รายชื่อผู้ติดต่อดังกล่าวมีอยู่แล้วในกลุ่มนี้",
+"Couldn't get contact list." => "ไม่สามารถดึงรายชื่อผู้ติดต่อได้",
+"Contact is not in this group." => "รายชื่อผู้ติดต่อไม่มีอยู่ในกลุ่มนี้",
+"Contacts are not in this group." => "รายชื่อผู้ติดต่อดังกล่าวไม่มีอยู่ในกลุ่มนี้",
+"A group named {group} already exists" => "ชื่อกลุ่มดังกล่าว {group} มีอยู่แล้ว",
+"All" => "ทั้งหมด",
+"Favorites" => "รายการโปรด",
+"Shared by {owner}" => "ถูกแชร์โดย {owner}",
+"Indexing contacts" => "จัดทำสารบัญรายชื่อผู้ติดต่อ",
+"Add to..." => "เพิ่มเข้าไปที่...",
+"Remove from..." => "ลบออกจาก...",
+"Add group..." => "เพิ่มกลุ่ม...",
"Select photo" => "เลือกรูปถ่าย",
-"You do not have permission to add contacts to " => "คุณไม่ได้รับสิทธิ์ให้เพิ่มข้อมูลผู้ติดต่อเข้าไปที่",
-"Please select one of your own address books." => "กรุณาเลือกสมุดบันทึกที่อยู่ที่คุณเป็นเจ้าของ",
-"Permission error" => "เกิดข้อผิดพลาดเกี่ยวกับสิทธิ์การเข้าใช้งาน",
-"Click to undo deletion of \"" => "คลิกเพื่อเลิกทำการลบทิ้งของ \"",
-"Cancelled deletion of: \"" => "ยกเลิกแล้ว สำหรับการลบทิ้งของ: \"",
-"This property has to be non-empty." => "คุณสมบัตินี้ต้องไม่มีข้อมูลว่างอยู่",
-"Couldn't serialize elements." => "ไม่สามารถทำสัญลักษณ์องค์ประกอบต่างๆให้เป็นตัวเลขตามลำดับได้",
-"Unknown error. Please check logs." => "เกิดข้อผิดพลาดโดยไม่ทราบสาเหตุ กรุณาตรวจสอบบันทึกการเปลี่ยนแปลง",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' ถูกเรียกใช้โดยไม่มีอาร์กิวเมนต์ กรุณาแจ้งได้ที่ bugs.owncloud.org",
-"Edit name" => "แก้ไขชื่อ",
-"No files selected for upload." => "ยังไม่ได้เลือกไฟล์ำสำหรับอัพโหลด",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "ไฟล์ที่คุณกำลังพยายามที่จะอัพโหลดมีขนาดเกินจำนวนสูงสุดที่สามารถอัพโหลดได้สำหรับเซิร์ฟเวอร์นี้",
-"Error loading profile picture." => "เกิดข้อผิดพลาดในการโหลดรูปภาพประจำตัว",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "ข้อมูลผู้ติดต่อบางรายการได้ถูกทำเครื่องหมายสำหรับลบทิ้งเอาไว้, แต่ยังไม่ได้ถูกลบทิ้ง, กรุณารอให้รายการดังกล่าวถูกลบทิ้งเสียก่อน",
-"Do you want to merge these address books?" => "คุณต้องการผสานข้อมูลสมุดบันทึกที่อยู่เหล่านี้หรือไม่?",
-"Shared by " => "แชร์โดย",
-"Upload too large" => "ไฟล์ที่อัพโหลดมีขนาดใหญ่เกินไป",
-"Only image files can be used as profile picture." => "เฉพาะไฟล์รูปภาพเท่านั้นที่สามารถใช้งานเป็นรูปภาพโปรไฟล์ได้",
-"Wrong file type" => "ชนิดของไฟล์ไม่ถูกต้อง",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "โปรแกรมบราวเซอร์ของคุณไม่รองรับคุณสมบัติการอัพโหลดไฟล์แบบ AJAX กรุณาคลิกที่รูปภาพโปรไฟล์เพื่อเลือกรูปภาพที่ต้องการอัพโหลด",
-"Unable to upload your file as it is a directory or has 0 bytes" => "ไม่สามารถอัพโหลดไฟล์ของคุณได้ เนื่องจากไฟล์ดังกล่าวเป็นไดเร็กทอรี่ หรือ มีขนาดไฟล์ 0 ไบต์",
-"Upload Error" => "เกิดข้อผิดพลาดในการอัพโหลด",
-"Pending" => "อยู่ระหว่างดำเนินการ",
-"Import done" => "เสร็จสิ้นการนำเข้าข้อมูล",
+"Network or server error. Please inform administrator." => "เครือข่ายหรือเซิร์ฟเวอร์ เกิดข้อผิดพลาด กรุณาติดต่อผู้ดูแลระบบ",
+"Error adding to group." => "เกิดข้อผิดพลาดในการเพิ่มเข้าไปยังกลุ่ม",
+"Error removing from group." => "เกิดข้อผิดพลาดในการลบออกจากกลุ่ม",
+"There was an error opening a mail composer." => "เกิดข้อผิดพลาดในการระหว่างการเปิดหน้าเครื่องมือเขียนอีเมล",
"Not all files uploaded. Retrying..." => "ไม่ใช่ไฟล์ทั้งหมดที่จะถูกอัพโหลด กำลังลองใหม่...",
"Something went wrong with the upload, please retry." => "เกิดข้อผิดพลาดบางประการในการอัพโหลด, กรุณาลองใหม่อีกครั้ง",
+"Error" => "พบข้อผิดพลาด",
"Importing..." => "กำลังนำเข้าข้อมูล...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "ไม่สามารถอัพโหลดไฟล์ของคุณได้ เนื่องจากไฟล์ดังกล่าวเป็นไดเร็กทอรี่ หรือ มีขนาดไฟล์ 0 ไบต์",
+"Upload Error" => "เกิดข้อผิดพลาดในการอัพโหลด",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "ไฟล์ที่คุณกำลังพยายามที่จะอัพโหลดมีขนาดเกินจำนวนสูงสุดที่สามารถอัพโหลดได้สำหรับเซิร์ฟเวอร์นี้",
+"Upload too large" => "ไฟล์ที่อัพโหลดมีขนาดใหญ่เกินไป",
+"Pending" => "อยู่ระหว่างดำเนินการ",
+"Add group" => "เพิ่มกลุ่ม",
+"No files selected for upload." => "ยังไม่ได้เลือกไฟล์ำสำหรับอัพโหลด",
+"Edit profile picture" => "แก้ไขรูปภาพหน้าโปรไฟล์",
+"Error loading profile picture." => "เกิดข้อผิดพลาดในการโหลดรูปภาพประจำตัว",
+"Enter name" => "กรอกชื่อ",
+"Enter description" => "กรอกคำอธิบาย",
+"Select addressbook" => "เลือกสมุดบันทึกที่อยู่",
"The address book name cannot be empty." => "ชื่อของสมุดบันทึกที่อยู่ไม่สามารถเว้นว่างได้",
+"Is this correct?" => "คุณแน่ใจแล้วหรือว่าถูกต้อง?",
+"There was an unknown error when trying to delete this contact" => "เกิดข้อผิดพลาดบางประการที่ไม่ทราบสาเหตุ ในระหว่างการลบรายชื่อผู้ติดต่อนี้",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "ข้อมูลผู้ติดต่อบางรายการได้ถูกทำเครื่องหมายสำหรับลบทิ้งเอาไว้, แต่ยังไม่ได้ถูกลบทิ้ง, กรุณารอให้รายการดังกล่าวถูกลบทิ้งเสียก่อน",
+"Click to undo deletion of {num} contacts" => "คลิกเพื่อเลิกทำ การลบรายชื่อผู้ติดต่อ {num} รายการ",
+"Cancelled deletion of {num}" => "ยกเลิกการลบ {num} รายการแล้ว",
"Result: " => "ผลลัพธ์: ",
" imported, " => " นำเข้าข้อมูลแล้ว, ",
" failed." => " ล้มเหลว.",
@@ -100,9 +106,6 @@
"There was an error updating the addressbook." => "เกิดข้อผิดพลาดบางประการในการอัพเดทข้อมูลในสมุดบันทึกที่อยู่",
"You do not have the permissions to delete this addressbook." => "คุณไม่ได้รับสิทธิ์ให้ลบสมุดบันทึกที่อยู่นี้ทิ้ง",
"There was an error deleting this addressbook." => "เกิดข้อผิดพลาดบางประการในการลบสมุดบันทึกที่อยู่นี้ทิ้ง",
-"Addressbook not found: " => "ไม่พบสมุดบันทึกที่อยู่ที่ต้องการ",
-"This is not your addressbook." => "นี่ไม่ใช่สมุดบันทึกที่อยู่ของคุณ",
-"Contact could not be found." => "ไม่พบข้อมูลการติดต่อ",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +129,9 @@
"Video" => "วีดีโอ",
"Pager" => "เพจเจอร์",
"Internet" => "อินเทอร์เน็ต",
-"Birthday" => "วันเกิด",
-"Business" => "ธุรกิจ",
-"Call" => "โทร",
-"Clients" => "ลูกค้า",
-"Deliverer" => "ผู้จัดส่ง",
-"Holidays" => "วันหยุด",
-"Ideas" => "ไอเดีย",
-"Journey" => "การเดินทาง",
-"Jubilee" => "งานเฉลิมฉลอง",
-"Meeting" => "ประชุม",
-"Personal" => "ส่วนตัว",
-"Projects" => "โปรเจค",
-"Questions" => "คำถาม",
+"Friends" => "เพื่อน",
+"Family" => "ครอบครัว",
+"There was an error deleting properties for this contact." => "เกิดข้อผิดพลาดในการลบคุณสมบัติของรายชื่อผู้ติดต่อนี้",
"{name}'s Birthday" => "วันเกิดของ {name}",
"Contact" => "ข้อมูลการติดต่อ",
"You do not have the permissions to add contacts to this addressbook." => "คุณไม่ได้รับสิทธิ์ให้เพิ่มข้อมูลผู้ติดต่อเข้าไปในสมุดบันทึกที่อยู่นี้",
@@ -148,9 +141,18 @@
"Could not find the Addressbook with ID: " => "ไม่พบสมุดบันทึกที่อยู่ที่มีรหัส:",
"You do not have the permissions to delete this contact." => "คุณไม่ได้รับสิทธิ์ให้ลบข้อมูลผู้ติดต่อนี้",
"There was an error deleting this contact." => "เกิดข้อผิดพลาดบางประการในการลบรายชื่อผู้ติดต่อนี้",
-"Add Contact" => "เพิ่มรายชื่อผู้ติดต่อใหม่",
-"Import" => "นำเข้า",
+"Contact not found." => "ไม่พบข้อมูลสำหรับติดต่อ",
+"HomePage" => "หน้าแรก",
+"New Group" => "สร้างกลุ่มใหม่",
"Settings" => "ตั้งค่า",
+"Import" => "นำเข้า",
+"Import into:" => "นำเข้าข้อมูลไปไว้ที่:",
+"OK" => "ตกลง",
+"(De-)select all" => "ยกเลิกการเลือกทั้งหมด",
+"New Contact" => "สร้างรายชื่อผู้ติดต่อใหม่",
+"Groups" => "กลุ่ม",
+"Favorite" => "รายการโปรด",
+"Delete Contact" => "ลบรายชื่อผู้ติดต่อ",
"Close" => "ปิด",
"Keyboard shortcuts" => "ปุ่มลัด",
"Navigation" => "ระบบเมนู",
@@ -164,56 +166,78 @@
"Add new contact" => "เพิ่มข้อมูลผู้ติดต่อใหม่",
"Add new addressbook" => "เพิ่มสมุดบันทึกที่อยู่ใหม่",
"Delete current contact" => "ลบข้อมูลผู้ติดต่อปัจจุบัน",
-"Drop photo to upload" => "วางรูปภาพที่ต้องการอัพโหลด",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
",
-"Add contact" => "เพิ่มชื่อผู้ติดต่อ",
"Select Address Books" => "เลือกสมุดบันทึกที่อยู่",
-"Enter description" => "กรอกคำอธิบาย",
"CardDAV syncing addresses" => "ที่อยู่ที่ใช้เชื่อมข้อมูลกับ CardDAV",
"more info" => "ข้อมูลเพิ่มเติม",
"Primary address (Kontact et al)" => "ที่อยู่หลัก (สำหรับติดต่อ)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "สมุดบันทึกที่อยู่",
-"Share" => "แชร์",
"New Address Book" => "สร้างสมุดบันทึกข้อมูลการติดต่อใหม่",
"Name" => "ชื่อ",
"Description" => "คำอธิบาย",
diff --git a/l10n/tr.php b/l10n/tr.php
index 166203e6..84066e27 100644
--- a/l10n/tr.php
+++ b/l10n/tr.php
@@ -8,18 +8,12 @@
"No address books found." => "Adres defteri bulunamadı.",
"No contacts found." => "Bağlantı bulunamadı.",
"element name is not set." => "eleman ismi atanmamış.",
-"Could not parse contact: " => "Kişi bilgisi ayrıştırılamadı.",
-"Cannot add empty property." => "Boş özellik eklenemiyor.",
-"At least one of the address fields has to be filled out." => "En az bir adres alanı doldurulmalı.",
-"Trying to add duplicate property: " => "Yinelenen özellik eklenmeye çalışılıyor: ",
-"Missing IM parameter." => "IM parametersi kayıp.",
-"Unknown IM: " => "Bilinmeyen IM:",
-"Information about vCard is incorrect. Please reload the page." => "vCard bilgileri doğru değil. Lütfen sayfayı yenileyin.",
-"Missing ID" => "Eksik ID",
-"Error parsing VCard for ID: \"" => "ID için VCard ayrıştırılamadı:\"",
"checksum is not set." => "checksum atanmamış.",
+"Information about vCard is incorrect. Please reload the page." => "vCard bilgileri doğru değil. Lütfen sayfayı yenileyin.",
"Information about vCard is incorrect. Please reload the page: " => "vCard hakkındaki bilgi hatalı. Lütfen sayfayı yeniden yükleyin: ",
"Something went FUBAR. " => "Bir şey FUBAR gitti.",
+"Missing IM parameter." => "IM parametersi kayıp.",
+"Unknown IM: " => "Bilinmeyen IM:",
"No contact ID was submitted." => "Bağlantı ID'si girilmedi.",
"Error reading contact photo." => "Bağlantı fotoğrafı okunamadı.",
"Error saving temporary file." => "Geçici dosya kaydetme hatası.",
@@ -46,28 +40,20 @@
"Couldn't load temporary image: " => "Geçici resmi yükleyemedi :",
"No file was uploaded. Unknown error" => "Dosya yüklenmedi. Bilinmeyen hata",
"Contacts" => "Kişiler",
-"Sorry, this functionality has not been implemented yet" => "Üzgünüz, bu özellik henüz tamamlanmadı.",
-"Not implemented" => "Tamamlanmadı.",
-"Couldn't get a valid address." => "Geçerli bir adres alınamadı.",
+"Select photo" => "Fotograf seç",
"Error" => "Hata",
-"Enter name" => "İsim giriniz",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Biçin özel, Kısa isim, Tam isim, Ters veya noktalı ters",
-"Select type" => "Tür seç",
-"You do not have permission to add contacts to " => "Yeni bir kişi eklemek için yetkiniz yok.",
-"Please select one of your own address books." => "Adres defterlerinizden birini seçiniz.",
-"Permission error" => "Yetki hatası",
-"This property has to be non-empty." => "Bu özellik boş bırakılmamalı.",
-"Couldn't serialize elements." => "Öğeler seri hale getiremedi",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' tip argümanı olmadan çağrıldı. Lütfen bugs.owncloud.org a rapor ediniz.",
-"Edit name" => "İsmi düzenle",
-"No files selected for upload." => "Yükleme için dosya seçilmedi.",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Yüklemeye çalıştığınız dosya sunucudaki dosya yükleme maksimum boyutunu aşmaktadır. ",
-"Error loading profile picture." => "Profil resmi yüklenirken hata oluştu.",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Bazı kişiler silinmek için işaretlendi, hala silinmedi. Silinmesi için bekleyin.",
-"Do you want to merge these address books?" => "Bu adres defterlerini birleştirmek istiyor musunuz?",
-"Wrong file type" => "Yanlış dosya tipi",
-"Upload Error" => "Yükleme Hatası",
"Importing..." => "İçeri aktarılıyor...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Dosyanızın boyutu 0 byte olduğundan veya bir dizin olduğundan yüklenemedi",
+"Upload Error" => "Yükleme Hatası",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Yüklemeye çalıştığınız dosya sunucudaki dosya yükleme maksimum boyutunu aşmaktadır. ",
+"Upload too large" => "Yükleme çok büyük",
+"Pending" => "Bekliyor",
+"No files selected for upload." => "Yükleme için dosya seçilmedi.",
+"Error loading profile picture." => "Profil resmi yüklenirken hata oluştu.",
+"Enter name" => "İsim giriniz",
+"Enter description" => "Tanım giriniz",
+"The address book name cannot be empty." => "Adres defterinde adı boş olamaz.",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Bazı kişiler silinmek için işaretlendi, hala silinmedi. Silinmesi için bekleyin.",
"Result: " => "Sonuç: ",
" imported, " => " içe aktarıldı, ",
" failed." => " hatalı.",
@@ -79,13 +65,12 @@
"Delete" => "Sil",
"Cancel" => "İptal",
"More..." => "Devamı...",
+"Less..." => "daha küçük",
+"You do not have the permissions to read this addressbook." => "Adres defterini okumanız için izininiz yok",
"You do not have the permissions to update this addressbook." => "Bu adresdefterini güncellemek için yetkiniz yok.",
"There was an error updating the addressbook." => "Adresdefteri güncellenirken hata oluştu.",
"You do not have the permissions to delete this addressbook." => "Bu adresdefterini silmek için yetkiniz yok.",
"There was an error deleting this addressbook." => "Adresdefteri silinirken hata oluştu.",
-"Addressbook not found: " => "Adresdefteri bulunamadı:",
-"This is not your addressbook." => "Bu sizin adres defteriniz değil.",
-"Contact could not be found." => "Kişi bulunamadı.",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -109,28 +94,21 @@
"Video" => "Video",
"Pager" => "Sayfalayıcı",
"Internet" => "İnternet",
-"Birthday" => "Doğum günü",
-"Business" => "İş",
-"Call" => "Çağrı",
-"Clients" => "Müşteriler",
-"Deliverer" => "Dağıtıcı",
-"Holidays" => "Tatiller",
-"Ideas" => "Fikirler",
-"Journey" => "Seyahat",
-"Jubilee" => "Yıl Dönümü",
-"Meeting" => "Toplantı",
-"Personal" => "Kişisel",
-"Projects" => "Projeler",
-"Questions" => "Sorular",
+"Friends" => "Arkadaşlar",
+"Family" => "Aile",
"{name}'s Birthday" => "{name}'nin Doğumgünü",
"Contact" => "Kişi",
"You do not have the permissions to add contacts to this addressbook." => "Bu adres defterine kişi eklemek için yetkiniz yok.",
+"Could not find the vCard with ID." => "vCard kimliği bulunamadı.",
"You do not have the permissions to edit this contact." => "Bu kişiyi düzenlemek için yetkiniz yok.",
+"Could not find the vCard with ID: " => "vCard kimliği bulunamadı.",
"You do not have the permissions to delete this contact." => "Bu kişiyi silmek için yetkiniz yok.",
"There was an error deleting this contact." => "Kişi silinirken hata oluştu.",
-"Add Contact" => "Kişi Ekle",
-"Import" => "İçe aktar",
"Settings" => "Ayarlar",
+"Import" => "İçe aktar",
+"OK" => "OK",
+"New Contact" => "Yeni Kişi",
+"Groups" => "Gruplar",
"Close" => "Kapat",
"Keyboard shortcuts" => "Klavye kısayolları",
"Navigation" => "Dolaşım",
@@ -144,56 +122,64 @@
"Add new contact" => "Yeni kişi ekle",
"Add new addressbook" => "Yeni adres defteri ekle",
"Delete current contact" => "Şuanki kişiyi sil",
-"Drop photo to upload" => "Fotoğrafı yüklenmesi için bırakın",
+"Add contact" => "Bağlatı ekle",
"Delete current photo" => "Mevcut fotoğrafı sil",
"Edit current photo" => "Mevcut fotoğrafı düzenle",
"Upload new photo" => "Yeni fotoğraf yükle",
"Select photo from ownCloud" => "ownCloud'dan bir fotoğraf seç",
-"Edit name details" => "İsim detaylarını düzenle",
-"Organization" => "Organizasyon",
+"Additional names" => "İlave isimler",
"Nickname" => "Takma ad",
"Enter nickname" => "Takma adı girin",
-"Web site" => "Web sitesi",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "Web sitesine git",
-"dd-mm-yyyy" => "gg-aa-yyyy",
-"Groups" => "Gruplar",
-"Separate groups with commas" => "Grupları birbirinden virgülle ayırın",
-"Edit groups" => "Grupları düzenle",
-"Preferred" => "Tercih edilen",
-"Please specify a valid email address." => "Lütfen geçerli bir eposta adresi belirtin.",
-"Enter email address" => "Eposta adresini girin",
-"Mail to address" => "Eposta adresi",
-"Delete email address" => "Eposta adresini sil",
-"Enter phone number" => "Telefon numarasını gir",
-"Delete phone number" => "Telefon numarasını sil",
-"Instant Messenger" => "Instant Messenger",
-"Delete IM" => "IM Sil",
-"View on map" => "Haritada gör",
-"Edit address details" => "Adres detaylarını düzenle",
-"Add notes here." => "Notları buraya ekleyin.",
-"Add field" => "Alan ekle",
+"Title" => "Başlık",
+"Organization" => "Organizasyon",
+"Birthday" => "Doğum günü",
+"Add" => "Ekle",
"Phone" => "Telefon",
"Email" => "Eposta",
"Instant Messaging" => "Anında Mesajlaşma",
"Address" => "Adres",
"Note" => "Not",
-"Download contact" => "Kişiyi indir",
+"Web site" => "Web sitesi",
"Delete contact" => "Kişiyi sil",
+"Preferred" => "Tercih edilen",
+"Please specify a valid email address." => "Lütfen geçerli bir eposta adresi belirtin.",
+"Mail to address" => "Eposta adresi",
+"Delete email address" => "Eposta adresini sil",
+"Enter phone number" => "Telefon numarasını gir",
+"Delete phone number" => "Telefon numarasını sil",
+"Go to web site" => "Web sitesine git",
+"View on map" => "Haritada gör",
+"Street address" => "Sokak adresi",
+"Postal code" => "Posta kodu",
+"City" => "Şehir",
+"Country" => "Ülke",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "IM Sil",
+"Share" => "Paylaş",
+"Export" => "Dışa aktar",
+"Add Contact" => "Kişi Ekle",
+"Drop photo to upload" => "Fotoğrafı yüklenmesi için bırakın",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Biçin özel, Kısa isim, Tam isim, Ters veya noktalı ters",
+"Edit name details" => "İsim detaylarını düzenle",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "gg-aa-yyyy",
+"Separate groups with commas" => "Grupları birbirinden virgülle ayırın",
+"Edit groups" => "Grupları düzenle",
+"Enter email address" => "Eposta adresini girin",
+"Edit address details" => "Adres detaylarını düzenle",
+"Add notes here." => "Notları buraya ekleyin.",
+"Add field" => "Alan ekle",
+"Download contact" => "Kişiyi indir",
"The temporary image has been removed from cache." => "Geçici resim ön bellekten silinmiştir.",
"Edit address" => "Adresi düzenle",
"Type" => "Tür",
"PO Box" => "Posta Kutusu",
-"Street address" => "Sokak adresi",
"Street and number" => "Sokak ve Numara",
"Extended" => "Uzatılmış",
"Apartment number etc." => "Apartman numarası vb.",
-"City" => "Şehir",
"Region" => "Bölge",
"E.g. state or province" => "Örn. eyalet veya il",
"Zipcode" => "Posta kodu",
-"Postal code" => "Posta kodu",
-"Country" => "Ülke",
"Addressbook" => "Adres defteri",
"Hon. prefixes" => "Kısaltmalar",
"Miss" => "Bayan",
@@ -203,7 +189,6 @@
"Mrs" => "Bayan",
"Dr" => "Dr",
"Given name" => "Verilen isim",
-"Additional names" => "İlave isimler",
"Family name" => "Soyad",
"Hon. suffixes" => "Kısaltmalar",
"J.D." => "J.D.",
@@ -219,15 +204,13 @@
"create a new addressbook" => "Yeni adres defteri oluştur",
"Name of new addressbook" => "Yeni adres defteri için isim",
"Importing contacts" => "Bağlantıları içe aktar",
-"Add contact" => "Bağlatı ekle",
+"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "ggg",
"Select Address Books" => "Adres deftelerini seçiniz",
-"Enter description" => "Tanım giriniz",
"CardDAV syncing addresses" => "CardDAV adresleri eşzamanlıyor",
"more info" => "daha fazla bilgi",
"Primary address (Kontact et al)" => "Birincil adres (Bağlantı ve arkadaşları)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Adres defterleri",
-"Share" => "Paylaş",
"New Address Book" => "Yeni Adres Defteri",
"Name" => "Ad",
"Description" => "Tanımlama",
diff --git a/l10n/uk.php b/l10n/uk.php
index 57ea6887..cff7c6a2 100644
--- a/l10n/uk.php
+++ b/l10n/uk.php
@@ -1,32 +1,290 @@
"Має бути заповнено щонайменше одне поле.",
+"Error (de)activating addressbook." => "Помилка (де)активації адресної книги.",
+"id is not set." => "ідентифікатор не встановлено.",
+"Cannot update addressbook with an empty name." => "Не можливо оновити адресну книгу з пустим ім'ям.",
+"No category name given." => "Не задано ім'я категорії.",
+"Error adding group." => "Помилка при додаванні групи.",
+"Group ID missing from request." => "В запиті відсутній ID групи.",
+"Contact ID missing from request." => "В запиті відсутній ID контакту.",
+"No ID provided" => "Не надано ідентифікатор",
+"Error setting checksum." => "Помилка визначення контрольної суми.",
+"No categories selected for deletion." => "Не обрано категорії для видалення.",
+"No address books found." => "Не знайдено адресних книг.",
+"No contacts found." => "Контакти не знайдено.",
+"element name is not set." => "не встановлено ім'я елементу",
+"checksum is not set." => "контрольна сума не задана.",
+"Information about vCard is incorrect. Please reload the page." => "Інформація про vCard помилкова. Будь ласка, перезавантажте сторінку.",
+"Couldn't find vCard for %d." => "Не вдалося знайти vCard для %d.",
+"Information about vCard is incorrect. Please reload the page: " => "Інформація про vCard помилкова. Будь ласка, перезавантажте сторінку: ",
+"Something went FUBAR. " => "Щось пішло не так.",
+"Cannot save property of type \"%s\" as array" => "Не можливо зберегти властивість типу \"%s\" як масив",
+"Missing IM parameter." => "Відсутній IM параметр.",
+"Unknown IM: " => "Невідомий IM: ",
+"No contact ID was submitted." => "Не вказано жодного ідентифікатора контакту.",
+"Error reading contact photo." => "Помилка читання фото контакту.",
+"Error saving temporary file." => "Помилка збереження тимчасового файлу.",
+"The loading photo is not valid." => "Не допустиме зображення для завантаження.",
+"Contact ID is missing." => "Ідентифікатор контакту відсутній.",
+"No photo path was submitted." => "Не надано шлях до зображення.",
+"File doesn't exist:" => "Файл не існує:",
+"Error loading image." => "Помилка завантаження зображення.",
+"Error getting contact object." => "Помилка при отриманні об'єкту контакту.",
+"Error getting PHOTO property." => "Помилка при отриманні ФОТО властивості.",
+"Error saving contact." => "Помилка при збереженні контакту.",
+"Error resizing image" => "Помилка при зміні розміру зображення",
+"Error cropping image" => "Помилка обрізки зображення",
+"Error creating temporary image" => "Помилка при створенні тимчасового зображення",
+"Error finding image: " => "Не знайдено зображення: ",
+"Key is not set for: " => "Не задано ключ для: ",
+"Value is not set for: " => "Не задано значення для: ",
+"Could not set preference: " => "Не вдалося встановити важливість: ",
+"Error uploading contacts to storage." => "Помилка завантаження контактів у сховище.",
+"There is no error, the file uploaded with success" => "Файл успішно відвантажено без помилок.",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Розмір відвантаженого файлу перевищує директиву upload_max_filesize в php.ini",
+"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Розмір відвантаженого файлу перевищує директиву MAX_FILE_SIZE вказану в HTML формі",
+"The uploaded file was only partially uploaded" => "Файл відвантажено лише частково",
+"No file was uploaded" => "Не відвантажено жодного файлу",
+"Missing a temporary folder" => "Відсутній тимчасовий каталог",
+"Couldn't save temporary image: " => "Не вдалося зберегти тимчасове зображення: ",
+"Couldn't load temporary image: " => "Не вдалося завантажити тимчасове зображення: ",
+"No file was uploaded. Unknown error" => "Не завантажено жодного файлу. Невідома помилка",
+"Contacts" => "Контакти",
+"Contact is already in this group." => "Контакт вже у даній групі.",
+"Contacts are already in this group." => "Контакти вже у даній групі.",
+"Couldn't get contact list." => "Не вдалося отримати список контактів.",
+"Contact is not in this group." => "Контакт не в даній групі.",
+"Contacts are not in this group." => "Контакти не в даній групі.",
+"A group named {group} already exists" => "Група з назвою {group} вже існує",
+"You can drag groups to\narrange them as you like." => "Ви можете перетягнути групи в\nрозташуйте їх як вам до вподоби.",
+"All" => "Всі",
+"Favorites" => "Улюблені",
+"Shared by {owner}" => "Опублікував {owner}",
+"Indexing contacts" => "Індексування контактів",
+"Add to..." => "Додати до...",
+"Remove from..." => "Видалити з...",
+"Add group..." => "Додати групу...",
+"Select photo" => "Оберіть фото",
+"Network or server error. Please inform administrator." => "Мережева або серверна помилка. Будь ласка, проінформуйте адміністратора.",
+"Error adding to group." => "Помилка при додаванні у групу.",
+"Error removing from group." => "Помилка при видаленні з групи.",
+"There was an error opening a mail composer." => "Виникла помилка при відкриванні поштової програми.",
+"Deleting done. Click here to cancel reloading." => "Видалення завершено. Клацніть тут для скасування перезавантаження.",
+"Add address book" => "Додати адресну книгу",
+"Import done. Click here to cancel reloading." => "Імпорт завершено. Клацніть тут для скасування перезавантаження.",
+"Not all files uploaded. Retrying..." => "Не всі файли завантажено. Повторна спроба...",
+"Something went wrong with the upload, please retry." => "Щось пішло не так при завантаженні, будь ласка, повторіть.",
"Error" => "Помилка",
+"Importing from {filename}..." => "Імпорт з {filename}...",
+"{success} imported, {failed} failed." => "{success} імпортовано, {failed} змарновано.",
+"Importing..." => "Імпортування...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Неможливо завантажити ваш файл тому, що він тека або файл розміром 0 байт",
+"Upload Error" => "Помилка завантаження",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Файл, який Ви намагаєтесь завантажити перевищує максимальний розмір файлу, що дозволено завантажувати на даний сервер.",
+"Upload too large" => "Файл занадто великий",
+"Pending" => "Очікування",
+"Add group" => "Додати групу",
+"No files selected for upload." => "Не обрано файлів для завантаження.",
+"Edit profile picture" => "Редагувати зображення облікового запису",
+"Error loading profile picture." => "Помилка при завантаженні зображення облікового запису.",
+"Enter name" => "Введіть ім'я",
+"Enter description" => "Введіть опис",
+"Select addressbook" => "Обрати адресну книгу",
+"The address book name cannot be empty." => "Ім'я адресної книги не може бути порожнім.",
+"Is this correct?" => "Це вірно?",
+"There was an unknown error when trying to delete this contact" => "Виникла невідома помилка при спробі видалити цей контакт",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Деякі контакти помічено для видалення, але ще не видалені. Будь ласка, зачекайте, доки вони будуть видалені.",
+"Click to undo deletion of {num} contacts" => "Натисніть для відміни видалення {num} контактів",
+"Cancelled deletion of {num}" => "Відмінено видалення {num}",
+"Result: " => "Результат: ",
+" imported, " => " імпортовано, ",
+" failed." => " не вдалося.",
+"Displayname cannot be empty." => "Ім'я для відображення не може бути порожнім.",
+"Show CardDav link" => "Показати посилання CardDav",
+"Show read-only VCF link" => "Показати VCF посилання тільки для читання",
"Download" => "Завантажити",
+"Edit" => "Редагувати",
"Delete" => "Видалити",
"Cancel" => "Відмінити",
-"This is not your addressbook." => "Це не ваша адресна книга.",
+"More..." => "Більше...",
+"Less..." => "Менше...",
+"You do not have the permissions to read this addressbook." => "У вас відсутні повноваження для читання цієї адресної книги.",
+"You do not have the permissions to update this addressbook." => "Ви не маєте повноважень оновлювати цю адресну книгу.",
+"There was an error updating the addressbook." => "Виникла помилка при оновленні адресної книги.",
+"You do not have the permissions to delete this addressbook." => "Ви не маєте повноважень видаляти цю адресну книгу.",
+"There was an error deleting this addressbook." => "Виникла помилка при видаленні цієї адресної книги.",
+"Jabber" => "Jabber",
+"AIM" => "AIM",
+"MSN" => "MSN",
+"Twitter" => "Twitter",
+"GoogleTalk" => "GoogleTalk",
+"Facebook" => "Facebook",
+"XMPP" => "XMPP",
+"ICQ" => "ICQ",
+"Yahoo" => "Yahoo",
+"Skype" => "Skype",
+"QQ" => "QQ",
+"GaduGadu" => "GaduGadu",
+"Work" => "Робота",
+"Home" => "Домашня адреса",
+"Other" => "Інше",
"Mobile" => "Мобільний",
"Text" => "Текст",
"Voice" => "Голос",
+"Message" => "Повідомлення",
"Fax" => "Факс",
"Video" => "Відео",
"Pager" => "Пейджер",
-"Birthday" => "День народження",
+"Internet" => "Інтернет",
+"Friends" => "Друзі",
+"Family" => "Сім'я",
+"There was an error deleting properties for this contact." => "Виникла помилка при видаленні властивостей даного контакту.",
+"{name}'s Birthday" => "День народження {name}",
"Contact" => "Контакт",
-"Add Contact" => "Додати контакт",
+"You do not have the permissions to add contacts to this addressbook." => "Ви не маєте повноважень додавати контакти в цю адресну книгу.",
+"Could not find the vCard with ID." => "Не вдалося знайти vCard за ID.",
+"You do not have the permissions to edit this contact." => "Ви не маєте повноважень редагувати цей контакт.",
+"Could not find the vCard with ID: " => "Не вдалося знайти vCard за ID: ",
+"Could not find the Addressbook with ID: " => "Не вдалося знайти адресну книгу за ID: ",
+"You do not have the permissions to delete this contact." => "Ви не маєте повноважень видаляти цей контакт.",
+"There was an error deleting this contact." => "Виникла помилка при видаленні цього контакту.",
+"Contact not found." => "Контакт не знайдено.",
+"HomePage" => "Домашня Сторінка",
+"New Group" => "Нова група",
"Settings" => "Налаштування",
+"Address books" => "Адресні книги",
+"Import" => "Імпорт",
+"Select files to import" => "Виберіть файли для імпорта",
+"Select files" => "Виберіть файли",
+"Import into:" => "Імпортувати в:",
+"OK" => "OK",
+"(De-)select all" => "(Відміна) виділення усіх",
+"New Contact" => "Новий контакт",
+"Groups" => "Групи",
+"Favorite" => "Улюблений",
+"Delete Contact" => "Видалити контакт",
+"Close" => "Закрити",
+"Keyboard shortcuts" => "Сполучення клавіш",
+"Navigation" => "Навігація",
+"Next contact in list" => "Наступний контакт у списку",
+"Previous contact in list" => "Попередній контакт у списку",
+"Expand/collapse current addressbook" => "Розгорнути/згорнути поточну адресну книгу",
+"Next addressbook" => "Наступна адресна книга",
+"Previous addressbook" => "Попередня адресна книга",
+"Actions" => "Дії",
+"Refresh contacts list" => "Оновити список контактів",
+"Add new contact" => "Додати новий контакт",
+"Add new addressbook" => "Додати нову адресну книгу",
+"Delete current contact" => "Видалити даний контакт",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
У вашій адресній книзі відсутні контакти.
Додайте новий контакт або імпортуйте контакти з VCF файлу.
",
+"Add contact" => "Додати контакт",
+"Compose mail" => "Написати листа",
+"Delete group" => "Видалити групу",
+"Delete current photo" => "Видалити поточне фото",
+"Edit current photo" => "Редагувати поточне фото",
+"Upload new photo" => "Завантажити нове фото",
+"Select photo from ownCloud" => "Обрати фото з ownCloud",
+"First name" => "Ім'я",
+"Additional names" => "Додаткові імена",
+"Last name" => "Прізвище",
+"Nickname" => "Прізвисько",
+"Enter nickname" => "Ввести прізвисько",
+"Title" => "Назва",
+"Enter title" => "Введіть назву",
"Organization" => "Організація",
+"Enter organization" => "Введіть організацію",
+"Birthday" => "День народження",
+"Notes go here..." => "Тут будуть примітки...",
+"Export as VCF" => "Експорт як VCF",
+"Add" => "Додати",
"Phone" => "Телефон",
"Email" => "Ел.пошта",
+"Instant Messaging" => "Instant Messaging",
"Address" => "Адреса",
+"Note" => "Примітка",
+"Web site" => "Веб-сайт",
"Delete contact" => "Видалити контакт",
-"Extended" => "Розширено",
+"Preferred" => "Пріоритетний",
+"Please specify a valid email address." => "Будь ласка, вкажіть вірну адресу електронної пошти.",
+"someone@example.com" => "someone@example.com",
+"Mail to address" => "Написати листа за адресою",
+"Delete email address" => "Видалити адресу електронної пошти",
+"Enter phone number" => "Ввести номер телефону",
+"Delete phone number" => "Видалити номер телефону",
+"Go to web site" => "Перейти на веб-сайт",
+"Delete URL" => "Видалити URL",
+"View on map" => "Переглянути на карті",
+"Delete address" => "Видалити адресу",
+"1 Main Street" => "1 Головна вулиця",
+"Street address" => "Адреса",
+"12345" => "12345",
+"Postal code" => "Поштовий індекс",
+"Your city" => "Ваше місто",
"City" => "Місто",
-"Zipcode" => "Поштовий індекс",
+"Some region" => "Деякий регіон",
+"State or province" => "Область",
+"Your country" => "Ваша країна",
"Country" => "Країна",
+"Instant Messenger" => "Instant Messenger",
+"Delete IM" => "Видалити IM",
+"Share" => "Поділитися",
+"Export" => "Експорт",
+"CardDAV link" => "CardDAV посилання",
+"Add Contact" => "Додати контакт",
+"Drop photo to upload" => "Піднесіть фото для завантаження",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Format custom, Short name, Full name, Reverse or Reverse with comma",
+"Edit name details" => "Редагувати деталі",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "дд-мм-рррр",
+"Separate groups with commas" => "Відділяйте групи комами",
+"Edit groups" => "Редагувати групи",
+"Enter email address" => "Ввести адресу електронної пошти",
+"Edit address details" => "Редагувати деталі адреси",
+"Add notes here." => "Додайте сюди примітки.",
+"Add field" => "Додати поле",
+"Download contact" => "Завантажити контакт",
+"The temporary image has been removed from cache." => "Тимчасове зображення було видалене з кешу.",
+"Edit address" => "Редагувати адреси",
+"Type" => "Тип",
+"PO Box" => "Поштова скринька",
+"Street and number" => "Вулиця та номер будинку",
+"Extended" => "Розширено",
+"Apartment number etc." => "Номер квартири та ін.",
+"Region" => "Регіон",
+"E.g. state or province" => "Область чи район",
+"Zipcode" => "Поштовий індекс",
+"Addressbook" => "Адресна книга",
+"Hon. prefixes" => "Високоповажні префікси",
+"Miss" => "Пані",
+"Ms" => "Пані",
+"Mr" => "Пан",
+"Sir" => "Пан",
+"Mrs" => "Панове",
+"Dr" => "Доктор",
"Given name" => "Ім'я",
-"Add contact" => "Додати контакт",
+"Family name" => "Прізвище",
+"Hon. suffixes" => "Високоповажні суфікси",
+"J.D." => "J.D.",
+"M.D." => "M.D.",
+"D.O." => "D.O.",
+"D.C." => "D.C.",
+"Ph.D." => "Ph.D.",
+"Esq." => "Esq.",
+"Jr." => "Jr.",
+"Sn." => "Sn.",
+"Import a contacts file" => "Імпортувати файл контактів",
+"Please choose the addressbook" => "Будь ласка, оберіть адресну книгу",
+"create a new addressbook" => "створити нову адресну книгу",
+"Name of new addressbook" => "Ім'я нової адресної книги",
+"Importing contacts" => "Імпортування контактів",
+"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Відсутні контакти у Вашій адресній книзі.
Ви можете імпортувати VCF файли перетаскуванням до списку контактів та або кинути їх на адресну книгу для імпортування в неї, або на пусте місце для створення нової адресної книги та імпортування в нову. Також, Ви можете імпортувати натисканням на кнопку імпорту внизу списку.
",
+"Select Address Books" => "Обрати адресні книги",
+"CardDAV syncing addresses" => "CardDAV синхронізує адреси",
+"more info" => "більше інформації",
+"Primary address (Kontact et al)" => "Первинна адреса (Контакт та ін)",
+"iOS/OS X" => "iOS/OS X",
+"Addressbooks" => "Адресні книги",
"New Address Book" => "Нова адресна книга",
"Name" => "Ім'я",
+"Description" => "Опис",
"Save" => "Зберегти"
);
diff --git a/l10n/vi.php b/l10n/vi.php
index 0a4d97f5..2ad729cb 100644
--- a/l10n/vi.php
+++ b/l10n/vi.php
@@ -2,24 +2,27 @@
"Error (de)activating addressbook." => "Lỗi (tắt) kích hoạt sổ địa chỉ",
"id is not set." => "id không được thiết lập.",
"Cannot update addressbook with an empty name." => "Không thể cập nhật sổ liên lạc mà không có tên",
+"No category name given." => "Tên danh mục không tồn tại.",
+"Error adding group." => "Lỗi thêm nhóm.",
+"Group ID missing from request." => "ID nhóm không tìm thấy.",
+"Contact ID missing from request." => "ID liên lạc không tìm thấy.",
"No ID provided" => "Không có ID được cung cấp",
"Error setting checksum." => "Lỗi thiết lập kiểm tra.",
"No categories selected for deletion." => "Bạn chưa chọn mục để xóa",
"No address books found." => "Không tìm thấy sổ địa chỉ.",
"No contacts found." => "Không tìm thấy danh sách",
"element name is not set." => "tên phần tử không được thiết lập.",
-"Cannot add empty property." => "Không thể thêm thuộc tính rỗng",
-"At least one of the address fields has to be filled out." => "Ít nhất một địa chỉ phải được điền.",
-"Trying to add duplicate property: " => "Thêm hai thuộc tính trùng nhau",
+"checksum is not set." => "tổng kiểm tra không được thiết lập.",
+"Information about vCard is incorrect. Please reload the page." => "Thông tin vCard không chính xác. Vui lòng tải lại trang.",
+"Couldn't find vCard for %d." => "Không tìm thấy vCard từ %d.",
+"Information about vCard is incorrect. Please reload the page: " => "Thông tin về vCard không chính xác. Vui lòng tải lại trang:",
+"Something went FUBAR. " => "Có cái gì đó không được khắc phục.",
+"Cannot save property of type \"%s\" as array" => "Không thể lưu kiểu của thuộc tính \"%s\" như một mảng",
"Missing IM parameter." => "Thiếu tham số IM",
"Unknown IM: " => "Không biết IM:",
-"Information about vCard is incorrect. Please reload the page." => "Thông tin vCard không chính xác. Vui lòng tải lại trang.",
-"Missing ID" => "Missing ID",
-"checksum is not set." => "tổng kiểm tra không được thiết lập.",
-"Information about vCard is incorrect. Please reload the page: " => "Thông tin về vCard không chính xác. Vui lòng tải lại trang:",
"No contact ID was submitted." => "Không có ID của liên lạc được tìm thấy",
"Error reading contact photo." => "Lỗi đọc liên lạc hình ảnh.",
-"Error saving temporary file." => "Lỗi trong quá trình lưu file tạm",
+"Error saving temporary file." => "Lỗi trong quá trình lưu tập tin tạm",
"The loading photo is not valid." => "Các hình ảnh tải không hợp lệ.",
"Contact ID is missing." => "ID của liên lạc bị thiếu",
"No photo path was submitted." => "Đường dẫn hình ảnh bị thiếu",
@@ -32,9 +35,12 @@
"Error cropping image" => "Lỗi khi cắt ảnh",
"Error creating temporary image" => "Lỗi khi tạo tệp tin tạm",
"Error finding image: " => "Lỗi khi tìm hình ảnh:",
+"Key is not set for: " => "Khóa không được thiết lập:",
+"Value is not set for: " => "Giá trị không được thiết lập:",
+"Could not set preference: " => "Không thể thiết lập ưu tiên:",
"Error uploading contacts to storage." => "Lỗi tải lên danh sách địa chỉ để lưu trữ.",
"There is no error, the file uploaded with success" => "Không có lỗi, các tập tin tải lên thành công",
-"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Dung lượng file tải lên vượt quá giới hạn cho phép.",
+"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Dung lượng file tải lên vượt quá giới hạn upload_max_filesize cho phép.",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Tập tin được tải lên vượt quá MAX_FILE_SIZE được quy định trong mẫu HTML",
"The uploaded file was only partially uploaded" => "Các tập tin được tải lên chỉ tải lên được một phần",
"No file was uploaded" => "Chưa có file nào được tải lên",
@@ -43,25 +49,63 @@
"Couldn't load temporary image: " => "Không thể tải hình ảnh tạm thời:",
"No file was uploaded. Unknown error" => "Không có tập tin nào được tải lên. Lỗi không xác định",
"Contacts" => "Liên lạc",
-"Enter name" => "Nhập tên",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Định dạng tùy chỉnh, Tên viết tắt, Tên đầy đủ, hoặc đảo ngược với dấu phẩy",
-"You do not have permission to add contacts to " => "Bạn không có quyền để thêm địa chỉ liên lạc",
-"Please select one of your own address books." => "Vui lòng chọn một trong những danh bạ địa chỉ của riêng bạn.",
-"Permission error" => "Lỗi quyền truy cập",
-"Edit name" => "Sửa tên",
+"Contact is already in this group." => "Liên lạc đã có trong nhóm này.",
+"Contacts are already in this group." => "Thông tin liên lạc đã có trong nhóm",
+"Couldn't get contact list." => "Không thể nhận được danh dách liên lạc.",
+"Contact is not in this group." => "Không có Liên hệ trong nhóm này",
+"Contacts are not in this group." => "Thông tin liên lạc không có trong nhóm",
+"A group named {group} already exists" => "Tên nhóm {group} đã tồn tại",
+"All" => "Tất cả",
+"Favorites" => "Ưa thích",
+"Shared by {owner}" => "Được chia sẽ bởi {owner}",
+"Indexing contacts" => "Chỉ mục địa chỉ liên lạc",
+"Add to..." => "Thêm đến...",
+"Remove from..." => "Xóa từ...",
+"Add group..." => "Thêm nhóm...",
+"Select photo" => "Chọn ảnh",
+"Network or server error. Please inform administrator." => "Mạng hoặc máy chủ lỗi. Vui lòng liên hệ người quản trị.",
+"Error adding to group." => "Lỗi thêm vào nhóm.",
+"Error removing from group." => "Lỗi xóa khỏi nhóm.",
+"There was an error opening a mail composer." => "Lỗi mở phần soạn email.",
+"Not all files uploaded. Retrying..." => "Tất cả các tập tin không được tải lên .Đang thử lại...",
+"Something went wrong with the upload, please retry." => "Một cái gì đó đã sai khi tải lên ,hãy thử lại.",
+"Error" => "Lỗi",
+"Importing..." => "Đang nhập vào...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "Không thể tải lên tập tin của bạn ,nó như là một thư mục hoặc có 0 byte",
+"Upload Error" => "Lỗi tải lên",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "Các tập tin bạn đang cố gắng tải lên vượt quá kích thước tối đa cho tập tin tải lên trên máy chủ.",
+"Upload too large" => "Tập tin tải lên quá lớn",
+"Pending" => "Đang chờ",
+"Add group" => "Thêm nhóm",
+"No files selected for upload." => "Không có tập tin nào được chọn để tải lên.",
+"Edit profile picture" => "Chỉnh sửa hồ sơ ảnh",
"Error loading profile picture." => "Lỗi khi tải lên hồ sơ hình ảnh.",
-"Do you want to merge these address books?" => "Bạn có muốn kết hợp những cuốn sách địa chỉ?",
+"Enter name" => "Nhập tên",
+"Enter description" => "Nhập mô tả",
+"Select addressbook" => "Thêm danh bạ",
+"The address book name cannot be empty." => "Tên Danh bạ không thể để trống .",
+"Is this correct?" => "Bạn có chắc điều này là đúng không?",
+"There was an unknown error when trying to delete this contact" => "Có một lỗi không xác định khi cố gắng để xóa địa chỉ liên hệ này",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "Một số địa chỉ liên lạc được đánh dấu để xóa, nhưng chưa bị xóa . Hãy đợi đến khi họ xóa.",
+"Click to undo deletion of {num} contacts" => "Nhấn vào đây để quay lại thao tác xóa {num} địa chỉ liên lạc",
+"Cancelled deletion of {num}" => "Hủy xóa của {num}",
"Result: " => "Kết quả:",
+" imported, " => "Nhập vào,",
+" failed." => "thất bại.",
+"Displayname cannot be empty." => "Tên hiển thị không được để trống :",
+"Show CardDav link" => "Hiển thị CardDav ",
+"Show read-only VCF link" => "Hiển thị liên kết VCF chỉ đọc",
"Download" => "Tải về",
"Edit" => "Sửa",
"Delete" => "Xóa",
"Cancel" => "Hủy",
+"More..." => "nhiều hơn...",
+"Less..." => " ít hơn...",
+"You do not have the permissions to read this addressbook." => " Bạn không được quyền đọc Danh bạ. ",
"You do not have the permissions to update this addressbook." => "Bạn không có quyền truy cập để cập nhật danh bạ này.",
"There was an error updating the addressbook." => "Có một lỗi khi cập nhật danh bạ.",
"You do not have the permissions to delete this addressbook." => "Bạn không có quyền truy cập để xóa danh bạ này.",
"There was an error deleting this addressbook." => "Có một lỗi khi xóa danh bạ này.",
-"This is not your addressbook." => "Đây không phải là sổ địa chỉ của bạn.",
-"Contact could not be found." => "Liên lạc không được tìm thấy",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -76,6 +120,7 @@
"GaduGadu" => "GaduGadu",
"Work" => "Công việc",
"Home" => "Nhà",
+"Other" => "Khác",
"Mobile" => "Di động",
"Text" => "Văn bản",
"Voice" => "Giọng nói",
@@ -84,84 +129,124 @@
"Video" => "Video",
"Pager" => "số trang",
"Internet" => "Mạng internet",
-"Birthday" => "Ngày sinh nhật",
-"Call" => "Gọi",
+"Friends" => "Bạn bè",
+"Family" => "Gia đình",
+"There was an error deleting properties for this contact." => "Có một lỗi xảy ra khi xóa thuộc tính cho liên lạc này.",
"{name}'s Birthday" => "Sinh nhật của {name}",
-"Contact" => "Danh sách",
+"Contact" => "Liên lạc",
+"You do not have the permissions to add contacts to this addressbook." => "Bạn không có quyền truy cập để thêm số liên lạc vào danh bạ này.",
"Could not find the vCard with ID." => "Không thể tìm thấy ID vCard.",
"You do not have the permissions to edit this contact." => "Bạn không có quyền truy cập để chỉnh sửa địa chỉ liên hệ này.",
"Could not find the vCard with ID: " => "Không thể tìm thấy ID vCard: ",
-"Could not find the Addressbook with ID: " => "Không thể tìm thấy ID danh bạ:",
+"Could not find the Addressbook with ID: " => "Không thể tìm thấy danh bạ với ID:",
"You do not have the permissions to delete this contact." => "Bạn không có quyền truy cập để xóa địa chỉ liên hệ này.",
"There was an error deleting this contact." => "Có một lỗi khi xóa địa chỉ liên lạc này.",
-"Add Contact" => "Thêm liên lạc",
-"Import" => "Nhập",
+"Contact not found." => "Liên lạc không được tìm thấy.",
+"HomePage" => "Trang chủ",
+"New Group" => "Nhóm mới",
"Settings" => "Tùy chỉnh",
+"Import" => "Nhập",
+"Import into:" => "Nhập vào :",
+"OK" => "Chấp nhận",
+"(De-)select all" => "(Hủy) chọn tất cả",
+"New Contact" => "Liên lạc mới",
+"Groups" => "Nhóm",
+"Favorite" => "Ưu thích",
+"Delete Contact" => "Xóa liên lạc",
"Close" => "Đóng",
+"Keyboard shortcuts" => "Phím tắt",
+"Navigation" => "Navigation",
"Next contact in list" => "Liên lạc tiếp theo",
"Previous contact in list" => "Liên lạc trước",
"Expand/collapse current addressbook" => "Đóng/mở sổ địa chỉ",
+"Next addressbook" => "Tới addressbook",
+"Previous addressbook" => "Lùi lại addressbook",
+"Actions" => "Actions",
"Refresh contacts list" => "Làm mới danh sách liên lạc",
"Add new contact" => "Thêm liên lạc mới",
"Add new addressbook" => "Thêm sổ địa chỉ mới",
"Delete current contact" => "Xóa liên lạc hiện tại",
-"Drop photo to upload" => "Kéo và thả hình ảnh để tải lên",
+"
You have no contacts in your addressbook.
Add a new contact or import existing contacts from a VCF file.
" => "
Bạn không có địa chỉ liên lạc trong danh bạ.
Thêm địa chỉ liên lạc hoặc nhập vào từ một tập tin VCF đã có.
",
+"Add contact" => "Thêm liên lạc",
+"Compose mail" => "Soạn email",
+"Delete group" => "Xóa nhóm",
"Delete current photo" => "Xóa hình ảnh hiện tại",
"Edit current photo" => "Sửa hình ảnh hiện tại",
"Upload new photo" => "Tải hình ảnh mới",
"Select photo from ownCloud" => "Chọn hình đã tải lên Kcloud",
-"Edit name details" => "Chỉnh sửa chi tiết tên",
-"Organization" => "Tổ chức",
+"First name" => "Tên",
+"Additional names" => "Tên bổ sung",
+"Last name" => "Họ",
"Nickname" => "Biệt danh",
"Enter nickname" => "Nhập nickname",
-"Go to web site" => "Đi tới website",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "Nhóm",
-"Separate groups with commas" => "Phân cách bởi dấu phẩy",
-"Edit groups" => "Sửa nhóm",
-"Preferred" => "Được ưu tiên",
-"Please specify a valid email address." => "Vui lòng nhập địa chỉ Email hợp lệ.",
-"Enter email address" => "Nhập địa chỉ Email",
-"Mail to address" => "Gửi email",
-"Delete email address" => "Xóa Email",
-"Enter phone number" => "Nhập số điện thoại",
-"Delete phone number" => "Xóa số điện thoại",
-"Instant Messenger" => "Tin nhắn khẩn cấp",
-"Delete IM" => "Xóa IM",
-"View on map" => "Xem trên bản đồ",
-"Edit address details" => "Sửa thông tin địa chỉ",
-"Add notes here." => "Thêm chú thích",
-"Add field" => "Thêm trường mới",
+"Title" => "Tiêu đề",
+"Organization" => "Tổ chức",
+"Birthday" => "Ngày sinh nhật",
+"Notes go here..." => "Chú ý vào đây...",
+"Add" => "Thêm",
"Phone" => "Điện thoại",
"Email" => "Email",
"Instant Messaging" => "Hệ thống tin nhắn khẩn cấp",
"Address" => "Địa chỉ",
"Note" => "Chú thích",
-"Download contact" => "Tải liên lạc",
+"Web site" => "Web site",
"Delete contact" => "Xóa liên lạc",
+"Preferred" => "Được ưu tiên",
+"Please specify a valid email address." => "Vui lòng nhập địa chỉ Email hợp lệ.",
+"someone@example.com" => "someone@example.com",
+"Mail to address" => "Gửi email",
+"Delete email address" => "Xóa Email",
+"Enter phone number" => "Nhập số điện thoại",
+"Delete phone number" => "Xóa số điện thoại",
+"Go to web site" => "Đi tới website",
+"Delete URL" => "Xóa URL",
+"View on map" => "Xem trên bản đồ",
+"Delete address" => "Xóa địa chỉ",
+"1 Main Street" => "Địa chỉ 1",
+"Street address" => "Địa chỉ nhà",
+"12345" => "12345",
+"Postal code" => "Mã bưu chính",
+"Your city" => "Thành phố",
+"City" => "Thành phố",
+"Some region" => "Khu vực",
+"Your country" => "Quốc gia",
+"Country" => "Quốc gia",
+"Instant Messenger" => "Tin nhắn khẩn cấp",
+"Delete IM" => "Xóa IM",
+"Share" => "Chia sẻ",
+"Export" => "Xuất ra",
+"Add Contact" => "Thêm liên lạc",
+"Drop photo to upload" => "Kéo và thả hình ảnh để tải lên",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "Định dạng tùy chỉnh, Tên viết tắt, Tên đầy đủ, hoặc đảo ngược với dấu phẩy",
+"Edit name details" => "Chỉnh sửa chi tiết tên",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "Phân cách bởi dấu phẩy",
+"Edit groups" => "Sửa nhóm",
+"Enter email address" => "Nhập địa chỉ Email",
+"Edit address details" => "Sửa thông tin địa chỉ",
+"Add notes here." => "Thêm chú thích",
+"Add field" => "Thêm trường mới",
+"Download contact" => "Tải liên lạc",
+"The temporary image has been removed from cache." => "Những hình ảnh tạm thời đã được gỡ bỏ từ bộ nhớ cache.",
"Edit address" => "Sửa địa chỉ",
"Type" => "Loại",
"PO Box" => "Hòm thư bưu điện",
-"Street address" => "Địa chỉ nhà",
"Street and number" => "Số nhà",
"Extended" => "Mở rộng",
"Apartment number etc." => "Số nhà",
-"City" => "Thành phố",
"Region" => "Vùng/miền",
"E.g. state or province" => "Vd tiểu bang hoặc tỉnh thành",
"Zipcode" => "Mã bưu điện",
-"Postal code" => "Mã bưu chính",
-"Country" => "Quốc gia",
"Addressbook" => "Sổ địa chỉ",
-"Hon. prefixes" => "Tiền tốt Hon.",
-"Miss" => "Miss",
-"Ms" => "Ms",
-"Mr" => "Mr",
-"Sir" => "Sir",
-"Mrs" => "Sir",
-"Dr" => "Sir",
+"Hon. prefixes" => "Tiền tố",
+"Miss" => "Cô",
+"Ms" => "Cô",
+"Mr" => "Ông",
+"Sir" => "Ngài",
+"Mrs" => "Bà",
+"Dr" => "Dr",
"Given name" => "Được đặt tên",
-"Additional names" => "Tên bổ sung",
"Family name" => "Tên gia đình",
"Hon. suffixes" => "Hậu tố Hon.",
"J.D." => "J.D.",
@@ -177,15 +262,15 @@
"create a new addressbook" => "Tạo một sổ địa chỉ mới",
"Name of new addressbook" => "Tên danh bạ mới",
"Importing contacts" => "Nhập liên lạc",
-"Add contact" => "Thêm liên lạc",
+"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
" => "
Bạn không có địa chỉ liên lạc trong sổ Danh bạ của bạn h3>
Bạn có thể nhập các file VCF bằng cách kéo chúng vào danh sách liên lạc hoặc thả chúng vào một sổ địa chỉ để nhập vào nó, hoặc trên một khoảng trống để tạo ra mộtbsổ địa chỉ mới và nhập vào đó Bạn cũng có thể nhập vào bằng cách nhấp vào nút nhập khẩu ở dưới cùng của danh sách. p>",
"Select Address Books" => "Chọn sổ địa chỉ",
-"Enter description" => "Nhập mô tả",
"CardDAV syncing addresses" => "CardDAV đồng bộ địa chỉ",
"more info" => "Thông tin thêm",
"Primary address (Kontact et al)" => "Địa chỉ chính (Kontact et al)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "Sổ địa chỉ",
-"Share" => "Chia sẽ",
"New Address Book" => "Sổ địa chỉ mới",
+"Name" => "Tên",
+"Description" => "Mô tả",
"Save" => "Lưu"
);
diff --git a/l10n/zh_CN.GB2312.php b/l10n/zh_CN.GB2312.php
index 11ca48fb..67a407cd 100644
--- a/l10n/zh_CN.GB2312.php
+++ b/l10n/zh_CN.GB2312.php
@@ -8,18 +8,12 @@
"No address books found." => "没有找到地址薄。",
"No contacts found." => "没有找到联系人。",
"element name is not set." => "元素名称未设置。",
-"Could not parse contact: " => "未能解析联系人:",
-"Cannot add empty property." => "不能添加空属性。",
-"At least one of the address fields has to be filled out." => "需填写至少一个地址栏。",
-"Trying to add duplicate property: " => "尝试添加重复属性:",
-"Missing IM parameter." => "缺失即时通讯参数。",
-"Unknown IM: " => "未知即时通讯服务:",
-"Information about vCard is incorrect. Please reload the page." => "vCard 信息不正确。请刷新页面。",
-"Missing ID" => "缺失 ID",
-"Error parsing VCard for ID: \"" => "解析 VCard 出错,ID 是:\"",
"checksum is not set." => "校验和未设置。",
+"Information about vCard is incorrect. Please reload the page." => "vCard 信息不正确。请刷新页面。",
"Information about vCard is incorrect. Please reload the page: " => "vCard 信息不正确。请刷新页面:",
"Something went FUBAR. " => "FUBAR 出错。",
+"Missing IM parameter." => "缺失即时通讯参数。",
+"Unknown IM: " => "未知即时通讯服务:",
"No contact ID was submitted." => "没有提交联系人 ID。",
"Error reading contact photo." => "读取联系人相片出错。",
"Error saving temporary file." => "保存临时文件出错。",
@@ -46,43 +40,22 @@
"Couldn't load temporary image: " => "不能载入临时相片:",
"No file was uploaded. Unknown error" => "没有上传文件。未知错误",
"Contacts" => "联系人",
-"Sorry, this functionality has not been implemented yet" => "对不起,该功能尚未实现",
-"Not implemented" => "未实现",
-"Couldn't get a valid address." => "未能获取有效地址。",
-"Error" => "出错",
-"Please enter an email address." => "请输入电子邮件地址。",
-"Enter name" => "输入名称",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "格式自定义,短名称,全名,分隔或用逗号分隔",
-"Select type" => "选择类型",
"Select photo" => "选择相片",
-"You do not have permission to add contacts to " => "您没有权限添加联系人到",
-"Please select one of your own address books." => "请选择一个您自己的地址薄。",
-"Permission error" => "权限错误",
-"Click to undo deletion of \"" => "点击以取消删除 \"",
-"Cancelled deletion of: \"" => "取消删除:\"",
-"This property has to be non-empty." => "该属性不能为空。",
-"Couldn't serialize elements." => "不能序列化元素",
-"Unknown error. Please check logs." => "未知错误。请检查日志。",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' 没有带类型参数调用。请到 bugs.owncloud.org 报告",
-"Edit name" => "编辑名称",
-"No files selected for upload." => "未选择要上传的文件。",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "您试图上传的文件超出了此服务器允许的上传文件最大尺寸。",
-"Error loading profile picture." => "加载档案相片出错。",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "一些联系人标记为删除,但尚未删除。请等待它们被删除。",
-"Do you want to merge these address books?" => "您想要合并这些地址薄吗?",
-"Shared by " => "分享自",
-"Upload too large" => "上传过大",
-"Only image files can be used as profile picture." => "只有图片文件可用于资料相片。",
-"Wrong file type" => "错误文件格式",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "您的浏览器不支持 AJAX 上传。请点击资料相片来选择要上传的相片。",
-"Unable to upload your file as it is a directory or has 0 bytes" => "不能上传您的文件,由于它是文件夹或者为空文件",
-"Upload Error" => "上传错误",
-"Pending" => "等待中",
-"Import done" => "导入完成",
"Not all files uploaded. Retrying..." => "有文件未上传。重试中...",
"Something went wrong with the upload, please retry." => "上传出错,请重试。",
+"Error" => "出错",
"Importing..." => "导入中...",
+"Unable to upload your file as it is a directory or has 0 bytes" => "不能上传您的文件,由于它是文件夹或者为空文件",
+"Upload Error" => "上传错误",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "您试图上传的文件超出了此服务器允许的上传文件最大尺寸。",
+"Upload too large" => "上传过大",
+"Pending" => "等待中",
+"No files selected for upload." => "未选择要上传的文件。",
+"Error loading profile picture." => "加载档案相片出错。",
+"Enter name" => "输入名称",
+"Enter description" => "输入描述",
"The address book name cannot be empty." => "地址薄名称不能为空。",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "一些联系人标记为删除,但尚未删除。请等待它们被删除。",
"Result: " => "结果:",
" imported, " => "已导入,",
" failed." => "失败。",
@@ -100,9 +73,6 @@
"There was an error updating the addressbook." => "更新地址薄出错。",
"You do not have the permissions to delete this addressbook." => "您没有权限删除此地址薄。",
"There was an error deleting this addressbook." => "删除此地址薄出错。",
-"Addressbook not found: " => "未找到地址薄:",
-"This is not your addressbook." => "这不是您的地址薄",
-"Contact could not be found." => "找不到联系人。",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +96,6 @@
"Video" => "视频",
"Pager" => "分页",
"Internet" => "互联网",
-"Birthday" => "生日",
-"Business" => "商业",
-"Call" => "呼叫",
-"Clients" => "客户",
-"Deliverer" => "供应商",
-"Holidays" => "假日",
-"Ideas" => "想法",
-"Journey" => "路程",
-"Jubilee" => "娱乐",
-"Meeting" => "会议",
-"Personal" => "私人",
-"Projects" => "项目",
-"Questions" => "问题",
"{name}'s Birthday" => "{name} 的生日",
"Contact" => "联系人",
"You do not have the permissions to add contacts to this addressbook." => "您没有权限添加联系人到此地址薄。",
@@ -148,9 +105,10 @@
"Could not find the Addressbook with ID: " => "未能找到地址薄,ID 是:",
"You do not have the permissions to delete this contact." => "您没有权限删除此联系人。",
"There was an error deleting this contact." => "删除联系人出错。",
-"Add Contact" => "添加联系人",
-"Import" => "导入",
"Settings" => "设置",
+"Import" => "导入",
+"OK" => "好",
+"Groups" => "群组",
"Close" => "关闭",
"Keyboard shortcuts" => "热键",
"Navigation" => "导航",
@@ -164,56 +122,64 @@
"Add new contact" => "添加新联系人",
"Add new addressbook" => "添加新地址薄",
"Delete current contact" => "删除当前联系人",
-"Drop photo to upload" => "拖拽相片上传",
+"Add contact" => "添加联系人",
"Delete current photo" => "删除当前相片",
"Edit current photo" => "编辑当前相片",
"Upload new photo" => "上传新相片",
"Select photo from ownCloud" => "从 ownCloud 选择相片",
-"Edit name details" => "编辑名称细节",
-"Organization" => "组织",
+"Additional names" => "中间名",
"Nickname" => "昵称",
"Enter nickname" => "输入昵称",
-"Web site" => "网站",
-"http://www.somesite.com" => "http://www.somesite.com",
-"Go to web site" => "访问网站",
-"dd-mm-yyyy" => "dd-mm-yyyy",
-"Groups" => "群组",
-"Separate groups with commas" => "用逗号分隔群组",
-"Edit groups" => "编辑群组",
-"Preferred" => "偏好",
-"Please specify a valid email address." => "请指定有效的电子邮件地址。",
-"Enter email address" => "输入电子邮件地址",
-"Mail to address" => "向此地址发送邮件",
-"Delete email address" => "删除电子邮件地址",
-"Enter phone number" => "输入电话号码",
-"Delete phone number" => "删除电话号码",
-"Instant Messenger" => "即时通讯",
-"Delete IM" => "删除即时通讯",
-"View on map" => "查看地图",
-"Edit address details" => "编辑地址细节",
-"Add notes here." => "在此添加备注。",
-"Add field" => "添加字段",
+"Title" => "标题",
+"Organization" => "组织",
+"Birthday" => "生日",
+"Add" => "添加",
"Phone" => "电话",
"Email" => "电子邮件",
"Instant Messaging" => "即时通讯",
"Address" => "地址",
"Note" => "备注",
-"Download contact" => "下载联系人",
+"Web site" => "网站",
"Delete contact" => "删除联系人",
+"Preferred" => "偏好",
+"Please specify a valid email address." => "请指定有效的电子邮件地址。",
+"Mail to address" => "向此地址发送邮件",
+"Delete email address" => "删除电子邮件地址",
+"Enter phone number" => "输入电话号码",
+"Delete phone number" => "删除电话号码",
+"Go to web site" => "访问网站",
+"View on map" => "查看地图",
+"Street address" => "街道地址",
+"Postal code" => "邮编",
+"City" => "城市",
+"Country" => "国家",
+"Instant Messenger" => "即时通讯",
+"Delete IM" => "删除即时通讯",
+"Share" => "分享",
+"Export" => "导出",
+"Add Contact" => "添加联系人",
+"Drop photo to upload" => "拖拽相片上传",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "格式自定义,短名称,全名,分隔或用逗号分隔",
+"Edit name details" => "编辑名称细节",
+"http://www.somesite.com" => "http://www.somesite.com",
+"dd-mm-yyyy" => "dd-mm-yyyy",
+"Separate groups with commas" => "用逗号分隔群组",
+"Edit groups" => "编辑群组",
+"Enter email address" => "输入电子邮件地址",
+"Edit address details" => "编辑地址细节",
+"Add notes here." => "在此添加备注。",
+"Add field" => "添加字段",
+"Download contact" => "下载联系人",
"The temporary image has been removed from cache." => "临时相片已从缓存中移除。",
"Edit address" => "编辑地址",
"Type" => "类型",
"PO Box" => "信箱",
-"Street address" => "街道地址",
"Street and number" => "街道和门牌号",
"Extended" => "扩展",
"Apartment number etc." => "公寓号等。",
-"City" => "城市",
"Region" => "地区",
"E.g. state or province" => "例如,州或省",
"Zipcode" => "邮编",
-"Postal code" => "邮编",
-"Country" => "国家",
"Addressbook" => "地址薄",
"Hon. prefixes" => "荣誉头衔",
"Miss" => "小姐",
@@ -223,7 +189,6 @@
"Mrs" => "女士",
"Dr" => "博士",
"Given name" => "名",
-"Additional names" => "中间名",
"Family name" => "姓",
"Hon. suffixes" => "荣誉头衔",
"J.D." => "法学博士",
@@ -240,15 +205,12 @@
"Name of new addressbook" => "新地址薄名称",
"Importing contacts" => "导入联系人",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.
",
-"Add contact" => "添加联系人",
"Select Address Books" => "选择地址薄",
-"Enter description" => "输入描述",
"CardDAV syncing addresses" => "CardDAV 同步地址",
"more info" => "更多信息",
"Primary address (Kontact et al)" => "主要地址 (Kontact 等)",
"iOS/OS X" => "iOS/OS X",
"Addressbooks" => "地址薄",
-"Share" => "分享",
"New Address Book" => "新地址薄",
"Name" => "名称",
"Description" => "描述",
diff --git a/l10n/zh_CN.php b/l10n/zh_CN.php
index 3332dd15..ccfb36ac 100644
--- a/l10n/zh_CN.php
+++ b/l10n/zh_CN.php
@@ -2,24 +2,22 @@
"Error (de)activating addressbook." => "(取消)激活地址簿错误。",
"id is not set." => "没有设置 id。",
"Cannot update addressbook with an empty name." => "无法使用一个空名称更新地址簿",
+"No category name given." => "未指定类别名称。",
+"Error adding group." => "添加分组错误。",
+"Group ID missing from request." => "请求缺少分组ID。",
+"Contact ID missing from request." => "请求缺少联系人ID。",
"No ID provided" => "未提供 ID",
"Error setting checksum." => "设置校验值错误。",
"No categories selected for deletion." => "未选中要删除的分类。",
"No address books found." => "找不到地址簿。",
"No contacts found." => "找不到联系人。",
"element name is not set." => "元素名称未设置",
-"Could not parse contact: " => "无法解析联系人:",
-"Cannot add empty property." => "无法添加空属性。",
-"At least one of the address fields has to be filled out." => "至少需要填写一项地址。",
-"Trying to add duplicate property: " => "试图添加重复属性: ",
-"Missing IM parameter." => "缺少即时通讯IM参数",
-"Unknown IM: " => "未知即时通讯服务:",
-"Information about vCard is incorrect. Please reload the page." => "vCard 的信息不正确。请重新加载页面。",
-"Missing ID" => "缺少 ID",
-"Error parsing VCard for ID: \"" => "无法解析如下ID的 VCard:“",
"checksum is not set." => "未设置校验值。",
+"Information about vCard is incorrect. Please reload the page." => "vCard 的信息不正确。请重新加载页面。",
"Information about vCard is incorrect. Please reload the page: " => "vCard 信息不正确。请刷新页面: ",
"Something went FUBAR. " => "有一些信息无法被处理。",
+"Missing IM parameter." => "缺少即时通讯IM参数",
+"Unknown IM: " => "未知即时通讯服务:",
"No contact ID was submitted." => "未提交联系人 ID。",
"Error reading contact photo." => "读取联系人照片时错误。",
"Error saving temporary file." => "保存临时文件错误。",
@@ -35,6 +33,7 @@
"Error cropping image" => "裁切图像时出错",
"Error creating temporary image" => "创建临时图像时出错",
"Error finding image: " => "查找图像时出错: ",
+"Could not set preference: " => "无法设定偏好:",
"Error uploading contacts to storage." => "上传联系人到存储空间时出错",
"There is no error, the file uploaded with success" => "文件上传成功,没有错误发生",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "上传的文件长度超出了 php.ini 中 upload_max_filesize 的限制",
@@ -46,43 +45,30 @@
"Couldn't load temporary image: " => "无法加载临时图像: ",
"No file was uploaded. Unknown error" => "没有文件被上传。未知错误",
"Contacts" => "联系人",
-"Sorry, this functionality has not been implemented yet" => "抱歉,这个功能暂时还没有被实现",
-"Not implemented" => "未实现",
-"Couldn't get a valid address." => "无法获取一个合法的地址。",
-"Error" => "错误",
-"Please enter an email address." => "请输入电子邮件地址",
-"Enter name" => "输入姓名",
-"Format custom, Short name, Full name, Reverse or Reverse with comma" => "自定义格式,简称,全名,姓在前,姓在前并用逗号分割",
-"Select type" => "选择类型",
+"Couldn't get contact list." => "无法获取联系人列表。",
+"Contact is not in this group." => "联系人不在此分组中。",
+"A group named {group} already exists" => "分组{group}已存在。",
+"All" => "全部",
+"Indexing contacts" => "正在索引联系人",
+"Add to..." => "添加到……",
+"Add group..." => "添加分组……",
"Select photo" => "选择图片",
-"You do not have permission to add contacts to " => "您没有权限添加联系人到",
-"Please select one of your own address books." => "请选择一个您的地址簿",
-"Permission error" => "权限错误",
-"Click to undo deletion of \"" => "撤销删除",
-"Cancelled deletion of: \"" => "已取消删除:",
-"This property has to be non-empty." => "这个属性必须是非空的",
-"Couldn't serialize elements." => "无法序列化元素",
-"Unknown error. Please check logs." => "未知错误。请检查日志",
-"'deleteProperty' called without type argument. Please report at bugs.owncloud.org" => "'deleteProperty' 调用时没有类型声明。请到 bugs.owncloud.org 汇报错误",
-"Edit name" => "编辑名称",
-"No files selected for upload." => "没有选择文件以上传",
-"The file you are trying to upload exceed the maximum size for file uploads on this server." => "您试图上传的文件超出了该服务器的最大文件限制",
-"Error loading profile picture." => "载入档案图片时出错",
-"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "一些联系人已被标注为删除,但是尚未完成,请稍候。",
-"Do you want to merge these address books?" => "是否想合并这些地址簿?",
-"Shared by " => "分享自",
-"Upload too large" => "上传文件过大",
-"Only image files can be used as profile picture." => "只有图像文件才可用作头像",
-"Wrong file type" => "错误的文件类型",
-"Your browser doesn't support AJAX upload. Please click on the profile picture to select a photo to upload." => "您的浏览器不支持 AJAX 方式上传。请先点击头像再选择相片上传。",
-"Unable to upload your file as it is a directory or has 0 bytes" => "无法上传您的文件,文件夹或者空文件",
-"Upload Error" => "上传错误",
-"Pending" => "等待",
-"Import done" => "导入完毕",
"Not all files uploaded. Retrying..." => "仍有文件未上传,重试中",
"Something went wrong with the upload, please retry." => "上传中出现些问题,请重试。",
+"Error" => "错误",
"Importing..." => "导入中",
+"Unable to upload your file as it is a directory or has 0 bytes" => "无法上传您的文件,文件夹或者空文件",
+"Upload Error" => "上传错误",
+"The file you are trying to upload exceed the maximum size for file uploads on this server." => "您试图上传的文件超出了该服务器的最大文件限制",
+"Upload too large" => "上传文件过大",
+"Pending" => "等待",
+"Add group" => "添加分组",
+"No files selected for upload." => "没有选择文件以上传",
+"Error loading profile picture." => "载入档案图片时出错",
+"Enter name" => "输入姓名",
+"Enter description" => "输入描述",
"The address book name cannot be empty." => "地址簿名称不能为空",
+"Some contacts are marked for deletion, but not deleted yet. Please wait for them to be deleted." => "一些联系人已被标注为删除,但是尚未完成,请稍候。",
"Result: " => "结果: ",
" imported, " => " 已导入, ",
" failed." => " 失败。",
@@ -100,9 +86,6 @@
"There was an error updating the addressbook." => "更新地址簿时出错",
"You do not have the permissions to delete this addressbook." => "你没有权限编辑此地址簿",
"There was an error deleting this addressbook." => "删除地址簿时出错",
-"Addressbook not found: " => "地址簿未找到",
-"This is not your addressbook." => "这不是您的地址簿。",
-"Contact could not be found." => "无法找到联系人。",
"Jabber" => "Jabber",
"AIM" => "AIM",
"MSN" => "MSN",
@@ -126,19 +109,8 @@
"Video" => "视频",
"Pager" => "传呼机",
"Internet" => "互联网",
-"Birthday" => "生日",
-"Business" => "商务",
-"Call" => "电话",
-"Clients" => "客户",
-"Deliverer" => "供应商",
-"Holidays" => "假期",
-"Ideas" => "创意",
-"Journey" => "旅行",
-"Jubilee" => "Jubilee",
-"Meeting" => "会议",
-"Personal" => "个人",
-"Projects" => "项目",
-"Questions" => "问题",
+"Friends" => "朋友",
+"Family" => "家庭",
"{name}'s Birthday" => "{name} 的生日",
"Contact" => "联系人",
"You do not have the permissions to add contacts to this addressbook." => "您没有权限增加联系人到此地址簿",
@@ -148,9 +120,18 @@
"Could not find the Addressbook with ID: " => "无法找到地址簿,根据ID:",
"You do not have the permissions to delete this contact." => "你没有权限删除此联系人",
"There was an error deleting this contact." => "删除联系人时出错。",
-"Add Contact" => "添加联系人",
-"Import" => "导入",
+"Contact not found." => "找不到联系人。",
+"HomePage" => "主页",
+"New Group" => "新建分组",
"Settings" => "设置",
+"Import" => "导入",
+"Import into:" => "导入至:",
+"OK" => "OK",
+"(De-)select all" => "反选全部",
+"New Contact" => "新建联系人",
+"Groups" => "分组",
+"Favorite" => "最爱",
+"Delete Contact" => "删除联系人",
"Close" => "关闭",
"Keyboard shortcuts" => "快捷键",
"Navigation" => "导航",
@@ -164,56 +145,74 @@
"Add new contact" => "新增联系人",
"Add new addressbook" => "新增地址簿",
"Delete current contact" => "删除当前联系人",
-"Drop photo to upload" => "拖拽图片进行上传",
+"Add contact" => "添加联系人",
+"Compose mail" => "编写邮件",
+"Delete group" => "删除分组",
"Delete current photo" => "删除当前照片",
"Edit current photo" => "编辑当前照片",
"Upload new photo" => "上传新照片",
"Select photo from ownCloud" => "从 ownCloud 选择照片",
-"Edit name details" => "编辑名称详情",
-"Organization" => "组织",
+"First name" => "名",
+"Additional names" => "其他名称",
+"Last name" => "姓",
"Nickname" => "昵称",
"Enter nickname" => "输入昵称",
-"Web site" => "网址",
-"http://www.somesite.com" => "http://www.wodewangzhan.com",
-"Go to web site" => "访问网址",
-"dd-mm-yyyy" => "yyyy-mm-dd",
-"Groups" => "分组",
-"Separate groups with commas" => "用逗号隔开分组",
-"Edit groups" => "编辑分组",
-"Preferred" => "偏好",
-"Please specify a valid email address." => "请指定合法的电子邮件地址",
-"Enter email address" => "输入电子邮件地址",
-"Mail to address" => "发送邮件到地址",
-"Delete email address" => "删除电子邮件地址",
-"Enter phone number" => "输入电话号码",
-"Delete phone number" => "删除电话号码",
-"Instant Messenger" => "即时通讯",
-"Delete IM" => "删除即时通讯工具",
-"View on map" => "在地图上显示",
-"Edit address details" => "编辑详细地址。",
-"Add notes here." => "添加注释。",
-"Add field" => "添加字段",
+"Title" => "标题",
+"Organization" => "组织",
+"Birthday" => "生日",
+"Add" => "增加",
"Phone" => "电话",
"Email" => "电子邮件",
"Instant Messaging" => "即时通讯",
"Address" => "地址",
"Note" => "注释",
-"Download contact" => "下载联系人",
+"Web site" => "网址",
"Delete contact" => "删除联系人",
+"Preferred" => "偏好",
+"Please specify a valid email address." => "请指定合法的电子邮件地址",
+"someone@example.com" => "someone@example.com",
+"Mail to address" => "发送邮件到地址",
+"Delete email address" => "删除电子邮件地址",
+"Enter phone number" => "输入电话号码",
+"Delete phone number" => "删除电话号码",
+"Go to web site" => "访问网址",
+"Delete URL" => "删除URL",
+"View on map" => "在地图上显示",
+"Delete address" => "删除地址",
+"Street address" => "街道地址",
+"12345" => "12345",
+"Postal code" => "邮政编码",
+"Your city" => "城市",
+"City" => "城市",
+"Your country" => "国家",
+"Country" => "国家",
+"Instant Messenger" => "即时通讯",
+"Delete IM" => "删除即时通讯工具",
+"Share" => "共享",
+"Export" => "导出",
+"Add Contact" => "添加联系人",
+"Drop photo to upload" => "拖拽图片进行上传",
+"Format custom, Short name, Full name, Reverse or Reverse with comma" => "自定义格式,简称,全名,姓在前,姓在前并用逗号分割",
+"Edit name details" => "编辑名称详情",
+"http://www.somesite.com" => "http://www.wodewangzhan.com",
+"dd-mm-yyyy" => "yyyy-mm-dd",
+"Separate groups with commas" => "用逗号隔开分组",
+"Edit groups" => "编辑分组",
+"Enter email address" => "输入电子邮件地址",
+"Edit address details" => "编辑详细地址。",
+"Add notes here." => "添加注释。",
+"Add field" => "添加字段",
+"Download contact" => "下载联系人",
"The temporary image has been removed from cache." => "临时图像文件已从缓存中删除",
"Edit address" => "编辑地址",
"Type" => "类型",
"PO Box" => "邮箱",
-"Street address" => "街道地址",
"Street and number" => "街道门牌号码",
"Extended" => "扩展",
"Apartment number etc." => "公寓号码",
-"City" => "城市",
"Region" => "地区",
"E.g. state or province" => "例如州或省",
"Zipcode" => "邮编",
-"Postal code" => "邮政编码",
-"Country" => "国家",
"Addressbook" => "地址簿",
"Hon. prefixes" => "荣誉头衔",
"Miss" => "小姐",
@@ -223,7 +222,6 @@
"Mrs" => "夫人",
"Dr" => "博士",
"Given name" => "名",
-"Additional names" => "其他名称",
"Family name" => "姓",
"Hon. suffixes" => "名誉后缀",
"J.D." => "法律博士",
@@ -240,15 +238,12 @@
"Name of new addressbook" => "新地址簿名称",
"Importing contacts" => "导入联系人",
"
You have no contacts in your addressbook.
You can import VCF files by dragging them to the contacts list and either drop them on an addressbook to import into it, or on an empty spot to create a new addressbook and import into that. You can also import by clicking on the import button at the bottom of the list.