merge master into filesystem

This commit is contained in:
Robin Appelman 2013-01-30 19:24:24 +01:00
commit 207aa22d12
328 changed files with 11817 additions and 9739 deletions

View File

@ -7,9 +7,9 @@ OCP\JSON::checkLoggedIn();
OCP\JSON::callCheck();
// Get data
$dir = stripslashes($_GET["dir"]);
$file = stripslashes($_GET["file"]);
$target = stripslashes(rawurldecode($_GET["target"]));
$dir = stripslashes($_POST["dir"]);
$file = stripslashes($_POST["file"]);
$target = stripslashes(rawurldecode($_POST["target"]));
if(\OC\Files\Filesystem::file_exists($target . '/' . $file)) {
OCP\JSON::error(array("data" => array( "message" => "Could not move $file - File with this name already exists" )));

View File

@ -104,7 +104,7 @@ table td.filename form { font-size:.85em; margin-left:3em; margin-right:3em; }
#fileList tr:hover .fileactions { /* background to distinguish when overlaying with file names */
background:rgba(248,248,248,.9); box-shadow:-5px 0 7px rgba(248,248,248,.9);
}
#fileList tr.selected:hover .fileactions { /* slightly darker color for selected rows */
#fileList tr.selected:hover .fileactions, #fileList tr.mouseOver .fileactions { /* slightly darker color for selected rows */
background:rgba(238,238,238,.9); box-shadow:-5px 0 7px rgba(238,238,238,.9);
}
#fileList .fileactions a.action img { position:relative; top:.2em; }
@ -123,6 +123,16 @@ a.action>img { max-height:16px; max-width:16px; vertical-align:text-bottom; }
div.crumb a{ padding:0.9em 0 0.7em 0; }
table.dragshadow {
width:auto;
}
table.dragshadow td.filename {
padding-left:36px;
padding-right:16px;
}
table.dragshadow td.size {
padding-right:8px;
}
#upgrade {
width: 400px;
position: absolute;

View File

@ -462,6 +462,10 @@ $(document).ready(function() {
$('#uploadprogressbar').progressbar('value',progress);
},
start: function(e, data) {
//IE < 10 does not fire the necessary events for the progress bar.
if($.browser.msie && parseInt($.browser.version) < 10) {
return;
}
$('#uploadprogressbar').progressbar({value:0});
$('#uploadprogressbar').fadeIn();
if(data.dataType != 'iframe ') {
@ -801,32 +805,101 @@ function updateBreadcrumb(breadcrumbHtml) {
$('p.nav').empty().html(breadcrumbHtml);
}
//options for file drag/dropp
var createDragShadow = function(event){
//select dragged file
var isDragSelected = $(event.target).parents('tr').find('td input:first').prop('checked');
if (!isDragSelected) {
//select dragged file
$(event.target).parents('tr').find('td input:first').prop('checked',true);
}
var selectedFiles = getSelectedFiles();
if (!isDragSelected && selectedFiles.length == 1) {
//revert the selection
$(event.target).parents('tr').find('td input:first').prop('checked',false);
}
//also update class when we dragged more than one file
if (selectedFiles.length > 1) {
$(event.target).parents('tr').addClass('selected');
}
// build dragshadow
var dragshadow = $('<table class="dragshadow"></table>');
var tbody = $('<tbody></tbody>');
dragshadow.append(tbody);
var dir=$('#dir').val();
$(selectedFiles).each(function(i,elem){
var newtr = $('<tr data-dir="'+dir+'" data-filename="'+elem.name+'">'
+'<td class="filename">'+elem.name+'</td><td class="size">'+humanFileSize(elem.size)+'</td>'
+'</tr>');
tbody.append(newtr);
if (elem.type === 'dir') {
newtr.find('td.filename').attr('style','background-image:url('+OC.imagePath('core', 'filetypes/folder.png')+')');
} else {
getMimeIcon(elem.mime,function(path){
newtr.find('td.filename').attr('style','background-image:url('+path+')');
});
}
});
return dragshadow;
}
//options for file drag/drop
var dragOptions={
distance: 20, revert: 'invalid', opacity: 0.7, helper: 'clone',
revert: 'invalid', revertDuration: 300,
opacity: 0.7, zIndex: 100, appendTo: 'body', cursorAt: { left: -5, top: -5 },
helper: createDragShadow, cursor: 'move',
stop: function(event, ui) {
$('#fileList tr td.filename').addClass('ui-draggable');
}
};
}
var folderDropOptions={
drop: function( event, ui ) {
var file=ui.draggable.parent().data('file');
var target=$(this).find('.nametext').text().trim();
var dir=$('#dir').val();
$.ajax({
url: OC.filePath('files', 'ajax', 'move.php'),
data: "dir="+encodeURIComponent(dir)+"&file="+encodeURIComponent(file)+'&target='+encodeURIComponent(dir)+'/'+encodeURIComponent(target),
complete: function(data){boolOperationFinished(data, function(){
var el = $('#fileList tr').filterAttr('data-file',file).find('td.filename');
el.draggable('destroy');
FileList.remove(file);
});}
//don't allow moving a file into a selected folder
if ($(event.target).parents('tr').find('td input:first').prop('checked') === true) {
return false;
}
var target=$.trim($(this).find('.nametext').text());
var files = ui.helper.find('tr');
$(files).each(function(i,row){
var dir = $(row).data('dir');
var file = $(row).data('filename');
$.post(OC.filePath('files', 'ajax', 'move.php'), { dir: dir, file: file, target: dir+'/'+target }, function(result) {
if (result) {
if (result.status === 'success') {
//recalculate folder size
var oldSize = $('#fileList tr').filterAttr('data-file',target).data('size');
var newSize = oldSize + $('#fileList tr').filterAttr('data-file',file).data('size');
$('#fileList tr').filterAttr('data-file',target).data('size', newSize);
$('#fileList tr').filterAttr('data-file',target).find('td.filesize').text(humanFileSize(newSize));
FileList.remove(file);
procesSelection();
$('#notification').hide();
} else {
$('#notification').hide();
$('#notification').text(result.data.message);
$('#notification').fadeIn();
}
} else {
OC.dialogs.alert(t('Error moving file'));
}
});
});
}
},
tolerance: 'pointer'
}
var crumbDropOptions={
drop: function( event, ui ) {
var file=ui.draggable.parent().data('file');
var target=$(this).data('dir');
var dir=$('#dir').val();
while(dir.substr(0,1)=='/'){//remove extra leading /'s
@ -839,12 +912,25 @@ var crumbDropOptions={
if(target==dir || target+'/'==dir){
return;
}
$.ajax({
url: OC.filePath('files', 'ajax', 'move.php'),
data: "dir="+encodeURIComponent(dir)+"&file="+encodeURIComponent(file)+'&target='+encodeURIComponent(target),
complete: function(data){boolOperationFinished(data, function(){
FileList.remove(file);
});}
var files = ui.helper.find('tr');
$(files).each(function(i,row){
var dir = $(row).data('dir');
var file = $(row).data('filename');
$.post(OC.filePath('files', 'ajax', 'move.php'), { dir: dir, file: file, target: target }, function(result) {
if (result) {
if (result.status === 'success') {
FileList.remove(file);
procesSelection();
$('#notification').hide();
} else {
$('#notification').hide();
$('#notification').text(result.data.message);
$('#notification').fadeIn();
}
} else {
OC.dialogs.alert(t('Error moving file'));
}
});
});
},
tolerance: 'pointer'
@ -951,7 +1037,7 @@ function getUniqueName(name){
num=parseInt(numMatch[numMatch.length-1])+1;
base=base.split('(')
base.pop();
base=base.join('(').trim();
base=$.trim(base.join('('));
}
name=base+' ('+num+')';
if (extension) {

View File

@ -10,6 +10,7 @@
"No file was uploaded" => "Žádný soubor nebyl odeslán",
"Missing a temporary folder" => "Chybí adresář pro dočasné soubory",
"Failed to write to disk" => "Zápis na disk selhal",
"Not enough storage available" => "Nedostatek dostupného úložného prostoru",
"Invalid directory." => "Neplatný adresář",
"Files" => "Soubory",
"Unshare" => "Zrušit sdílení",
@ -27,6 +28,8 @@
"'.' is an invalid file name." => "'.' je neplatným názvem souboru.",
"File name cannot be empty." => "Název souboru nemůže být prázdný řetězec.",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Neplatný název, znaky '\\', '/', '<', '>', ':', '\"', '|', '?' a '*' nejsou povoleny.",
"Your storage is full, files can not be updated or synced anymore!" => "Vaše úložiště je plné, nelze aktualizovat ani synchronizovat soubory.",
"Your storage is almost full ({usedSpacePercent}%)" => "Vaše úložiště je téměř plné ({usedSpacePercent}%)",
"Your download is being prepared. This might take some time if the files are big." => "Vaše soubory ke stažení se připravují. Pokud jsou velké může to chvíli trvat.",
"Unable to upload your file as it is a directory or has 0 bytes" => "Nelze odeslat Váš soubor, protože je to adresář nebo má velikost 0 bajtů",
"Upload Error" => "Chyba odesílání",

View File

@ -1,4 +1,7 @@
<?php $TRANSLATIONS = array(
"Could not move %s - File with this name already exists" => "Kunne ikke flytte %s - der findes allerede en fil med dette navn",
"Could not move %s" => "Kunne ikke flytte %s",
"Unable to rename file" => "Kunne ikke omdøbe fil",
"No file was uploaded. Unknown error" => "Ingen fil blev uploadet. Ukendt fejl.",
"There is no error, the file uploaded with success" => "Der er ingen fejl, filen blev uploadet med success",
"The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Den uploadede fil overstiger upload_max_filesize direktivet i php.ini",
@ -7,6 +10,8 @@
"No file was uploaded" => "Ingen fil blev uploadet",
"Missing a temporary folder" => "Mangler en midlertidig mappe",
"Failed to write to disk" => "Fejl ved skrivning til disk.",
"Not enough storage available" => "Der er ikke nok plads til rådlighed",
"Invalid directory." => "Ugyldig mappe.",
"Files" => "Filer",
"Unshare" => "Fjern deling",
"Delete" => "Slet",
@ -20,7 +25,12 @@
"replaced {new_name} with {old_name}" => "erstattede {new_name} med {old_name}",
"unshared {files}" => "ikke delte {files}",
"deleted {files}" => "slettede {files}",
"'.' is an invalid file name." => "'.' er et ugyldigt filnavn.",
"File name cannot be empty." => "Filnavnet kan ikke stå tomt.",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ugyldigt navn, '\\', '/', '<', '>', ':' | '?', '\"', '', og '*' er ikke tilladt.",
"Your storage is full, files can not be updated or synced anymore!" => "Din opbevaringsplads er fyldt op, filer kan ikke opdateres eller synkroniseres længere!",
"Your storage is almost full ({usedSpacePercent}%)" => "Din opbevaringsplads er næsten fyldt op ({usedSpacePercent}%)",
"Your download is being prepared. This might take some time if the files are big." => "Dit download forberedes. Dette kan tage lidt tid ved større filer.",
"Unable to upload your file as it is a directory or has 0 bytes" => "Kunne ikke uploade din fil, da det enten er en mappe eller er tom",
"Upload Error" => "Fejl ved upload",
"Close" => "Luk",
@ -30,6 +40,7 @@
"Upload cancelled." => "Upload afbrudt.",
"File upload is in progress. Leaving the page now will cancel the upload." => "Fil upload kører. Hvis du forlader siden nu, vil uploadet blive annuleret.",
"URL cannot be empty." => "URLen kan ikke være tom.",
"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Ugyldigt mappenavn. Brug af \"Shared\" er forbeholdt Owncloud",
"{count} files scanned" => "{count} filer skannet",
"error while scanning" => "fejl under scanning",
"Name" => "Navn",

View File

@ -10,6 +10,7 @@
"No file was uploaded" => "Es wurde keine Datei hochgeladen.",
"Missing a temporary folder" => "Temporärer Ordner fehlt.",
"Failed to write to disk" => "Fehler beim Schreiben auf die Festplatte",
"Not enough storage available" => "Nicht genug Speicherplatz verfügbar",
"Invalid directory." => "Ungültiges Verzeichnis",
"Files" => "Dateien",
"Unshare" => "Nicht mehr freigeben",
@ -27,6 +28,8 @@
"'.' is an invalid file name." => "'.' ist kein gültiger Dateiname",
"File name cannot be empty." => "Der Dateiname darf nicht leer sein",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ungültiger Name, '\\', '/', '<', '>', ':', '\"', '|', '?' und '*' sind nicht zulässig.",
"Your storage is full, files can not be updated or synced anymore!" => "Ihr Speicherplatz ist voll, Dateien können nicht mehr aktualisiert oder synchronisiert werden!",
"Your storage is almost full ({usedSpacePercent}%)" => "Ihr Speicherplatz ist fast aufgebraucht ({usedSpacePercent}%)",
"Your download is being prepared. This might take some time if the files are big." => "Dein Download wird vorbereitet. Dies kann bei größeren Dateien etwas dauern.",
"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 Upload",

View File

@ -10,6 +10,7 @@
"No file was uploaded" => "Es wurde keine Datei hochgeladen.",
"Missing a temporary folder" => "Der temporäre Ordner fehlt.",
"Failed to write to disk" => "Fehler beim Schreiben auf die Festplatte",
"Not enough storage available" => "Nicht genug Speicher vorhanden.",
"Invalid directory." => "Ungültiges Verzeichnis.",
"Files" => "Dateien",
"Unshare" => "Nicht mehr freigeben",
@ -27,6 +28,8 @@
"'.' is an invalid file name." => "'.' ist kein gültiger Dateiname.",
"File name cannot be empty." => "Der Dateiname darf nicht leer sein.",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ungültiger Name, '\\', '/', '<', '>', ':', '\"', '|', '?' und '*' sind nicht zulässig.",
"Your storage is full, files can not be updated or synced anymore!" => "Ihr Speicher ist voll. Daher können keine Dateien mehr aktualisiert oder synchronisiert werden!",
"Your storage is almost full ({usedSpacePercent}%)" => "Ihr Speicher ist fast voll ({usedSpacePercent}%)",
"Your download is being prepared. This might take some time if the files are big." => "Ihr Download wird vorbereitet. Dies kann bei größeren Dateien einen Moment dauern.",
"Unable to upload your file as it is a directory or has 0 bytes" => "Ihre Datei kann nicht hochgeladen werden, da sie entweder ein Verzeichnis oder 0 Bytes groß ist.",
"Upload Error" => "Fehler beim Upload",

View File

@ -10,6 +10,7 @@
"No file was uploaded" => "Κανένα αρχείο δεν στάλθηκε",
"Missing a temporary folder" => "Λείπει ο προσωρινός φάκελος",
"Failed to write to disk" => "Αποτυχία εγγραφής στο δίσκο",
"Not enough storage available" => "Μη επαρκής διαθέσιμος αποθηκευτικός χώρος",
"Invalid directory." => "Μη έγκυρος φάκελος.",
"Files" => "Αρχεία",
"Unshare" => "Διακοπή κοινής χρήσης",
@ -27,6 +28,8 @@
"'.' is an invalid file name." => "'.' είναι μη έγκυρο όνομα αρχείου.",
"File name cannot be empty." => "Το όνομα αρχείου δεν πρέπει να είναι κενό.",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Μη έγκυρο όνομα, '\\', '/', '<', '>', ':', '\"', '|', '?' και '*' δεν επιτρέπονται.",
"Your storage is full, files can not be updated or synced anymore!" => "Ο αποθηκευτικός σας χώρος είναι γεμάτος, τα αρχεία δεν μπορούν να ενημερωθούν ή να συγχρονιστούν πια!",
"Your storage is almost full ({usedSpacePercent}%)" => "Ο αποθηκευτικός χώρος είναι σχεδόν γεμάτος ({usedSpacePercent}%)",
"Your download is being prepared. This might take some time if the files are big." => "Η λήψη προετοιμάζεται. Αυτό μπορεί να πάρει ώρα εάν τα αρχεία έχουν μεγάλο μέγεθος.",
"Unable to upload your file as it is a directory or has 0 bytes" => "Αδυναμία στην αποστολή του αρχείου σας αφού είναι φάκελος ή έχει 0 bytes",
"Upload Error" => "Σφάλμα Αποστολής",

View File

@ -9,6 +9,7 @@
"No file was uploaded" => "Yhtäkään tiedostoa ei lähetetty",
"Missing a temporary folder" => "Väliaikaiskansiota ei ole olemassa",
"Failed to write to disk" => "Levylle kirjoitus epäonnistui",
"Not enough storage available" => "Tallennustilaa ei ole riittävästi käytettävissä",
"Invalid directory." => "Virheellinen kansio.",
"Files" => "Tiedostot",
"Unshare" => "Peru jakaminen",
@ -22,6 +23,8 @@
"'.' is an invalid file name." => "'.' on virheellinen nimi tiedostolle.",
"File name cannot be empty." => "Tiedoston nimi ei voi olla tyhjä.",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Virheellinen nimi, merkit '\\', '/', '<', '>', ':', '\"', '|', '?' ja '*' eivät ole sallittuja.",
"Your storage is full, files can not be updated or synced anymore!" => "Tallennustila on loppu, tiedostoja ei voi enää päivittää tai synkronoida!",
"Your storage is almost full ({usedSpacePercent}%)" => "Tallennustila on melkein loppu ({usedSpacePercent}%)",
"Your download is being prepared. This might take some time if the files are big." => "Lataustasi valmistellaan. Tämä saattaa kestää hetken, jos tiedostot ovat suuria kooltaan.",
"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.",

View File

@ -10,6 +10,7 @@
"No file was uploaded" => "Aucun fichier n'a été téléversé",
"Missing a temporary folder" => "Il manque un répertoire temporaire",
"Failed to write to disk" => "Erreur d'écriture sur le disque",
"Not enough storage available" => "Plus assez d'espace de stockage disponible",
"Invalid directory." => "Dossier invalide.",
"Files" => "Fichiers",
"Unshare" => "Ne plus partager",
@ -27,6 +28,8 @@
"'.' is an invalid file name." => "'.' n'est pas un nom de fichier valide.",
"File name cannot be empty." => "Le nom de fichier ne peut être vide.",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nom invalide, les caractères '\\', '/', '<', '>', ':', '\"', '|', '?' et '*' ne sont pas autorisés.",
"Your storage is full, files can not be updated or synced anymore!" => "Votre espage de stockage est plein, les fichiers ne peuvent plus être téléversés ou synchronisés !",
"Your storage is almost full ({usedSpacePercent}%)" => "Votre espace de stockage est presque plein ({usedSpacePercent}%)",
"Your download is being prepared. This might take some time if the files are big." => "Votre téléchargement est cours de préparation. Ceci peut nécessiter un certain temps si les fichiers sont volumineux.",
"Unable to upload your file as it is a directory or has 0 bytes" => "Impossible de charger vos fichiers car il s'agit d'un dossier ou le fichier fait 0 octet.",
"Upload Error" => "Erreur de chargement",

View File

@ -10,6 +10,7 @@
"No file was uploaded" => "Nem töltődött fel semmi",
"Missing a temporary folder" => "Hiányzik egy ideiglenes mappa",
"Failed to write to disk" => "Nem sikerült a lemezre történő írás",
"Not enough storage available" => "Nincs elég szabad hely.",
"Invalid directory." => "Érvénytelen mappa.",
"Files" => "Fájlok",
"Unshare" => "Megosztás visszavonása",
@ -27,6 +28,8 @@
"'.' is an invalid file name." => "'.' fájlnév érvénytelen.",
"File name cannot be empty." => "A fájlnév nem lehet semmi.",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Érvénytelen elnevezés. Ezek a karakterek nem használhatók: '\\', '/', '<', '>', ':', '\"', '|', '?' és '*'",
"Your storage is full, files can not be updated or synced anymore!" => "A tároló tele van, a fájlok nem frissíthetőek vagy szinkronizálhatóak a jövőben.",
"Your storage is almost full ({usedSpacePercent}%)" => "A tároló majdnem tele van ({usedSpacePercent}%)",
"Your download is being prepared. This might take some time if the files are big." => "Készül a letöltendő állomány. Ez eltarthat egy ideig, ha nagyok a fájlok.",
"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",

View File

@ -10,6 +10,7 @@
"No file was uploaded" => "ファイルはアップロードされませんでした",
"Missing a temporary folder" => "テンポラリフォルダが見つかりません",
"Failed to write to disk" => "ディスクへの書き込みに失敗しました",
"Not enough storage available" => "ストレージに十分な空き容量がありません",
"Invalid directory." => "無効なディレクトリです。",
"Files" => "ファイル",
"Unshare" => "共有しない",
@ -27,6 +28,8 @@
"'.' is an invalid file name." => "'.' は無効なファイル名です。",
"File name cannot be empty." => "ファイル名を空にすることはできません。",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "無効な名前、'\\', '/', '<', '>', ':', '\"', '|', '?', '*' は使用できません。",
"Your storage is full, files can not be updated or synced anymore!" => "あなたのストレージは一杯です。ファイルの更新と同期はもうできません!",
"Your storage is almost full ({usedSpacePercent}%)" => "あなたのストレージはほぼ一杯です({usedSpacePercent}%",
"Your download is being prepared. This might take some time if the files are big." => "ダウンロードの準備中です。ファイルサイズが大きい場合は少し時間がかかるかもしれません。",
"Unable to upload your file as it is a directory or has 0 bytes" => "ディレクトリもしくは0バイトのファイルはアップロードできません",
"Upload Error" => "アップロードエラー",

View File

@ -18,7 +18,7 @@
"Rename" => "Renomear",
"{new_name} already exists" => "O nome {new_name} já existe",
"replace" => "substituir",
"suggest name" => "Sugira um nome",
"suggest name" => "sugira um nome",
"cancel" => "cancelar",
"replaced {new_name}" => "{new_name} substituido",
"undo" => "desfazer",
@ -37,7 +37,7 @@
"Pending" => "Pendente",
"1 file uploading" => "A enviar 1 ficheiro",
"{count} files uploading" => "A carregar {count} ficheiros",
"Upload cancelled." => "O envio foi cancelado.",
"Upload cancelled." => "Envio cancelado.",
"File upload is in progress. Leaving the page now will cancel the upload." => "Envio de ficheiro em progresso. Irá cancelar o envio se sair da página agora.",
"URL cannot be empty." => "O URL não pode estar vazio.",
"Invalid folder name. Usage of 'Shared' is reserved by Owncloud" => "Nome de pasta inválido. O Uso de 'shared' é reservado para o ownCloud",

View File

@ -10,6 +10,7 @@
"No file was uploaded" => "Ingen fil blev uppladdad",
"Missing a temporary folder" => "Saknar en tillfällig mapp",
"Failed to write to disk" => "Misslyckades spara till disk",
"Not enough storage available" => "Inte tillräckligt med lagringsutrymme tillgängligt",
"Invalid directory." => "Felaktig mapp.",
"Files" => "Filer",
"Unshare" => "Sluta dela",
@ -27,6 +28,8 @@
"'.' is an invalid file name." => "'.' är ett ogiltigt filnamn.",
"File name cannot be empty." => "Filnamn kan inte vara tomt.",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Ogiltigt namn, '\\', '/', '<', '>', ':', '\"', '|', '?' och '*' är inte tillåtet.",
"Your storage is full, files can not be updated or synced anymore!" => "Ditt lagringsutrymme är fullt, filer kan ej längre laddas upp eller synkas!",
"Your storage is almost full ({usedSpacePercent}%)" => "Ditt lagringsutrymme är nästan fullt ({usedSpacePercent}%)",
"Your download is being prepared. This might take some time if the files are big." => "Din nedladdning förbereds. Det kan ta tid om det är stora filer.",
"Unable to upload your file as it is a directory or has 0 bytes" => "Kunde inte ladda upp dina filer eftersom det antingen är en mapp eller har 0 bytes.",
"Upload Error" => "Uppladdningsfel",

View File

@ -10,6 +10,7 @@
"No file was uploaded" => "ยังไม่มีไฟล์ที่ถูกอัพโหลด",
"Missing a temporary folder" => "แฟ้มเอกสารชั่วคราวเกิดการสูญหาย",
"Failed to write to disk" => "เขียนข้อมูลลงแผ่นดิสก์ล้มเหลว",
"Not enough storage available" => "เหลือพื้นที่ไม่เพียงสำหรับใช้งาน",
"Invalid directory." => "ไดเร็กทอรี่ไม่ถูกต้อง",
"Files" => "ไฟล์",
"Unshare" => "ยกเลิกการแชร์ข้อมูล",
@ -27,6 +28,8 @@
"'.' is an invalid file name." => "'.' เป็นชื่อไฟล์ที่ไม่ถูกต้อง",
"File name cannot be empty." => "ชื่อไฟล์ไม่สามารถเว้นว่างได้",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "ชื่อที่ใช้ไม่ถูกต้อง, '\\', '/', '<', '>', ':', '\"', '|', '?' และ '*' ไม่ได้รับอนุญาตให้ใช้งานได้",
"Your storage is full, files can not be updated or synced anymore!" => "พื้นที่จัดเก็บข้อมูลของคุณเต็มแล้ว ไม่สามารถอัพเดทหรือผสานไฟล์ต่างๆได้อีกต่อไป",
"Your storage is almost full ({usedSpacePercent}%)" => "พื้นที่จัดเก็บข้อมูลของคุณใกล้เต็มแล้ว ({usedSpacePercent}%)",
"Your download is being prepared. This might take some time if the files are big." => "กำลังเตรียมดาวน์โหลดข้อมูล หากไฟล์มีขนาดใหญ่ อาจใช้เวลาสักครู่",
"Unable to upload your file as it is a directory or has 0 bytes" => "ไม่สามารถอัพโหลดไฟล์ของคุณได้ เนื่องจากไฟล์ดังกล่าวเป็นไดเร็กทอรี่หรือมีขนาด 0 ไบต์",
"Upload Error" => "เกิดข้อผิดพลาดในการอัพโหลด",

View File

@ -1,4 +1,15 @@
<?php $TRANSLATIONS = array(
"Please switch to your ownCloud client and change your encryption password to complete the conversion." => "Skift venligst til din ownCloud-klient og skift krypteringskoden for at fuldføre konverteringen.",
"switched to client side encryption" => "skiftet til kryptering på klientsiden",
"Change encryption password to login password" => "Udskift krypteringskode til login-adgangskode",
"Please check your passwords and try again." => "Check adgangskoder og forsøg igen.",
"Could not change your file encryption password to your login password" => "Kunne ikke udskifte krypteringskode med login-adgangskode",
"Choose encryption mode:" => "Vælg krypteringsform:",
"Client side encryption (most secure but makes it impossible to access your data from the web interface)" => "Kryptering på klientsiden (mere sikker, men udelukker adgang til dataene fra webinterfacet)",
"Server side encryption (allows you to access your files from the web interface and the desktop client)" => "Kryptering på serversiden (gør det muligt at tilgå filer fra webinterfacet såvel som desktopklienten)",
"None (no encryption at all)" => "Ingen (ingen kryptering)",
"Important: Once you selected an encryption mode there is no way to change it back" => "Vigtigt: Når der er valgt krypteringsform, kan det ikke ændres tilbage igen.",
"User specific (let the user decide)" => "Brugerspecifik (lad brugeren bestemme)",
"Encryption" => "Kryptering",
"Exclude the following file types from encryption" => "Ekskluder følgende filtyper fra kryptering",
"None" => "Ingen"

View File

@ -1,4 +1,15 @@
<?php $TRANSLATIONS = array(
"Please switch to your ownCloud client and change your encryption password to complete the conversion." => "Bitte wechseln Sie nun zum ownCloud Client und ändern Sie ihr Verschlüsselungspasswort um die Konvertierung abzuschließen.",
"switched to client side encryption" => "Zur Clientseitigen Verschlüsselung gewechselt",
"Change encryption password to login password" => "Ändern des Verschlüsselungspasswortes zum Anmeldepasswort",
"Please check your passwords and try again." => "Bitte überprüfen sie Ihr Passwort und versuchen Sie es erneut.",
"Could not change your file encryption password to your login password" => "Ihr Verschlüsselungspasswort konnte nicht als Anmeldepasswort gesetzt werden.",
"Choose encryption mode:" => "Wählen Sie die Verschlüsselungsart:",
"Client side encryption (most secure but makes it impossible to access your data from the web interface)" => "Clientseitige Verschlüsselung (am sichersten, aber macht es unmöglich auf ihre Daten über das Webinterface zuzugreifen)",
"Server side encryption (allows you to access your files from the web interface and the desktop client)" => "Serverseitige Verschlüsselung (erlaubt es ihnen auf ihre Daten über das Webinterface und den Desktop-Client zuzugreifen)",
"None (no encryption at all)" => "Keine (ohne Verschlüsselung)",
"Important: Once you selected an encryption mode there is no way to change it back" => "Wichtig: Sobald sie eine Verschlüsselungsmethode gewählt haben, können Sie diese nicht ändern!",
"User specific (let the user decide)" => "Benutzerspezifisch (der Benutzer kann entscheiden)",
"Encryption" => "Verschlüsselung",
"Exclude the following file types from encryption" => "Die folgenden Dateitypen von der Verschlüsselung ausnehmen",
"None" => "Keine"

View File

@ -1,6 +1,14 @@
<?php $TRANSLATIONS = array(
"Choose encryption mode:" => "Wählen Sie die Verschlüsselungsart:",
"Please switch to your ownCloud client and change your encryption password to complete the conversion." => "Bitte wechseln Sie nun zum ownCloud Client und ändern Sie ihr Verschlüsselungspasswort um die Konvertierung abzuschließen.",
"switched to client side encryption" => "Zur Clientseitigen Verschlüsselung gewechselt",
"Change encryption password to login password" => "Ändern des Verschlüsselungspasswortes zum Anmeldepasswort",
"Please check your passwords and try again." => "Bitte überprüfen sie Ihr Passwort und versuchen Sie es erneut.",
"Could not change your file encryption password to your login password" => "Ihr Verschlüsselungspasswort konnte nicht als Anmeldepasswort gesetzt werden.",
"Choose encryption mode:" => "Wählen Sie die Verschlüsselungsmethode:",
"Client side encryption (most secure but makes it impossible to access your data from the web interface)" => "Clientseitige Verschlüsselung (am sichersten, aber macht es unmöglich auf ihre Daten über das Webinterface zuzugreifen)",
"Server side encryption (allows you to access your files from the web interface and the desktop client)" => "Serverseitige Verschlüsselung (erlaubt es ihnen auf ihre Daten über das Webinterface und den Desktop-Client zuzugreifen)",
"None (no encryption at all)" => "Keine (ohne Verschlüsselung)",
"Important: Once you selected an encryption mode there is no way to change it back" => "Wichtig: Sobald sie eine Verschlüsselungsmethode gewählt haben, können Sie diese nicht ändern!",
"User specific (let the user decide)" => "Benutzerspezifisch (der Benutzer kann entscheiden)",
"Encryption" => "Verschlüsselung",
"Exclude the following file types from encryption" => "Die folgenden Dateitypen von der Verschlüsselung ausnehmen",

View File

@ -1,5 +1,7 @@
<?php $TRANSLATIONS = array(
"Please switch to your ownCloud client and change your encryption password to complete the conversion." => "Por favor, cambie su cliente de ownCloud y cambie su clave de cifrado para completar la conversión.",
"switched to client side encryption" => "Cambiar a encriptación en lado cliente",
"Change encryption password to login password" => "Cambie la clave de cifrado para ingresar su contraseña",
"Please check your passwords and try again." => "Por favor revise su contraseña e intentelo de nuevo.",
"Choose encryption mode:" => "Elegir el modo de encriptado:",
"Encryption" => "Cifrado",

View File

@ -1,4 +1,8 @@
<?php $TRANSLATIONS = array(
"Please check your passwords and try again." => "Mesedez egiaztatu zure pasahitza eta saia zaitez berriro:",
"Choose encryption mode:" => "Hautatu enkriptazio modua:",
"None (no encryption at all)" => "Bat ere ez (enkriptaziorik gabe)",
"User specific (let the user decide)" => "Erabiltzaileak zehaztuta (utzi erabiltzaileari hautatzen)",
"Encryption" => "Enkriptazioa",
"Exclude the following file types from encryption" => "Ez enkriptatu hurrengo fitxategi motak",
"None" => "Bat ere ez"

View File

@ -1,4 +1,15 @@
<?php $TRANSLATIONS = array(
"Please switch to your ownCloud client and change your encryption password to complete the conversion." => "Kérjük, hogy váltson át az ownCloud kliensére, és változtassa meg a titkosítási jelszót az átalakítás befejezéséhez.",
"switched to client side encryption" => "átváltva a kliens oldalai titkosításra",
"Change encryption password to login password" => "Titkosítási jelszó módosítása a bejelentkezési jelszóra",
"Please check your passwords and try again." => "Kérjük, ellenőrizze a jelszavait, és próbálja meg újra.",
"Could not change your file encryption password to your login password" => "Nem módosíthatja a fájltitkosítási jelszavát a bejelentkezési jelszavára",
"Choose encryption mode:" => "Válassza ki a titkosítási módot:",
"Client side encryption (most secure but makes it impossible to access your data from the web interface)" => "Kliens oldali titkosítás (biztonságosabb, de lehetetlenné teszi a fájlok elérését a böngészőből)",
"Server side encryption (allows you to access your files from the web interface and the desktop client)" => "Kiszolgáló oldali titkosítás (lehetővé teszi a fájlok elérését úgy böngészőből mint az asztali kliensből)",
"None (no encryption at all)" => "Semmi (semmilyen titkosítás)",
"Important: Once you selected an encryption mode there is no way to change it back" => "Fontos: Ha egyszer kiválasztotta a titkosítás módját, többé már nem lehet megváltoztatni",
"User specific (let the user decide)" => "Felhasználó specifikus (a felhasználó választhat)",
"Encryption" => "Titkosítás",
"Exclude the following file types from encryption" => "A következő fájltípusok kizárása a titkosításból",
"None" => "Egyik sem"

View File

@ -1,4 +1,15 @@
<?php $TRANSLATIONS = array(
"Please switch to your ownCloud client and change your encryption password to complete the conversion." => "Prosím, prejdite do svojho klienta ownCloud a zmente šifrovacie heslo na dokončenie konverzie.",
"switched to client side encryption" => "prepnuté na šifrovanie prostredníctvom klienta",
"Change encryption password to login password" => "Zmeniť šifrovacie heslo na prihlasovacie",
"Please check your passwords and try again." => "Skontrolujte si heslo a skúste to znovu.",
"Could not change your file encryption password to your login password" => "Nie je možné zmeniť šifrovacie heslo na prihlasovacie",
"Choose encryption mode:" => "Vyberte režim šifrovania:",
"Client side encryption (most secure but makes it impossible to access your data from the web interface)" => "Šifrovanie prostredníctvom klienta (najbezpečnejšia voľba, neumožňuje však prístup k súborom z webového rozhrania)",
"Server side encryption (allows you to access your files from the web interface and the desktop client)" => "Šifrovanie na serveri (umožňuje pristupovať k súborom z webového rozhrania a desktopového klienta)",
"None (no encryption at all)" => "Žiadne (žiadne šifrovanie)",
"Important: Once you selected an encryption mode there is no way to change it back" => "Dôležité: ak si zvolíte režim šifrovania, nie je možné ho znovu zrušiť",
"User specific (let the user decide)" => "Definovaný používateľom (umožňuje používateľovi vybrať si)",
"Encryption" => "Šifrovanie",
"Exclude the following file types from encryption" => "Vynechať nasledujúce súbory pri šifrovaní",
"None" => "Žiadne"

View File

@ -217,6 +217,7 @@ if ($linkItem) {
OCP\Util::addScript('files', 'fileactions');
$tmpl = new OCP\Template('files_sharing', 'public', 'base');
$tmpl->assign('uidOwner', $shareOwner);
$tmpl->assign('displayName', \OCP\User::getDisplayName($shareOwner));
$tmpl->assign('dir', $dir);
$tmpl->assign('filename', $file);
$tmpl->assign('mimetype', \OC\Files\Filesystem::getMimeType($path));

View File

@ -6,9 +6,9 @@
<a href="<?php echo link_to('', 'index.php'); ?>" title="" id="owncloud"><img class="svg" src="<?php echo image_path('', 'logo-wide.svg'); ?>" alt="ownCloud" /></a>
<div class="header-right">
<?php if (isset($_['folder'])): ?>
<span id="details"><?php echo $l->t('%s shared the folder %s with you', array($_['uidOwner'], $_['filename'])) ?></span>
<span id="details"><?php echo $l->t('%s shared the folder %s with you', array($_['displayName'], $_['filename'])) ?></span>
<?php else: ?>
<span id="details"><?php echo $l->t('%s shared the file %s with you', array($_['uidOwner'], $_['filename'])) ?></span>
<span id="details"><?php echo $l->t('%s shared the file %s with you', array($_['displayName'], $_['filename'])) ?></span>
<?php endif; ?>
<?php if (!isset($_['folder']) || $_['allowZipDownload']): ?>
<a href="<?php echo $_['downloadURL']; ?>" class="button" id="download"><img class="svg" alt="Download" src="<?php echo OCP\image_path("core", "actions/download.svg"); ?>" /><?php echo $l->t('Download')?></a>

View File

@ -1,8 +1,10 @@
<?php $TRANSLATIONS = array(
"<b>Warning:</b> Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behaviour. Please ask your system administrator to disable one of them." => "<b>Warnung:</b> Die Anwendungen user_ldap und user_webdavauth sind inkompatibel. Es kann demzufolge zu unerwarteten Verhalten kommen. Bitte Deinen Systemadministator eine der beiden Anwendungen zu deaktivieren.",
"<b>Warning:</b> The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." => "<b>Warnung:</b> Da das PHP-Modul für LDAP ist nicht installiert, das Backend wird nicht funktionieren. Bitten Sie Ihren Systemadministrator das Modul zu installieren.",
"Host" => "Host",
"You can omit the protocol, except you require SSL. Then start with ldaps://" => "Du kannst das Protokoll auslassen, außer wenn Du SSL benötigst. Beginne dann mit ldaps://",
"Base DN" => "Basis-DN",
"One Base DN per line" => "Ein Base DN pro Zeile",
"You can specify Base DN for users and groups in the Advanced tab" => "Du kannst Basis-DN für Benutzer und Gruppen in dem \"Erweitert\"-Reiter konfigurieren",
"User DN" => "Benutzer-DN",
"The DN of the client user with which the bind shall be done, e.g. uid=agent,dc=example,dc=com. For anonymous access, leave DN and Password empty." => "Der DN des Benutzers für LDAP-Bind, z.B.: uid=agent,dc=example,dc=com. Für anonymen Zugriff lasse DN und Passwort leer.",
@ -19,7 +21,9 @@
"without any placeholder, e.g. \"objectClass=posixGroup\"." => "ohne Platzhalter, z.B.: \"objectClass=posixGroup\"",
"Port" => "Port",
"Base User Tree" => "Basis-Benutzerbaum",
"One User Base DN per line" => "Ein Benutzer Base DN pro Zeile",
"Base Group Tree" => "Basis-Gruppenbaum",
"One Group Base DN per line" => "Ein Gruppen Base DN pro Zeile",
"Group-Member association" => "Assoziation zwischen Gruppe und Benutzer",
"Use TLS" => "Nutze TLS",
"Do not use it for SSL connections, it will fail." => "Verwende dies nicht für SSL-Verbindungen, es wird fehlschlagen.",

View File

@ -1,6 +1,6 @@
<?php $TRANSLATIONS = array(
"<b>Warning:</b> Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behaviour. Please ask your system administrator to disable one of them." => "<b>Warnung:</b> Die Anwendungen user_ldap und user_webdavauth sind inkompatibel. Es kann demzufolge zu unerwarteten Verhalten kommen. Bitten Sie Ihren Systemadministator eine der beiden Anwendungen zu deaktivieren.",
"<b>Warning:</b> The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." => "<b>Warnung:</b> Da das PHP-Modul für LDAP nicht installiert ist, wird das Backend nicht funktionieren. Bitten Sie Ihren Systemadministrator das Modul zu installieren.",
"<b>Warning:</b> The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." => "<b>Warnung:</b> Da das PHP-Modul für LDAP ist nicht installiert, das Backend wird nicht funktionieren. Bitten Sie Ihren Systemadministrator das Modul zu installieren.",
"Host" => "Host",
"You can omit the protocol, except you require SSL. Then start with ldaps://" => "Sie können das Protokoll auslassen, außer wenn Sie SSL benötigen. Beginnen Sie dann mit ldaps://",
"Base DN" => "Basis-DN",

View File

@ -1,8 +1,10 @@
<?php $TRANSLATIONS = array(
"<b>Warning:</b> Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behaviour. Please ask your system administrator to disable one of them." => "<b>Предупреждение:</b> Приложения user_ldap и user_webdavauth несовместимы. Вы можете столкнуться с неожиданным поведением системы. Пожалуйста, обратитесь к системному администратору для отключения одного из них.",
"<b>Warning:</b> The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." => "<b>Предупреждение:</b> Модуль PHP LDAP не установлен, бэкэнд не будет работать. Пожалуйста, обратитесь к Вашему системному администратору, чтобы установить его.",
"Host" => "Хост",
"You can omit the protocol, except you require SSL. Then start with ldaps://" => "Вы можете пропустить протокол, если Вам не требуется SSL. Затем начните с ldaps://",
"Base DN" => "База DN",
"One Base DN per line" => "Одно базовое DN на линию",
"You can specify Base DN for users and groups in the Advanced tab" => "Вы можете задать Base DN для пользователей и групп во вкладке «Дополнительно»",
"User DN" => "DN пользователя",
"The DN of the client user with which the bind shall be done, e.g. uid=agent,dc=example,dc=com. For anonymous access, leave DN and Password empty." => "DN клиентского пользователя, с которого должна осуществляться привязка, например, uid=agent,dc=example,dc=com. Для анонимного доступа оставьте поля DN и Пароль пустыми.",
@ -19,7 +21,9 @@
"without any placeholder, e.g. \"objectClass=posixGroup\"." => "без каких-либо заполнителей, например, \"objectClass=posixGroup\".",
"Port" => "Порт",
"Base User Tree" => "Базовое дерево пользователей",
"One User Base DN per line" => "Одно пользовательское базовое DN на линию",
"Base Group Tree" => "Базовое дерево групп",
"One Group Base DN per line" => "Одно групповое базовое DN на линию",
"Group-Member association" => "Связь член-группа",
"Use TLS" => "Использовать TLS",
"Do not use it for SSL connections, it will fail." => "Не используйте это SSL-соединений, это не будет выполнено.",

View File

@ -156,6 +156,7 @@ class USER_LDAP extends lib\Access implements \OCP\UserInterface {
}
$this->connection->writeToCache('userExists'.$uid, true);
$this->updateQuota($dn);
return true;
}
@ -208,6 +209,50 @@ class USER_LDAP extends lib\Access implements \OCP\UserInterface {
return false;
}
/**
* @brief get display name of the user
* @param $uid user ID of the user
* @return display name
*/
public function getDisplayName($uid) {
$cacheKey = 'getDisplayName'.$uid;
if(!is_null($displayName = $this->connection->getFromCache($cacheKey))) {
return $displayName;
}
$displayName = $this->readAttribute(
$this->username2dn($uid),
$this->connection->ldapUserDisplayName);
if($displayName && (count($displayName) > 0)) {
$this->connection->writeToCache($cacheKey, $displayName);
return $displayName[0];
}
return null;
}
/**
* @brief Get a list of all display names
* @returns array with all displayNames (value) and the correspondig uids (key)
*
* Get a list of all display names and user ids.
*/
public function getDisplayNames($search = '', $limit = null, $offset = null) {
$cacheKey = 'getDisplayNames-'.$search.'-'.$limit.'-'.$offset;
if(!is_null($displayNames = $this->connection->getFromCache($cacheKey))) {
return $displayNames;
}
$displayNames = array();
$users = $this->getUsers($search, $limit, $offset);
foreach ($users as $user) {
$displayNames[$user] = $this->getDisplayName($user);
}
$this->connection->writeToCache($cacheKey, $displayNames);
return $displayNames;
}
/**
* @brief Check if backend implements actions
* @param $actions bitwise-or'ed actions

View File

@ -1,3 +1,5 @@
<?php $TRANSLATIONS = array(
"URL: http://" => "URL: http://"
"WebDAV Authentication" => "WebDAV-godkendelse",
"URL: http://" => "URL: http://",
"ownCloud will send the user credentials to this URL. This plugin checks the response and will interpret the HTTP statuscodes 401 and 403 as invalid credentials, and all other responses as valid credentials." => "ownCloud vil sende brugerens oplysninger til denne URL. Plugin'et registrerer responsen og fortolker HTTP-statuskoder 401 og 403 som ugyldige oplysninger, men alle andre besvarelser som gyldige oplysninger."
);

View File

@ -1,3 +1,5 @@
<?php $TRANSLATIONS = array(
"URL: http://" => "URL: http://"
"WebDAV Authentication" => "WebDAV hitelesítés",
"URL: http://" => "URL: http://",
"ownCloud will send the user credentials to this URL. This plugin checks the response and will interpret the HTTP statuscodes 401 and 403 as invalid credentials, and all other responses as valid credentials." => "Az ownCloud elküldi a felhasználói fiók adatai a következő URL-re. Ez a bővítőmodul leellenőrzi a választ és ha a HTTP hibakód nem 401 vagy 403 azaz érvénytelen hitelesítő, akkor minden más válasz érvényes lesz."
);

View File

@ -1,4 +1,5 @@
<?php $TRANSLATIONS = array(
"WebDAV Authentication" => "WebDAV overenie",
"URL: http://" => "URL: http://"
"URL: http://" => "URL: http://",
"ownCloud will send the user credentials to this URL. This plugin checks the response and will interpret the HTTP statuscodes 401 and 403 as invalid credentials, and all other responses as valid credentials." => "ownCloud odošle používateľské údajena zadanú URL. Plugin skontroluje odpoveď a považuje návratovou hodnotu HTTP 401 a 403 za neplatné údaje a všetky ostatné hodnoty ako platné prihlasovacie údaje."
);

View File

@ -72,6 +72,7 @@ if (isset($_POST['action']) && isset($_POST['itemType']) && isset($_POST['itemSo
case 'email':
// read post variables
$user = OCP\USER::getUser();
$displayName = OCP\User::getDisplayName();
$type = $_POST['itemType'];
$link = $_POST['link'];
$file = $_POST['file'];
@ -81,13 +82,13 @@ if (isset($_POST['action']) && isset($_POST['itemType']) && isset($_POST['itemSo
$l = OC_L10N::get('core');
// setup the email
$subject = (string)$l->t('User %s shared a file with you', $user);
$subject = (string)$l->t('User %s shared a file with you', $displayName);
if ($type === 'dir')
$subject = (string)$l->t('User %s shared a folder with you', $user);
$subject = (string)$l->t('User %s shared a folder with you', $displayName);
$text = (string)$l->t('User %s shared the file "%s" with you. It is available for download here: %s', array($user, $file, $link));
$text = (string)$l->t('User %s shared the file "%s" with you. It is available for download here: %s', array($displayName, $file, $link));
if ($type === 'dir')
$text = (string)$l->t('User %s shared the folder "%s" with you. It is available for download here: %s', array($user, $file, $link));
$text = (string)$l->t('User %s shared the folder "%s" with you. It is available for download here: %s', array($displayName, $file, $link));
$default_from = OCP\Util::getDefaultEmailAddress('sharing-noreply');
@ -158,14 +159,14 @@ if (isset($_POST['action']) && isset($_POST['itemType']) && isset($_POST['itemSo
while ($count < 4 && count($users) == $limit) {
$limit = 4 - $count;
if ($sharePolicy == 'groups_only') {
$users = OC_Group::usersInGroups($groups, $_GET['search'], $limit, $offset);
$users = OC_Group::DisplayNamesInGroups($groups, $_GET['search'], $limit, $offset);
} else {
$users = OC_User::getUsers($_GET['search'], $limit, $offset);
$users = OC_User::getDisplayNames($_GET['search'], $limit, $offset);
}
$offset += $limit;
foreach ($users as $user) {
if ((!isset($_GET['itemShares']) || !is_array($_GET['itemShares'][OCP\Share::SHARE_TYPE_USER]) || !in_array($user, $_GET['itemShares'][OCP\Share::SHARE_TYPE_USER])) && $user != OC_User::getUser()) {
$shareWith[] = array('label' => $user, 'value' => array('shareType' => OCP\Share::SHARE_TYPE_USER, 'shareWith' => $user));
foreach ($users as $uid => $displayName) {
if ((!isset($_GET['itemShares']) || !is_array($_GET['itemShares'][OCP\Share::SHARE_TYPE_USER]) || !in_array($uid, $_GET['itemShares'][OCP\Share::SHARE_TYPE_USER])) && $uid != OC_User::getUser()) {
$shareWith[] = array('label' => $displayName, 'value' => array('shareType' => OCP\Share::SHARE_TYPE_USER, 'shareWith' => $uid));
$count++;
}
}

View File

@ -195,8 +195,8 @@ fieldset.warning legend { color:#b94a48 !important; }
#notification { z-index:101; background-color:#fc4; border:0; padding:0 .7em .3em; display:none; position: relative; top:0; -moz-border-radius-bottomleft:1em; -webkit-border-bottom-left-radius:1em; border-bottom-left-radius:1em; -moz-border-radius-bottomright:1em; -webkit-border-bottom-right-radius:1em; border-bottom-right-radius:1em; }
#notification span { cursor:pointer; font-weight:bold; margin-left:1em; }
tr .action, .selectedActions a { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)"; filter:alpha(opacity=0); opacity:0; }
tr:hover .action, .selectedActions a { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=50)"; filter:alpha(opacity=50); opacity:.5; }
tr .action:not(.permanent), .selectedActions a { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)"; filter:alpha(opacity=0); opacity:0; }
tr:hover .action, tr .action.permanent, .selectedActions a { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=50)"; filter:alpha(opacity=50); opacity:.5; }
tr .action { width:16px; height:16px; }
.header-action { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=80)"; filter:alpha(opacity=80); opacity:.8; }
tr:hover .action:hover, .selectedActions a:hover, .header-action:hover { -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; filter:alpha(opacity=100); opacity:1; }

View File

@ -23,7 +23,10 @@ OC.Share={
} else {
var file = $('tr').filterAttr('data-file', OC.basename(item));
if (file.length > 0) {
$(file).find('.fileactions .action').filterAttr('data-action', 'Share').find('img').attr('src', image);
var action = $(file).find('.fileactions .action').filterAttr('data-action', 'Share');
action.find('img').attr('src', image);
action.addClass('permanent');
action.html(action.html().replace(t('core', 'Share'), t('core', 'Shared')));
}
var dir = $('#dir').val();
if (dir.length > 1) {
@ -32,9 +35,12 @@ OC.Share={
// Search for possible parent folders that are shared
while (path != last) {
if (path == item) {
var img = $('.fileactions .action').filterAttr('data-action', 'Share').find('img');
var action = $('.fileactions .action').filterAttr('data-action', 'Share');
var img = action.find('img');
if (img.attr('src') != OC.imagePath('core', 'actions/public')) {
img.attr('src', image);
action.addClass('permanent');
action.html(action.html().replace(t('core', 'Share'), t('core', 'Shared')));
}
}
last = path;
@ -48,7 +54,8 @@ OC.Share={
},
updateIcon:function(itemType, itemSource) {
if (itemType == 'file' || itemType == 'folder') {
var filename = $('tr').filterAttr('data-id', String(itemSource)).data('file');
var file = $('tr').filterAttr('data-id', String(itemSource));
var filename = file.data('file');
if ($('#dir').val() == '/') {
itemSource = $('#dir').val() + filename;
} else {
@ -75,6 +82,16 @@ OC.Share={
});
if (itemType != 'file' && itemType != 'folder') {
$('a.share[data-item="'+itemSource+'"]').css('background', 'url('+image+') no-repeat center');
} else {
var action = $(file).find('.fileactions .action').filterAttr('data-action', 'Share');
action.find('img').attr('src', image);
if (shares) {
action.addClass('permanent');
action.html(action.html().replace(t('core', 'Share'), t('core', 'Shared')));
} else {
action.removeClass('permanent');
action.html(action.html().replace(t('core', 'Shared'), t('core', 'Share')));
}
}
if (shares) {
OC.Share.statuses[itemSource] = link;
@ -148,9 +165,9 @@ OC.Share={
var html = '<div id="dropdown" class="drop" data-item-type="'+itemType+'" data-item-source="'+itemSource+'">';
if (data !== false && data.reshare !== false && data.reshare.uid_owner !== undefined) {
if (data.reshare.share_type == OC.Share.SHARE_TYPE_GROUP) {
html += '<span class="reshare">'+t('core', 'Shared with you and the group {group} by {owner}', {group: data.reshare.share_with, owner: data.reshare.uid_owner})+'</span>';
html += '<span class="reshare">'+t('core', 'Shared with you and the group {group} by {owner}', {group: data.reshare.share_with, owner: data.reshare.displayname_owner})+'</span>';
} else {
html += '<span class="reshare">'+t('core', 'Shared with you by {owner}', {owner: data.reshare.uid_owner})+'</span>';
html += '<span class="reshare">'+t('core', 'Shared with you by {owner}', {owner: data.reshare.displayname_owner})+'</span>';
}
html += '<br />';
}
@ -186,9 +203,9 @@ OC.Share={
OC.Share.showLink(share.token, share.share_with, itemSource);
} else {
if (share.collection) {
OC.Share.addShareWith(share.share_type, share.share_with, share.permissions, possiblePermissions, share.collection);
OC.Share.addShareWith(share.share_type, share.share_with, share.share_with_displayname, share.permissions, possiblePermissions, share.collection);
} else {
OC.Share.addShareWith(share.share_type, share.share_with, share.permissions, possiblePermissions, false);
OC.Share.addShareWith(share.share_type, share.share_with, share.share_with_displayname, share.permissions, possiblePermissions, false);
}
}
if (share.expiration != null) {
@ -228,7 +245,7 @@ OC.Share={
// Default permissions are Read and Share
var permissions = OC.PERMISSION_READ | OC.PERMISSION_SHARE;
OC.Share.share(itemType, itemSource, shareType, shareWith, permissions, function() {
OC.Share.addShareWith(shareType, shareWith, permissions, possiblePermissions);
OC.Share.addShareWith(shareType, shareWith, selected.item.label, permissions, possiblePermissions);
$('#shareWith').val('');
OC.Share.updateIcon(itemType, itemSource);
});
@ -257,7 +274,7 @@ OC.Share={
}
});
},
addShareWith:function(shareType, shareWith, permissions, possiblePermissions, collection) {
addShareWith:function(shareType, shareWith, shareWithDisplayName, permissions, possiblePermissions, collection) {
if (!OC.Share.itemShares[shareType]) {
OC.Share.itemShares[shareType] = [];
}
@ -272,7 +289,7 @@ OC.Share={
if (collectionList.length > 0) {
$(collectionList).append(', '+shareWith);
} else {
var html = '<li style="clear: both;" data-collection="'+item+'">'+t('core', 'Shared in {item} with {user}', {'item': item, user: shareWith})+'</li>';
var html = '<li style="clear: both;" data-collection="'+item+'">'+t('core', 'Shared in {item} with {user}', {'item': item, user: shareWithDisplayName})+'</li>';
$('#shareWithList').prepend(html);
}
} else {
@ -295,9 +312,9 @@ OC.Share={
var html = '<li style="clear: both;" data-share-type="'+shareType+'" data-share-with="'+shareWith+'" title="' + shareWith + '">';
html += '<a href="#" class="unshare" style="display:none;"><img class="svg" alt="'+t('core', 'Unshare')+'" src="'+OC.imagePath('core', 'actions/delete')+'"/></a>';
if(shareWith.length > 14){
html += shareWith.substr(0,11) + '...';
html += shareWithDisplayName.substr(0,11) + '...';
}else{
html += shareWith;
html += shareWithDisplayName;
}
if (possiblePermissions & OC.PERMISSION_CREATE || possiblePermissions & OC.PERMISSION_UPDATE || possiblePermissions & OC.PERMISSION_DELETE) {
if (editChecked == '') {

View File

@ -2,6 +2,25 @@
"No category to add?" => "ألا توجد فئة للإضافة؟",
"This category already exists: " => "هذه الفئة موجودة مسبقاً",
"No categories selected for deletion." => "لم يتم اختيار فئة للحذف",
"Sunday" => "الاحد",
"Monday" => "الأثنين",
"Tuesday" => "الثلاثاء",
"Wednesday" => "الاربعاء",
"Thursday" => "الخميس",
"Friday" => "الجمعه",
"Saturday" => "السبت",
"January" => "كانون الثاني",
"February" => "شباط",
"March" => "آذار",
"April" => "نيسان",
"May" => "أيار",
"June" => "حزيران",
"July" => "تموز",
"August" => "آب",
"September" => "أيلول",
"October" => "تشرين الاول",
"November" => "تشرين الثاني",
"December" => "كانون الاول",
"Settings" => "تعديلات",
"seconds ago" => "منذ ثواني",
"1 minute ago" => "منذ دقيقة",
@ -71,25 +90,6 @@
"Database tablespace" => "مساحة جدول قاعدة البيانات",
"Database host" => "خادم قاعدة البيانات",
"Finish setup" => "انهاء التعديلات",
"Sunday" => "الاحد",
"Monday" => "الأثنين",
"Tuesday" => "الثلاثاء",
"Wednesday" => "الاربعاء",
"Thursday" => "الخميس",
"Friday" => "الجمعه",
"Saturday" => "السبت",
"January" => "كانون الثاني",
"February" => "شباط",
"March" => "آذار",
"April" => "نيسان",
"May" => "أيار",
"June" => "حزيران",
"July" => "تموز",
"August" => "آب",
"September" => "أيلول",
"October" => "تشرين الاول",
"November" => "تشرين الثاني",
"December" => "كانون الاول",
"web services under your control" => "خدمات الوب تحت تصرفك",
"Log out" => "الخروج",
"Automatic logon rejected!" => "تم رفض تسجيل الدخول التلقائي!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "প্রিয়তে %s যোগ করতে সমস্যা দেখা দিয়েছে।",
"No categories selected for deletion." => "মুছে ফেলার জন্য কোন ক্যাটেগরি নির্বাচন করা হয় নি ।",
"Error removing %s from favorites." => "প্রিয় থেকে %s সরিয়ে ফেলতে সমস্যা দেখা দিয়েছে।",
"Sunday" => "রবিবার",
"Monday" => "সোমবার",
"Tuesday" => "মঙ্গলবার",
"Wednesday" => "বুধবার",
"Thursday" => "বৃহষ্পতিবার",
"Friday" => "শুক্রবার",
"Saturday" => "শনিবার",
"January" => "জানুয়ারি",
"February" => "ফেব্রুয়ারি",
"March" => "মার্চ",
"April" => "এপ্রিল",
"May" => "মে",
"June" => "জুন",
"July" => "জুলাই",
"August" => "অগাষ্ট",
"September" => "সেপ্টেম্বর",
"October" => "অক্টোবর",
"November" => "নভেম্বর",
"December" => "ডিসেম্বর",
"Settings" => "নিয়ামকসমূহ",
"seconds ago" => "সেকেন্ড পূর্বে",
"1 minute ago" => "1 মিনিট পূর্বে",
@ -95,25 +114,6 @@
"Database tablespace" => "ডাটাবেজ টেবলস্পেস",
"Database host" => "ডাটাবেজ হোস্ট",
"Finish setup" => "সেটআপ সুসম্পন্ন কর",
"Sunday" => "রবিবার",
"Monday" => "সোমবার",
"Tuesday" => "মঙ্গলবার",
"Wednesday" => "বুধবার",
"Thursday" => "বৃহষ্পতিবার",
"Friday" => "শুক্রবার",
"Saturday" => "শনিবার",
"January" => "জানুয়ারি",
"February" => "ফেব্রুয়ারি",
"March" => "মার্চ",
"April" => "এপ্রিল",
"May" => "মে",
"June" => "জুন",
"July" => "জুলাই",
"August" => "অগাষ্ট",
"September" => "সেপ্টেম্বর",
"October" => "অক্টোবর",
"November" => "নভেম্বর",
"December" => "ডিসেম্বর",
"web services under your control" => "ওয়েব সার্ভিসের নিয়ন্ত্রণ আপনার হাতের মুঠোয়",
"Log out" => "প্রস্থান",
"Lost your password?" => "কূটশব্দ হারিয়েছেন?",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Error en afegir %s als preferits.",
"No categories selected for deletion." => "No hi ha categories per eliminar.",
"Error removing %s from favorites." => "Error en eliminar %s dels preferits.",
"Sunday" => "Diumenge",
"Monday" => "Dilluns",
"Tuesday" => "Dimarts",
"Wednesday" => "Dimecres",
"Thursday" => "Dijous",
"Friday" => "Divendres",
"Saturday" => "Dissabte",
"January" => "Gener",
"February" => "Febrer",
"March" => "Març",
"April" => "Abril",
"May" => "Maig",
"June" => "Juny",
"July" => "Juliol",
"August" => "Agost",
"September" => "Setembre",
"October" => "Octubre",
"November" => "Novembre",
"December" => "Desembre",
"Settings" => "Arranjament",
"seconds ago" => "segons enrere",
"1 minute ago" => "fa 1 minut",
@ -63,6 +82,8 @@
"Error setting expiration date" => "Error en establir la data d'expiració",
"Sending ..." => "Enviant...",
"Email sent" => "El correu electrónic s'ha enviat",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "L'actualització ha estat incorrecte. Comuniqueu aquest error a <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">la comunitat ownCloud</a>.",
"The update was successful. Redirecting you to ownCloud now." => "L'actualització ha estat correcte. Ara sou redireccionat a ownCloud.",
"ownCloud password reset" => "estableix de nou la contrasenya Owncloud",
"Use the following link to reset your password: {link}" => "Useu l'enllaç següent per restablir la contrasenya: {link}",
"You will receive a link to reset your password via Email." => "Rebreu un enllaç al correu electrònic per reiniciar la contrasenya.",
@ -98,25 +119,6 @@
"Database tablespace" => "Espai de taula de la base de dades",
"Database host" => "Ordinador central de la base de dades",
"Finish setup" => "Acaba la configuració",
"Sunday" => "Diumenge",
"Monday" => "Dilluns",
"Tuesday" => "Dimarts",
"Wednesday" => "Dimecres",
"Thursday" => "Dijous",
"Friday" => "Divendres",
"Saturday" => "Dissabte",
"January" => "Gener",
"February" => "Febrer",
"March" => "Març",
"April" => "Abril",
"May" => "Maig",
"June" => "Juny",
"July" => "Juliol",
"August" => "Agost",
"September" => "Setembre",
"October" => "Octubre",
"November" => "Novembre",
"December" => "Desembre",
"web services under your control" => "controleu els vostres serveis web",
"Log out" => "Surt",
"Automatic logon rejected!" => "L'ha rebutjat l'acceditació automàtica!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Chyba při přidávání %s k oblíbeným.",
"No categories selected for deletion." => "Žádné kategorie nebyly vybrány ke smazání.",
"Error removing %s from favorites." => "Chyba při odebírání %s z oblíbených.",
"Sunday" => "Neděle",
"Monday" => "Pondělí",
"Tuesday" => "Úterý",
"Wednesday" => "Středa",
"Thursday" => "Čtvrtek",
"Friday" => "Pátek",
"Saturday" => "Sobota",
"January" => "Leden",
"February" => "Únor",
"March" => "Březen",
"April" => "Duben",
"May" => "Květen",
"June" => "Červen",
"July" => "Červenec",
"August" => "Srpen",
"September" => "Září",
"October" => "Říjen",
"November" => "Listopad",
"December" => "Prosinec",
"Settings" => "Nastavení",
"seconds ago" => "před pár vteřinami",
"1 minute ago" => "před minutou",
@ -63,6 +82,8 @@
"Error setting expiration date" => "Chyba při nastavení data vypršení platnosti",
"Sending ..." => "Odesílám...",
"Email sent" => "E-mail odeslán",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Aktualizace neproběhla úspěšně. Nahlaste prosím problém do <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">evidence chyb ownCloud</a>",
"The update was successful. Redirecting you to ownCloud now." => "Aktualizace byla úspěšná. Přesměrovávám na ownCloud.",
"ownCloud password reset" => "Obnovení hesla pro ownCloud",
"Use the following link to reset your password: {link}" => "Heslo obnovíte použitím následujícího odkazu: {link}",
"You will receive a link to reset your password via Email." => "Bude Vám e-mailem zaslán odkaz pro obnovu hesla.",
@ -98,25 +119,6 @@
"Database tablespace" => "Tabulkový prostor databáze",
"Database host" => "Hostitel databáze",
"Finish setup" => "Dokončit nastavení",
"Sunday" => "Neděle",
"Monday" => "Pondělí",
"Tuesday" => "Úterý",
"Wednesday" => "Středa",
"Thursday" => "Čtvrtek",
"Friday" => "Pátek",
"Saturday" => "Sobota",
"January" => "Leden",
"February" => "Únor",
"March" => "Březen",
"April" => "Duben",
"May" => "Květen",
"June" => "Červen",
"July" => "Červenec",
"August" => "Srpen",
"September" => "Září",
"October" => "Říjen",
"November" => "Listopad",
"December" => "Prosinec",
"web services under your control" => "webové služby pod Vaší kontrolou",
"Log out" => "Odhlásit se",
"Automatic logon rejected!" => "Automatické přihlášení odmítnuto.",

View File

@ -82,6 +82,8 @@
"Error setting expiration date" => "Fejl under sætning af udløbsdato",
"Sending ..." => "Sender ...",
"Email sent" => "E-mail afsendt",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Opdateringen blev ikke udført korrekt. Rapporter venligst problemet til <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownClouds community</a>.",
"The update was successful. Redirecting you to ownCloud now." => "Opdateringen blev udført korrekt. Du bliver nu viderestillet til ownCloud.",
"ownCloud password reset" => "Nulstil ownCloud kodeord",
"Use the following link to reset your password: {link}" => "Anvend følgende link til at nulstille din adgangskode: {link}",
"You will receive a link to reset your password via Email." => "Du vil modtage et link til at nulstille dit kodeord via email.",

View File

@ -82,6 +82,8 @@
"Error setting expiration date" => "Fehler beim Setzen des Ablaufdatums",
"Sending ..." => "Sende ...",
"Email sent" => "E-Mail wurde verschickt",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud Gemeinschaft</a>.",
"The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet.",
"ownCloud password reset" => "ownCloud-Passwort zurücksetzen",
"Use the following link to reset your password: {link}" => "Nutze den nachfolgenden Link, um Dein Passwort zurückzusetzen: {link}",
"You will receive a link to reset your password via Email." => "Du erhältst einen Link per E-Mail, um Dein Passwort zurückzusetzen.",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Fehler beim Hinzufügen von %s zu den Favoriten.",
"No categories selected for deletion." => "Es wurden keine Kategorien zum Löschen ausgewählt.",
"Error removing %s from favorites." => "Fehler beim Entfernen von %s von den Favoriten.",
"Sunday" => "Sonntag",
"Monday" => "Montag",
"Tuesday" => "Dienstag",
"Wednesday" => "Mittwoch",
"Thursday" => "Donnerstag",
"Friday" => "Freitag",
"Saturday" => "Samstag",
"January" => "Januar",
"February" => "Februar",
"March" => "März",
"April" => "April",
"May" => "Mai",
"June" => "Juni",
"July" => "Juli",
"August" => "August",
"September" => "September",
"October" => "Oktober",
"November" => "November",
"December" => "Dezember",
"Settings" => "Einstellungen",
"seconds ago" => "Gerade eben",
"1 minute ago" => "Vor 1 Minute",
@ -63,6 +82,8 @@
"Error setting expiration date" => "Fehler beim Setzen des Ablaufdatums",
"Sending ..." => "Sende ...",
"Email sent" => "Email gesendet",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud Gemeinschaft</a>.",
"The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet.",
"ownCloud password reset" => "ownCloud-Passwort zurücksetzen",
"Use the following link to reset your password: {link}" => "Nutzen Sie den nachfolgenden Link, um Ihr Passwort zurückzusetzen: {link}",
"You will receive a link to reset your password via Email." => "Sie erhalten einen Link per E-Mail, um Ihr Passwort zurückzusetzen.",
@ -98,25 +119,6 @@
"Database tablespace" => "Datenbank-Tablespace",
"Database host" => "Datenbank-Host",
"Finish setup" => "Installation abschließen",
"Sunday" => "Sonntag",
"Monday" => "Montag",
"Tuesday" => "Dienstag",
"Wednesday" => "Mittwoch",
"Thursday" => "Donnerstag",
"Friday" => "Freitag",
"Saturday" => "Samstag",
"January" => "Januar",
"February" => "Februar",
"March" => "März",
"April" => "April",
"May" => "Mai",
"June" => "Juni",
"July" => "Juli",
"August" => "August",
"September" => "September",
"October" => "Oktober",
"November" => "November",
"December" => "Dezember",
"web services under your control" => "Web-Services unter Ihrer Kontrolle",
"Log out" => "Abmelden",
"Automatic logon rejected!" => "Automatische Anmeldung verweigert.",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Σφάλμα προσθήκης %s στα αγαπημένα.",
"No categories selected for deletion." => "Δεν επιλέχτηκαν κατηγορίες για διαγραφή.",
"Error removing %s from favorites." => "Σφάλμα αφαίρεσης %s από τα αγαπημένα.",
"Sunday" => "Κυριακή",
"Monday" => "Δευτέρα",
"Tuesday" => "Τρίτη",
"Wednesday" => "Τετάρτη",
"Thursday" => "Πέμπτη",
"Friday" => "Παρασκευή",
"Saturday" => "Σάββατο",
"January" => "Ιανουάριος",
"February" => "Φεβρουάριος",
"March" => "Μάρτιος",
"April" => "Απρίλιος",
"May" => "Μάϊος",
"June" => "Ιούνιος",
"July" => "Ιούλιος",
"August" => "Αύγουστος",
"September" => "Σεπτέμβριος",
"October" => "Οκτώβριος",
"November" => "Νοέμβριος",
"December" => "Δεκέμβριος",
"Settings" => "Ρυθμίσεις",
"seconds ago" => "δευτερόλεπτα πριν",
"1 minute ago" => "1 λεπτό πριν",
@ -98,25 +117,6 @@
"Database tablespace" => "Κενά Πινάκων Βάσης Δεδομένων",
"Database host" => "Διακομιστής βάσης δεδομένων",
"Finish setup" => "Ολοκλήρωση εγκατάστασης",
"Sunday" => "Κυριακή",
"Monday" => "Δευτέρα",
"Tuesday" => "Τρίτη",
"Wednesday" => "Τετάρτη",
"Thursday" => "Πέμπτη",
"Friday" => "Παρασκευή",
"Saturday" => "Σάββατο",
"January" => "Ιανουάριος",
"February" => "Φεβρουάριος",
"March" => "Μάρτιος",
"April" => "Απρίλιος",
"May" => "Μάϊος",
"June" => "Ιούνιος",
"July" => "Ιούλιος",
"August" => "Αύγουστος",
"September" => "Σεπτέμβριος",
"October" => "Οκτώβριος",
"November" => "Νοέμβριος",
"December" => "Δεκέμβριος",
"web services under your control" => "Υπηρεσίες web υπό τον έλεγχό σας",
"Log out" => "Αποσύνδεση",
"Automatic logon rejected!" => "Απορρίφθηκε η αυτόματη σύνδεση!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Eraro dum aldono de %s al favoratoj.",
"No categories selected for deletion." => "Neniu kategorio elektiĝis por forigo.",
"Error removing %s from favorites." => "Eraro dum forigo de %s el favoratoj.",
"Sunday" => "dimanĉo",
"Monday" => "lundo",
"Tuesday" => "mardo",
"Wednesday" => "merkredo",
"Thursday" => "ĵaŭdo",
"Friday" => "vendredo",
"Saturday" => "sabato",
"January" => "Januaro",
"February" => "Februaro",
"March" => "Marto",
"April" => "Aprilo",
"May" => "Majo",
"June" => "Junio",
"July" => "Julio",
"August" => "Aŭgusto",
"September" => "Septembro",
"October" => "Oktobro",
"November" => "Novembro",
"December" => "Decembro",
"Settings" => "Agordo",
"seconds ago" => "sekundoj antaŭe",
"1 minute ago" => "antaŭ 1 minuto",
@ -95,25 +114,6 @@
"Database tablespace" => "Datumbaza tabelospaco",
"Database host" => "Datumbaza gastigo",
"Finish setup" => "Fini la instalon",
"Sunday" => "dimanĉo",
"Monday" => "lundo",
"Tuesday" => "mardo",
"Wednesday" => "merkredo",
"Thursday" => "ĵaŭdo",
"Friday" => "vendredo",
"Saturday" => "sabato",
"January" => "Januaro",
"February" => "Februaro",
"March" => "Marto",
"April" => "Aprilo",
"May" => "Majo",
"June" => "Junio",
"July" => "Julio",
"August" => "Aŭgusto",
"September" => "Septembro",
"October" => "Oktobro",
"November" => "Novembro",
"December" => "Decembro",
"web services under your control" => "TTT-servoj sub via kontrolo",
"Log out" => "Elsaluti",
"If you did not change your password recently, your account may be compromised!" => "Se vi ne ŝanĝis vian pasvorton lastatempe, via konto eble kompromitas!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Error añadiendo %s a los favoritos.",
"No categories selected for deletion." => "No hay categorías seleccionadas para borrar.",
"Error removing %s from favorites." => "Error eliminando %s de los favoritos.",
"Sunday" => "Domingo",
"Monday" => "Lunes",
"Tuesday" => "Martes",
"Wednesday" => "Miércoles",
"Thursday" => "Jueves",
"Friday" => "Viernes",
"Saturday" => "Sábado",
"January" => "Enero",
"February" => "Febrero",
"March" => "Marzo",
"April" => "Abril",
"May" => "Mayo",
"June" => "Junio",
"July" => "Julio",
"August" => "Agosto",
"September" => "Septiembre",
"October" => "Octubre",
"November" => "Noviembre",
"December" => "Diciembre",
"Settings" => "Ajustes",
"seconds ago" => "hace segundos",
"1 minute ago" => "hace 1 minuto",
@ -98,25 +117,6 @@
"Database tablespace" => "Espacio de tablas de la base de datos",
"Database host" => "Host de la base de datos",
"Finish setup" => "Completar la instalación",
"Sunday" => "Domingo",
"Monday" => "Lunes",
"Tuesday" => "Martes",
"Wednesday" => "Miércoles",
"Thursday" => "Jueves",
"Friday" => "Viernes",
"Saturday" => "Sábado",
"January" => "Enero",
"February" => "Febrero",
"March" => "Marzo",
"April" => "Abril",
"May" => "Mayo",
"June" => "Junio",
"July" => "Julio",
"August" => "Agosto",
"September" => "Septiembre",
"October" => "Octubre",
"November" => "Noviembre",
"December" => "Diciembre",
"web services under your control" => "servicios web bajo tu control",
"Log out" => "Salir",
"Automatic logon rejected!" => "¡Inicio de sesión automático rechazado!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Error al agregar %s a favoritos. ",
"No categories selected for deletion." => "No hay categorías seleccionadas para borrar.",
"Error removing %s from favorites." => "Error al remover %s de favoritos. ",
"Sunday" => "Domingo",
"Monday" => "Lunes",
"Tuesday" => "Martes",
"Wednesday" => "Miércoles",
"Thursday" => "Jueves",
"Friday" => "Viernes",
"Saturday" => "Sábado",
"January" => "Enero",
"February" => "Febrero",
"March" => "Marzo",
"April" => "Abril",
"May" => "Mayo",
"June" => "Junio",
"July" => "Julio",
"August" => "Agosto",
"September" => "Septiembre",
"October" => "Octubre",
"November" => "Noviembre",
"December" => "Diciembre",
"Settings" => "Ajustes",
"seconds ago" => "segundos atrás",
"1 minute ago" => "hace 1 minuto",
@ -98,25 +117,6 @@
"Database tablespace" => "Espacio de tablas de la base de datos",
"Database host" => "Host de la base de datos",
"Finish setup" => "Completar la instalación",
"Sunday" => "Domingo",
"Monday" => "Lunes",
"Tuesday" => "Martes",
"Wednesday" => "Miércoles",
"Thursday" => "Jueves",
"Friday" => "Viernes",
"Saturday" => "Sábado",
"January" => "Enero",
"February" => "Febrero",
"March" => "Marzo",
"April" => "Abril",
"May" => "Mayo",
"June" => "Junio",
"July" => "Julio",
"August" => "Agosto",
"September" => "Septiembre",
"October" => "Octubre",
"November" => "Noviembre",
"December" => "Diciembre",
"web services under your control" => "servicios web sobre los que tenés control",
"Log out" => "Cerrar la sesión",
"Automatic logon rejected!" => "¡El inicio de sesión automático fue rechazado!",

View File

@ -2,6 +2,25 @@
"No category to add?" => "Pole kategooriat, mida lisada?",
"This category already exists: " => "See kategooria on juba olemas: ",
"No categories selected for deletion." => "Kustutamiseks pole kategooriat valitud.",
"Sunday" => "Pühapäev",
"Monday" => "Esmaspäev",
"Tuesday" => "Teisipäev",
"Wednesday" => "Kolmapäev",
"Thursday" => "Neljapäev",
"Friday" => "Reede",
"Saturday" => "Laupäev",
"January" => "Jaanuar",
"February" => "Veebruar",
"March" => "Märts",
"April" => "Aprill",
"May" => "Mai",
"June" => "Juuni",
"July" => "Juuli",
"August" => "August",
"September" => "September",
"October" => "Oktoober",
"November" => "November",
"December" => "Detsember",
"Settings" => "Seaded",
"seconds ago" => "sekundit tagasi",
"1 minute ago" => "1 minut tagasi",
@ -74,25 +93,6 @@
"Database tablespace" => "Andmebaasi tabeliruum",
"Database host" => "Andmebaasi host",
"Finish setup" => "Lõpeta seadistamine",
"Sunday" => "Pühapäev",
"Monday" => "Esmaspäev",
"Tuesday" => "Teisipäev",
"Wednesday" => "Kolmapäev",
"Thursday" => "Neljapäev",
"Friday" => "Reede",
"Saturday" => "Laupäev",
"January" => "Jaanuar",
"February" => "Veebruar",
"March" => "Märts",
"April" => "Aprill",
"May" => "Mai",
"June" => "Juuni",
"July" => "Juuli",
"August" => "August",
"September" => "September",
"October" => "Oktoober",
"November" => "November",
"December" => "Detsember",
"web services under your control" => "veebiteenused sinu kontrolli all",
"Log out" => "Logi välja",
"Automatic logon rejected!" => "Automaatne sisselogimine lükati tagasi!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Errorea gertatu da %s gogokoetara gehitzean.",
"No categories selected for deletion." => "Ez da ezabatzeko kategoriarik hautatu.",
"Error removing %s from favorites." => "Errorea gertatu da %s gogokoetatik ezabatzean.",
"Sunday" => "Igandea",
"Monday" => "Astelehena",
"Tuesday" => "Asteartea",
"Wednesday" => "Asteazkena",
"Thursday" => "Osteguna",
"Friday" => "Ostirala",
"Saturday" => "Larunbata",
"January" => "Urtarrila",
"February" => "Otsaila",
"March" => "Martxoa",
"April" => "Apirila",
"May" => "Maiatza",
"June" => "Ekaina",
"July" => "Uztaila",
"August" => "Abuztua",
"September" => "Iraila",
"October" => "Urria",
"November" => "Azaroa",
"December" => "Abendua",
"Settings" => "Ezarpenak",
"seconds ago" => "segundu",
"1 minute ago" => "orain dela minutu 1",
@ -63,6 +82,8 @@
"Error setting expiration date" => "Errore bat egon da muga data ezartzean",
"Sending ..." => "Bidaltzen ...",
"Email sent" => "Eposta bidalia",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Eguneraketa ez da ongi egin. Mesedez egin arazoaren txosten bat <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud komunitatearentzako</a>.",
"The update was successful. Redirecting you to ownCloud now." => "Eguneraketa ongi egin da. Orain zure ownClouderea berbideratua izango zara.",
"ownCloud password reset" => "ownCloud-en pasahitza berrezarri",
"Use the following link to reset your password: {link}" => "Eribili hurrengo lotura zure pasahitza berrezartzeko: {link}",
"You will receive a link to reset your password via Email." => "Zure pashitza berrezartzeko lotura bat jasoko duzu Epostaren bidez.",
@ -98,25 +119,6 @@
"Database tablespace" => "Datu basearen taula-lekua",
"Database host" => "Datubasearen hostalaria",
"Finish setup" => "Bukatu konfigurazioa",
"Sunday" => "Igandea",
"Monday" => "Astelehena",
"Tuesday" => "Asteartea",
"Wednesday" => "Asteazkena",
"Thursday" => "Osteguna",
"Friday" => "Ostirala",
"Saturday" => "Larunbata",
"January" => "Urtarrila",
"February" => "Otsaila",
"March" => "Martxoa",
"April" => "Apirila",
"May" => "Maiatza",
"June" => "Ekaina",
"July" => "Uztaila",
"August" => "Abuztua",
"September" => "Iraila",
"October" => "Urria",
"November" => "Azaroa",
"December" => "Abendua",
"web services under your control" => "web zerbitzuak zure kontrolpean",
"Log out" => "Saioa bukatu",
"Automatic logon rejected!" => "Saio hasiera automatikoa ez onartuta!",

View File

@ -8,6 +8,25 @@
"Error adding %s to favorites." => "Virhe lisätessä kohdetta %s suosikkeihin.",
"No categories selected for deletion." => "Luokkia ei valittu poistettavaksi.",
"Error removing %s from favorites." => "Virhe poistaessa kohdetta %s suosikeista.",
"Sunday" => "Sunnuntai",
"Monday" => "Maanantai",
"Tuesday" => "Tiistai",
"Wednesday" => "Keskiviikko",
"Thursday" => "Torstai",
"Friday" => "Perjantai",
"Saturday" => "Lauantai",
"January" => "Tammikuu",
"February" => "Helmikuu",
"March" => "Maaliskuu",
"April" => "Huhtikuu",
"May" => "Toukokuu",
"June" => "Kesäkuu",
"July" => "Heinäkuu",
"August" => "Elokuu",
"September" => "Syyskuu",
"October" => "Lokakuu",
"November" => "Marraskuu",
"December" => "Joulukuu",
"Settings" => "Asetukset",
"seconds ago" => "sekuntia sitten",
"1 minute ago" => "1 minuutti sitten",
@ -91,25 +110,6 @@
"Database tablespace" => "Tietokannan taulukkotila",
"Database host" => "Tietokantapalvelin",
"Finish setup" => "Viimeistele asennus",
"Sunday" => "Sunnuntai",
"Monday" => "Maanantai",
"Tuesday" => "Tiistai",
"Wednesday" => "Keskiviikko",
"Thursday" => "Torstai",
"Friday" => "Perjantai",
"Saturday" => "Lauantai",
"January" => "Tammikuu",
"February" => "Helmikuu",
"March" => "Maaliskuu",
"April" => "Huhtikuu",
"May" => "Toukokuu",
"June" => "Kesäkuu",
"July" => "Heinäkuu",
"August" => "Elokuu",
"September" => "Syyskuu",
"October" => "Lokakuu",
"November" => "Marraskuu",
"December" => "Joulukuu",
"web services under your control" => "verkkopalvelut hallinnassasi",
"Log out" => "Kirjaudu ulos",
"Automatic logon rejected!" => "Automaattinen sisäänkirjautuminen hylättiin!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Erreur lors de l'ajout de %s aux favoris.",
"No categories selected for deletion." => "Aucune catégorie sélectionnée pour suppression",
"Error removing %s from favorites." => "Erreur lors de la suppression de %s des favoris.",
"Sunday" => "Dimanche",
"Monday" => "Lundi",
"Tuesday" => "Mardi",
"Wednesday" => "Mercredi",
"Thursday" => "Jeudi",
"Friday" => "Vendredi",
"Saturday" => "Samedi",
"January" => "janvier",
"February" => "février",
"March" => "mars",
"April" => "avril",
"May" => "mai",
"June" => "juin",
"July" => "juillet",
"August" => "août",
"September" => "septembre",
"October" => "octobre",
"November" => "novembre",
"December" => "décembre",
"Settings" => "Paramètres",
"seconds ago" => "il y a quelques secondes",
"1 minute ago" => "il y a une minute",
@ -63,6 +82,8 @@
"Error setting expiration date" => "Erreur lors de la spécification de la date d'expiration",
"Sending ..." => "En cours d'envoi ...",
"Email sent" => "Email envoyé",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "La mise à jour a échoué. Veuillez signaler ce problème à la <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">communauté ownCloud</a>.",
"The update was successful. Redirecting you to ownCloud now." => "La mise à jour a réussi. Vous êtes redirigé maintenant vers ownCloud.",
"ownCloud password reset" => "Réinitialisation de votre mot de passe Owncloud",
"Use the following link to reset your password: {link}" => "Utilisez le lien suivant pour réinitialiser votre mot de passe : {link}",
"You will receive a link to reset your password via Email." => "Vous allez recevoir un e-mail contenant un lien pour réinitialiser votre mot de passe.",
@ -98,25 +119,6 @@
"Database tablespace" => "Tablespaces de la base de données",
"Database host" => "Serveur de la base de données",
"Finish setup" => "Terminer l'installation",
"Sunday" => "Dimanche",
"Monday" => "Lundi",
"Tuesday" => "Mardi",
"Wednesday" => "Mercredi",
"Thursday" => "Jeudi",
"Friday" => "Vendredi",
"Saturday" => "Samedi",
"January" => "janvier",
"February" => "février",
"March" => "mars",
"April" => "avril",
"May" => "mai",
"June" => "juin",
"July" => "juillet",
"August" => "août",
"September" => "septembre",
"October" => "octobre",
"November" => "novembre",
"December" => "décembre",
"web services under your control" => "services web sous votre contrôle",
"Log out" => "Se déconnecter",
"Automatic logon rejected!" => "Connexion automatique rejetée !",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Produciuse un erro ao engadir %s aos favoritos.",
"No categories selected for deletion." => "Non hai categorías seleccionadas para eliminar.",
"Error removing %s from favorites." => "Produciuse un erro ao eliminar %s dos favoritos.",
"Sunday" => "Domingo",
"Monday" => "Luns",
"Tuesday" => "Martes",
"Wednesday" => "Mércores",
"Thursday" => "Xoves",
"Friday" => "Venres",
"Saturday" => "Sábado",
"January" => "xaneiro",
"February" => "febreiro",
"March" => "marzo",
"April" => "abril",
"May" => "maio",
"June" => "xuño",
"July" => "xullo",
"August" => "agosto",
"September" => "setembro",
"October" => "outubro",
"November" => "novembro",
"December" => "decembro",
"Settings" => "Configuracións",
"seconds ago" => "segundos atrás",
"1 minute ago" => "hai 1 minuto",
@ -98,25 +117,6 @@
"Database tablespace" => "Táboa de espazos da base de datos",
"Database host" => "Servidor da base de datos",
"Finish setup" => "Rematar a configuración",
"Sunday" => "Domingo",
"Monday" => "Luns",
"Tuesday" => "Martes",
"Wednesday" => "Mércores",
"Thursday" => "Xoves",
"Friday" => "Venres",
"Saturday" => "Sábado",
"January" => "xaneiro",
"February" => "febreiro",
"March" => "marzo",
"April" => "abril",
"May" => "maio",
"June" => "xuño",
"July" => "xullo",
"August" => "agosto",
"September" => "setembro",
"October" => "outubro",
"November" => "novembro",
"December" => "decembro",
"web services under your control" => "servizos web baixo o seu control",
"Log out" => "Desconectar",
"Automatic logon rejected!" => "Rexeitouse a entrada automática",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "אירעה שגיאה בעת הוספת %s למועדפים.",
"No categories selected for deletion." => "לא נבחרו קטגוריות למחיקה",
"Error removing %s from favorites." => "שגיאה בהסרת %s מהמועדפים.",
"Sunday" => "יום ראשון",
"Monday" => "יום שני",
"Tuesday" => "יום שלישי",
"Wednesday" => "יום רביעי",
"Thursday" => "יום חמישי",
"Friday" => "יום שישי",
"Saturday" => "שבת",
"January" => "ינואר",
"February" => "פברואר",
"March" => "מרץ",
"April" => "אפריל",
"May" => "מאי",
"June" => "יוני",
"July" => "יולי",
"August" => "אוגוסט",
"September" => "ספטמבר",
"October" => "אוקטובר",
"November" => "נובמבר",
"December" => "דצמבר",
"Settings" => "הגדרות",
"seconds ago" => "שניות",
"1 minute ago" => "לפני דקה אחת",
@ -98,25 +117,6 @@
"Database tablespace" => "מרחב הכתובות של מסד הנתונים",
"Database host" => "שרת בסיס נתונים",
"Finish setup" => "סיום התקנה",
"Sunday" => "יום ראשון",
"Monday" => "יום שני",
"Tuesday" => "יום שלישי",
"Wednesday" => "יום רביעי",
"Thursday" => "יום חמישי",
"Friday" => "יום שישי",
"Saturday" => "שבת",
"January" => "ינואר",
"February" => "פברואר",
"March" => "מרץ",
"April" => "אפריל",
"May" => "מאי",
"June" => "יוני",
"July" => "יולי",
"August" => "אוגוסט",
"September" => "ספטמבר",
"October" => "אוקטובר",
"November" => "נובמבר",
"December" => "דצמבר",
"web services under your control" => "שירותי רשת בשליטתך",
"Log out" => "התנתקות",
"Automatic logon rejected!" => "בקשת הכניסה האוטומטית נדחתה!",

View File

@ -2,6 +2,25 @@
"No category to add?" => "Nemate kategorija koje možete dodati?",
"This category already exists: " => "Ova kategorija već postoji: ",
"No categories selected for deletion." => "Nema odabranih kategorija za brisanje.",
"Sunday" => "nedelja",
"Monday" => "ponedeljak",
"Tuesday" => "utorak",
"Wednesday" => "srijeda",
"Thursday" => "četvrtak",
"Friday" => "petak",
"Saturday" => "subota",
"January" => "Siječanj",
"February" => "Veljača",
"March" => "Ožujak",
"April" => "Travanj",
"May" => "Svibanj",
"June" => "Lipanj",
"July" => "Srpanj",
"August" => "Kolovoz",
"September" => "Rujan",
"October" => "Listopad",
"November" => "Studeni",
"December" => "Prosinac",
"Settings" => "Postavke",
"seconds ago" => "sekundi prije",
"today" => "danas",
@ -67,25 +86,6 @@
"Database tablespace" => "Database tablespace",
"Database host" => "Poslužitelj baze podataka",
"Finish setup" => "Završi postavljanje",
"Sunday" => "nedelja",
"Monday" => "ponedeljak",
"Tuesday" => "utorak",
"Wednesday" => "srijeda",
"Thursday" => "četvrtak",
"Friday" => "petak",
"Saturday" => "subota",
"January" => "Siječanj",
"February" => "Veljača",
"March" => "Ožujak",
"April" => "Travanj",
"May" => "Svibanj",
"June" => "Lipanj",
"July" => "Srpanj",
"August" => "Kolovoz",
"September" => "Rujan",
"October" => "Listopad",
"November" => "Studeni",
"December" => "Prosinac",
"web services under your control" => "web usluge pod vašom kontrolom",
"Log out" => "Odjava",
"Lost your password?" => "Izgubili ste lozinku?",

View File

@ -1,5 +1,24 @@
<?php $TRANSLATIONS = array(
"This category already exists: " => "Iste categoria jam existe:",
"Sunday" => "Dominica",
"Monday" => "Lunedi",
"Tuesday" => "Martedi",
"Wednesday" => "Mercuridi",
"Thursday" => "Jovedi",
"Friday" => "Venerdi",
"Saturday" => "Sabbato",
"January" => "januario",
"February" => "Februario",
"March" => "Martio",
"April" => "April",
"May" => "Mai",
"June" => "Junio",
"July" => "Julio",
"August" => "Augusto",
"September" => "Septembre",
"October" => "Octobre",
"November" => "Novembre",
"December" => "Decembre",
"Settings" => "Configurationes",
"Cancel" => "Cancellar",
"Password" => "Contrasigno",
@ -28,25 +47,6 @@
"Database password" => "Contrasigno de base de datos",
"Database name" => "Nomine de base de datos",
"Database host" => "Hospite de base de datos",
"Sunday" => "Dominica",
"Monday" => "Lunedi",
"Tuesday" => "Martedi",
"Wednesday" => "Mercuridi",
"Thursday" => "Jovedi",
"Friday" => "Venerdi",
"Saturday" => "Sabbato",
"January" => "januario",
"February" => "Februario",
"March" => "Martio",
"April" => "April",
"May" => "Mai",
"June" => "Junio",
"July" => "Julio",
"August" => "Augusto",
"September" => "Septembre",
"October" => "Octobre",
"November" => "Novembre",
"December" => "Decembre",
"web services under your control" => "servicios web sub tu controlo",
"Log out" => "Clauder le session",
"Lost your password?" => "Tu perdeva le contrasigno?",

View File

@ -2,6 +2,25 @@
"No category to add?" => "Tidak ada kategori yang akan ditambahkan?",
"This category already exists: " => "Kategori ini sudah ada:",
"No categories selected for deletion." => "Tidak ada kategori terpilih untuk penghapusan.",
"Sunday" => "minggu",
"Monday" => "senin",
"Tuesday" => "selasa",
"Wednesday" => "rabu",
"Thursday" => "kamis",
"Friday" => "jumat",
"Saturday" => "sabtu",
"January" => "Januari",
"February" => "Februari",
"March" => "Maret",
"April" => "April",
"May" => "Mei",
"June" => "Juni",
"July" => "Juli",
"August" => "Agustus",
"September" => "September",
"October" => "Oktober",
"November" => "Nopember",
"December" => "Desember",
"Settings" => "Setelan",
"seconds ago" => "beberapa detik yang lalu",
"1 minute ago" => "1 menit lalu",
@ -73,25 +92,6 @@
"Database tablespace" => "tablespace basis data",
"Database host" => "Host database",
"Finish setup" => "Selesaikan instalasi",
"Sunday" => "minggu",
"Monday" => "senin",
"Tuesday" => "selasa",
"Wednesday" => "rabu",
"Thursday" => "kamis",
"Friday" => "jumat",
"Saturday" => "sabtu",
"January" => "Januari",
"February" => "Februari",
"March" => "Maret",
"April" => "April",
"May" => "Mei",
"June" => "Juni",
"July" => "Juli",
"August" => "Agustus",
"September" => "September",
"October" => "Oktober",
"November" => "Nopember",
"December" => "Desember",
"web services under your control" => "web service dibawah kontrol anda",
"Log out" => "Keluar",
"Automatic logon rejected!" => "login otomatis ditolak!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Villa við að bæta %s við eftirlæti.",
"No categories selected for deletion." => "Enginn flokkur valinn til eyðingar.",
"Error removing %s from favorites." => "Villa við að fjarlægja %s úr eftirlæti.",
"Sunday" => "Sunnudagur",
"Monday" => "Mánudagur",
"Tuesday" => "Þriðjudagur",
"Wednesday" => "Miðvikudagur",
"Thursday" => "Fimmtudagur",
"Friday" => "Föstudagur",
"Saturday" => "Laugardagur",
"January" => "Janúar",
"February" => "Febrúar",
"March" => "Mars",
"April" => "Apríl",
"May" => "Maí",
"June" => "Júní",
"July" => "Júlí",
"August" => "Ágúst",
"September" => "September",
"October" => "Október",
"November" => "Nóvember",
"December" => "Desember",
"Settings" => "Stillingar",
"seconds ago" => "sek síðan",
"1 minute ago" => "1 min síðan",
@ -98,25 +117,6 @@
"Database tablespace" => "Töflusvæði gagnagrunns",
"Database host" => "Netþjónn gagnagrunns",
"Finish setup" => "Virkja uppsetningu",
"Sunday" => "Sunnudagur",
"Monday" => "Mánudagur",
"Tuesday" => "Þriðjudagur",
"Wednesday" => "Miðvikudagur",
"Thursday" => "Fimmtudagur",
"Friday" => "Föstudagur",
"Saturday" => "Laugardagur",
"January" => "Janúar",
"February" => "Febrúar",
"March" => "Mars",
"April" => "Apríl",
"May" => "Maí",
"June" => "Júní",
"July" => "Júlí",
"August" => "Ágúst",
"September" => "September",
"October" => "Október",
"November" => "Nóvember",
"December" => "Desember",
"web services under your control" => "vefþjónusta undir þinni stjórn",
"Log out" => "Útskrá",
"Automatic logon rejected!" => "Sjálfvirkri innskráningu hafnað!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Errore durante l'aggiunta di %s ai preferiti.",
"No categories selected for deletion." => "Nessuna categoria selezionata per l'eliminazione.",
"Error removing %s from favorites." => "Errore durante la rimozione di %s dai preferiti.",
"Sunday" => "Domenica",
"Monday" => "Lunedì",
"Tuesday" => "Martedì",
"Wednesday" => "Mercoledì",
"Thursday" => "Giovedì",
"Friday" => "Venerdì",
"Saturday" => "Sabato",
"January" => "Gennaio",
"February" => "Febbraio",
"March" => "Marzo",
"April" => "Aprile",
"May" => "Maggio",
"June" => "Giugno",
"July" => "Luglio",
"August" => "Agosto",
"September" => "Settembre",
"October" => "Ottobre",
"November" => "Novembre",
"December" => "Dicembre",
"Settings" => "Impostazioni",
"seconds ago" => "secondi fa",
"1 minute ago" => "Un minuto fa",
@ -63,6 +82,8 @@
"Error setting expiration date" => "Errore durante l'impostazione della data di scadenza",
"Sending ..." => "Invio in corso...",
"Email sent" => "Messaggio inviato",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "L'aggiornamento non è riuscito. Segnala il problema alla <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">comunità di ownCloud</a>.",
"The update was successful. Redirecting you to ownCloud now." => "L'aggiornamento è stato effettuato correttamente. Stai per essere reindirizzato a ownCloud.",
"ownCloud password reset" => "Ripristino password di ownCloud",
"Use the following link to reset your password: {link}" => "Usa il collegamento seguente per ripristinare la password: {link}",
"You will receive a link to reset your password via Email." => "Riceverai un collegamento per ripristinare la tua password via email",
@ -98,25 +119,6 @@
"Database tablespace" => "Spazio delle tabelle del database",
"Database host" => "Host del database",
"Finish setup" => "Termina la configurazione",
"Sunday" => "Domenica",
"Monday" => "Lunedì",
"Tuesday" => "Martedì",
"Wednesday" => "Mercoledì",
"Thursday" => "Giovedì",
"Friday" => "Venerdì",
"Saturday" => "Sabato",
"January" => "Gennaio",
"February" => "Febbraio",
"March" => "Marzo",
"April" => "Aprile",
"May" => "Maggio",
"June" => "Giugno",
"July" => "Luglio",
"August" => "Agosto",
"September" => "Settembre",
"October" => "Ottobre",
"November" => "Novembre",
"December" => "Dicembre",
"web services under your control" => "servizi web nelle tue mani",
"Log out" => "Esci",
"Automatic logon rejected!" => "Accesso automatico rifiutato.",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "お気に入りに %s を追加エラー",
"No categories selected for deletion." => "削除するカテゴリが選択されていません。",
"Error removing %s from favorites." => "お気に入りから %s の削除エラー",
"Sunday" => "",
"Monday" => "",
"Tuesday" => "",
"Wednesday" => "",
"Thursday" => "",
"Friday" => "",
"Saturday" => "",
"January" => "1月",
"February" => "2月",
"March" => "3月",
"April" => "4月",
"May" => "5月",
"June" => "6月",
"July" => "7月",
"August" => "8月",
"September" => "9月",
"October" => "10月",
"November" => "11月",
"December" => "12月",
"Settings" => "設定",
"seconds ago" => "秒前",
"1 minute ago" => "1 分前",
@ -63,6 +82,8 @@
"Error setting expiration date" => "有効期限の設定でエラー発生",
"Sending ..." => "送信中...",
"Email sent" => "メールを送信しました",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "更新に成功しました。この問題を <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a> にレポートしてください。",
"The update was successful. Redirecting you to ownCloud now." => "更新に成功しました。今すぐownCloudにリダイレクトします。",
"ownCloud password reset" => "ownCloudのパスワードをリセットします",
"Use the following link to reset your password: {link}" => "パスワードをリセットするには次のリンクをクリックして下さい: {link}",
"You will receive a link to reset your password via Email." => "メールでパスワードをリセットするリンクが届きます。",
@ -98,25 +119,6 @@
"Database tablespace" => "データベースの表領域",
"Database host" => "データベースのホスト名",
"Finish setup" => "セットアップを完了します",
"Sunday" => "",
"Monday" => "",
"Tuesday" => "",
"Wednesday" => "",
"Thursday" => "",
"Friday" => "",
"Saturday" => "",
"January" => "1月",
"February" => "2月",
"March" => "3月",
"April" => "4月",
"May" => "5月",
"June" => "6月",
"July" => "7月",
"August" => "8月",
"September" => "9月",
"October" => "10月",
"November" => "11月",
"December" => "12月",
"web services under your control" => "管理下にあるウェブサービス",
"Log out" => "ログアウト",
"Automatic logon rejected!" => "自動ログインは拒否されました!",

View File

@ -2,6 +2,25 @@
"No category to add?" => "არ არის კატეგორია დასამატებლად?",
"This category already exists: " => "კატეგორია უკვე არსებობს",
"No categories selected for deletion." => "სარედაქტირებელი კატეგორია არ არის არჩეული ",
"Sunday" => "კვირა",
"Monday" => "ორშაბათი",
"Tuesday" => "სამშაბათი",
"Wednesday" => "ოთხშაბათი",
"Thursday" => "ხუთშაბათი",
"Friday" => "პარასკევი",
"Saturday" => "შაბათი",
"January" => "იანვარი",
"February" => "თებერვალი",
"March" => "მარტი",
"April" => "აპრილი",
"May" => "მაისი",
"June" => "ივნისი",
"July" => "ივლისი",
"August" => "აგვისტო",
"September" => "სექტემბერი",
"October" => "ოქტომბერი",
"November" => "ნოემბერი",
"December" => "დეკემბერი",
"Settings" => "პარამეტრები",
"seconds ago" => "წამის წინ",
"1 minute ago" => "1 წუთის წინ",
@ -73,25 +92,6 @@
"Database tablespace" => "ბაზის ცხრილის ზომა",
"Database host" => "ბაზის ჰოსტი",
"Finish setup" => "კონფიგურაციის დასრულება",
"Sunday" => "კვირა",
"Monday" => "ორშაბათი",
"Tuesday" => "სამშაბათი",
"Wednesday" => "ოთხშაბათი",
"Thursday" => "ხუთშაბათი",
"Friday" => "პარასკევი",
"Saturday" => "შაბათი",
"January" => "იანვარი",
"February" => "თებერვალი",
"March" => "მარტი",
"April" => "აპრილი",
"May" => "მაისი",
"June" => "ივნისი",
"July" => "ივლისი",
"August" => "აგვისტო",
"September" => "სექტემბერი",
"October" => "ოქტომბერი",
"November" => "ნოემბერი",
"December" => "დეკემბერი",
"web services under your control" => "თქვენი კონტროლის ქვეშ მყოფი ვებ სერვისები",
"Log out" => "გამოსვლა",
"Automatic logon rejected!" => "ავტომატური შესვლა უარყოფილია!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "책갈피에 %s을(를) 추가할 수 없었습니다.",
"No categories selected for deletion." => "삭제할 분류를 선택하지 않았습니다.",
"Error removing %s from favorites." => "책갈피에서 %s을(를) 삭제할 수 없었습니다.",
"Sunday" => "일요일",
"Monday" => "월요일",
"Tuesday" => "화요일",
"Wednesday" => "수요일",
"Thursday" => "목요일",
"Friday" => "금요일",
"Saturday" => "토요일",
"January" => "1월",
"February" => "2월",
"March" => "3월",
"April" => "4월",
"May" => "5월",
"June" => "6월",
"July" => "7월",
"August" => "8월",
"September" => "9월",
"October" => "10월",
"November" => "11월",
"December" => "12월",
"Settings" => "설정",
"seconds ago" => "초 전",
"1 minute ago" => "1분 전",
@ -98,25 +117,6 @@
"Database tablespace" => "데이터베이스 테이블 공간",
"Database host" => "데이터베이스 호스트",
"Finish setup" => "설치 완료",
"Sunday" => "일요일",
"Monday" => "월요일",
"Tuesday" => "화요일",
"Wednesday" => "수요일",
"Thursday" => "목요일",
"Friday" => "금요일",
"Saturday" => "토요일",
"January" => "1월",
"February" => "2월",
"March" => "3월",
"April" => "4월",
"May" => "5월",
"June" => "6월",
"July" => "7월",
"August" => "8월",
"September" => "9월",
"October" => "10월",
"November" => "11월",
"December" => "12월",
"web services under your control" => "내가 관리하는 웹 서비스",
"Log out" => "로그아웃",
"Automatic logon rejected!" => "자동 로그인이 거부되었습니다!",

View File

@ -2,6 +2,25 @@
"No category to add?" => "Nepridėsite jokios kategorijos?",
"This category already exists: " => "Tokia kategorija jau yra:",
"No categories selected for deletion." => "Trynimui nepasirinkta jokia kategorija.",
"Sunday" => "Sekmadienis",
"Monday" => "Pirmadienis",
"Tuesday" => "Antradienis",
"Wednesday" => "Trečiadienis",
"Thursday" => "Ketvirtadienis",
"Friday" => "Penktadienis",
"Saturday" => "Šeštadienis",
"January" => "Sausis",
"February" => "Vasaris",
"March" => "Kovas",
"April" => "Balandis",
"May" => "Gegužė",
"June" => "Birželis",
"July" => "Liepa",
"August" => "Rugpjūtis",
"September" => "Rugsėjis",
"October" => "Spalis",
"November" => "Lapkritis",
"December" => "Gruodis",
"Settings" => "Nustatymai",
"seconds ago" => "prieš sekundę",
"1 minute ago" => "Prieš 1 minutę",
@ -77,25 +96,6 @@
"Database tablespace" => "Duomenų bazės loginis saugojimas",
"Database host" => "Duomenų bazės serveris",
"Finish setup" => "Baigti diegimą",
"Sunday" => "Sekmadienis",
"Monday" => "Pirmadienis",
"Tuesday" => "Antradienis",
"Wednesday" => "Trečiadienis",
"Thursday" => "Ketvirtadienis",
"Friday" => "Penktadienis",
"Saturday" => "Šeštadienis",
"January" => "Sausis",
"February" => "Vasaris",
"March" => "Kovas",
"April" => "Balandis",
"May" => "Gegužė",
"June" => "Birželis",
"July" => "Liepa",
"August" => "Rugpjūtis",
"September" => "Rugsėjis",
"October" => "Spalis",
"November" => "Lapkritis",
"December" => "Gruodis",
"web services under your control" => "jūsų valdomos web paslaugos",
"Log out" => "Atsijungti",
"Automatic logon rejected!" => "Automatinis prisijungimas atmestas!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Грешка при додавање %s во омилени.",
"No categories selected for deletion." => "Не е одбрана категорија за бришење.",
"Error removing %s from favorites." => "Грешка при бришење на %s од омилени.",
"Sunday" => "Недела",
"Monday" => "Понеделник",
"Tuesday" => "Вторник",
"Wednesday" => "Среда",
"Thursday" => "Четврток",
"Friday" => "Петок",
"Saturday" => "Сабота",
"January" => "Јануари",
"February" => "Февруари",
"March" => "Март",
"April" => "Април",
"May" => "Мај",
"June" => "Јуни",
"July" => "Јули",
"August" => "Август",
"September" => "Септември",
"October" => "Октомври",
"November" => "Ноември",
"December" => "Декември",
"Settings" => "Поставки",
"seconds ago" => "пред секунди",
"1 minute ago" => "пред 1 минута",
@ -98,25 +117,6 @@
"Database tablespace" => "Табела во базата на податоци",
"Database host" => "Сервер со база",
"Finish setup" => "Заврши го подесувањето",
"Sunday" => "Недела",
"Monday" => "Понеделник",
"Tuesday" => "Вторник",
"Wednesday" => "Среда",
"Thursday" => "Четврток",
"Friday" => "Петок",
"Saturday" => "Сабота",
"January" => "Јануари",
"February" => "Февруари",
"March" => "Март",
"April" => "Април",
"May" => "Мај",
"June" => "Јуни",
"July" => "Јули",
"August" => "Август",
"September" => "Септември",
"October" => "Октомври",
"November" => "Ноември",
"December" => "Декември",
"web services under your control" => "веб сервиси под Ваша контрола",
"Log out" => "Одјава",
"Automatic logon rejected!" => "Одбиена автоматска најава!",

View File

@ -2,6 +2,25 @@
"No category to add?" => "Tiada kategori untuk di tambah?",
"This category already exists: " => "Kategori ini telah wujud",
"No categories selected for deletion." => "tiada kategori dipilih untuk penghapusan",
"Sunday" => "Ahad",
"Monday" => "Isnin",
"Tuesday" => "Selasa",
"Wednesday" => "Rabu",
"Thursday" => "Khamis",
"Friday" => "Jumaat",
"Saturday" => "Sabtu",
"January" => "Januari",
"February" => "Februari",
"March" => "Mac",
"April" => "April",
"May" => "Mei",
"June" => "Jun",
"July" => "Julai",
"August" => "Ogos",
"September" => "September",
"October" => "Oktober",
"November" => "November",
"December" => "Disember",
"Settings" => "Tetapan",
"Cancel" => "Batal",
"No" => "Tidak",
@ -38,25 +57,6 @@
"Database name" => "Nama pangkalan data",
"Database host" => "Hos pangkalan data",
"Finish setup" => "Setup selesai",
"Sunday" => "Ahad",
"Monday" => "Isnin",
"Tuesday" => "Selasa",
"Wednesday" => "Rabu",
"Thursday" => "Khamis",
"Friday" => "Jumaat",
"Saturday" => "Sabtu",
"January" => "Januari",
"February" => "Februari",
"March" => "Mac",
"April" => "April",
"May" => "Mei",
"June" => "Jun",
"July" => "Julai",
"August" => "Ogos",
"September" => "September",
"October" => "Oktober",
"November" => "November",
"December" => "Disember",
"web services under your control" => "Perkhidmatan web di bawah kawalan anda",
"Log out" => "Log keluar",
"Lost your password?" => "Hilang kata laluan?",

View File

@ -2,6 +2,25 @@
"No category to add?" => "Ingen kategorier å legge til?",
"This category already exists: " => "Denne kategorien finnes allerede:",
"No categories selected for deletion." => "Ingen kategorier merket for sletting.",
"Sunday" => "Søndag",
"Monday" => "Mandag",
"Tuesday" => "Tirsdag",
"Wednesday" => "Onsdag",
"Thursday" => "Torsdag",
"Friday" => "Fredag",
"Saturday" => "Lørdag",
"January" => "Januar",
"February" => "Februar",
"March" => "Mars",
"April" => "April",
"May" => "Mai",
"June" => "Juni",
"July" => "Juli",
"August" => "August",
"September" => "September",
"October" => "Oktober",
"November" => "November",
"December" => "Desember",
"Settings" => "Innstillinger",
"seconds ago" => "sekunder siden",
"1 minute ago" => "1 minutt siden",
@ -73,25 +92,6 @@
"Database tablespace" => "Database tabellområde",
"Database host" => "Databasevert",
"Finish setup" => "Fullfør oppsetting",
"Sunday" => "Søndag",
"Monday" => "Mandag",
"Tuesday" => "Tirsdag",
"Wednesday" => "Onsdag",
"Thursday" => "Torsdag",
"Friday" => "Fredag",
"Saturday" => "Lørdag",
"January" => "Januar",
"February" => "Februar",
"March" => "Mars",
"April" => "April",
"May" => "Mai",
"June" => "Juni",
"July" => "Juli",
"August" => "August",
"September" => "September",
"October" => "Oktober",
"November" => "November",
"December" => "Desember",
"web services under your control" => "nettjenester under din kontroll",
"Log out" => "Logg ut",
"Automatic logon rejected!" => "Automatisk pålogging avvist!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Toevoegen van %s aan favorieten is mislukt.",
"No categories selected for deletion." => "Geen categorie geselecteerd voor verwijdering.",
"Error removing %s from favorites." => "Verwijderen %s van favorieten is mislukt.",
"Sunday" => "Zondag",
"Monday" => "Maandag",
"Tuesday" => "Dinsdag",
"Wednesday" => "Woensdag",
"Thursday" => "Donderdag",
"Friday" => "Vrijdag",
"Saturday" => "Zaterdag",
"January" => "januari",
"February" => "februari",
"March" => "maart",
"April" => "april",
"May" => "mei",
"June" => "juni",
"July" => "juli",
"August" => "augustus",
"September" => "september",
"October" => "oktober",
"November" => "november",
"December" => "december",
"Settings" => "Instellingen",
"seconds ago" => "seconden geleden",
"1 minute ago" => "1 minuut geleden",
@ -98,25 +117,6 @@
"Database tablespace" => "Database tablespace",
"Database host" => "Database server",
"Finish setup" => "Installatie afronden",
"Sunday" => "Zondag",
"Monday" => "Maandag",
"Tuesday" => "Dinsdag",
"Wednesday" => "Woensdag",
"Thursday" => "Donderdag",
"Friday" => "Vrijdag",
"Saturday" => "Zaterdag",
"January" => "januari",
"February" => "februari",
"March" => "maart",
"April" => "april",
"May" => "mei",
"June" => "juni",
"July" => "juli",
"August" => "augustus",
"September" => "september",
"October" => "oktober",
"November" => "november",
"December" => "december",
"web services under your control" => "Webdiensten in eigen beheer",
"Log out" => "Afmelden",
"Automatic logon rejected!" => "Automatische aanmelding geweigerd!",

View File

@ -1,4 +1,23 @@
<?php $TRANSLATIONS = array(
"Sunday" => "Søndag",
"Monday" => "Måndag",
"Tuesday" => "Tysdag",
"Wednesday" => "Onsdag",
"Thursday" => "Torsdag",
"Friday" => "Fredag",
"Saturday" => "Laurdag",
"January" => "Januar",
"February" => "Februar",
"March" => "Mars",
"April" => "April",
"May" => "Mai",
"June" => "Juni",
"July" => "Juli",
"August" => "August",
"September" => "September",
"October" => "Oktober",
"November" => "November",
"December" => "Desember",
"Settings" => "Innstillingar",
"Cancel" => "Kanseller",
"Error" => "Feil",
@ -28,25 +47,6 @@
"Database name" => "Databasenamn",
"Database host" => "Databasetenar",
"Finish setup" => "Fullfør oppsettet",
"Sunday" => "Søndag",
"Monday" => "Måndag",
"Tuesday" => "Tysdag",
"Wednesday" => "Onsdag",
"Thursday" => "Torsdag",
"Friday" => "Fredag",
"Saturday" => "Laurdag",
"January" => "Januar",
"February" => "Februar",
"March" => "Mars",
"April" => "April",
"May" => "Mai",
"June" => "Juni",
"July" => "Juli",
"August" => "August",
"September" => "September",
"October" => "Oktober",
"November" => "November",
"December" => "Desember",
"web services under your control" => "Vev tjenester under din kontroll",
"Log out" => "Logg ut",
"Lost your password?" => "Gløymt passordet?",

View File

@ -2,6 +2,25 @@
"No category to add?" => "Pas de categoria d'ajustar ?",
"This category already exists: " => "La categoria exista ja :",
"No categories selected for deletion." => "Pas de categorias seleccionadas per escafar.",
"Sunday" => "Dimenge",
"Monday" => "Diluns",
"Tuesday" => "Dimarç",
"Wednesday" => "Dimecres",
"Thursday" => "Dijòus",
"Friday" => "Divendres",
"Saturday" => "Dissabte",
"January" => "Genièr",
"February" => "Febrièr",
"March" => "Març",
"April" => "Abril",
"May" => "Mai",
"June" => "Junh",
"July" => "Julhet",
"August" => "Agost",
"September" => "Septembre",
"October" => "Octobre",
"November" => "Novembre",
"December" => "Decembre",
"Settings" => "Configuracion",
"seconds ago" => "segonda a",
"1 minute ago" => "1 minuta a",
@ -69,25 +88,6 @@
"Database tablespace" => "Espandi de taula de basa de donadas",
"Database host" => "Òste de basa de donadas",
"Finish setup" => "Configuracion acabada",
"Sunday" => "Dimenge",
"Monday" => "Diluns",
"Tuesday" => "Dimarç",
"Wednesday" => "Dimecres",
"Thursday" => "Dijòus",
"Friday" => "Divendres",
"Saturday" => "Dissabte",
"January" => "Genièr",
"February" => "Febrièr",
"March" => "Març",
"April" => "Abril",
"May" => "Mai",
"June" => "Junh",
"July" => "Julhet",
"August" => "Agost",
"September" => "Septembre",
"October" => "Octobre",
"November" => "Novembre",
"December" => "Decembre",
"web services under your control" => "Services web jos ton contraròtle",
"Log out" => "Sortida",
"Lost your password?" => "L'as perdut lo senhal ?",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Błąd dodania %s do ulubionych.",
"No categories selected for deletion." => "Nie ma kategorii zaznaczonych do usunięcia.",
"Error removing %s from favorites." => "Błąd usunięcia %s z ulubionych.",
"Sunday" => "Niedziela",
"Monday" => "Poniedziałek",
"Tuesday" => "Wtorek",
"Wednesday" => "Środa",
"Thursday" => "Czwartek",
"Friday" => "Piątek",
"Saturday" => "Sobota",
"January" => "Styczeń",
"February" => "Luty",
"March" => "Marzec",
"April" => "Kwiecień",
"May" => "Maj",
"June" => "Czerwiec",
"July" => "Lipiec",
"August" => "Sierpień",
"September" => "Wrzesień",
"October" => "Październik",
"November" => "Listopad",
"December" => "Grudzień",
"Settings" => "Ustawienia",
"seconds ago" => "sekund temu",
"1 minute ago" => "1 minute temu",
@ -98,25 +117,6 @@
"Database tablespace" => "Obszar tabel bazy danych",
"Database host" => "Komputer bazy danych",
"Finish setup" => "Zakończ konfigurowanie",
"Sunday" => "Niedziela",
"Monday" => "Poniedziałek",
"Tuesday" => "Wtorek",
"Wednesday" => "Środa",
"Thursday" => "Czwartek",
"Friday" => "Piątek",
"Saturday" => "Sobota",
"January" => "Styczeń",
"February" => "Luty",
"March" => "Marzec",
"April" => "Kwiecień",
"May" => "Maj",
"June" => "Czerwiec",
"July" => "Lipiec",
"August" => "Sierpień",
"September" => "Wrzesień",
"October" => "Październik",
"November" => "Listopad",
"December" => "Grudzień",
"web services under your control" => "usługi internetowe pod kontrolą",
"Log out" => "Wylogowuje użytkownika",
"Automatic logon rejected!" => "Automatyczne logowanie odrzucone!",

View File

@ -7,6 +7,25 @@
"Error adding %s to favorites." => "Erro ao adicionar %s aos favoritos.",
"No categories selected for deletion." => "Nenhuma categoria selecionada para deletar.",
"Error removing %s from favorites." => "Erro ao remover %s dos favoritos.",
"Sunday" => "Domingo",
"Monday" => "Segunda-feira",
"Tuesday" => "Terça-feira",
"Wednesday" => "Quarta-feira",
"Thursday" => "Quinta-feira",
"Friday" => "Sexta-feira",
"Saturday" => "Sábado",
"January" => "Janeiro",
"February" => "Fevereiro",
"March" => "Março",
"April" => "Abril",
"May" => "Maio",
"June" => "Junho",
"July" => "Julho",
"August" => "Agosto",
"September" => "Setembro",
"October" => "Outubro",
"November" => "Novembro",
"December" => "Dezembro",
"Settings" => "Configurações",
"seconds ago" => "segundos atrás",
"1 minute ago" => "1 minuto atrás",
@ -90,25 +109,6 @@
"Database tablespace" => "Espaço de tabela do banco de dados",
"Database host" => "Banco de dados do host",
"Finish setup" => "Concluir configuração",
"Sunday" => "Domingo",
"Monday" => "Segunda-feira",
"Tuesday" => "Terça-feira",
"Wednesday" => "Quarta-feira",
"Thursday" => "Quinta-feira",
"Friday" => "Sexta-feira",
"Saturday" => "Sábado",
"January" => "Janeiro",
"February" => "Fevereiro",
"March" => "Março",
"April" => "Abril",
"May" => "Maio",
"June" => "Junho",
"July" => "Julho",
"August" => "Agosto",
"September" => "Setembro",
"October" => "Outubro",
"November" => "Novembro",
"December" => "Dezembro",
"web services under your control" => "web services sob seu controle",
"Log out" => "Sair",
"Automatic logon rejected!" => "Entrada Automática no Sistema Rejeitada!",

View File

@ -9,11 +9,30 @@
"Object type not provided." => "Tipo de objecto não fornecido",
"%s ID not provided." => "ID %s não fornecido",
"Error adding %s to favorites." => "Erro a adicionar %s aos favoritos",
"No categories selected for deletion." => "Nenhuma categoria seleccionar para eliminar",
"No categories selected for deletion." => "Nenhuma categoria seleccionada para apagar",
"Error removing %s from favorites." => "Erro a remover %s dos favoritos.",
"Sunday" => "Domingo",
"Monday" => "Segunda",
"Tuesday" => "Terça",
"Wednesday" => "Quarta",
"Thursday" => "Quinta",
"Friday" => "Sexta",
"Saturday" => "Sábado",
"January" => "Janeiro",
"February" => "Fevereiro",
"March" => "Março",
"April" => "Abril",
"May" => "Maio",
"June" => "Junho",
"July" => "Julho",
"August" => "Agosto",
"September" => "Setembro",
"October" => "Outubro",
"November" => "Novembro",
"December" => "Dezembro",
"Settings" => "Definições",
"seconds ago" => "Minutos atrás",
"1 minute ago" => "Falta 1 minuto",
"1 minute ago" => " 1 minuto",
"{minutes} minutes ago" => "{minutes} minutos atrás",
"1 hour ago" => "Há 1 hora",
"{hours} hours ago" => "{hours} horas atrás",
@ -62,7 +81,9 @@
"Error unsetting expiration date" => "Erro ao retirar a data de expiração",
"Error setting expiration date" => "Erro ao aplicar a data de expiração",
"Sending ..." => "A Enviar...",
"Email sent" => "E-mail enviado com sucesso!",
"Email sent" => "E-mail enviado",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "A actualização falhou. Por favor reporte este incidente seguindo este link <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.",
"The update was successful. Redirecting you to ownCloud now." => "A actualização foi concluída com sucesso. Vai ser redireccionado para o ownCloud agora.",
"ownCloud password reset" => "Reposição da password ownCloud",
"Use the following link to reset your password: {link}" => "Use o seguinte endereço para repor a sua password: {link}",
"You will receive a link to reset your password via Email." => "Vai receber um endereço para repor a sua password",
@ -71,7 +92,7 @@
"Username" => "Utilizador",
"Request reset" => "Pedir reposição",
"Your password was reset" => "A sua password foi reposta",
"To login page" => "Para a página de conexão",
"To login page" => "Para a página de entrada",
"New password" => "Nova password",
"Reset password" => "Repor password",
"Personal" => "Pessoal",
@ -96,36 +117,17 @@
"Database password" => "Password da base de dados",
"Database name" => "Nome da base de dados",
"Database tablespace" => "Tablespace da base de dados",
"Database host" => "Host da base de dados",
"Database host" => "Anfitrião da base de dados",
"Finish setup" => "Acabar instalação",
"Sunday" => "Domingo",
"Monday" => "Segunda",
"Tuesday" => "Terça",
"Wednesday" => "Quarta",
"Thursday" => "Quinta",
"Friday" => "Sexta",
"Saturday" => "Sábado",
"January" => "Janeiro",
"February" => "Fevereiro",
"March" => "Março",
"April" => "Abril",
"May" => "Maio",
"June" => "Junho",
"July" => "Julho",
"August" => "Agosto",
"September" => "Setembro",
"October" => "Outubro",
"November" => "Novembro",
"December" => "Dezembro",
"web services under your control" => "serviços web sob o seu controlo",
"Log out" => "Sair",
"Automatic logon rejected!" => "Login automático rejeitado!",
"If you did not change your password recently, your account may be compromised!" => "Se não mudou a sua palavra-passe recentemente, a sua conta pode ter sido comprometida!",
"Please change your password to secure your account again." => "Por favor mude a sua palavra-passe para assegurar a sua conta de novo.",
"Lost your password?" => "Esqueceu a sua password?",
"Lost your password?" => "Esqueceu-se da sua password?",
"remember" => "lembrar",
"Log in" => "Entrar",
"prev" => "anterior",
"next" => "seguinte",
"Updating ownCloud to version %s, this may take a while." => "A Actualizar o ownCloud para a versão %s, esta operação pode demorar."
"Updating ownCloud to version %s, this may take a while." => "A actualizar o ownCloud para a versão %s, esta operação pode demorar."
);

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Ошибка добавления %s в избранное",
"No categories selected for deletion." => "Нет категорий для удаления.",
"Error removing %s from favorites." => "Ошибка удаления %s из избранного",
"Sunday" => "Воскресенье",
"Monday" => "Понедельник",
"Tuesday" => "Вторник",
"Wednesday" => "Среда",
"Thursday" => "Четверг",
"Friday" => "Пятница",
"Saturday" => "Суббота",
"January" => "Январь",
"February" => "Февраль",
"March" => "Март",
"April" => "Апрель",
"May" => "Май",
"June" => "Июнь",
"July" => "Июль",
"August" => "Август",
"September" => "Сентябрь",
"October" => "Октябрь",
"November" => "Ноябрь",
"December" => "Декабрь",
"Settings" => "Настройки",
"seconds ago" => "несколько секунд назад",
"1 minute ago" => "1 минуту назад",
@ -98,25 +117,6 @@
"Database tablespace" => "Табличое пространство базы данных",
"Database host" => "Хост базы данных",
"Finish setup" => "Завершить установку",
"Sunday" => "Воскресенье",
"Monday" => "Понедельник",
"Tuesday" => "Вторник",
"Wednesday" => "Среда",
"Thursday" => "Четверг",
"Friday" => "Пятница",
"Saturday" => "Суббота",
"January" => "Январь",
"February" => "Февраль",
"March" => "Март",
"April" => "Апрель",
"May" => "Май",
"June" => "Июнь",
"July" => "Июль",
"August" => "Август",
"September" => "Сентябрь",
"October" => "Октябрь",
"November" => "Ноябрь",
"December" => "Декабрь",
"web services under your control" => "Сетевые службы под твоим контролем",
"Log out" => "Выйти",
"Automatic logon rejected!" => "Автоматический вход в систему отключен!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Ошибка добавления %s в избранное.",
"No categories selected for deletion." => "Нет категорий, выбранных для удаления.",
"Error removing %s from favorites." => "Ошибка удаления %s из избранного.",
"Sunday" => "Воскресенье",
"Monday" => "Понедельник",
"Tuesday" => "Вторник",
"Wednesday" => "Среда",
"Thursday" => "Четверг",
"Friday" => "Пятница",
"Saturday" => "Суббота",
"January" => "Январь",
"February" => "Февраль",
"March" => "Март",
"April" => "Апрель",
"May" => "Май",
"June" => "Июнь",
"July" => "Июль",
"August" => "Август",
"September" => "Сентябрь",
"October" => "Октябрь",
"November" => "Ноябрь",
"December" => "Декабрь",
"Settings" => "Настройки",
"seconds ago" => "секунд назад",
"1 minute ago" => " 1 минуту назад",
@ -63,6 +82,8 @@
"Error setting expiration date" => "Ошибка при установке даты истечения срока действия",
"Sending ..." => "Отправка ...",
"Email sent" => "Письмо отправлено",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Обновление прошло неудачно. Пожалуйста, сообщите об этом результате в <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.",
"The update was successful. Redirecting you to ownCloud now." => "Обновление прошло успешно. Немедленное перенаправление Вас на ownCloud.",
"ownCloud password reset" => "Переназначение пароля",
"Use the following link to reset your password: {link}" => "Воспользуйтесь следующей ссылкой для переназначения пароля: {link}",
"You will receive a link to reset your password via Email." => "Вы получите ссылку для восстановления пароля по электронной почте.",
@ -98,25 +119,6 @@
"Database tablespace" => "Табличная область базы данных",
"Database host" => "Сервер базы данных",
"Finish setup" => "Завершение настройки",
"Sunday" => "Воскресенье",
"Monday" => "Понедельник",
"Tuesday" => "Вторник",
"Wednesday" => "Среда",
"Thursday" => "Четверг",
"Friday" => "Пятница",
"Saturday" => "Суббота",
"January" => "Январь",
"February" => "Февраль",
"March" => "Март",
"April" => "Апрель",
"May" => "Май",
"June" => "Июнь",
"July" => "Июль",
"August" => "Август",
"September" => "Сентябрь",
"October" => "Октябрь",
"November" => "Ноябрь",
"December" => "Декабрь",
"web services under your control" => "веб-сервисы под Вашим контролем",
"Log out" => "Выйти",
"Automatic logon rejected!" => "Автоматический вход в систему отклонен!",
@ -126,5 +128,6 @@
"remember" => "запомнить",
"Log in" => "Войти",
"prev" => "предыдущий",
"next" => "следующий"
"next" => "следующий",
"Updating ownCloud to version %s, this may take a while." => "Обновление ownCloud до версии %s, это может занять некоторое время."
);

View File

@ -1,5 +1,24 @@
<?php $TRANSLATIONS = array(
"No categories selected for deletion." => "මකා දැමීම සඳහා ප්‍රවර්ගයන් තෝරා නොමැත.",
"Sunday" => "ඉරිදා",
"Monday" => "සඳුදා",
"Tuesday" => "අඟහරුවාදා",
"Wednesday" => "බදාදා",
"Thursday" => "බ්‍රහස්පතින්දා",
"Friday" => "සිකුරාදා",
"Saturday" => "සෙනසුරාදා",
"January" => "ජනවාරි",
"February" => "පෙබරවාරි",
"March" => "මාර්තු",
"April" => "අප්‍රේල්",
"May" => "මැයි",
"June" => "ජූනි",
"July" => "ජූලි",
"August" => "අගෝස්තු",
"September" => "සැප්තැම්බර්",
"October" => "ඔක්තෝබර්",
"November" => "නොවැම්බර්",
"December" => "දෙසැම්බර්",
"Settings" => "සැකසුම්",
"seconds ago" => "තත්පරයන්ට පෙර",
"1 minute ago" => "1 මිනිත්තුවකට පෙර",
@ -61,25 +80,6 @@
"Database name" => "දත්තගබඩාවේ නම",
"Database host" => "දත්තගබඩා සේවාදායකයා",
"Finish setup" => "ස්ථාපනය කිරීම අවසන් කරන්න",
"Sunday" => "ඉරිදා",
"Monday" => "සඳුදා",
"Tuesday" => "අඟහරුවාදා",
"Wednesday" => "බදාදා",
"Thursday" => "බ්‍රහස්පතින්දා",
"Friday" => "සිකුරාදා",
"Saturday" => "සෙනසුරාදා",
"January" => "ජනවාරි",
"February" => "පෙබරවාරි",
"March" => "මාර්තු",
"April" => "අප්‍රේල්",
"May" => "මැයි",
"June" => "ජූනි",
"July" => "ජූලි",
"August" => "අගෝස්තු",
"September" => "සැප්තැම්බර්",
"October" => "ඔක්තෝබර්",
"November" => "නොවැම්බර්",
"December" => "දෙසැම්බර්",
"web services under your control" => "ඔබට පාලනය කළ හැකි වෙබ් සේවාවන්",
"Log out" => "නික්මීම",
"Lost your password?" => "මුරපදය අමතකද?",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Chyba pri pridávaní %s do obľúbených položiek.",
"No categories selected for deletion." => "Neboli vybrané žiadne kategórie pre odstránenie.",
"Error removing %s from favorites." => "Chyba pri odstraňovaní %s z obľúbených položiek.",
"Sunday" => "Nedeľa",
"Monday" => "Pondelok",
"Tuesday" => "Utorok",
"Wednesday" => "Streda",
"Thursday" => "Štvrtok",
"Friday" => "Piatok",
"Saturday" => "Sobota",
"January" => "Január",
"February" => "Február",
"March" => "Marec",
"April" => "Apríl",
"May" => "Máj",
"June" => "Jún",
"July" => "Júl",
"August" => "August",
"September" => "September",
"October" => "Október",
"November" => "November",
"December" => "December",
"Settings" => "Nastavenia",
"seconds ago" => "pred sekundami",
"1 minute ago" => "pred minútou",
@ -63,6 +82,8 @@
"Error setting expiration date" => "Chyba pri nastavení dátumu vypršania platnosti",
"Sending ..." => "Odosielam ...",
"Email sent" => "Email odoslaný",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Aktualizácia nebola úspešná. Problém nahláste na <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.",
"The update was successful. Redirecting you to ownCloud now." => "Aktualizácia bola úspešná. Presmerovávam na ownCloud.",
"ownCloud password reset" => "Obnovenie hesla pre ownCloud",
"Use the following link to reset your password: {link}" => "Použite nasledujúci odkaz pre obnovenie vášho hesla: {link}",
"You will receive a link to reset your password via Email." => "Odkaz pre obnovenie hesla obdržíte e-mailom.",
@ -98,25 +119,6 @@
"Database tablespace" => "Tabuľkový priestor databázy",
"Database host" => "Server databázy",
"Finish setup" => "Dokončiť inštaláciu",
"Sunday" => "Nedeľa",
"Monday" => "Pondelok",
"Tuesday" => "Utorok",
"Wednesday" => "Streda",
"Thursday" => "Štvrtok",
"Friday" => "Piatok",
"Saturday" => "Sobota",
"January" => "Január",
"February" => "Február",
"March" => "Marec",
"April" => "Apríl",
"May" => "Máj",
"June" => "Jún",
"July" => "Júl",
"August" => "August",
"September" => "September",
"October" => "Október",
"November" => "November",
"December" => "December",
"web services under your control" => "webové služby pod vašou kontrolou",
"Log out" => "Odhlásiť",
"Automatic logon rejected!" => "Automatické prihlásenie bolo zamietnuté!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Napaka pri dodajanju %s med priljubljene.",
"No categories selected for deletion." => "Za izbris ni izbrana nobena kategorija.",
"Error removing %s from favorites." => "Napaka pri odstranjevanju %s iz priljubljenih.",
"Sunday" => "nedelja",
"Monday" => "ponedeljek",
"Tuesday" => "torek",
"Wednesday" => "sreda",
"Thursday" => "četrtek",
"Friday" => "petek",
"Saturday" => "sobota",
"January" => "januar",
"February" => "februar",
"March" => "marec",
"April" => "april",
"May" => "maj",
"June" => "junij",
"July" => "julij",
"August" => "avgust",
"September" => "september",
"October" => "oktober",
"November" => "november",
"December" => "december",
"Settings" => "Nastavitve",
"seconds ago" => "pred nekaj sekundami",
"1 minute ago" => "pred minuto",
@ -98,25 +117,6 @@
"Database tablespace" => "Razpredelnica podatkovne zbirke",
"Database host" => "Gostitelj podatkovne zbirke",
"Finish setup" => "Dokončaj namestitev",
"Sunday" => "nedelja",
"Monday" => "ponedeljek",
"Tuesday" => "torek",
"Wednesday" => "sreda",
"Thursday" => "četrtek",
"Friday" => "petek",
"Saturday" => "sobota",
"January" => "januar",
"February" => "februar",
"March" => "marec",
"April" => "april",
"May" => "maj",
"June" => "junij",
"July" => "julij",
"August" => "avgust",
"September" => "september",
"October" => "oktober",
"November" => "november",
"December" => "december",
"web services under your control" => "spletne storitve pod vašim nadzorom",
"Log out" => "Odjava",
"Automatic logon rejected!" => "Samodejno prijavljanje je zavrnjeno!",

View File

@ -9,6 +9,25 @@
"Error adding %s to favorites." => "Грешка приликом додавања %s у омиљене.",
"No categories selected for deletion." => "Ни једна категорија није означена за брисање.",
"Error removing %s from favorites." => "Грешка приликом уклањања %s из омиљених",
"Sunday" => "Недеља",
"Monday" => "Понедељак",
"Tuesday" => "Уторак",
"Wednesday" => "Среда",
"Thursday" => "Четвртак",
"Friday" => "Петак",
"Saturday" => "Субота",
"January" => "Јануар",
"February" => "Фебруар",
"March" => "Март",
"April" => "Април",
"May" => "Мај",
"June" => "Јун",
"July" => "Јул",
"August" => "Август",
"September" => "Септембар",
"October" => "Октобар",
"November" => "Новембар",
"December" => "Децембар",
"Settings" => "Подешавања",
"seconds ago" => "пре неколико секунди",
"1 minute ago" => "пре 1 минут",
@ -95,25 +114,6 @@
"Database tablespace" => "Радни простор базе података",
"Database host" => "Домаћин базе",
"Finish setup" => "Заврши подешавање",
"Sunday" => "Недеља",
"Monday" => "Понедељак",
"Tuesday" => "Уторак",
"Wednesday" => "Среда",
"Thursday" => "Четвртак",
"Friday" => "Петак",
"Saturday" => "Субота",
"January" => "Јануар",
"February" => "Фебруар",
"March" => "Март",
"April" => "Април",
"May" => "Мај",
"June" => "Јун",
"July" => "Јул",
"August" => "Август",
"September" => "Септембар",
"October" => "Октобар",
"November" => "Новембар",
"December" => "Децембар",
"web services under your control" => "веб сервиси под контролом",
"Log out" => "Одјава",
"Automatic logon rejected!" => "Аутоматска пријава је одбијена!",

View File

@ -1,4 +1,23 @@
<?php $TRANSLATIONS = array(
"Sunday" => "Nedelja",
"Monday" => "Ponedeljak",
"Tuesday" => "Utorak",
"Wednesday" => "Sreda",
"Thursday" => "Četvrtak",
"Friday" => "Petak",
"Saturday" => "Subota",
"January" => "Januar",
"February" => "Februar",
"March" => "Mart",
"April" => "April",
"May" => "Maj",
"June" => "Jun",
"July" => "Jul",
"August" => "Avgust",
"September" => "Septembar",
"October" => "Oktobar",
"November" => "Novembar",
"December" => "Decembar",
"Settings" => "Podešavanja",
"Cancel" => "Otkaži",
"Password" => "Lozinka",
@ -24,25 +43,6 @@
"Database name" => "Ime baze",
"Database host" => "Domaćin baze",
"Finish setup" => "Završi podešavanje",
"Sunday" => "Nedelja",
"Monday" => "Ponedeljak",
"Tuesday" => "Utorak",
"Wednesday" => "Sreda",
"Thursday" => "Četvrtak",
"Friday" => "Petak",
"Saturday" => "Subota",
"January" => "Januar",
"February" => "Februar",
"March" => "Mart",
"April" => "April",
"May" => "Maj",
"June" => "Jun",
"July" => "Jul",
"August" => "Avgust",
"September" => "Septembar",
"October" => "Oktobar",
"November" => "Novembar",
"December" => "Decembar",
"Log out" => "Odjava",
"Lost your password?" => "Izgubili ste lozinku?",
"remember" => "upamti",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Fel vid tillägg av %s till favoriter.",
"No categories selected for deletion." => "Inga kategorier valda för radering.",
"Error removing %s from favorites." => "Fel vid borttagning av %s från favoriter.",
"Sunday" => "Söndag",
"Monday" => "Måndag",
"Tuesday" => "Tisdag",
"Wednesday" => "Onsdag",
"Thursday" => "Torsdag",
"Friday" => "Fredag",
"Saturday" => "Lördag",
"January" => "Januari",
"February" => "Februari",
"March" => "Mars",
"April" => "April",
"May" => "Maj",
"June" => "Juni",
"July" => "Juli",
"August" => "Augusti",
"September" => "September",
"October" => "Oktober",
"November" => "November",
"December" => "December",
"Settings" => "Inställningar",
"seconds ago" => "sekunder sedan",
"1 minute ago" => "1 minut sedan",
@ -63,6 +82,8 @@
"Error setting expiration date" => "Fel vid sättning av utgångsdatum",
"Sending ..." => "Skickar ...",
"Email sent" => "E-post skickat",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Uppdateringen misslyckades. Rapportera detta problem till <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud-gemenskapen</a>.",
"The update was successful. Redirecting you to ownCloud now." => "Uppdateringen lyckades. Du omdirigeras nu till OwnCloud",
"ownCloud password reset" => "ownCloud lösenordsåterställning",
"Use the following link to reset your password: {link}" => "Använd följande länk för att återställa lösenordet: {link}",
"You will receive a link to reset your password via Email." => "Du får en länk att återställa ditt lösenord via e-post.",
@ -98,25 +119,6 @@
"Database tablespace" => "Databas tabellutrymme",
"Database host" => "Databasserver",
"Finish setup" => "Avsluta installation",
"Sunday" => "Söndag",
"Monday" => "Måndag",
"Tuesday" => "Tisdag",
"Wednesday" => "Onsdag",
"Thursday" => "Torsdag",
"Friday" => "Fredag",
"Saturday" => "Lördag",
"January" => "Januari",
"February" => "Februari",
"March" => "Mars",
"April" => "April",
"May" => "Maj",
"June" => "Juni",
"July" => "Juli",
"August" => "Augusti",
"September" => "September",
"October" => "Oktober",
"November" => "November",
"December" => "December",
"web services under your control" => "webbtjänster under din kontroll",
"Log out" => "Logga ut",
"Automatic logon rejected!" => "Automatisk inloggning inte tillåten!",

View File

@ -7,6 +7,25 @@
"Error adding %s to favorites." => "விருப்பங்களுக்கு %s ஐ சேர்ப்பதில் வழு",
"No categories selected for deletion." => "நீக்குவதற்கு எந்தப் பிரிவும் தெரிவுசெய்யப்படவில்லை.",
"Error removing %s from favorites." => "விருப்பத்திலிருந்து %s ஐ அகற்றுவதில் வழு.உஇஇ",
"Sunday" => "ஞாயிற்றுக்கிழமை",
"Monday" => "திங்கட்கிழமை",
"Tuesday" => "செவ்வாய்க்கிழமை",
"Wednesday" => "புதன்கிழமை",
"Thursday" => "வியாழக்கிழமை",
"Friday" => "வெள்ளிக்கிழமை",
"Saturday" => "சனிக்கிழமை",
"January" => "தை",
"February" => "மாசி",
"March" => "பங்குனி",
"April" => "சித்திரை",
"May" => "வைகாசி",
"June" => "ஆனி",
"July" => "ஆடி",
"August" => "ஆவணி",
"September" => "புரட்டாசி",
"October" => "ஐப்பசி",
"November" => "கார்த்திகை",
"December" => "மார்கழி",
"Settings" => "அமைப்புகள்",
"seconds ago" => "செக்கன்களுக்கு முன்",
"1 minute ago" => "1 நிமிடத்திற்கு முன் ",
@ -90,25 +109,6 @@
"Database tablespace" => "தரவுத்தள அட்டவணை",
"Database host" => "தரவுத்தள ஓம்புனர்",
"Finish setup" => "அமைப்பை முடிக்க",
"Sunday" => "ஞாயிற்றுக்கிழமை",
"Monday" => "திங்கட்கிழமை",
"Tuesday" => "செவ்வாய்க்கிழமை",
"Wednesday" => "புதன்கிழமை",
"Thursday" => "வியாழக்கிழமை",
"Friday" => "வெள்ளிக்கிழமை",
"Saturday" => "சனிக்கிழமை",
"January" => "தை",
"February" => "மாசி",
"March" => "பங்குனி",
"April" => "சித்திரை",
"May" => "வைகாசி",
"June" => "ஆனி",
"July" => "ஆடி",
"August" => "ஆவணி",
"September" => "புரட்டாசி",
"October" => "ஐப்பசி",
"November" => "கார்த்திகை",
"December" => "மார்கழி",
"web services under your control" => "உங்கள் கட்டுப்பாட்டின் கீழ் இணைய சேவைகள்",
"Log out" => "விடுபதிகை செய்க",
"Automatic logon rejected!" => "தன்னிச்சையான புகுபதிகை நிராகரிப்பட்டது!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "เกิดข้อผิดพลาดในการเพิ่ม %s เข้าไปยังรายการโปรด",
"No categories selected for deletion." => "ยังไม่ได้เลือกหมวดหมู่ที่ต้องการลบ",
"Error removing %s from favorites." => "เกิดข้อผิดพลาดในการลบ %s ออกจากรายการโปรด",
"Sunday" => "วันอาทิตย์",
"Monday" => "วันจันทร์",
"Tuesday" => "วันอังคาร",
"Wednesday" => "วันพุธ",
"Thursday" => "วันพฤหัสบดี",
"Friday" => "วันศุกร์",
"Saturday" => "วันเสาร์",
"January" => "มกราคม",
"February" => "กุมภาพันธ์",
"March" => "มีนาคม",
"April" => "เมษายน",
"May" => "พฤษภาคม",
"June" => "มิถุนายน",
"July" => "กรกฏาคม",
"August" => "สิงหาคม",
"September" => "กันยายน",
"October" => "ตุลาคม",
"November" => "พฤศจิกายน",
"December" => "ธันวาคม",
"Settings" => "ตั้งค่า",
"seconds ago" => "วินาที ก่อนหน้านี้",
"1 minute ago" => "1 นาทีก่อนหน้านี้",
@ -63,6 +82,8 @@
"Error setting expiration date" => "เกิดข้อผิดพลาดในการตั้งค่าวันที่หมดอายุ",
"Sending ..." => "กำลังส่ง...",
"Email sent" => "ส่งอีเมล์แล้ว",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "การอัพเดทไม่เป็นผลสำเร็จ กรุณาแจ้งปัญหาที่เกิดขึ้นไปยัง <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">คอมมูนิตี้ผู้ใช้งาน ownCloud</a>",
"The update was successful. Redirecting you to ownCloud now." => "การอัพเดทเสร็จเรียบร้อยแล้ว กำลังเปลี่ยนเส้นทางไปที่ ownCloud อยู่ในขณะนี้",
"ownCloud password reset" => "รีเซ็ตรหัสผ่าน ownCloud",
"Use the following link to reset your password: {link}" => "ใช้ลิงค์ต่อไปนี้เพื่อเปลี่ยนรหัสผ่านของคุณใหม่: {link}",
"You will receive a link to reset your password via Email." => "คุณจะได้รับลิงค์เพื่อกำหนดรหัสผ่านใหม่ทางอีเมล์",
@ -98,25 +119,6 @@
"Database tablespace" => "พื้นที่ตารางในฐานข้อมูล",
"Database host" => "Database host",
"Finish setup" => "ติดตั้งเรียบร้อยแล้ว",
"Sunday" => "วันอาทิตย์",
"Monday" => "วันจันทร์",
"Tuesday" => "วันอังคาร",
"Wednesday" => "วันพุธ",
"Thursday" => "วันพฤหัสบดี",
"Friday" => "วันศุกร์",
"Saturday" => "วันเสาร์",
"January" => "มกราคม",
"February" => "กุมภาพันธ์",
"March" => "มีนาคม",
"April" => "เมษายน",
"May" => "พฤษภาคม",
"June" => "มิถุนายน",
"July" => "กรกฏาคม",
"August" => "สิงหาคม",
"September" => "กันยายน",
"October" => "ตุลาคม",
"November" => "พฤศจิกายน",
"December" => "ธันวาคม",
"web services under your control" => "web services under your control",
"Log out" => "ออกจากระบบ",
"Automatic logon rejected!" => "การเข้าสู่ระบบอัตโนมัติถูกปฏิเสธแล้ว",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "%s favorilere eklenirken hata oluştu",
"No categories selected for deletion." => "Silmek için bir kategori seçilmedi",
"Error removing %s from favorites." => "%s favorilere çıkarılırken hata oluştu",
"Sunday" => "Pazar",
"Monday" => "Pazartesi",
"Tuesday" => "Salı",
"Wednesday" => "Çarşamba",
"Thursday" => "Perşembe",
"Friday" => "Cuma",
"Saturday" => "Cumartesi",
"January" => "Ocak",
"February" => "Şubat",
"March" => "Mart",
"April" => "Nisan",
"May" => "Mayıs",
"June" => "Haziran",
"July" => "Temmuz",
"August" => "Ağustos",
"September" => "Eylül",
"October" => "Ekim",
"November" => "Kasım",
"December" => "Aralık",
"Settings" => "Ayarlar",
"seconds ago" => "saniye önce",
"1 minute ago" => "1 dakika önce",
@ -98,25 +117,6 @@
"Database tablespace" => "Veritabanı tablo alanı",
"Database host" => "Veritabanı sunucusu",
"Finish setup" => "Kurulumu tamamla",
"Sunday" => "Pazar",
"Monday" => "Pazartesi",
"Tuesday" => "Salı",
"Wednesday" => "Çarşamba",
"Thursday" => "Perşembe",
"Friday" => "Cuma",
"Saturday" => "Cumartesi",
"January" => "Ocak",
"February" => "Şubat",
"March" => "Mart",
"April" => "Nisan",
"May" => "Mayıs",
"June" => "Haziran",
"July" => "Temmuz",
"August" => "Ağustos",
"September" => "Eylül",
"October" => "Ekim",
"November" => "Kasım",
"December" => "Aralık",
"web services under your control" => "kontrolünüzdeki web servisleri",
"Log out" => "Çıkış yap",
"Automatic logon rejected!" => "Otomatik oturum açma reddedildi!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "Помилка при додаванні %s до обраного.",
"No categories selected for deletion." => "Жодної категорії не обрано для видалення.",
"Error removing %s from favorites." => "Помилка при видалені %s із обраного.",
"Sunday" => "Неділя",
"Monday" => "Понеділок",
"Tuesday" => "Вівторок",
"Wednesday" => "Середа",
"Thursday" => "Четвер",
"Friday" => "П'ятниця",
"Saturday" => "Субота",
"January" => "Січень",
"February" => "Лютий",
"March" => "Березень",
"April" => "Квітень",
"May" => "Травень",
"June" => "Червень",
"July" => "Липень",
"August" => "Серпень",
"September" => "Вересень",
"October" => "Жовтень",
"November" => "Листопад",
"December" => "Грудень",
"Settings" => "Налаштування",
"seconds ago" => "секунди тому",
"1 minute ago" => "1 хвилину тому",
@ -98,25 +117,6 @@
"Database tablespace" => "Таблиця бази даних",
"Database host" => "Хост бази даних",
"Finish setup" => "Завершити налаштування",
"Sunday" => "Неділя",
"Monday" => "Понеділок",
"Tuesday" => "Вівторок",
"Wednesday" => "Середа",
"Thursday" => "Четвер",
"Friday" => "П'ятниця",
"Saturday" => "Субота",
"January" => "Січень",
"February" => "Лютий",
"March" => "Березень",
"April" => "Квітень",
"May" => "Травень",
"June" => "Червень",
"July" => "Липень",
"August" => "Серпень",
"September" => "Вересень",
"October" => "Жовтень",
"November" => "Листопад",
"December" => "Грудень",
"web services under your control" => "веб-сервіс під вашим контролем",
"Log out" => "Вихід",
"Automatic logon rejected!" => "Автоматичний вхід в систему відхилений!",

View File

@ -1,4 +1,8 @@
<?php $TRANSLATIONS = array(
"User %s shared a file with you" => "%s chia sẻ tập tin này cho bạn",
"User %s shared a folder with you" => "%s chia sẻ thư mục này cho bạn",
"User %s shared the file \"%s\" with you. It is available for download here: %s" => "Người dùng %s chia sẻ tập tin \"%s\" cho bạn .Bạn có thể tải tại đây : %s",
"User %s shared the folder \"%s\" with you. It is available for download here: %s" => "Người dùng %s chia sẻ thư mục \"%s\" cho bạn .Bạn có thể tải tại đây : %s",
"Category type not provided." => "Kiểu hạng mục không được cung cấp.",
"No category to add?" => "Không có danh mục được thêm?",
"This category already exists: " => "Danh mục này đã được tạo :",
@ -7,6 +11,25 @@
"Error adding %s to favorites." => "Lỗi thêm %s vào mục yêu thích.",
"No categories selected for deletion." => "Không có thể loại nào được chọn để xóa.",
"Error removing %s from favorites." => "Lỗi xóa %s từ mục yêu thích.",
"Sunday" => "Chủ nhật",
"Monday" => "Thứ 2",
"Tuesday" => "Thứ 3",
"Wednesday" => "Thứ 4",
"Thursday" => "Thứ 5",
"Friday" => "Thứ ",
"Saturday" => "Thứ 7",
"January" => "Tháng 1",
"February" => "Tháng 2",
"March" => "Tháng 3",
"April" => "Tháng 4",
"May" => "Tháng 5",
"June" => "Tháng 6",
"July" => "Tháng 7",
"August" => "Tháng 8",
"September" => "Tháng 9",
"October" => "Tháng 10",
"November" => "Tháng 11",
"December" => "Tháng 12",
"Settings" => "Cài đặt",
"seconds ago" => "vài giây trước",
"1 minute ago" => "1 phút trước",
@ -39,6 +62,7 @@
"Share with link" => "Chia sẻ với liên kết",
"Password protect" => "Mật khẩu bảo vệ",
"Password" => "Mật khẩu",
"Send" => "Gởi",
"Set expiration date" => "Đặt ngày kết thúc",
"Expiration date" => "Ngày kết thúc",
"Share via email:" => "Chia sẻ thông qua email",
@ -55,6 +79,9 @@
"Password protected" => "Mật khẩu bảo vệ",
"Error unsetting expiration date" => "Lỗi không thiết lập ngày kết thúc",
"Error setting expiration date" => "Lỗi cấu hình ngày kết thúc",
"Sending ..." => "Đang gởi ...",
"The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Cập nhật không thành công . Vui lòng thông báo đến <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\"> Cộng đồng ownCloud </a>.",
"The update was successful. Redirecting you to ownCloud now." => "Cập nhật thành công .Hệ thống sẽ đưa bạn tới ownCloud.",
"ownCloud password reset" => "Khôi phục mật khẩu Owncloud ",
"Use the following link to reset your password: {link}" => "Dùng đường dẫn sau để khôi phục lại mật khẩu : {link}",
"You will receive a link to reset your password via Email." => "Vui lòng kiểm tra Email để khôi phục lại mật khẩu.",
@ -90,25 +117,6 @@
"Database tablespace" => "Cơ sở dữ liệu tablespace",
"Database host" => "Database host",
"Finish setup" => "Cài đặt hoàn tất",
"Sunday" => "Chủ nhật",
"Monday" => "Thứ 2",
"Tuesday" => "Thứ 3",
"Wednesday" => "Thứ 4",
"Thursday" => "Thứ 5",
"Friday" => "Thứ ",
"Saturday" => "Thứ 7",
"January" => "Tháng 1",
"February" => "Tháng 2",
"March" => "Tháng 3",
"April" => "Tháng 4",
"May" => "Tháng 5",
"June" => "Tháng 6",
"July" => "Tháng 7",
"August" => "Tháng 8",
"September" => "Tháng 9",
"October" => "Tháng 10",
"November" => "Tháng 11",
"December" => "Tháng 12",
"web services under your control" => "các dịch vụ web dưới sự kiểm soát của bạn",
"Log out" => "Đăng xuất",
"Automatic logon rejected!" => "Tự động đăng nhập đã bị từ chối !",

View File

@ -2,6 +2,25 @@
"No category to add?" => "没有分类添加了?",
"This category already exists: " => "这个分类已经存在了:",
"No categories selected for deletion." => "没有选者要删除的分类.",
"Sunday" => "星期天",
"Monday" => "星期一",
"Tuesday" => "星期二",
"Wednesday" => "星期三",
"Thursday" => "星期四",
"Friday" => "星期五",
"Saturday" => "星期六",
"January" => "一月",
"February" => "二月",
"March" => "三月",
"April" => "四月",
"May" => "五月",
"June" => "六月",
"July" => "七月",
"August" => "八月",
"September" => "九月",
"October" => "十月",
"November" => "十一月",
"December" => "十二月",
"Settings" => "设置",
"seconds ago" => "秒前",
"1 minute ago" => "1 分钟前",
@ -79,25 +98,6 @@
"Database tablespace" => "数据库表格空间",
"Database host" => "数据库主机",
"Finish setup" => "完成安装",
"Sunday" => "星期天",
"Monday" => "星期一",
"Tuesday" => "星期二",
"Wednesday" => "星期三",
"Thursday" => "星期四",
"Friday" => "星期五",
"Saturday" => "星期六",
"January" => "一月",
"February" => "二月",
"March" => "三月",
"April" => "四月",
"May" => "五月",
"June" => "六月",
"July" => "七月",
"August" => "八月",
"September" => "九月",
"October" => "十月",
"November" => "十一月",
"December" => "十二月",
"web services under your control" => "你控制下的网络服务",
"Log out" => "注销",
"Automatic logon rejected!" => "自动登录被拒绝!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "向收藏夹中新增%s时出错。",
"No categories selected for deletion." => "没有选择要删除的类别",
"Error removing %s from favorites." => "从收藏夹中移除%s时出错。",
"Sunday" => "星期日",
"Monday" => "星期一",
"Tuesday" => "星期二",
"Wednesday" => "星期三",
"Thursday" => "星期四",
"Friday" => "星期五",
"Saturday" => "星期六",
"January" => "一月",
"February" => "二月",
"March" => "三月",
"April" => "四月",
"May" => "五月",
"June" => "六月",
"July" => "七月",
"August" => "八月",
"September" => "九月",
"October" => "十月",
"November" => "十一月",
"December" => "十二月",
"Settings" => "设置",
"seconds ago" => "秒前",
"1 minute ago" => "一分钟前",
@ -98,25 +117,6 @@
"Database tablespace" => "数据库表空间",
"Database host" => "数据库主机",
"Finish setup" => "安装完成",
"Sunday" => "星期日",
"Monday" => "星期一",
"Tuesday" => "星期二",
"Wednesday" => "星期三",
"Thursday" => "星期四",
"Friday" => "星期五",
"Saturday" => "星期六",
"January" => "一月",
"February" => "二月",
"March" => "三月",
"April" => "四月",
"May" => "五月",
"June" => "六月",
"July" => "七月",
"August" => "八月",
"September" => "九月",
"October" => "十月",
"November" => "十一月",
"December" => "十二月",
"web services under your control" => "由您掌控的网络服务",
"Log out" => "注销",
"Automatic logon rejected!" => "自动登录被拒绝!",

View File

@ -11,6 +11,25 @@
"Error adding %s to favorites." => "加入 %s 到最愛時發生錯誤。",
"No categories selected for deletion." => "沒有選擇要刪除的分類。",
"Error removing %s from favorites." => "從最愛移除 %s 時發生錯誤。",
"Sunday" => "週日",
"Monday" => "週一",
"Tuesday" => "週二",
"Wednesday" => "週三",
"Thursday" => "週四",
"Friday" => "週五",
"Saturday" => "週六",
"January" => "一月",
"February" => "二月",
"March" => "三月",
"April" => "四月",
"May" => "五月",
"June" => "六月",
"July" => "七月",
"August" => "八月",
"September" => "九月",
"October" => "十月",
"November" => "十一月",
"December" => "十二月",
"Settings" => "設定",
"seconds ago" => "幾秒前",
"1 minute ago" => "1 分鐘前",
@ -98,25 +117,6 @@
"Database tablespace" => "資料庫 tablespace",
"Database host" => "資料庫主機",
"Finish setup" => "完成設定",
"Sunday" => "週日",
"Monday" => "週一",
"Tuesday" => "週二",
"Wednesday" => "週三",
"Thursday" => "週四",
"Friday" => "週五",
"Saturday" => "週六",
"January" => "一月",
"February" => "二月",
"March" => "三月",
"April" => "四月",
"May" => "五月",
"June" => "六月",
"July" => "七月",
"August" => "八月",
"September" => "九月",
"October" => "十月",
"November" => "十一月",
"December" => "十二月",
"web services under your control" => "網路服務在您控制之下",
"Log out" => "登出",
"Automatic logon rejected!" => "自動登入被拒!",

View File

@ -1,7 +1,7 @@
<!DOCTYPE html>
<html>
<head>
<title><?php echo isset($_['application']) && !empty($_['application'])?$_['application'].' | ':'' ?>ownCloud <?php echo OC_User::getUser()?' ('.OC_User::getUser().') ':'' ?></title>
<title><?php echo isset($_['application']) && !empty($_['application'])?$_['application'].' | ':'' ?>ownCloud <?php echo OC_User::getDisplayName()?' ('.OC_Util::sanitizeHTML(OC_User::getDisplayName()).') ':'' ?></title>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta name="apple-itunes-app" content="app-id=543672169">
<link rel="shortcut icon" href="<?php echo image_path('', 'favicon.png'); ?>" /><link rel="apple-touch-icon-precomposed" href="<?php echo image_path('', 'favicon-touch.png'); ?>" />

View File

@ -795,6 +795,14 @@
<length>64</length>
</field>
<field>
<name>displayname</name>
<type>text</type>
<default></default>
<notnull>true</notnull>
<length>64</length>
</field>
<field>
<name>password</name>
<type>text</type>

View File

@ -9,8 +9,8 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-15 00:03+0100\n"
"PO-Revision-Date: 2013-01-14 23:03+0000\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 23:23+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Arabic (http://www.transifex.com/projects/p/owncloud/language/ar/)\n"
"MIME-Version: 1.0\n"
@ -19,24 +19,24 @@ msgstr ""
"Language: ar\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n"
#: ajax/share.php:84
#: ajax/share.php:85
#, php-format
msgid "User %s shared a file with you"
msgstr ""
#: ajax/share.php:86
#: ajax/share.php:87
#, php-format
msgid "User %s shared a folder with you"
msgstr ""
#: ajax/share.php:88
#: ajax/share.php:89
#, php-format
msgid ""
"User %s shared the file \"%s\" with you. It is available for download here: "
"%s"
msgstr ""
#: ajax/share.php:90
#: ajax/share.php:91
#, php-format
msgid ""
"User %s shared the folder \"%s\" with you. It is available for download "
@ -81,59 +81,135 @@ msgstr "لم يتم اختيار فئة للحذف"
msgid "Error removing %s from favorites."
msgstr ""
#: js/js.js:259 templates/layout.user.php:60 templates/layout.user.php:61
#: js/config.php:32
msgid "Sunday"
msgstr "الاحد"
#: js/config.php:32
msgid "Monday"
msgstr "الأثنين"
#: js/config.php:32
msgid "Tuesday"
msgstr "الثلاثاء"
#: js/config.php:32
msgid "Wednesday"
msgstr "الاربعاء"
#: js/config.php:32
msgid "Thursday"
msgstr "الخميس"
#: js/config.php:32
msgid "Friday"
msgstr "الجمعه"
#: js/config.php:32
msgid "Saturday"
msgstr "السبت"
#: js/config.php:33
msgid "January"
msgstr "كانون الثاني"
#: js/config.php:33
msgid "February"
msgstr "شباط"
#: js/config.php:33
msgid "March"
msgstr "آذار"
#: js/config.php:33
msgid "April"
msgstr "نيسان"
#: js/config.php:33
msgid "May"
msgstr "أيار"
#: js/config.php:33
msgid "June"
msgstr "حزيران"
#: js/config.php:33
msgid "July"
msgstr "تموز"
#: js/config.php:33
msgid "August"
msgstr "آب"
#: js/config.php:33
msgid "September"
msgstr "أيلول"
#: js/config.php:33
msgid "October"
msgstr "تشرين الاول"
#: js/config.php:33
msgid "November"
msgstr "تشرين الثاني"
#: js/config.php:33
msgid "December"
msgstr "كانون الاول"
#: js/js.js:280 templates/layout.user.php:47 templates/layout.user.php:48
msgid "Settings"
msgstr "تعديلات"
#: js/js.js:711
#: js/js.js:762
msgid "seconds ago"
msgstr "منذ ثواني"
#: js/js.js:712
#: js/js.js:763
msgid "1 minute ago"
msgstr "منذ دقيقة"
#: js/js.js:713
#: js/js.js:764
msgid "{minutes} minutes ago"
msgstr "{minutes} منذ دقائق"
#: js/js.js:714
#: js/js.js:765
msgid "1 hour ago"
msgstr ""
#: js/js.js:715
#: js/js.js:766
msgid "{hours} hours ago"
msgstr ""
#: js/js.js:716
#: js/js.js:767
msgid "today"
msgstr "اليوم"
#: js/js.js:717
#: js/js.js:768
msgid "yesterday"
msgstr ""
#: js/js.js:718
#: js/js.js:769
msgid "{days} days ago"
msgstr ""
#: js/js.js:719
#: js/js.js:770
msgid "last month"
msgstr ""
#: js/js.js:720
#: js/js.js:771
msgid "{months} months ago"
msgstr ""
#: js/js.js:721
#: js/js.js:772
msgid "months ago"
msgstr ""
#: js/js.js:722
#: js/js.js:773
msgid "last year"
msgstr ""
#: js/js.js:723
#: js/js.js:774
msgid "years ago"
msgstr ""
@ -163,8 +239,8 @@ msgid "The object type is not specified."
msgstr ""
#: js/oc-vcategories.js:95 js/oc-vcategories.js:125 js/oc-vcategories.js:136
#: js/oc-vcategories.js:195 js/share.js:135 js/share.js:142 js/share.js:554
#: js/share.js:566
#: js/oc-vcategories.js:195 js/share.js:152 js/share.js:159 js/share.js:571
#: js/share.js:583
msgid "Error"
msgstr "خطأ"
@ -176,122 +252,141 @@ msgstr ""
msgid "The required file {file} is not installed!"
msgstr ""
#: js/share.js:124 js/share.js:594
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Share"
msgstr ""
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Shared"
msgstr ""
#: js/share.js:141 js/share.js:611
msgid "Error while sharing"
msgstr "حصل خطأ عند عملية المشاركة"
#: js/share.js:135
#: js/share.js:152
msgid "Error while unsharing"
msgstr "حصل خطأ عند عملية إزالة المشاركة"
#: js/share.js:142
#: js/share.js:159
msgid "Error while changing permissions"
msgstr "حصل خطأ عند عملية إعادة تعيين التصريح بالتوصل"
#: js/share.js:151
#: js/share.js:168
msgid "Shared with you and the group {group} by {owner}"
msgstr "شورك معك ومع المجموعة {group} من قبل {owner}"
#: js/share.js:153
#: js/share.js:170
msgid "Shared with you by {owner}"
msgstr "شورك معك من قبل {owner}"
#: js/share.js:158
#: js/share.js:175
msgid "Share with"
msgstr "شارك مع"
#: js/share.js:163
#: js/share.js:180
msgid "Share with link"
msgstr "شارك مع رابط"
#: js/share.js:166
#: js/share.js:183
msgid "Password protect"
msgstr "حماية كلمة السر"
#: js/share.js:168 templates/installation.php:44 templates/login.php:35
#: js/share.js:185 templates/installation.php:44 templates/login.php:35
msgid "Password"
msgstr "كلمة السر"
#: js/share.js:172
#: js/share.js:189
msgid "Email link to person"
msgstr ""
#: js/share.js:173
#: js/share.js:190
msgid "Send"
msgstr ""
#: js/share.js:177
#: js/share.js:194
msgid "Set expiration date"
msgstr "تعيين تاريخ إنتهاء الصلاحية"
#: js/share.js:178
#: js/share.js:195
msgid "Expiration date"
msgstr "تاريخ إنتهاء الصلاحية"
#: js/share.js:210
#: js/share.js:227
msgid "Share via email:"
msgstr "مشاركة عبر البريد الإلكتروني:"
#: js/share.js:212
#: js/share.js:229
msgid "No people found"
msgstr "لم يتم العثور على أي شخص"
#: js/share.js:239
#: js/share.js:256
msgid "Resharing is not allowed"
msgstr "لا يسمح بعملية إعادة المشاركة"
#: js/share.js:275
#: js/share.js:292
msgid "Shared in {item} with {user}"
msgstr "شورك في {item} مع {user}"
#: js/share.js:296
#: js/share.js:313
msgid "Unshare"
msgstr "إلغاء مشاركة"
#: js/share.js:308
#: js/share.js:325
msgid "can edit"
msgstr "التحرير مسموح"
#: js/share.js:310
#: js/share.js:327
msgid "access control"
msgstr "ضبط الوصول"
#: js/share.js:313
#: js/share.js:330
msgid "create"
msgstr "إنشاء"
#: js/share.js:316
#: js/share.js:333
msgid "update"
msgstr "تحديث"
#: js/share.js:319
#: js/share.js:336
msgid "delete"
msgstr "حذف"
#: js/share.js:322
#: js/share.js:339
msgid "share"
msgstr "مشاركة"
#: js/share.js:356 js/share.js:541
#: js/share.js:373 js/share.js:558
msgid "Password protected"
msgstr "محمي بكلمة السر"
#: js/share.js:554
#: js/share.js:571
msgid "Error unsetting expiration date"
msgstr "حصل خطأ عند عملية إزالة تاريخ إنتهاء الصلاحية"
#: js/share.js:566
#: js/share.js:583
msgid "Error setting expiration date"
msgstr "حصل خطأ عند عملية تعيين تاريخ إنتهاء الصلاحية"
#: js/share.js:581
#: js/share.js:598
msgid "Sending ..."
msgstr ""
#: js/share.js:592
#: js/share.js:609
msgid "Email sent"
msgstr ""
#: js/update.js:14
msgid ""
"The update was unsuccessful. Please report this issue to the <a "
"href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud "
"community</a>."
msgstr ""
#: js/update.js:18
msgid "The update was successful. Redirecting you to ownCloud now."
msgstr ""
#: lostpassword/controller.php:47
msgid "ownCloud password reset"
msgstr "إعادة تعيين كلمة سر ownCloud"
@ -443,87 +538,11 @@ msgstr "خادم قاعدة البيانات"
msgid "Finish setup"
msgstr "انهاء التعديلات"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Sunday"
msgstr "الاحد"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Monday"
msgstr "الأثنين"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Tuesday"
msgstr "الثلاثاء"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Wednesday"
msgstr "الاربعاء"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Thursday"
msgstr "الخميس"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Friday"
msgstr "الجمعه"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Saturday"
msgstr "السبت"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "January"
msgstr "كانون الثاني"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "February"
msgstr "شباط"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "March"
msgstr "آذار"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "April"
msgstr "نيسان"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "May"
msgstr "أيار"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "June"
msgstr "حزيران"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "July"
msgstr "تموز"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "August"
msgstr "آب"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "September"
msgstr "أيلول"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "October"
msgstr "تشرين الاول"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "November"
msgstr "تشرين الثاني"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "December"
msgstr "كانون الاول"
#: templates/layout.guest.php:42
#: templates/layout.guest.php:34
msgid "web services under your control"
msgstr "خدمات الوب تحت تصرفك"
#: templates/layout.user.php:45
#: templates/layout.user.php:32
msgid "Log out"
msgstr "الخروج"

View File

@ -10,8 +10,8 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-12 00:09+0100\n"
"PO-Revision-Date: 2013-01-11 23:09+0000\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 23:24+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Arabic (http://www.transifex.com/projects/p/owncloud/language/ar/)\n"
"MIME-Version: 1.0\n"
@ -90,7 +90,7 @@ msgstr "تفعيل"
msgid "Saving..."
msgstr "حفظ"
#: personal.php:42 personal.php:43
#: personal.php:34 personal.php:35
msgid "__language_name__"
msgstr "__language_name__"
@ -102,15 +102,15 @@ msgstr "أضف تطبيقاتك"
msgid "More Apps"
msgstr "المزيد من التطبيقات"
#: templates/apps.php:27
#: templates/apps.php:24
msgid "Select an App"
msgstr "إختر تطبيقاً"
#: templates/apps.php:31
#: templates/apps.php:28
msgid "See application page at apps.owncloud.com"
msgstr "راجع صفحة التطبيق على apps.owncloud.com"
#: templates/apps.php:32
#: templates/apps.php:29
msgid "<span class=\"licence\"></span>-licensed by <span class=\"author\"></span>"
msgstr "<span class=\"licence\"></span>-ترخيص من قبل <span class=\"author\"></span>"
@ -159,7 +159,7 @@ msgstr "تحميل عميل آندرويد"
msgid "Download iOS Client"
msgstr "تحميل عميل آي أو أس"
#: templates/personal.php:21 templates/users.php:23 templates/users.php:82
#: templates/personal.php:21 templates/users.php:23 templates/users.php:81
msgid "Password"
msgstr "كلمات السر"
@ -229,11 +229,11 @@ msgid ""
"License\">AGPL</abbr></a>."
msgstr "طوّر من قبل <a href=\"http://ownCloud.org/contact\" target=\"_blank\">ownCloud مجتمع</a>, الـ <a href=\"https://github.com/owncloud\" target=\"_blank\">النص المصدري</a> مرخص بموجب <a href=\"http://www.gnu.org/licenses/agpl-3.0.html\" target=\"_blank\"><abbr title=\"Affero General Public License\">رخصة أفيرو العمومية</abbr></a>."
#: templates/users.php:21 templates/users.php:81
msgid "Name"
msgstr "الاسم"
#: templates/users.php:21 templates/users.php:79
msgid "Login Name"
msgstr ""
#: templates/users.php:26 templates/users.php:83 templates/users.php:103
#: templates/users.php:26 templates/users.php:82 templates/users.php:107
msgid "Groups"
msgstr "مجموعات"
@ -245,26 +245,30 @@ msgstr "انشئ"
msgid "Default Storage"
msgstr ""
#: templates/users.php:42 templates/users.php:138
#: templates/users.php:42 templates/users.php:142
msgid "Unlimited"
msgstr ""
#: templates/users.php:60 templates/users.php:153
#: templates/users.php:60 templates/users.php:157
msgid "Other"
msgstr "شيء آخر"
#: templates/users.php:85 templates/users.php:117
#: templates/users.php:80
msgid "Display Name"
msgstr ""
#: templates/users.php:84 templates/users.php:121
msgid "Group Admin"
msgstr "مدير المجموعة"
#: templates/users.php:87
#: templates/users.php:86
msgid "Storage"
msgstr ""
#: templates/users.php:133
#: templates/users.php:137
msgid "Default"
msgstr ""
#: templates/users.php:161
#: templates/users.php:165
msgid "Delete"
msgstr "حذف"

View File

@ -11,8 +11,8 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-27 00:04+0100\n"
"PO-Revision-Date: 2013-01-25 23:23+0000\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 23:23+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Bulgarian (Bulgaria) (http://www.transifex.com/projects/p/owncloud/language/bg_BG/)\n"
"MIME-Version: 1.0\n"
@ -21,24 +21,24 @@ msgstr ""
"Language: bg_BG\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: ajax/share.php:84
#: ajax/share.php:85
#, php-format
msgid "User %s shared a file with you"
msgstr ""
#: ajax/share.php:86
#: ajax/share.php:87
#, php-format
msgid "User %s shared a folder with you"
msgstr ""
#: ajax/share.php:88
#: ajax/share.php:89
#, php-format
msgid ""
"User %s shared the file \"%s\" with you. It is available for download here: "
"%s"
msgstr ""
#: ajax/share.php:90
#: ajax/share.php:91
#, php-format
msgid ""
"User %s shared the folder \"%s\" with you. It is available for download "
@ -83,79 +83,79 @@ msgstr ""
msgid "Error removing %s from favorites."
msgstr ""
#: js/config.php:28
#: js/config.php:32
msgid "Sunday"
msgstr ""
#: js/config.php:28
#: js/config.php:32
msgid "Monday"
msgstr ""
#: js/config.php:28
#: js/config.php:32
msgid "Tuesday"
msgstr ""
#: js/config.php:28
#: js/config.php:32
msgid "Wednesday"
msgstr ""
#: js/config.php:28
#: js/config.php:32
msgid "Thursday"
msgstr ""
#: js/config.php:28
#: js/config.php:32
msgid "Friday"
msgstr ""
#: js/config.php:28
#: js/config.php:32
msgid "Saturday"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "January"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "February"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "March"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "April"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "May"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "June"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "July"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "August"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "September"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "October"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "November"
msgstr ""
#: js/config.php:29
#: js/config.php:33
msgid "December"
msgstr ""
@ -241,8 +241,8 @@ msgid "The object type is not specified."
msgstr ""
#: js/oc-vcategories.js:95 js/oc-vcategories.js:125 js/oc-vcategories.js:136
#: js/oc-vcategories.js:195 js/share.js:135 js/share.js:142 js/share.js:554
#: js/share.js:566
#: js/oc-vcategories.js:195 js/share.js:152 js/share.js:159 js/share.js:571
#: js/share.js:583
msgid "Error"
msgstr "Грешка"
@ -254,122 +254,141 @@ msgstr ""
msgid "The required file {file} is not installed!"
msgstr ""
#: js/share.js:124 js/share.js:594
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Share"
msgstr ""
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Shared"
msgstr ""
#: js/share.js:141 js/share.js:611
msgid "Error while sharing"
msgstr ""
#: js/share.js:135
#: js/share.js:152
msgid "Error while unsharing"
msgstr ""
#: js/share.js:142
#: js/share.js:159
msgid "Error while changing permissions"
msgstr ""
#: js/share.js:151
#: js/share.js:168
msgid "Shared with you and the group {group} by {owner}"
msgstr ""
#: js/share.js:153
#: js/share.js:170
msgid "Shared with you by {owner}"
msgstr ""
#: js/share.js:158
#: js/share.js:175
msgid "Share with"
msgstr ""
#: js/share.js:163
#: js/share.js:180
msgid "Share with link"
msgstr ""
#: js/share.js:166
#: js/share.js:183
msgid "Password protect"
msgstr ""
#: js/share.js:168 templates/installation.php:44 templates/login.php:35
#: js/share.js:185 templates/installation.php:44 templates/login.php:35
msgid "Password"
msgstr "Парола"
#: js/share.js:172
#: js/share.js:189
msgid "Email link to person"
msgstr ""
#: js/share.js:173
#: js/share.js:190
msgid "Send"
msgstr ""
#: js/share.js:177
#: js/share.js:194
msgid "Set expiration date"
msgstr ""
#: js/share.js:178
#: js/share.js:195
msgid "Expiration date"
msgstr ""
#: js/share.js:210
#: js/share.js:227
msgid "Share via email:"
msgstr ""
#: js/share.js:212
#: js/share.js:229
msgid "No people found"
msgstr ""
#: js/share.js:239
#: js/share.js:256
msgid "Resharing is not allowed"
msgstr ""
#: js/share.js:275
#: js/share.js:292
msgid "Shared in {item} with {user}"
msgstr ""
#: js/share.js:296
#: js/share.js:313
msgid "Unshare"
msgstr ""
#: js/share.js:308
#: js/share.js:325
msgid "can edit"
msgstr ""
#: js/share.js:310
#: js/share.js:327
msgid "access control"
msgstr ""
#: js/share.js:313
#: js/share.js:330
msgid "create"
msgstr ""
#: js/share.js:316
#: js/share.js:333
msgid "update"
msgstr ""
#: js/share.js:319
#: js/share.js:336
msgid "delete"
msgstr ""
#: js/share.js:322
#: js/share.js:339
msgid "share"
msgstr ""
#: js/share.js:356 js/share.js:541
#: js/share.js:373 js/share.js:558
msgid "Password protected"
msgstr ""
#: js/share.js:554
#: js/share.js:571
msgid "Error unsetting expiration date"
msgstr ""
#: js/share.js:566
#: js/share.js:583
msgid "Error setting expiration date"
msgstr ""
#: js/share.js:581
#: js/share.js:598
msgid "Sending ..."
msgstr ""
#: js/share.js:592
#: js/share.js:609
msgid "Email sent"
msgstr ""
#: js/update.js:14
msgid ""
"The update was unsuccessful. Please report this issue to the <a "
"href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud "
"community</a>."
msgstr ""
#: js/update.js:18
msgid "The update was successful. Redirecting you to ownCloud now."
msgstr ""
#: lostpassword/controller.php:47
msgid "ownCloud password reset"
msgstr ""

View File

@ -10,8 +10,8 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-15 00:03+0100\n"
"PO-Revision-Date: 2013-01-14 18:49+0000\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 23:24+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Bulgarian (Bulgaria) (http://www.transifex.com/projects/p/owncloud/language/bg_BG/)\n"
"MIME-Version: 1.0\n"
@ -90,7 +90,7 @@ msgstr "Включено"
msgid "Saving..."
msgstr ""
#: personal.php:42 personal.php:43
#: personal.php:34 personal.php:35
msgid "__language_name__"
msgstr ""
@ -102,15 +102,15 @@ msgstr ""
msgid "More Apps"
msgstr ""
#: templates/apps.php:27
#: templates/apps.php:24
msgid "Select an App"
msgstr ""
#: templates/apps.php:31
#: templates/apps.php:28
msgid "See application page at apps.owncloud.com"
msgstr ""
#: templates/apps.php:32
#: templates/apps.php:29
msgid "<span class=\"licence\"></span>-licensed by <span class=\"author\"></span>"
msgstr ""
@ -159,7 +159,7 @@ msgstr ""
msgid "Download iOS Client"
msgstr ""
#: templates/personal.php:21 templates/users.php:23 templates/users.php:82
#: templates/personal.php:21 templates/users.php:23 templates/users.php:81
msgid "Password"
msgstr "Парола"
@ -229,11 +229,11 @@ msgid ""
"License\">AGPL</abbr></a>."
msgstr ""
#: templates/users.php:21 templates/users.php:81
msgid "Name"
msgstr "Име"
#: templates/users.php:21 templates/users.php:79
msgid "Login Name"
msgstr ""
#: templates/users.php:26 templates/users.php:83 templates/users.php:103
#: templates/users.php:26 templates/users.php:82 templates/users.php:107
msgid "Groups"
msgstr "Групи"
@ -245,26 +245,30 @@ msgstr ""
msgid "Default Storage"
msgstr ""
#: templates/users.php:42 templates/users.php:138
#: templates/users.php:42 templates/users.php:142
msgid "Unlimited"
msgstr ""
#: templates/users.php:60 templates/users.php:153
#: templates/users.php:60 templates/users.php:157
msgid "Other"
msgstr ""
#: templates/users.php:85 templates/users.php:117
#: templates/users.php:80
msgid "Display Name"
msgstr ""
#: templates/users.php:84 templates/users.php:121
msgid "Group Admin"
msgstr ""
#: templates/users.php:87
#: templates/users.php:86
msgid "Storage"
msgstr ""
#: templates/users.php:133
#: templates/users.php:137
msgid "Default"
msgstr ""
#: templates/users.php:161
#: templates/users.php:165
msgid "Delete"
msgstr "Изтриване"

View File

@ -8,8 +8,8 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-15 00:03+0100\n"
"PO-Revision-Date: 2013-01-14 23:03+0000\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 23:23+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Bengali (Bangladesh) (http://www.transifex.com/projects/p/owncloud/language/bn_BD/)\n"
"MIME-Version: 1.0\n"
@ -18,24 +18,24 @@ msgstr ""
"Language: bn_BD\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: ajax/share.php:84
#: ajax/share.php:85
#, php-format
msgid "User %s shared a file with you"
msgstr "%s নামের ব্যবহারকারি আপনার সাথে একটা ফাইল ভাগাভাগি করেছেন"
#: ajax/share.php:86
#: ajax/share.php:87
#, php-format
msgid "User %s shared a folder with you"
msgstr "%s নামের ব্যবহারকারি আপনার সাথে একটা ফোল্ডার ভাগাভাগি করেছেন"
#: ajax/share.php:88
#: ajax/share.php:89
#, php-format
msgid ""
"User %s shared the file \"%s\" with you. It is available for download here: "
"%s"
msgstr "%s নামের ব্যবহারকারী \"%s\" ফাইলটি আপনার সাথে ভাগাভাগি করেছেন। এটি এখন এখানে ডাউনলোড করার জন্য সুলভঃ %s"
#: ajax/share.php:90
#: ajax/share.php:91
#, php-format
msgid ""
"User %s shared the folder \"%s\" with you. It is available for download "
@ -80,59 +80,135 @@ msgstr "মুছে ফেলার জন্য কোন ক্যাটে
msgid "Error removing %s from favorites."
msgstr "প্রিয় থেকে %s সরিয়ে ফেলতে সমস্যা দেখা দিয়েছে।"
#: js/js.js:259 templates/layout.user.php:60 templates/layout.user.php:61
#: js/config.php:32
msgid "Sunday"
msgstr "রবিবার"
#: js/config.php:32
msgid "Monday"
msgstr "সোমবার"
#: js/config.php:32
msgid "Tuesday"
msgstr "মঙ্গলবার"
#: js/config.php:32
msgid "Wednesday"
msgstr "বুধবার"
#: js/config.php:32
msgid "Thursday"
msgstr "বৃহষ্পতিবার"
#: js/config.php:32
msgid "Friday"
msgstr "শুক্রবার"
#: js/config.php:32
msgid "Saturday"
msgstr "শনিবার"
#: js/config.php:33
msgid "January"
msgstr "জানুয়ারি"
#: js/config.php:33
msgid "February"
msgstr "ফেব্রুয়ারি"
#: js/config.php:33
msgid "March"
msgstr "মার্চ"
#: js/config.php:33
msgid "April"
msgstr "এপ্রিল"
#: js/config.php:33
msgid "May"
msgstr "মে"
#: js/config.php:33
msgid "June"
msgstr "জুন"
#: js/config.php:33
msgid "July"
msgstr "জুলাই"
#: js/config.php:33
msgid "August"
msgstr "অগাষ্ট"
#: js/config.php:33
msgid "September"
msgstr "সেপ্টেম্বর"
#: js/config.php:33
msgid "October"
msgstr "অক্টোবর"
#: js/config.php:33
msgid "November"
msgstr "নভেম্বর"
#: js/config.php:33
msgid "December"
msgstr "ডিসেম্বর"
#: js/js.js:280 templates/layout.user.php:47 templates/layout.user.php:48
msgid "Settings"
msgstr "নিয়ামকসমূহ"
#: js/js.js:711
#: js/js.js:762
msgid "seconds ago"
msgstr "সেকেন্ড পূর্বে"
#: js/js.js:712
#: js/js.js:763
msgid "1 minute ago"
msgstr "1 মিনিট পূর্বে"
#: js/js.js:713
#: js/js.js:764
msgid "{minutes} minutes ago"
msgstr "{minutes} মিনিট পূর্বে"
#: js/js.js:714
#: js/js.js:765
msgid "1 hour ago"
msgstr "1 ঘন্টা পূর্বে"
#: js/js.js:715
#: js/js.js:766
msgid "{hours} hours ago"
msgstr "{hours} ঘন্টা পূর্বে"
#: js/js.js:716
#: js/js.js:767
msgid "today"
msgstr "আজ"
#: js/js.js:717
#: js/js.js:768
msgid "yesterday"
msgstr "গতকাল"
#: js/js.js:718
#: js/js.js:769
msgid "{days} days ago"
msgstr "{days} দিন পূর্বে"
#: js/js.js:719
#: js/js.js:770
msgid "last month"
msgstr "গতমাস"
#: js/js.js:720
#: js/js.js:771
msgid "{months} months ago"
msgstr "{months} মাস পূর্বে"
#: js/js.js:721
#: js/js.js:772
msgid "months ago"
msgstr "মাস পূর্বে"
#: js/js.js:722
#: js/js.js:773
msgid "last year"
msgstr "গত বছর"
#: js/js.js:723
#: js/js.js:774
msgid "years ago"
msgstr "বছর পূর্বে"
@ -162,8 +238,8 @@ msgid "The object type is not specified."
msgstr "অবজেক্টের ধরণটি সুনির্দিষ্ট নয়।"
#: js/oc-vcategories.js:95 js/oc-vcategories.js:125 js/oc-vcategories.js:136
#: js/oc-vcategories.js:195 js/share.js:135 js/share.js:142 js/share.js:554
#: js/share.js:566
#: js/oc-vcategories.js:195 js/share.js:152 js/share.js:159 js/share.js:571
#: js/share.js:583
msgid "Error"
msgstr "সমস্যা"
@ -175,122 +251,141 @@ msgstr "অ্যাপের নামটি সুনির্দিষ্ট
msgid "The required file {file} is not installed!"
msgstr "আবশ্যিক {file} টি সংস্থাপিত নেই !"
#: js/share.js:124 js/share.js:594
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Share"
msgstr ""
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Shared"
msgstr ""
#: js/share.js:141 js/share.js:611
msgid "Error while sharing"
msgstr "ভাগাভাগি করতে সমস্যা দেখা দিয়েছে "
#: js/share.js:135
#: js/share.js:152
msgid "Error while unsharing"
msgstr "ভাগাভাগি বাতিল করতে সমস্যা দেখা দিয়েছে"
#: js/share.js:142
#: js/share.js:159
msgid "Error while changing permissions"
msgstr "অনুমতিসমূহ পরিবর্তন করতে সমস্যা দেখা দিয়েছে"
#: js/share.js:151
#: js/share.js:168
msgid "Shared with you and the group {group} by {owner}"
msgstr "{owner} আপনার এবং {group} গোষ্ঠীর সাথে ভাগাভাগি করেছেন"
#: js/share.js:153
#: js/share.js:170
msgid "Shared with you by {owner}"
msgstr "{owner} আপনার সাথে ভাগাভাগি করেছেন"
#: js/share.js:158
#: js/share.js:175
msgid "Share with"
msgstr "যাদের সাথে ভাগাভাগি করা হয়েছে"
#: js/share.js:163
#: js/share.js:180
msgid "Share with link"
msgstr "লিংকের সাথে ভাগাভাগি কর"
#: js/share.js:166
#: js/share.js:183
msgid "Password protect"
msgstr "কূটশব্দ সুরক্ষিত"
#: js/share.js:168 templates/installation.php:44 templates/login.php:35
#: js/share.js:185 templates/installation.php:44 templates/login.php:35
msgid "Password"
msgstr "কূটশব্দ"
#: js/share.js:172
#: js/share.js:189
msgid "Email link to person"
msgstr "ব্যক্তির সাথে ই-মেইল যুক্ত কর"
#: js/share.js:173
#: js/share.js:190
msgid "Send"
msgstr "পাঠাও"
#: js/share.js:177
#: js/share.js:194
msgid "Set expiration date"
msgstr "মেয়াদোত্তীর্ণ হওয়ার তারিখ নির্ধারণ করুন"
#: js/share.js:178
#: js/share.js:195
msgid "Expiration date"
msgstr "মেয়াদোত্তীর্ণ হওয়ার তারিখ"
#: js/share.js:210
#: js/share.js:227
msgid "Share via email:"
msgstr "ই-মেইলের মাধ্যমে ভাগাভাগি করুনঃ"
#: js/share.js:212
#: js/share.js:229
msgid "No people found"
msgstr "কোন ব্যক্তি খুঁজে পাওয়া গেল না"
#: js/share.js:239
#: js/share.js:256
msgid "Resharing is not allowed"
msgstr "পূনঃরায় ভাগাভাগি অনুমোদিত নয়"
#: js/share.js:275
#: js/share.js:292
msgid "Shared in {item} with {user}"
msgstr "{user} এর সাথে {item} ভাগাভাগি করা হয়েছে"
#: js/share.js:296
#: js/share.js:313
msgid "Unshare"
msgstr "ভাগাভাগি বাতিল কর"
#: js/share.js:308
#: js/share.js:325
msgid "can edit"
msgstr "সম্পাদনা করতে পারবেন"
#: js/share.js:310
#: js/share.js:327
msgid "access control"
msgstr "অধিগম্যতা নিয়ন্ত্রণ"
#: js/share.js:313
#: js/share.js:330
msgid "create"
msgstr "তৈরী করুন"
#: js/share.js:316
#: js/share.js:333
msgid "update"
msgstr "পরিবর্ধন কর"
#: js/share.js:319
#: js/share.js:336
msgid "delete"
msgstr "মুছে ফেল"
#: js/share.js:322
#: js/share.js:339
msgid "share"
msgstr "ভাগাভাগি কর"
#: js/share.js:356 js/share.js:541
#: js/share.js:373 js/share.js:558
msgid "Password protected"
msgstr "কূটশব্দদ্বারা সুরক্ষিত"
#: js/share.js:554
#: js/share.js:571
msgid "Error unsetting expiration date"
msgstr "মেয়াদোত্তীর্ণ হওয়ার তারিখ নির্ধারণ বাতিল করতে সমস্যা দেখা দিয়েছে"
#: js/share.js:566
#: js/share.js:583
msgid "Error setting expiration date"
msgstr "মেয়াদোত্তীর্ণ হওয়ার তারিখ নির্ধারণ করতে সমস্যা দেখা দিয়েছে"
#: js/share.js:581
#: js/share.js:598
msgid "Sending ..."
msgstr "পাঠানো হচ্ছে......"
#: js/share.js:592
#: js/share.js:609
msgid "Email sent"
msgstr "ই-মেইল পাঠানো হয়েছে"
#: js/update.js:14
msgid ""
"The update was unsuccessful. Please report this issue to the <a "
"href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud "
"community</a>."
msgstr ""
#: js/update.js:18
msgid "The update was successful. Redirecting you to ownCloud now."
msgstr ""
#: lostpassword/controller.php:47
msgid "ownCloud password reset"
msgstr "ownCloud কূটশব্দ পূনঃনির্ধারণ"
@ -442,87 +537,11 @@ msgstr "ডাটাবেজ হোস্ট"
msgid "Finish setup"
msgstr "সেটআপ সুসম্পন্ন কর"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Sunday"
msgstr "রবিবার"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Monday"
msgstr "সোমবার"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Tuesday"
msgstr "মঙ্গলবার"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Wednesday"
msgstr "বুধবার"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Thursday"
msgstr "বৃহষ্পতিবার"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Friday"
msgstr "শুক্রবার"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Saturday"
msgstr "শনিবার"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "January"
msgstr "জানুয়ারি"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "February"
msgstr "ফেব্রুয়ারি"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "March"
msgstr "মার্চ"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "April"
msgstr "এপ্রিল"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "May"
msgstr "মে"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "June"
msgstr "জুন"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "July"
msgstr "জুলাই"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "August"
msgstr "অগাষ্ট"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "September"
msgstr "সেপ্টেম্বর"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "October"
msgstr "অক্টোবর"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "November"
msgstr "নভেম্বর"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "December"
msgstr "ডিসেম্বর"
#: templates/layout.guest.php:42
#: templates/layout.guest.php:34
msgid "web services under your control"
msgstr "ওয়েব সার্ভিসের নিয়ন্ত্রণ আপনার হাতের মুঠোয়"
#: templates/layout.user.php:45
#: templates/layout.user.php:32
msgid "Log out"
msgstr "প্রস্থান"

View File

@ -8,8 +8,8 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-12 00:09+0100\n"
"PO-Revision-Date: 2013-01-11 23:09+0000\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 23:24+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Bengali (Bangladesh) (http://www.transifex.com/projects/p/owncloud/language/bn_BD/)\n"
"MIME-Version: 1.0\n"
@ -88,7 +88,7 @@ msgstr "সক্রিয় "
msgid "Saving..."
msgstr "সংরক্ষণ করা হচ্ছে.."
#: personal.php:42 personal.php:43
#: personal.php:34 personal.php:35
msgid "__language_name__"
msgstr "__language_name__"
@ -100,15 +100,15 @@ msgstr "আপনার অ্যাপটি যোগ করুন"
msgid "More Apps"
msgstr "আরও অ্যাপ"
#: templates/apps.php:27
#: templates/apps.php:24
msgid "Select an App"
msgstr "অ্যাপ নির্বাচন করুন"
#: templates/apps.php:31
#: templates/apps.php:28
msgid "See application page at apps.owncloud.com"
msgstr "apps.owncloud.com এ অ্যাপ্লিকেসন পৃষ্ঠা দেখুন"
#: templates/apps.php:32
#: templates/apps.php:29
msgid "<span class=\"licence\"></span>-licensed by <span class=\"author\"></span>"
msgstr "<span class=\"licence\"></span>-লাইসেন্সধারী <span class=\"author\"></span>"
@ -157,7 +157,7 @@ msgstr "অ্যান্ড্রয়েড ক্লায়েন্ট ডা
msgid "Download iOS Client"
msgstr "iOS ক্লায়েন্ট ডাউনলোড করুন"
#: templates/personal.php:21 templates/users.php:23 templates/users.php:82
#: templates/personal.php:21 templates/users.php:23 templates/users.php:81
msgid "Password"
msgstr "কূটশব্দ"
@ -227,11 +227,11 @@ msgid ""
"License\">AGPL</abbr></a>."
msgstr "তৈলী করেছেন <a href=\"http://ownCloud.org/contact\" target=\"_blank\">ownCloud সম্প্রদায়</a>, যার <a href=\"https://github.com/owncloud\" target=\"_blank\"> উৎস কোডটি <a href=\"http://www.gnu.org/licenses/agpl-3.0.html\" target=\"_blank\"><abbr title=\"Affero General Public License\">AGPL</abbr></a> এর অধীনে লাইসেন্সকৃত।"
#: templates/users.php:21 templates/users.php:81
msgid "Name"
msgstr "রাম"
#: templates/users.php:21 templates/users.php:79
msgid "Login Name"
msgstr ""
#: templates/users.php:26 templates/users.php:83 templates/users.php:103
#: templates/users.php:26 templates/users.php:82 templates/users.php:107
msgid "Groups"
msgstr "গোষ্ঠীসমূহ"
@ -243,26 +243,30 @@ msgstr "তৈরী কর"
msgid "Default Storage"
msgstr "পূর্বনির্ধারিত সংরক্ষণাগার"
#: templates/users.php:42 templates/users.php:138
#: templates/users.php:42 templates/users.php:142
msgid "Unlimited"
msgstr "অসীম"
#: templates/users.php:60 templates/users.php:153
#: templates/users.php:60 templates/users.php:157
msgid "Other"
msgstr "অন্যান্য"
#: templates/users.php:85 templates/users.php:117
#: templates/users.php:80
msgid "Display Name"
msgstr ""
#: templates/users.php:84 templates/users.php:121
msgid "Group Admin"
msgstr "গোষ্ঠী প্রশাসক"
#: templates/users.php:87
#: templates/users.php:86
msgid "Storage"
msgstr "সংরক্ষণাগার"
#: templates/users.php:133
#: templates/users.php:137
msgid "Default"
msgstr "পূর্বনির্ধারিত"
#: templates/users.php:161
#: templates/users.php:165
msgid "Delete"
msgstr "মুছে ফেল"

View File

@ -4,13 +4,14 @@
#
# Translators:
# <joan@montane.cat>, 2012.
# <rcalvoi@yahoo.com>, 2013.
# <rcalvoi@yahoo.com>, 2011-2013.
msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-15 00:03+0100\n"
"PO-Revision-Date: 2013-01-14 23:03+0000\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 23:23+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Catalan (http://www.transifex.com/projects/p/owncloud/language/ca/)\n"
"MIME-Version: 1.0\n"
@ -19,24 +20,24 @@ msgstr ""
"Language: ca\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: ajax/share.php:84
#: ajax/share.php:85
#, php-format
msgid "User %s shared a file with you"
msgstr "L'usuari %s ha compartit un fitxer amb vós"
#: ajax/share.php:86
#: ajax/share.php:87
#, php-format
msgid "User %s shared a folder with you"
msgstr "L'usuari %s ha compartit una carpeta amb vós"
#: ajax/share.php:88
#: ajax/share.php:89
#, php-format
msgid ""
"User %s shared the file \"%s\" with you. It is available for download here: "
"%s"
msgstr "L'usuari %s ha compartit el fitxer \"%s\" amb vós. Està disponible per a la descàrrega a: %s"
#: ajax/share.php:90
#: ajax/share.php:91
#, php-format
msgid ""
"User %s shared the folder \"%s\" with you. It is available for download "
@ -81,59 +82,135 @@ msgstr "No hi ha categories per eliminar."
msgid "Error removing %s from favorites."
msgstr "Error en eliminar %s dels preferits."
#: js/js.js:259 templates/layout.user.php:60 templates/layout.user.php:61
#: js/config.php:32
msgid "Sunday"
msgstr "Diumenge"
#: js/config.php:32
msgid "Monday"
msgstr "Dilluns"
#: js/config.php:32
msgid "Tuesday"
msgstr "Dimarts"
#: js/config.php:32
msgid "Wednesday"
msgstr "Dimecres"
#: js/config.php:32
msgid "Thursday"
msgstr "Dijous"
#: js/config.php:32
msgid "Friday"
msgstr "Divendres"
#: js/config.php:32
msgid "Saturday"
msgstr "Dissabte"
#: js/config.php:33
msgid "January"
msgstr "Gener"
#: js/config.php:33
msgid "February"
msgstr "Febrer"
#: js/config.php:33
msgid "March"
msgstr "Març"
#: js/config.php:33
msgid "April"
msgstr "Abril"
#: js/config.php:33
msgid "May"
msgstr "Maig"
#: js/config.php:33
msgid "June"
msgstr "Juny"
#: js/config.php:33
msgid "July"
msgstr "Juliol"
#: js/config.php:33
msgid "August"
msgstr "Agost"
#: js/config.php:33
msgid "September"
msgstr "Setembre"
#: js/config.php:33
msgid "October"
msgstr "Octubre"
#: js/config.php:33
msgid "November"
msgstr "Novembre"
#: js/config.php:33
msgid "December"
msgstr "Desembre"
#: js/js.js:280 templates/layout.user.php:47 templates/layout.user.php:48
msgid "Settings"
msgstr "Arranjament"
#: js/js.js:711
#: js/js.js:762
msgid "seconds ago"
msgstr "segons enrere"
#: js/js.js:712
#: js/js.js:763
msgid "1 minute ago"
msgstr "fa 1 minut"
#: js/js.js:713
#: js/js.js:764
msgid "{minutes} minutes ago"
msgstr "fa {minutes} minuts"
#: js/js.js:714
#: js/js.js:765
msgid "1 hour ago"
msgstr "fa 1 hora"
#: js/js.js:715
#: js/js.js:766
msgid "{hours} hours ago"
msgstr "fa {hours} hores"
#: js/js.js:716
#: js/js.js:767
msgid "today"
msgstr "avui"
#: js/js.js:717
#: js/js.js:768
msgid "yesterday"
msgstr "ahir"
#: js/js.js:718
#: js/js.js:769
msgid "{days} days ago"
msgstr "fa {days} dies"
#: js/js.js:719
#: js/js.js:770
msgid "last month"
msgstr "el mes passat"
#: js/js.js:720
#: js/js.js:771
msgid "{months} months ago"
msgstr "fa {months} mesos"
#: js/js.js:721
#: js/js.js:772
msgid "months ago"
msgstr "mesos enrere"
#: js/js.js:722
#: js/js.js:773
msgid "last year"
msgstr "l'any passat"
#: js/js.js:723
#: js/js.js:774
msgid "years ago"
msgstr "anys enrere"
@ -163,8 +240,8 @@ msgid "The object type is not specified."
msgstr "No s'ha especificat el tipus d'objecte."
#: js/oc-vcategories.js:95 js/oc-vcategories.js:125 js/oc-vcategories.js:136
#: js/oc-vcategories.js:195 js/share.js:135 js/share.js:142 js/share.js:554
#: js/share.js:566
#: js/oc-vcategories.js:195 js/share.js:152 js/share.js:159 js/share.js:571
#: js/share.js:583
msgid "Error"
msgstr "Error"
@ -176,122 +253,141 @@ msgstr "No s'ha especificat el nom de l'aplicació."
msgid "The required file {file} is not installed!"
msgstr "El fitxer requerit {file} no està instal·lat!"
#: js/share.js:124 js/share.js:594
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Share"
msgstr ""
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Shared"
msgstr ""
#: js/share.js:141 js/share.js:611
msgid "Error while sharing"
msgstr "Error en compartir"
#: js/share.js:135
#: js/share.js:152
msgid "Error while unsharing"
msgstr "Error en deixar de compartir"
#: js/share.js:142
#: js/share.js:159
msgid "Error while changing permissions"
msgstr "Error en canviar els permisos"
#: js/share.js:151
#: js/share.js:168
msgid "Shared with you and the group {group} by {owner}"
msgstr "Compartit amb vos i amb el grup {group} per {owner}"
#: js/share.js:153
#: js/share.js:170
msgid "Shared with you by {owner}"
msgstr "Compartit amb vos per {owner}"
#: js/share.js:158
#: js/share.js:175
msgid "Share with"
msgstr "Comparteix amb"
#: js/share.js:163
#: js/share.js:180
msgid "Share with link"
msgstr "Comparteix amb enllaç"
#: js/share.js:166
#: js/share.js:183
msgid "Password protect"
msgstr "Protegir amb contrasenya"
#: js/share.js:168 templates/installation.php:44 templates/login.php:35
#: js/share.js:185 templates/installation.php:44 templates/login.php:35
msgid "Password"
msgstr "Contrasenya"
#: js/share.js:172
#: js/share.js:189
msgid "Email link to person"
msgstr "Enllaç per correu electrónic amb la persona"
#: js/share.js:173
#: js/share.js:190
msgid "Send"
msgstr "Envia"
#: js/share.js:177
#: js/share.js:194
msgid "Set expiration date"
msgstr "Estableix la data d'expiració"
#: js/share.js:178
#: js/share.js:195
msgid "Expiration date"
msgstr "Data d'expiració"
#: js/share.js:210
#: js/share.js:227
msgid "Share via email:"
msgstr "Comparteix per correu electrònic"
#: js/share.js:212
#: js/share.js:229
msgid "No people found"
msgstr "No s'ha trobat ningú"
#: js/share.js:239
#: js/share.js:256
msgid "Resharing is not allowed"
msgstr "No es permet compartir de nou"
#: js/share.js:275
#: js/share.js:292
msgid "Shared in {item} with {user}"
msgstr "Compartit en {item} amb {user}"
#: js/share.js:296
#: js/share.js:313
msgid "Unshare"
msgstr "Deixa de compartir"
#: js/share.js:308
#: js/share.js:325
msgid "can edit"
msgstr "pot editar"
#: js/share.js:310
#: js/share.js:327
msgid "access control"
msgstr "control d'accés"
#: js/share.js:313
#: js/share.js:330
msgid "create"
msgstr "crea"
#: js/share.js:316
#: js/share.js:333
msgid "update"
msgstr "actualitza"
#: js/share.js:319
#: js/share.js:336
msgid "delete"
msgstr "elimina"
#: js/share.js:322
#: js/share.js:339
msgid "share"
msgstr "comparteix"
#: js/share.js:356 js/share.js:541
#: js/share.js:373 js/share.js:558
msgid "Password protected"
msgstr "Protegeix amb contrasenya"
#: js/share.js:554
#: js/share.js:571
msgid "Error unsetting expiration date"
msgstr "Error en eliminar la data d'expiració"
#: js/share.js:566
#: js/share.js:583
msgid "Error setting expiration date"
msgstr "Error en establir la data d'expiració"
#: js/share.js:581
#: js/share.js:598
msgid "Sending ..."
msgstr "Enviant..."
#: js/share.js:592
#: js/share.js:609
msgid "Email sent"
msgstr "El correu electrónic s'ha enviat"
#: js/update.js:14
msgid ""
"The update was unsuccessful. Please report this issue to the <a "
"href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud "
"community</a>."
msgstr "L'actualització ha estat incorrecte. Comuniqueu aquest error a <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">la comunitat ownCloud</a>."
#: js/update.js:18
msgid "The update was successful. Redirecting you to ownCloud now."
msgstr "L'actualització ha estat correcte. Ara sou redireccionat a ownCloud."
#: lostpassword/controller.php:47
msgid "ownCloud password reset"
msgstr "estableix de nou la contrasenya Owncloud"
@ -443,87 +539,11 @@ msgstr "Ordinador central de la base de dades"
msgid "Finish setup"
msgstr "Acaba la configuració"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Sunday"
msgstr "Diumenge"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Monday"
msgstr "Dilluns"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Tuesday"
msgstr "Dimarts"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Wednesday"
msgstr "Dimecres"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Thursday"
msgstr "Dijous"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Friday"
msgstr "Divendres"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Saturday"
msgstr "Dissabte"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "January"
msgstr "Gener"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "February"
msgstr "Febrer"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "March"
msgstr "Març"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "April"
msgstr "Abril"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "May"
msgstr "Maig"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "June"
msgstr "Juny"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "July"
msgstr "Juliol"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "August"
msgstr "Agost"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "September"
msgstr "Setembre"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "October"
msgstr "Octubre"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "November"
msgstr "Novembre"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "December"
msgstr "Desembre"
#: templates/layout.guest.php:42
#: templates/layout.guest.php:34
msgid "web services under your control"
msgstr "controleu els vostres serveis web"
#: templates/layout.user.php:45
#: templates/layout.user.php:32
msgid "Log out"
msgstr "Surt"

View File

@ -12,8 +12,8 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-12 00:09+0100\n"
"PO-Revision-Date: 2013-01-11 23:09+0000\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 23:23+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Catalan (http://www.transifex.com/projects/p/owncloud/language/ca/)\n"
"MIME-Version: 1.0\n"
@ -92,7 +92,7 @@ msgstr "Activa"
msgid "Saving..."
msgstr "S'està desant..."
#: personal.php:42 personal.php:43
#: personal.php:34 personal.php:35
msgid "__language_name__"
msgstr "Català"
@ -104,15 +104,15 @@ msgstr "Afegiu la vostra aplicació"
msgid "More Apps"
msgstr "Més aplicacions"
#: templates/apps.php:27
#: templates/apps.php:24
msgid "Select an App"
msgstr "Seleccioneu una aplicació"
#: templates/apps.php:31
#: templates/apps.php:28
msgid "See application page at apps.owncloud.com"
msgstr "Mireu la pàgina d'aplicacions a apps.owncloud.com"
#: templates/apps.php:32
#: templates/apps.php:29
msgid "<span class=\"licence\"></span>-licensed by <span class=\"author\"></span>"
msgstr "<span class=\"licence\"></span>-propietat de <span class=\"author\"></span>"
@ -161,7 +161,7 @@ msgstr " Baixa el client per Android"
msgid "Download iOS Client"
msgstr "Baixa el client per iOS"
#: templates/personal.php:21 templates/users.php:23 templates/users.php:82
#: templates/personal.php:21 templates/users.php:23 templates/users.php:81
msgid "Password"
msgstr "Contrasenya"
@ -231,11 +231,11 @@ msgid ""
"License\">AGPL</abbr></a>."
msgstr "Desenvolupat per la <a href=\"http://ownCloud.org/contact\" target=\"_blank\">comunitat ownCloud</a>, el <a href=\"https://github.com/owncloud\" target=\"_blank\">codi font</a> té llicència <a href=\"http://www.gnu.org/licenses/agpl-3.0.html\" target=\"_blank\"><abbr title=\"Affero General Public License\">AGPL</abbr></a>."
#: templates/users.php:21 templates/users.php:81
msgid "Name"
msgstr "Nom"
#: templates/users.php:21 templates/users.php:79
msgid "Login Name"
msgstr ""
#: templates/users.php:26 templates/users.php:83 templates/users.php:103
#: templates/users.php:26 templates/users.php:82 templates/users.php:107
msgid "Groups"
msgstr "Grups"
@ -247,26 +247,30 @@ msgstr "Crea"
msgid "Default Storage"
msgstr "Emmagatzemament per defecte"
#: templates/users.php:42 templates/users.php:138
#: templates/users.php:42 templates/users.php:142
msgid "Unlimited"
msgstr "Il·limitat"
#: templates/users.php:60 templates/users.php:153
#: templates/users.php:60 templates/users.php:157
msgid "Other"
msgstr "Un altre"
#: templates/users.php:85 templates/users.php:117
#: templates/users.php:80
msgid "Display Name"
msgstr ""
#: templates/users.php:84 templates/users.php:121
msgid "Group Admin"
msgstr "Grup Admin"
#: templates/users.php:87
#: templates/users.php:86
msgid "Storage"
msgstr "Emmagatzemament"
#: templates/users.php:133
#: templates/users.php:137
msgid "Default"
msgstr "Per defecte"
#: templates/users.php:161
#: templates/users.php:165
msgid "Delete"
msgstr "Suprimeix"

View File

@ -11,8 +11,8 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-15 00:03+0100\n"
"PO-Revision-Date: 2013-01-14 23:03+0000\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 23:23+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n"
"MIME-Version: 1.0\n"
@ -21,24 +21,24 @@ msgstr ""
"Language: cs_CZ\n"
"Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n"
#: ajax/share.php:84
#: ajax/share.php:85
#, php-format
msgid "User %s shared a file with you"
msgstr "Uživatel %s s vámi sdílí soubor"
#: ajax/share.php:86
#: ajax/share.php:87
#, php-format
msgid "User %s shared a folder with you"
msgstr "Uživatel %s s vámi sdílí složku"
#: ajax/share.php:88
#: ajax/share.php:89
#, php-format
msgid ""
"User %s shared the file \"%s\" with you. It is available for download here: "
"%s"
msgstr "Uživatel %s s vámi sdílí soubor \"%s\". Můžete jej stáhnout zde: %s"
#: ajax/share.php:90
#: ajax/share.php:91
#, php-format
msgid ""
"User %s shared the folder \"%s\" with you. It is available for download "
@ -83,59 +83,135 @@ msgstr "Žádné kategorie nebyly vybrány ke smazání."
msgid "Error removing %s from favorites."
msgstr "Chyba při odebírání %s z oblíbených."
#: js/js.js:259 templates/layout.user.php:60 templates/layout.user.php:61
#: js/config.php:32
msgid "Sunday"
msgstr "Neděle"
#: js/config.php:32
msgid "Monday"
msgstr "Pondělí"
#: js/config.php:32
msgid "Tuesday"
msgstr "Úterý"
#: js/config.php:32
msgid "Wednesday"
msgstr "Středa"
#: js/config.php:32
msgid "Thursday"
msgstr "Čtvrtek"
#: js/config.php:32
msgid "Friday"
msgstr "Pátek"
#: js/config.php:32
msgid "Saturday"
msgstr "Sobota"
#: js/config.php:33
msgid "January"
msgstr "Leden"
#: js/config.php:33
msgid "February"
msgstr "Únor"
#: js/config.php:33
msgid "March"
msgstr "Březen"
#: js/config.php:33
msgid "April"
msgstr "Duben"
#: js/config.php:33
msgid "May"
msgstr "Květen"
#: js/config.php:33
msgid "June"
msgstr "Červen"
#: js/config.php:33
msgid "July"
msgstr "Červenec"
#: js/config.php:33
msgid "August"
msgstr "Srpen"
#: js/config.php:33
msgid "September"
msgstr "Září"
#: js/config.php:33
msgid "October"
msgstr "Říjen"
#: js/config.php:33
msgid "November"
msgstr "Listopad"
#: js/config.php:33
msgid "December"
msgstr "Prosinec"
#: js/js.js:280 templates/layout.user.php:47 templates/layout.user.php:48
msgid "Settings"
msgstr "Nastavení"
#: js/js.js:711
#: js/js.js:762
msgid "seconds ago"
msgstr "před pár vteřinami"
#: js/js.js:712
#: js/js.js:763
msgid "1 minute ago"
msgstr "před minutou"
#: js/js.js:713
#: js/js.js:764
msgid "{minutes} minutes ago"
msgstr "před {minutes} minutami"
#: js/js.js:714
#: js/js.js:765
msgid "1 hour ago"
msgstr "před hodinou"
#: js/js.js:715
#: js/js.js:766
msgid "{hours} hours ago"
msgstr "před {hours} hodinami"
#: js/js.js:716
#: js/js.js:767
msgid "today"
msgstr "dnes"
#: js/js.js:717
#: js/js.js:768
msgid "yesterday"
msgstr "včera"
#: js/js.js:718
#: js/js.js:769
msgid "{days} days ago"
msgstr "před {days} dny"
#: js/js.js:719
#: js/js.js:770
msgid "last month"
msgstr "minulý mesíc"
#: js/js.js:720
#: js/js.js:771
msgid "{months} months ago"
msgstr "před {months} měsíci"
#: js/js.js:721
#: js/js.js:772
msgid "months ago"
msgstr "před měsíci"
#: js/js.js:722
#: js/js.js:773
msgid "last year"
msgstr "minulý rok"
#: js/js.js:723
#: js/js.js:774
msgid "years ago"
msgstr "před lety"
@ -165,8 +241,8 @@ msgid "The object type is not specified."
msgstr "Není určen typ objektu."
#: js/oc-vcategories.js:95 js/oc-vcategories.js:125 js/oc-vcategories.js:136
#: js/oc-vcategories.js:195 js/share.js:135 js/share.js:142 js/share.js:554
#: js/share.js:566
#: js/oc-vcategories.js:195 js/share.js:152 js/share.js:159 js/share.js:571
#: js/share.js:583
msgid "Error"
msgstr "Chyba"
@ -178,122 +254,141 @@ msgstr "Není určen název aplikace."
msgid "The required file {file} is not installed!"
msgstr "Požadovaný soubor {file} není nainstalován."
#: js/share.js:124 js/share.js:594
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Share"
msgstr ""
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Shared"
msgstr ""
#: js/share.js:141 js/share.js:611
msgid "Error while sharing"
msgstr "Chyba při sdílení"
#: js/share.js:135
#: js/share.js:152
msgid "Error while unsharing"
msgstr "Chyba při rušení sdílení"
#: js/share.js:142
#: js/share.js:159
msgid "Error while changing permissions"
msgstr "Chyba při změně oprávnění"
#: js/share.js:151
#: js/share.js:168
msgid "Shared with you and the group {group} by {owner}"
msgstr "S Vámi a skupinou {group} sdílí {owner}"
#: js/share.js:153
#: js/share.js:170
msgid "Shared with you by {owner}"
msgstr "S Vámi sdílí {owner}"
#: js/share.js:158
#: js/share.js:175
msgid "Share with"
msgstr "Sdílet s"
#: js/share.js:163
#: js/share.js:180
msgid "Share with link"
msgstr "Sdílet s odkazem"
#: js/share.js:166
#: js/share.js:183
msgid "Password protect"
msgstr "Chránit heslem"
#: js/share.js:168 templates/installation.php:44 templates/login.php:35
#: js/share.js:185 templates/installation.php:44 templates/login.php:35
msgid "Password"
msgstr "Heslo"
#: js/share.js:172
#: js/share.js:189
msgid "Email link to person"
msgstr "Odeslat osobě odkaz e-mailem"
#: js/share.js:173
#: js/share.js:190
msgid "Send"
msgstr "Odeslat"
#: js/share.js:177
#: js/share.js:194
msgid "Set expiration date"
msgstr "Nastavit datum vypršení platnosti"
#: js/share.js:178
#: js/share.js:195
msgid "Expiration date"
msgstr "Datum vypršení platnosti"
#: js/share.js:210
#: js/share.js:227
msgid "Share via email:"
msgstr "Sdílet e-mailem:"
#: js/share.js:212
#: js/share.js:229
msgid "No people found"
msgstr "Žádní lidé nenalezeni"
#: js/share.js:239
#: js/share.js:256
msgid "Resharing is not allowed"
msgstr "Sdílení již sdílené položky není povoleno"
#: js/share.js:275
#: js/share.js:292
msgid "Shared in {item} with {user}"
msgstr "Sdíleno v {item} s {user}"
#: js/share.js:296
#: js/share.js:313
msgid "Unshare"
msgstr "Zrušit sdílení"
#: js/share.js:308
#: js/share.js:325
msgid "can edit"
msgstr "lze upravovat"
#: js/share.js:310
#: js/share.js:327
msgid "access control"
msgstr "řízení přístupu"
#: js/share.js:313
#: js/share.js:330
msgid "create"
msgstr "vytvořit"
#: js/share.js:316
#: js/share.js:333
msgid "update"
msgstr "aktualizovat"
#: js/share.js:319
#: js/share.js:336
msgid "delete"
msgstr "smazat"
#: js/share.js:322
#: js/share.js:339
msgid "share"
msgstr "sdílet"
#: js/share.js:356 js/share.js:541
#: js/share.js:373 js/share.js:558
msgid "Password protected"
msgstr "Chráněno heslem"
#: js/share.js:554
#: js/share.js:571
msgid "Error unsetting expiration date"
msgstr "Chyba při odstraňování data vypršení platnosti"
#: js/share.js:566
#: js/share.js:583
msgid "Error setting expiration date"
msgstr "Chyba při nastavení data vypršení platnosti"
#: js/share.js:581
#: js/share.js:598
msgid "Sending ..."
msgstr "Odesílám..."
#: js/share.js:592
#: js/share.js:609
msgid "Email sent"
msgstr "E-mail odeslán"
#: js/update.js:14
msgid ""
"The update was unsuccessful. Please report this issue to the <a "
"href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud "
"community</a>."
msgstr "Aktualizace neproběhla úspěšně. Nahlaste prosím problém do <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">evidence chyb ownCloud</a>"
#: js/update.js:18
msgid "The update was successful. Redirecting you to ownCloud now."
msgstr "Aktualizace byla úspěšná. Přesměrovávám na ownCloud."
#: lostpassword/controller.php:47
msgid "ownCloud password reset"
msgstr "Obnovení hesla pro ownCloud"
@ -445,87 +540,11 @@ msgstr "Hostitel databáze"
msgid "Finish setup"
msgstr "Dokončit nastavení"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Sunday"
msgstr "Neděle"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Monday"
msgstr "Pondělí"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Tuesday"
msgstr "Úterý"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Wednesday"
msgstr "Středa"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Thursday"
msgstr "Čtvrtek"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Friday"
msgstr "Pátek"
#: templates/layout.guest.php:16 templates/layout.user.php:17
msgid "Saturday"
msgstr "Sobota"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "January"
msgstr "Leden"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "February"
msgstr "Únor"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "March"
msgstr "Březen"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "April"
msgstr "Duben"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "May"
msgstr "Květen"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "June"
msgstr "Červen"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "July"
msgstr "Červenec"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "August"
msgstr "Srpen"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "September"
msgstr "Září"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "October"
msgstr "Říjen"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "November"
msgstr "Listopad"
#: templates/layout.guest.php:17 templates/layout.user.php:18
msgid "December"
msgstr "Prosinec"
#: templates/layout.guest.php:42
#: templates/layout.guest.php:34
msgid "web services under your control"
msgstr "webové služby pod Vaší kontrolou"
#: templates/layout.user.php:45
#: templates/layout.user.php:32
msgid "Log out"
msgstr "Odhlásit se"

View File

@ -10,9 +10,9 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-27 00:04+0100\n"
"PO-Revision-Date: 2013-01-26 23:05+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"POT-Creation-Date: 2013-01-29 00:04+0100\n"
"PO-Revision-Date: 2013-01-28 07:07+0000\n"
"Last-Translator: Tomáš Chvátal <tomas.chvatal@gmail.com>\n"
"Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -71,7 +71,7 @@ msgstr "Zápis na disk selhal"
#: ajax/upload.php:48
msgid "Not enough storage available"
msgstr ""
msgstr "Nedostatek dostupného úložného prostoru"
#: ajax/upload.php:77
msgid "Invalid directory."
@ -145,11 +145,11 @@ msgstr "Neplatný název, znaky '\\', '/', '<', '>', ':', '\"', '|', '?' a '*' n
#: js/files.js:78
msgid "Your storage is full, files can not be updated or synced anymore!"
msgstr ""
msgstr "Vaše úložiště je plné, nelze aktualizovat ani synchronizovat soubory."
#: js/files.js:82
msgid "Your storage is almost full ({usedSpacePercent}%)"
msgstr ""
msgstr "Vaše úložiště je téměř plné ({usedSpacePercent}%)"
#: js/files.js:219
msgid ""

View File

@ -13,8 +13,8 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-12 00:09+0100\n"
"PO-Revision-Date: 2013-01-11 23:09+0000\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 23:23+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Czech (Czech Republic) (http://www.transifex.com/projects/p/owncloud/language/cs_CZ/)\n"
"MIME-Version: 1.0\n"
@ -93,7 +93,7 @@ msgstr "Povolit"
msgid "Saving..."
msgstr "Ukládám..."
#: personal.php:42 personal.php:43
#: personal.php:34 personal.php:35
msgid "__language_name__"
msgstr "Česky"
@ -105,15 +105,15 @@ msgstr "Přidat Vaší aplikaci"
msgid "More Apps"
msgstr "Více aplikací"
#: templates/apps.php:27
#: templates/apps.php:24
msgid "Select an App"
msgstr "Vyberte aplikaci"
#: templates/apps.php:31
#: templates/apps.php:28
msgid "See application page at apps.owncloud.com"
msgstr "Více na stránce s aplikacemi na apps.owncloud.com"
#: templates/apps.php:32
#: templates/apps.php:29
msgid "<span class=\"licence\"></span>-licensed by <span class=\"author\"></span>"
msgstr "<span class=\"licence\"></span>-licencováno <span class=\"author\"></span>"
@ -162,7 +162,7 @@ msgstr "Stáhnout klienta pro android"
msgid "Download iOS Client"
msgstr "Stáhnout klienta pro iOS"
#: templates/personal.php:21 templates/users.php:23 templates/users.php:82
#: templates/personal.php:21 templates/users.php:23 templates/users.php:81
msgid "Password"
msgstr "Heslo"
@ -232,11 +232,11 @@ msgid ""
"License\">AGPL</abbr></a>."
msgstr "Vyvinuto <a href=\"http://ownCloud.org/contact\" target=\"_blank\">komunitou ownCloud</a>, <a href=\"https://github.com/owncloud\" target=\"_blank\">zdrojový kód</a> je licencován pod <a href=\"http://www.gnu.org/licenses/agpl-3.0.html\" target=\"_blank\"><abbr title=\"Affero General Public License\">AGPL</abbr></a>."
#: templates/users.php:21 templates/users.php:81
msgid "Name"
msgstr "Jméno"
#: templates/users.php:21 templates/users.php:79
msgid "Login Name"
msgstr ""
#: templates/users.php:26 templates/users.php:83 templates/users.php:103
#: templates/users.php:26 templates/users.php:82 templates/users.php:107
msgid "Groups"
msgstr "Skupiny"
@ -248,26 +248,30 @@ msgstr "Vytvořit"
msgid "Default Storage"
msgstr "Výchozí úložiště"
#: templates/users.php:42 templates/users.php:138
#: templates/users.php:42 templates/users.php:142
msgid "Unlimited"
msgstr "Neomezeně"
#: templates/users.php:60 templates/users.php:153
#: templates/users.php:60 templates/users.php:157
msgid "Other"
msgstr "Jiná"
#: templates/users.php:85 templates/users.php:117
#: templates/users.php:80
msgid "Display Name"
msgstr ""
#: templates/users.php:84 templates/users.php:121
msgid "Group Admin"
msgstr "Správa skupiny"
#: templates/users.php:87
#: templates/users.php:86
msgid "Storage"
msgstr "Úložiště"
#: templates/users.php:133
#: templates/users.php:137
msgid "Default"
msgstr "Výchozí"
#: templates/users.php:161
#: templates/users.php:165
msgid "Delete"
msgstr "Smazat"

View File

@ -5,7 +5,7 @@
# Translators:
# <cronner@gmail.com>, 2012.
# <mikkelbjerglarsen@gmail.com>, 2011, 2012.
# Morten Juhl-Johansen Zölde-Fejér <morten@writtenandread.net>, 2011-2012.
# Morten Juhl-Johansen Zölde-Fejér <morten@writtenandread.net>, 2011-2013.
# Ole Holm Frandsen <froksen@gmail.com>, 2012.
# Pascal d'Hermilly <pascal@dhermilly.dk>, 2011.
# Rasmus Paasch <rasmuspaasch@gmail.com>, 2013.
@ -16,9 +16,9 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-27 00:04+0100\n"
"PO-Revision-Date: 2013-01-26 21:27+0000\n"
"Last-Translator: rpaasch <rasmuspaasch@gmail.com>\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 23:23+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -26,24 +26,24 @@ msgstr ""
"Language: da\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: ajax/share.php:84
#: ajax/share.php:85
#, php-format
msgid "User %s shared a file with you"
msgstr "Bruger %s delte en fil med dig"
#: ajax/share.php:86
#: ajax/share.php:87
#, php-format
msgid "User %s shared a folder with you"
msgstr "Bruger %s delte en mappe med dig"
#: ajax/share.php:88
#: ajax/share.php:89
#, php-format
msgid ""
"User %s shared the file \"%s\" with you. It is available for download here: "
"%s"
msgstr "Bruger %s delte filen \"%s\" med dig. Den kan hentes her: %s"
#: ajax/share.php:90
#: ajax/share.php:91
#, php-format
msgid ""
"User %s shared the folder \"%s\" with you. It is available for download "
@ -88,79 +88,79 @@ msgstr "Ingen kategorier valgt"
msgid "Error removing %s from favorites."
msgstr "Fejl ved fjernelse af %s fra favoritter."
#: js/config.php:28
#: js/config.php:32
msgid "Sunday"
msgstr "Søndag"
#: js/config.php:28
#: js/config.php:32
msgid "Monday"
msgstr "Mandag"
#: js/config.php:28
#: js/config.php:32
msgid "Tuesday"
msgstr "Tirsdag"
#: js/config.php:28
#: js/config.php:32
msgid "Wednesday"
msgstr "Onsdag"
#: js/config.php:28
#: js/config.php:32
msgid "Thursday"
msgstr "Torsdag"
#: js/config.php:28
#: js/config.php:32
msgid "Friday"
msgstr "Fredag"
#: js/config.php:28
#: js/config.php:32
msgid "Saturday"
msgstr "Lørdag"
#: js/config.php:29
#: js/config.php:33
msgid "January"
msgstr "Januar"
#: js/config.php:29
#: js/config.php:33
msgid "February"
msgstr "Februar"
#: js/config.php:29
#: js/config.php:33
msgid "March"
msgstr "Marts"
#: js/config.php:29
#: js/config.php:33
msgid "April"
msgstr "April"
#: js/config.php:29
#: js/config.php:33
msgid "May"
msgstr "Maj"
#: js/config.php:29
#: js/config.php:33
msgid "June"
msgstr "Juni"
#: js/config.php:29
#: js/config.php:33
msgid "July"
msgstr "Juli"
#: js/config.php:29
#: js/config.php:33
msgid "August"
msgstr "August"
#: js/config.php:29
#: js/config.php:33
msgid "September"
msgstr "September"
#: js/config.php:29
#: js/config.php:33
msgid "October"
msgstr "Oktober"
#: js/config.php:29
#: js/config.php:33
msgid "November"
msgstr "November"
#: js/config.php:29
#: js/config.php:33
msgid "December"
msgstr "December"
@ -246,8 +246,8 @@ msgid "The object type is not specified."
msgstr "Objekttypen er ikke angivet."
#: js/oc-vcategories.js:95 js/oc-vcategories.js:125 js/oc-vcategories.js:136
#: js/oc-vcategories.js:195 js/share.js:135 js/share.js:142 js/share.js:554
#: js/share.js:566
#: js/oc-vcategories.js:195 js/share.js:152 js/share.js:159 js/share.js:571
#: js/share.js:583
msgid "Error"
msgstr "Fejl"
@ -259,122 +259,141 @@ msgstr "Den app navn er ikke angivet."
msgid "The required file {file} is not installed!"
msgstr "Den krævede fil {file} er ikke installeret!"
#: js/share.js:124 js/share.js:594
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Share"
msgstr ""
#: js/share.js:29 js/share.js:43 js/share.js:90 js/share.js:93
msgid "Shared"
msgstr ""
#: js/share.js:141 js/share.js:611
msgid "Error while sharing"
msgstr "Fejl under deling"
#: js/share.js:135
#: js/share.js:152
msgid "Error while unsharing"
msgstr "Fejl under annullering af deling"
#: js/share.js:142
#: js/share.js:159
msgid "Error while changing permissions"
msgstr "Fejl under justering af rettigheder"
#: js/share.js:151
#: js/share.js:168
msgid "Shared with you and the group {group} by {owner}"
msgstr "Delt med dig og gruppen {group} af {owner}"
#: js/share.js:153
#: js/share.js:170
msgid "Shared with you by {owner}"
msgstr "Delt med dig af {owner}"
#: js/share.js:158
#: js/share.js:175
msgid "Share with"
msgstr "Del med"
#: js/share.js:163
#: js/share.js:180
msgid "Share with link"
msgstr "Del med link"
#: js/share.js:166
#: js/share.js:183
msgid "Password protect"
msgstr "Beskyt med adgangskode"
#: js/share.js:168 templates/installation.php:44 templates/login.php:35
#: js/share.js:185 templates/installation.php:44 templates/login.php:35
msgid "Password"
msgstr "Kodeord"
#: js/share.js:172
#: js/share.js:189
msgid "Email link to person"
msgstr "E-mail link til person"
#: js/share.js:173
#: js/share.js:190
msgid "Send"
msgstr "Send"
#: js/share.js:177
#: js/share.js:194
msgid "Set expiration date"
msgstr "Vælg udløbsdato"
#: js/share.js:178
#: js/share.js:195
msgid "Expiration date"
msgstr "Udløbsdato"
#: js/share.js:210
#: js/share.js:227
msgid "Share via email:"
msgstr "Del via email:"
#: js/share.js:212
#: js/share.js:229
msgid "No people found"
msgstr "Ingen personer fundet"
#: js/share.js:239
#: js/share.js:256
msgid "Resharing is not allowed"
msgstr "Videredeling ikke tilladt"
#: js/share.js:275
#: js/share.js:292
msgid "Shared in {item} with {user}"
msgstr "Delt i {item} med {user}"
#: js/share.js:296
#: js/share.js:313
msgid "Unshare"
msgstr "Fjern deling"
#: js/share.js:308
#: js/share.js:325
msgid "can edit"
msgstr "kan redigere"
#: js/share.js:310
#: js/share.js:327
msgid "access control"
msgstr "Adgangskontrol"
#: js/share.js:313
#: js/share.js:330
msgid "create"
msgstr "opret"
#: js/share.js:316
#: js/share.js:333
msgid "update"
msgstr "opdater"
#: js/share.js:319
#: js/share.js:336
msgid "delete"
msgstr "slet"
#: js/share.js:322
#: js/share.js:339
msgid "share"
msgstr "del"
#: js/share.js:356 js/share.js:541
#: js/share.js:373 js/share.js:558
msgid "Password protected"
msgstr "Beskyttet med adgangskode"
#: js/share.js:554
#: js/share.js:571
msgid "Error unsetting expiration date"
msgstr "Fejl ved fjernelse af udløbsdato"
#: js/share.js:566
#: js/share.js:583
msgid "Error setting expiration date"
msgstr "Fejl under sætning af udløbsdato"
#: js/share.js:581
#: js/share.js:598
msgid "Sending ..."
msgstr "Sender ..."
#: js/share.js:592
#: js/share.js:609
msgid "Email sent"
msgstr "E-mail afsendt"
#: js/update.js:14
msgid ""
"The update was unsuccessful. Please report this issue to the <a "
"href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud "
"community</a>."
msgstr "Opdateringen blev ikke udført korrekt. Rapporter venligst problemet til <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownClouds community</a>."
#: js/update.js:18
msgid "The update was successful. Redirecting you to ownCloud now."
msgstr "Opdateringen blev udført korrekt. Du bliver nu viderestillet til ownCloud."
#: lostpassword/controller.php:47
msgid "ownCloud password reset"
msgstr "Nulstil ownCloud kodeord"

View File

@ -4,7 +4,7 @@
#
# Translators:
# <cronner@gmail.com>, 2012.
# Morten Juhl-Johansen Zölde-Fejér <morten@writtenandread.net>, 2011-2012.
# Morten Juhl-Johansen Zölde-Fejér <morten@writtenandread.net>, 2011-2013.
# Ole Holm Frandsen <froksen@gmail.com>, 2012.
# <osos@openeyes.dk>, 2012.
# Pascal d'Hermilly <pascal@dhermilly.dk>, 2011.
@ -15,9 +15,9 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2013-01-27 00:04+0100\n"
"PO-Revision-Date: 2013-01-26 23:05+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"POT-Creation-Date: 2013-01-30 00:23+0100\n"
"PO-Revision-Date: 2013-01-29 11:55+0000\n"
"Last-Translator: Morten Juhl-Johansen Zölde-Fejér <morten@writtenandread.net>\n"
"Language-Team: Danish (http://www.transifex.com/projects/p/owncloud/language/da/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -28,16 +28,16 @@ msgstr ""
#: ajax/move.php:17
#, php-format
msgid "Could not move %s - File with this name already exists"
msgstr ""
msgstr "Kunne ikke flytte %s - der findes allerede en fil med dette navn"
#: ajax/move.php:24
#, php-format
msgid "Could not move %s"
msgstr ""
msgstr "Kunne ikke flytte %s"
#: ajax/rename.php:19
msgid "Unable to rename file"
msgstr ""
msgstr "Kunne ikke omdøbe fil"
#: ajax/upload.php:17
msgid "No file was uploaded. Unknown error"
@ -76,11 +76,11 @@ msgstr "Fejl ved skrivning til disk."
#: ajax/upload.php:48
msgid "Not enough storage available"
msgstr ""
msgstr "Der er ikke nok plads til rådlighed"
#: ajax/upload.php:77
msgid "Invalid directory."
msgstr ""
msgstr "Ugyldig mappe."
#: appinfo/app.php:10
msgid "Files"
@ -136,11 +136,11 @@ msgstr "slettede {files}"
#: js/files.js:52
msgid "'.' is an invalid file name."
msgstr ""
msgstr "'.' er et ugyldigt filnavn."
#: js/files.js:56
msgid "File name cannot be empty."
msgstr ""
msgstr "Filnavnet kan ikke stå tomt."
#: js/files.js:64
msgid ""
@ -150,17 +150,17 @@ msgstr "Ugyldigt navn, '\\', '/', '<', '>', ':' | '?', '\"', '', og '*' er ikke
#: js/files.js:78
msgid "Your storage is full, files can not be updated or synced anymore!"
msgstr ""
msgstr "Din opbevaringsplads er fyldt op, filer kan ikke opdateres eller synkroniseres længere!"
#: js/files.js:82
msgid "Your storage is almost full ({usedSpacePercent}%)"
msgstr ""
msgstr "Din opbevaringsplads er næsten fyldt op ({usedSpacePercent}%)"
#: js/files.js:219
msgid ""
"Your download is being prepared. This might take some time if the files are "
"big."
msgstr ""
msgstr "Dit download forberedes. Dette kan tage lidt tid ved større filer."
#: js/files.js:256
msgid "Unable to upload your file as it is a directory or has 0 bytes"
@ -201,7 +201,7 @@ msgstr "URLen kan ikke være tom."
#: js/files.js:571
msgid "Invalid folder name. Usage of 'Shared' is reserved by Owncloud"
msgstr ""
msgstr "Ugyldigt mappenavn. Brug af \"Shared\" er forbeholdt Owncloud"
#: js/files.js:784
msgid "{count} files scanned"

Some files were not shown because too many files have changed in this diff Show More