merge master into filesystem

This commit is contained in:
Robin Appelman 2012-12-02 03:03:48 +01:00
commit 72b6faa69d
243 changed files with 3480 additions and 3255 deletions

View File

@ -49,7 +49,8 @@ if($_POST && OC_Util::isCallRegistered()) {
OCP\Config::setSystemValue('allowZipDownload', isset($_POST['allowZipDownload']));
}
}
$maxZipInputSize = OCP\Util::humanFileSize(OCP\Config::getSystemValue('maxZipInputSize', OCP\Util::computerFileSize('800 MB')));
$maxZipInputSizeDefault = OCP\Util::computerFileSize('800 MB');
$maxZipInputSize = OCP\Util::humanFileSize(OCP\Config::getSystemValue('maxZipInputSize', $maxZipInputSizeDefault));
$allowZipDownload = intval(OCP\Config::getSystemValue('allowZipDownload', true));
OCP\App::setActiveNavigationEntry( "files_administration" );

View File

@ -10,22 +10,24 @@ OCP\JSON::checkLoggedIn();
OCP\JSON::callCheck();
if (!isset($_FILES['files'])) {
OCP\JSON::error(array("data" => array( "message" => "No file was uploaded. Unknown error" )));
OCP\JSON::error(array('data' => array( 'message' => 'No file was uploaded. Unknown error' )));
exit();
}
foreach ($_FILES['files']['error'] as $error) {
if ($error != 0) {
$l=OC_L10N::get('files');
$errors = array(
UPLOAD_ERR_OK=>$l->t("There is no error, the file uploaded with success"),
UPLOAD_ERR_INI_SIZE=>$l->t("The uploaded file exceeds the upload_max_filesize directive in php.ini").ini_get('upload_max_filesize'),
UPLOAD_ERR_FORM_SIZE=>$l->t("The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form"),
UPLOAD_ERR_PARTIAL=>$l->t("The uploaded file was only partially uploaded"),
UPLOAD_ERR_NO_FILE=>$l->t("No file was uploaded"),
UPLOAD_ERR_NO_TMP_DIR=>$l->t("Missing a temporary folder"),
UPLOAD_ERR_OK=>$l->t('There is no error, the file uploaded with success'),
UPLOAD_ERR_INI_SIZE=>$l->t('The uploaded file exceeds the upload_max_filesize directive in php.ini: ')
.ini_get('upload_max_filesize'),
UPLOAD_ERR_FORM_SIZE=>$l->t('The uploaded file exceeds the MAX_FILE_SIZE directive that was specified'
.' in the HTML form'),
UPLOAD_ERR_PARTIAL=>$l->t('The uploaded file was only partially uploaded'),
UPLOAD_ERR_NO_FILE=>$l->t('No file was uploaded'),
UPLOAD_ERR_NO_TMP_DIR=>$l->t('Missing a temporary folder'),
UPLOAD_ERR_CANT_WRITE=>$l->t('Failed to write to disk'),
);
OCP\JSON::error(array("data" => array( "message" => $errors[$error] )));
OCP\JSON::error(array('data' => array( 'message' => $errors[$error] )));
exit();
}
}
@ -38,8 +40,8 @@ $totalSize=0;
foreach($files['size'] as $size) {
$totalSize+=$size;
}
if($totalSize > \OC\Files\Filesystem::free_space($dir)) {
OCP\JSON::error(array("data" => array( "message" => "Not enough space available" )));
if($totalSize>\OC\Files\Filesystem::free_space($dir)) {
OCP\JSON::error(array('data' => array( 'message' => 'Not enough space available' )));
exit();
}
@ -47,13 +49,16 @@ $result=array();
if(strpos($dir, '..') === false) {
$fileCount=count($files['name']);
for($i=0;$i<$fileCount;$i++) {
$target = OCP\Files::buildNotExistingFileName(stripslashes($dir), $files['name'][$i]);
$target = OCP\Files::buildNotExistingFileName(stripslashes($dir), $files['name'][$i]);
// $path needs to be normalized - this failed within drag'n'drop upload to a sub-folder
$target = OC_Filesystem::normalizePath($target);
if(is_uploaded_file($files['tmp_name'][$i]) and OC_Filesystem::fromTmpFile($files['tmp_name'][$i], $target)) {
$meta = \OC\Files\Filesystem::getFileInfo($target);
$id = $meta['fileid'];
$result[]=array( "status" => "success", 'mime'=>$meta['mimetype'], 'size'=>$meta['size'], 'id'=>$id, 'name'=>basename($target));
$result[]=array( 'status' => 'success',
'mime'=>$meta['mimetype'],
'size'=>$meta['size'],
'id'=>$meta['fileid'],
'name'=>basename($target));
}
}
OCP\JSON::encodedPrint($result);
@ -62,4 +67,4 @@ if(strpos($dir, '..') === false) {
$error='invalid dir';
}
OCP\JSON::error(array('data' => array('error' => $error, "file" => $fileName)));
OCP\JSON::error(array('data' => array('error' => $error, 'file' => $fileName)));

View File

@ -3,7 +3,11 @@ $l = OC_L10N::get('files');
OCP\App::registerAdmin('files', 'admin');
OCP\App::addNavigationEntry(array("id" => "files_index", "order" => 0, "href" => OCP\Util::linkTo("files", "index.php"), "icon" => OCP\Util::imagePath("core", "places/home.svg"), "name" => $l->t("Files")));
OCP\App::addNavigationEntry( array( "id" => "files_index",
"order" => 0,
"href" => OCP\Util::linkTo( "files", "index.php" ),
"icon" => OCP\Util::imagePath( "core", "places/home.svg" ),
"name" => $l->t("Files") ));
OC_Search::registerProvider('OC_Search_Provider_File');

View File

@ -24,16 +24,16 @@
$RUNTIME_APPTYPES=array('filesystem', 'authentication', 'logging');
OC_App::loadApps($RUNTIME_APPTYPES);
if(!OC_User::isLoggedIn()) {
if(!isset($_SERVER['PHP_AUTH_USER'])) {
header('WWW-Authenticate: Basic realm="ownCloud Server"');
header('HTTP/1.0 401 Unauthorized');
echo 'Valid credentials must be supplied';
exit();
} else {
if(!OC_User::login($_SERVER["PHP_AUTH_USER"], $_SERVER["PHP_AUTH_PW"])) {
exit();
}
}
if(!isset($_SERVER['PHP_AUTH_USER'])) {
header('WWW-Authenticate: Basic realm="ownCloud Server"');
header('HTTP/1.0 401 Unauthorized');
echo 'Valid credentials must be supplied';
exit();
} else {
if(!OC_User::login($_SERVER["PHP_AUTH_USER"], $_SERVER["PHP_AUTH_PW"])) {
exit();
}
}
}
list($type, $file) = explode('/', substr($path_info, 1+strlen($service)+1), 2);

View File

@ -8,5 +8,4 @@
$this->create('download', 'download{file}')
->requirements(array('file' => '.*'))
->actionInclude('files/download.php');
->actionInclude('files/download.php');

View File

@ -3,12 +3,15 @@
// fix webdav properties,add namespace in front of the property, update for OC4.5
$installedVersion=OCP\Config::getAppValue('files', 'installed_version');
if (version_compare($installedVersion, '1.1.6', '<')) {
$query = OC_DB::prepare( "SELECT `propertyname`, `propertypath`, `userid` FROM `*PREFIX*properties`" );
$query = OC_DB::prepare( 'SELECT `propertyname`, `propertypath`, `userid` FROM `*PREFIX*properties`' );
$result = $query->execute();
$updateQuery = OC_DB::prepare('UPDATE `*PREFIX*properties` SET `propertyname` = ? WHERE `userid` = ? AND `propertypath` = ?');
$updateQuery = OC_DB::prepare('UPDATE `*PREFIX*properties`'
.' SET `propertyname` = ?'
.' WHERE `userid` = ?'
.' AND `propertypath` = ?');
while( $row = $result->fetchRow()) {
if ( $row["propertyname"][0] != '{' ) {
$updateQuery->execute(array('{DAV:}' + $row["propertyname"], $row["userid"], $row["propertypath"]));
if ( $row['propertyname'][0] != '{' ) {
$updateQuery->execute(array('{DAV:}' + $row['propertyname'], $row['userid'], $row['propertypath']));
}
}
}
@ -36,10 +39,11 @@ foreach($filesToRemove as $file) {
if(!file_exists($filepath)) {
continue;
}
$success = OCP\Files::rmdirr($filepath);
if($success === false) {
$success = OCP\Files::rmdirr($filepath);
if($success === false) {
//probably not sufficient privileges, give up and give a message.
OCP\Util::writeLog('files', 'Could not clean /files/ directory. Please remove everything except webdav.php from ' . OC::$SERVERROOT . '/files/', OCP\Util::ERROR);
OCP\Util::writeLog('files', 'Could not clean /files/ directory.'
.' Please remove everything except webdav.php from ' . OC::$SERVERROOT . '/files/', OCP\Util::ERROR);
break;
}
}
}

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "تم ترفيع الملفات بنجاح.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "حجم الملف الذي تريد ترفيعه أعلى مما upload_max_filesize يسمح به في ملف php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "حجم الملف الذي تريد ترفيعه أعلى مما MAX_FILE_SIZE يسمح به في واجهة ال HTML.",
"The uploaded file was only partially uploaded" => "تم ترفيع جزء من الملفات الذي تريد ترفيعها فقط",
"No file was uploaded" => "لم يتم ترفيع أي من الملفات",
@ -19,7 +18,6 @@
"Folder" => "مجلد",
"Upload" => "إرفع",
"Nothing in here. Upload something!" => "لا يوجد شيء هنا. إرفع بعض الملفات!",
"Share" => "شارك",
"Download" => "تحميل",
"Upload too large" => "حجم الترفيع أعلى من المسموح",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "حجم الملفات التي تريد ترفيعها أعلى من المسموح على الخادم."

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Файлът е качен успешно",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Файлът който се опитвате да качите, надвишава зададените стойности в upload_max_filesize в PHP.INI",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Файлът който се опитвате да качите надвишава стойностите в MAX_FILE_SIZE в HTML формата.",
"The uploaded file was only partially uploaded" => "Файлът е качен частично",
"No file was uploaded" => "Фахлът не бе качен",
@ -22,7 +21,6 @@
"Upload" => "Качване",
"Cancel upload" => "Отказване на качването",
"Nothing in here. Upload something!" => "Няма нищо, качете нещо!",
"Share" => "Споделяне",
"Download" => "Изтегляне",
"Upload too large" => "Файлът е прекалено голям",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Файловете които се опитвате да качите са по-големи от позволеното за сървъра.",

View File

@ -1,6 +1,6 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "El fitxer s'ha pujat correctament",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "El fitxer de pujada excedeix la directiva upload_max_filesize establerta a php.ini",
"The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Larxiu que voleu carregar supera el màxim definit en la directiva upload_max_filesize del php.ini:",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "El fitxer de pujada excedeix la directiva MAX_FILE_SIZE especificada al formulari HTML",
"The uploaded file was only partially uploaded" => "El fitxer només s'ha pujat parcialment",
"No file was uploaded" => "El fitxer no s'ha pujat",
@ -54,7 +54,6 @@
"Upload" => "Puja",
"Cancel upload" => "Cancel·la la pujada",
"Nothing in here. Upload something!" => "Res per aquí. Pugeu alguna cosa!",
"Share" => "Comparteix",
"Download" => "Baixa",
"Upload too large" => "La pujada és massa gran",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Els fitxers que esteu intentant pujar excedeixen la mida màxima de pujada del servidor",

View File

@ -1,6 +1,6 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Soubor byl odeslán úspěšně",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Odeslaný soubor přesáhl svou velikostí parametr upload_max_filesize v php.ini",
"The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Odesílaný soubor přesahuje velikost upload_max_filesize povolenou v php.ini:",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Odeslaný soubor přesáhl svou velikostí parametr MAX_FILE_SIZE specifikovaný v formuláři HTML",
"The uploaded file was only partially uploaded" => "Soubor byl odeslán pouze částečně",
"No file was uploaded" => "Žádný soubor nebyl odeslán",
@ -54,7 +54,6 @@
"Upload" => "Odeslat",
"Cancel upload" => "Zrušit odesílání",
"Nothing in here. Upload something!" => "Žádný obsah. Nahrajte něco.",
"Share" => "Sdílet",
"Download" => "Stáhnout",
"Upload too large" => "Odeslaný soubor je příliš velký",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Soubory, které se snažíte odeslat, překračují limit velikosti odesílání na tomto serveru.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"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 overskrider upload_max_filesize direktivet i php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Den uploadede fil overskrider MAX_FILE_SIZE -direktivet som er specificeret i HTML-formularen",
"The uploaded file was only partially uploaded" => "Den uploadede file blev kun delvist uploadet",
"No file was uploaded" => "Ingen fil blev uploadet",
@ -51,7 +50,6 @@
"Upload" => "Upload",
"Cancel upload" => "Fortryd upload",
"Nothing in here. Upload something!" => "Her er tomt. Upload noget!",
"Share" => "Del",
"Download" => "Download",
"Upload too large" => "Upload for stor",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Filerne, du prøver at uploade, er større end den maksimale størrelse for fil-upload på denne server.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Datei fehlerfrei hochgeladen.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Die Größe der hochzuladenden Datei überschreitet die upload_max_filesize-Richtlinie in php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Die Größe der hochzuladenden Datei überschreitet die MAX_FILE_SIZE-Richtlinie, die im HTML-Formular angegeben wurde",
"The uploaded file was only partially uploaded" => "Die Datei wurde nur teilweise hochgeladen.",
"No file was uploaded" => "Es wurde keine Datei hochgeladen.",
@ -54,7 +53,6 @@
"Upload" => "Hochladen",
"Cancel upload" => "Upload abbrechen",
"Nothing in here. Upload something!" => "Alles leer. Lade etwas hoch!",
"Share" => "Freigabe",
"Download" => "Herunterladen",
"Upload too large" => "Upload zu groß",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Es sind keine Fehler aufgetreten. Die Datei wurde erfolgreich hochgeladen.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Die Größe der hochzuladenden Datei überschreitet die upload_max_filesize-Richtlinie in php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Die Größe der hochzuladenden Datei überschreitet die MAX_FILE_SIZE-Richtlinie, die im HTML-Formular angegeben wurde",
"The uploaded file was only partially uploaded" => "Die Datei wurde nur teilweise hochgeladen.",
"No file was uploaded" => "Es wurde keine Datei hochgeladen.",
@ -54,7 +53,6 @@
"Upload" => "Hochladen",
"Cancel upload" => "Upload abbrechen",
"Nothing in here. Upload something!" => "Alles leer. Bitte laden Sie etwas hoch!",
"Share" => "Teilen",
"Download" => "Herunterladen",
"Upload too large" => "Der Upload ist zu groß",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Δεν υπάρχει σφάλμα, το αρχείο εστάλει επιτυχώς",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Το αρχείο που εστάλει υπερβαίνει την οδηγία μέγιστου επιτρεπτού μεγέθους \"upload_max_filesize\" του php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Το αρχείο υπερβαίνει την οδηγία μέγιστου επιτρεπτού μεγέθους \"MAX_FILE_SIZE\" που έχει οριστεί στην HTML φόρμα",
"The uploaded file was only partially uploaded" => "Το αρχείο εστάλει μόνο εν μέρει",
"No file was uploaded" => "Κανένα αρχείο δεν στάλθηκε",
@ -54,7 +53,6 @@
"Upload" => "Αποστολή",
"Cancel upload" => "Ακύρωση αποστολής",
"Nothing in here. Upload something!" => "Δεν υπάρχει τίποτα εδώ. Ανέβασε κάτι!",
"Share" => "Διαμοιρασμός",
"Download" => "Λήψη",
"Upload too large" => "Πολύ μεγάλο αρχείο προς αποστολή",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Τα αρχεία που προσπαθείτε να ανεβάσετε υπερβαίνουν το μέγιστο μέγεθος αποστολής αρχείων σε αυτόν το διακομιστή.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Ne estas eraro, la dosiero alŝutiĝis sukcese",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "La dosiero alŝutita superas la regulon upload_max_filesize el php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "La dosiero alŝutita superas laregulon MAX_FILE_SIZE, kiu estas difinita en la HTML-formularo",
"The uploaded file was only partially uploaded" => "La alŝutita dosiero nur parte alŝutiĝis",
"No file was uploaded" => "Neniu dosiero estas alŝutita",
@ -53,7 +52,6 @@
"Upload" => "Alŝuti",
"Cancel upload" => "Nuligi alŝuton",
"Nothing in here. Upload something!" => "Nenio estas ĉi tie. Alŝutu ion!",
"Share" => "Kunhavigi",
"Download" => "Elŝuti",
"Upload too large" => "Elŝuto tro larĝa",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "La dosieroj, kiujn vi provas alŝuti, transpasas la maksimuman grandon por dosieralŝutoj en ĉi tiu servilo.",

View File

@ -1,6 +1,6 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "No se ha producido ningún error, el archivo se ha subido con éxito",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "El archivo que intentas subir sobrepasa el tamaño definido por la variable upload_max_filesize en php.ini",
"The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "El archivo que intentas subir sobrepasa el tamaño definido por la variable upload_max_filesize en php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "El archivo que intentas subir sobrepasa el tamaño definido por la variable MAX_FILE_SIZE especificada en el formulario HTML",
"The uploaded file was only partially uploaded" => "El archivo que intentas subir solo se subió parcialmente",
"No file was uploaded" => "No se ha subido ningún archivo",
@ -54,7 +54,6 @@
"Upload" => "Subir",
"Cancel upload" => "Cancelar subida",
"Nothing in here. Upload something!" => "Aquí no hay nada. ¡Sube algo!",
"Share" => "Compartir",
"Download" => "Descargar",
"Upload too large" => "El archivo es demasiado grande",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Los archivos que estás intentando subir sobrepasan el tamaño máximo permitido por este servidor.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "No se han producido errores, el archivo se ha subido con éxito",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "El archivo que intentás subir sobrepasa el tamaño definido por la variable upload_max_filesize en php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "El archivo que intentás subir sobrepasa el tamaño definido por la variable MAX_FILE_SIZE especificada en el formulario HTML",
"The uploaded file was only partially uploaded" => "El archivo que intentás subir solo se subió parcialmente",
"No file was uploaded" => "El archivo no fue subido",
@ -53,7 +52,6 @@
"Upload" => "Subir",
"Cancel upload" => "Cancelar subida",
"Nothing in here. Upload something!" => "No hay nada. ¡Subí contenido!",
"Share" => "Compartir",
"Download" => "Descargar",
"Upload too large" => "El archivo es demasiado grande",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Los archivos que intentás subir sobrepasan el tamaño máximo ",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Ühtegi viga pole, fail on üles laetud",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Üles laetud faili suurus ületab php.ini määratud upload_max_filesize suuruse",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Üles laetud faili suurus ületab HTML vormis määratud upload_max_filesize suuruse",
"The uploaded file was only partially uploaded" => "Fail laeti üles ainult osaliselt",
"No file was uploaded" => "Ühtegi faili ei laetud üles",
@ -19,6 +18,7 @@
"replaced {new_name} with {old_name}" => "asendas nime {old_name} nimega {new_name}",
"unshared {files}" => "jagamata {files}",
"deleted {files}" => "kustutatud {files}",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Vigane nimi, '\\', '/', '<', '>', ':', '\"', '|', '?' ja '*' pole lubatud.",
"generating ZIP-file, it may take some time." => "ZIP-faili loomine, see võib veidi aega võtta.",
"Unable to upload your file as it is a directory or has 0 bytes" => "Sinu faili üleslaadimine ebaõnnestus, kuna see on kaust või selle suurus on 0 baiti",
"Upload Error" => "Üleslaadimise viga",
@ -28,6 +28,7 @@
"{count} files uploading" => "{count} faili üleslaadimist",
"Upload cancelled." => "Üleslaadimine tühistati.",
"File upload is in progress. Leaving the page now will cancel the upload." => "Faili üleslaadimine on töös. Lehelt lahkumine katkestab selle üleslaadimise.",
"Invalid folder name. Usage of \"Shared\" is reserved by Owncloud" => "Vigane kausta nimi. Nime \"Jagatud\" kasutamine on Owncloudi poolt broneeritud ",
"{count} files scanned" => "{count} faili skännitud",
"error while scanning" => "viga skännimisel",
"Name" => "Nimi",
@ -52,7 +53,6 @@
"Upload" => "Lae üles",
"Cancel upload" => "Tühista üleslaadimine",
"Nothing in here. Upload something!" => "Siin pole midagi. Lae midagi üles!",
"Share" => "Jaga",
"Download" => "Lae alla",
"Upload too large" => "Üleslaadimine on liiga suur",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Failid, mida sa proovid üles laadida, ületab serveri poolt üleslaetavatele failidele määratud maksimaalse suuruse.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Ez da arazorik izan, fitxategia ongi igo da",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Igotako fitxategiaren tamaina php.ini-ko upload_max_filesize direktiban adierazitakoa baino handiagoa da",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Igotako fitxategiaren tamaina HTML inprimakiko MAX_FILESIZE direktiban adierazitakoa baino handiagoa da",
"The uploaded file was only partially uploaded" => "Igotako fitxategiaren zati bat baino gehiago ez da igo",
"No file was uploaded" => "Ez da fitxategirik igo",
@ -54,7 +53,6 @@
"Upload" => "Igo",
"Cancel upload" => "Ezeztatu igoera",
"Nothing in here. Upload something!" => "Ez dago ezer. Igo zerbait!",
"Share" => "Elkarbanatu",
"Download" => "Deskargatu",
"Upload too large" => "Igotakoa handiegia da",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Igotzen saiatzen ari zaren fitxategiak zerbitzari honek igotzeko onartzen duena baino handiagoak dira.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "هیچ خطایی وجود ندارد فایل با موفقیت بار گذاری شد",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "حداکثر حجم تعیین شده برای بارگذاری در php.ini قابل ویرایش است",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "حداکثر حجم مجاز برای بارگذاری از طریق HTML \nMAX_FILE_SIZE",
"The uploaded file was only partially uploaded" => "مقدار کمی از فایل بارگذاری شده",
"No file was uploaded" => "هیچ فایلی بارگذاری نشده",
@ -35,7 +34,6 @@
"Upload" => "بارگذاری",
"Cancel upload" => "متوقف کردن بار گذاری",
"Nothing in here. Upload something!" => "اینجا هیچ چیز نیست.",
"Share" => "به اشتراک گذاری",
"Download" => "بارگیری",
"Upload too large" => "حجم بارگذاری بسیار زیاد است",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "فایلها بیش از حد تعیین شده در این سرور هستند\nمترجم:با تغییر فایل php,ini میتوان این محدودیت را برطرف کرد",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Ei virheitä, tiedosto lähetettiin onnistuneesti",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Lähetetty tiedosto ylittää upload_max_filesize-arvon rajan php.ini-tiedostossa",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Lähetetty tiedosto ylittää HTML-lomakkeessa määritetyn MAX_FILE_SIZE-arvon ylärajan",
"The uploaded file was only partially uploaded" => "Tiedoston lähetys onnistui vain osittain",
"No file was uploaded" => "Yhtäkään tiedostoa ei lähetetty",
@ -44,7 +43,6 @@
"Upload" => "Lähetä",
"Cancel upload" => "Peru lähetys",
"Nothing in here. Upload something!" => "Täällä ei ole mitään. Lähetä tänne jotakin!",
"Share" => "Jaa",
"Download" => "Lataa",
"Upload too large" => "Lähetettävä tiedosto on liian suuri",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Lähetettäväksi valitsemasi tiedostot ylittävät palvelimen salliman tiedostokoon rajan.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Aucune erreur, le fichier a été téléversé avec succès",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Le fichier téléversé excède la valeur de upload_max_filesize spécifiée dans php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Le fichier téléversé excède la valeur de MAX_FILE_SIZE spécifiée dans le formulaire HTML",
"The uploaded file was only partially uploaded" => "Le fichier n'a été que partiellement téléversé",
"No file was uploaded" => "Aucun fichier n'a été téléversé",
@ -54,7 +53,6 @@
"Upload" => "Envoyer",
"Cancel upload" => "Annuler l'envoi",
"Nothing in here. Upload something!" => "Il n'y a rien ici ! Envoyez donc quelque chose :)",
"Share" => "Partager",
"Download" => "Téléchargement",
"Upload too large" => "Fichier trop volumineux",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Les fichiers que vous essayez d'envoyer dépassent la taille maximale permise par ce serveur.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Non hai erros. O ficheiro enviouse correctamente",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "O ficheiro enviado supera a directiva upload_max_filesize no php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "O ficheiro enviado supera a directiva MAX_FILE_SIZE que foi indicada no formulario HTML",
"The uploaded file was only partially uploaded" => "O ficheiro enviado foi só parcialmente enviado",
"No file was uploaded" => "Non se enviou ningún ficheiro",
@ -52,7 +51,6 @@
"Upload" => "Enviar",
"Cancel upload" => "Cancelar a subida",
"Nothing in here. Upload something!" => "Nada por aquí. Envía algo.",
"Share" => "Compartir",
"Download" => "Descargar",
"Upload too large" => "Envío demasiado grande",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Os ficheiros que trata de subir superan o tamaño máximo permitido neste servidor",

View File

@ -1,6 +1,6 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "לא אירעה תקלה, הקבצים הועלו בהצלחה",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "הקובץ שהועלה חרג מההנחיה upload_max_filesize בקובץ php.ini",
"The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "הקבצים שנשלחו חורגים מהגודל שצוין בהגדרה upload_max_filesize שבקובץ php.ini:",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "הקובץ שהועלה חרג מההנחיה MAX_FILE_SIZE שצוינה בטופס ה־HTML",
"The uploaded file was only partially uploaded" => "הקובץ שהועלה הועלה בצורה חלקית",
"No file was uploaded" => "לא הועלו קבצים",
@ -9,15 +9,36 @@
"Files" => "קבצים",
"Unshare" => "הסר שיתוף",
"Delete" => "מחיקה",
"Rename" => "שינוי שם",
"{new_name} already exists" => "{new_name} כבר קיים",
"replace" => "החלפה",
"suggest name" => "הצעת שם",
"cancel" => "ביטול",
"replaced {new_name}" => "{new_name} הוחלף",
"undo" => "ביטול",
"replaced {new_name} with {old_name}" => "{new_name} הוחלף ב־{old_name}",
"unshared {files}" => "בוטל שיתופם של {files}",
"deleted {files}" => "{files} נמחקו",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "השם שגוי, אסור להשתמש בתווים '\\', '/', '<', '>', ':', '\"', '|', '?' ו־'*'.",
"generating ZIP-file, it may take some time." => "יוצר קובץ ZIP, אנא המתן.",
"Unable to upload your file as it is a directory or has 0 bytes" => "לא יכול להעלות את הקובץ מכיוון שזו תקיה או שמשקל הקובץ 0 בתים",
"Upload Error" => "שגיאת העלאה",
"Close" => "סגירה",
"Pending" => "ממתין",
"1 file uploading" => "קובץ אחד נשלח",
"{count} files uploading" => "{count} קבצים נשלחים",
"Upload cancelled." => "ההעלאה בוטלה.",
"File upload is in progress. Leaving the page now will cancel the upload." => "מתבצעת כעת העלאת קבצים. עזיבה של העמוד תבטל את ההעלאה.",
"Invalid folder name. Usage of \"Shared\" is reserved by Owncloud" => "שם התיקייה שגוי. השימוש בשם „Shared“ שמור לטובת Owncloud",
"{count} files scanned" => "{count} קבצים נסרקו",
"error while scanning" => "אירעה שגיאה במהלך הסריקה",
"Name" => "שם",
"Size" => "גודל",
"Modified" => "זמן שינוי",
"1 folder" => "תיקייה אחת",
"{count} folders" => "{count} תיקיות",
"1 file" => "קובץ אחד",
"{count} files" => "{count} קבצים",
"File handling" => "טיפול בקבצים",
"Maximum upload size" => "גודל העלאה מקסימלי",
"max. possible: " => "המרבי האפשרי: ",
@ -29,10 +50,10 @@
"New" => "חדש",
"Text file" => "קובץ טקסט",
"Folder" => "תיקייה",
"From link" => "מקישור",
"Upload" => "העלאה",
"Cancel upload" => "ביטול ההעלאה",
"Nothing in here. Upload something!" => "אין כאן שום דבר. אולי ברצונך להעלות משהו?",
"Share" => "שיתוף",
"Download" => "הורדה",
"Upload too large" => "העלאה גדולה מידי",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "הקבצים שניסית להעלות חרגו מהגודל המקסימלי להעלאת קבצים על שרת זה.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Datoteka je poslana uspješno i bez pogrešaka",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Poslana datoteka izlazi iz okvira upload_max_size direktive postavljene u php.ini konfiguracijskoj datoteci",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Poslana datoteka izlazi iz okvira MAX_FILE_SIZE direktive postavljene u HTML obrascu",
"The uploaded file was only partially uploaded" => "Datoteka je poslana samo djelomično",
"No file was uploaded" => "Ni jedna datoteka nije poslana",
@ -40,7 +39,6 @@
"Upload" => "Pošalji",
"Cancel upload" => "Prekini upload",
"Nothing in here. Upload something!" => "Nema ničega u ovoj mapi. Pošalji nešto!",
"Share" => "podjeli",
"Download" => "Preuzmi",
"Upload too large" => "Prijenos je preobiman",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Datoteke koje pokušavate prenijeti prelaze maksimalnu veličinu za prijenos datoteka na ovom poslužitelju.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Nincs hiba, a fájl sikeresen feltöltve.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "A feltöltött file meghaladja az upload_max_filesize direktívát a php.ini-ben.",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "A feltöltött fájl meghaladja a MAX_FILE_SIZE direktívát ami meghatározott a HTML form-ban.",
"The uploaded file was only partially uploaded" => "Az eredeti fájl csak részlegesen van feltöltve.",
"No file was uploaded" => "Nem lett fájl feltöltve.",
@ -35,7 +34,6 @@
"Upload" => "Feltöltés",
"Cancel upload" => "Feltöltés megszakítása",
"Nothing in here. Upload something!" => "Töltsön fel egy fájlt.",
"Share" => "Megosztás",
"Download" => "Letöltés",
"Upload too large" => "Feltöltés túl nagy",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "A fájlokat amit próbálsz feltölteni meghaladta a legnagyobb fájlméretet ezen a szerveren.",

View File

@ -15,7 +15,6 @@
"Folder" => "Dossier",
"Upload" => "Incargar",
"Nothing in here. Upload something!" => "Nihil hic. Incarga alcun cosa!",
"Share" => "Compartir",
"Download" => "Discargar",
"Upload too large" => "Incargamento troppo longe"
);

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Tidak ada galat, berkas sukses diunggah",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "File yang diunggah melampaui directive upload_max_filesize di php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "File yang diunggah melampaui directive MAX_FILE_SIZE yang disebutan dalam form HTML.",
"The uploaded file was only partially uploaded" => "Berkas hanya diunggah sebagian",
"No file was uploaded" => "Tidak ada berkas yang diunggah",
@ -35,7 +34,6 @@
"Upload" => "Unggah",
"Cancel upload" => "Batal mengunggah",
"Nothing in here. Upload something!" => "Tidak ada apa-apa di sini. Unggah sesuatu!",
"Share" => "Bagikan",
"Download" => "Unduh",
"Upload too large" => "Unggahan terlalu besar",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Berkas yang anda coba unggah melebihi ukuran maksimum untuk pengunggahan berkas di server ini.",

View File

@ -1,6 +1,6 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Non ci sono errori, file caricato con successo",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Il file caricato supera il valore upload_max_filesize in php.ini",
"The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Il file caricato supera la direttiva upload_max_filesize in php.ini:",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Il file caricato supera il valore MAX_FILE_SIZE definito nel form HTML",
"The uploaded file was only partially uploaded" => "Il file è stato parzialmente caricato",
"No file was uploaded" => "Nessun file è stato caricato",
@ -54,7 +54,6 @@
"Upload" => "Carica",
"Cancel upload" => "Annulla invio",
"Nothing in here. Upload something!" => "Non c'è niente qui. Carica qualcosa!",
"Share" => "Condividi",
"Download" => "Scarica",
"Upload too large" => "Il file caricato è troppo grande",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "I file che stai provando a caricare superano la dimensione massima consentita su questo server.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "エラーはありません。ファイルのアップロードは成功しました",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "アップロードされたファイルはphp.iniのupload_max_filesizeに設定されたサイズを超えています",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "アップロードされたファイルはHTMLのフォームに設定されたMAX_FILE_SIZEに設定されたサイズを超えています",
"The uploaded file was only partially uploaded" => "ファイルは一部分しかアップロードされませんでした",
"No file was uploaded" => "ファイルはアップロードされませんでした",
@ -54,7 +53,6 @@
"Upload" => "アップロード",
"Cancel upload" => "アップロードをキャンセル",
"Nothing in here. Upload something!" => "ここには何もありません。何かアップロードしてください。",
"Share" => "共有",
"Download" => "ダウンロード",
"Upload too large" => "ファイルサイズが大きすぎます",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "アップロードしようとしているファイルは、サーバで規定された最大サイズを超えています。",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "ჭოცდომა არ დაფიქსირდა, ფაილი წარმატებით აიტვირთა",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "ატვირთული ფაილი აჭარბებს upload_max_filesize დირექტივას php.ini ფაილში",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "ატვირთული ფაილი აჭარბებს MAX_FILE_SIZE დირექტივას, რომელიც მითითებულია HTML ფორმაში",
"The uploaded file was only partially uploaded" => "ატვირთული ფაილი მხოლოდ ნაწილობრივ აიტვირთა",
"No file was uploaded" => "ფაილი არ აიტვირთა",
@ -51,7 +50,6 @@
"Upload" => "ატვირთვა",
"Cancel upload" => "ატვირთვის გაუქმება",
"Nothing in here. Upload something!" => "აქ არაფერი არ არის. ატვირთე რამე!",
"Share" => "გაზიარება",
"Download" => "ჩამოტვირთვა",
"Upload too large" => "ასატვირთი ფაილი ძალიან დიდია",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "ფაილის ზომა რომლის ატვირთვასაც თქვენ აპირებთ, აჭარბებს სერვერზე დაშვებულ მაქსიმუმს.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "업로드에 성공하였습니다.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "업로드한 파일이 php.ini에서 지정한 upload_max_filesize보다 더 큼",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "업로드한 파일이 HTML 문서에 지정한 MAX_FILE_SIZE보다 더 큼",
"The uploaded file was only partially uploaded" => "파일이 부분적으로 업로드됨",
"No file was uploaded" => "업로드된 파일 없음",
@ -52,7 +51,6 @@
"Upload" => "업로드",
"Cancel upload" => "업로드 취소",
"Nothing in here. Upload something!" => "내용이 없습니다. 업로드할 수 있습니다!",
"Share" => "공유",
"Download" => "다운로드",
"Upload too large" => "업로드 용량 초과",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "이 파일이 서버에서 허용하는 최대 업로드 가능 용량보다 큽니다.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Keen Feeler, Datei ass komplett ropgelueden ginn",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Déi ropgelueden Datei ass méi grouss wei d'upload_max_filesize Eegenschaft an der php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Déi ropgelueden Datei ass méi grouss wei d'MAX_FILE_SIZE Eegenschaft déi an der HTML form uginn ass",
"The uploaded file was only partially uploaded" => "Déi ropgelueden Datei ass nëmmen hallef ropgelueden ginn",
"No file was uploaded" => "Et ass keng Datei ropgelueden ginn",
@ -34,7 +33,6 @@
"Upload" => "Eroplueden",
"Cancel upload" => "Upload ofbriechen",
"Nothing in here. Upload something!" => "Hei ass näischt. Lued eppes rop!",
"Share" => "Share",
"Download" => "Eroflueden",
"Upload too large" => "Upload ze grouss",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Déi Dateien déi Dir probéiert erop ze lueden sinn méi grouss wei déi Maximal Gréisst déi op dësem Server erlaabt ass.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Klaidų nėra, failas įkeltas sėkmingai",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Įkeliamo failo dydis viršija upload_max_filesize parametrą php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Įkeliamo failo dydis viršija MAX_FILE_SIZE parametrą, kuris yra nustatytas HTML formoje",
"The uploaded file was only partially uploaded" => "Failas buvo įkeltas tik dalinai",
"No file was uploaded" => "Nebuvo įkeltas nė vienas failas",
@ -51,7 +50,6 @@
"Upload" => "Įkelti",
"Cancel upload" => "Atšaukti siuntimą",
"Nothing in here. Upload something!" => "Čia tuščia. Įkelkite ką nors!",
"Share" => "Dalintis",
"Download" => "Atsisiųsti",
"Upload too large" => "Įkėlimui failas per didelis",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Bandomų įkelti failų dydis viršija maksimalų leidžiamą šiame serveryje",

View File

@ -33,7 +33,6 @@
"Upload" => "Augšuplādet",
"Cancel upload" => "Atcelt augšuplādi",
"Nothing in here. Upload something!" => "Te vēl nekas nav. Rīkojies, sāc augšuplādēt",
"Share" => "Līdzdalīt",
"Download" => "Lejuplādēt",
"Upload too large" => "Fails ir par lielu lai to augšuplādetu",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Jūsu augšuplādējamie faili pārsniedz servera pieļaujamo failu augšupielādes apjomu",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Нема грешка, датотеката беше подигната успешно",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Подигнатата датотека ја надминува upload_max_filesize директивата во php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Подигнатата датотеката ја надминува MAX_FILE_SIZE директивата која беше поставена во HTML формата",
"The uploaded file was only partially uploaded" => "Датотеката беше само делумно подигната.",
"No file was uploaded" => "Не беше подигната датотека",
@ -31,7 +30,6 @@
"Upload" => "Подигни",
"Cancel upload" => "Откажи прикачување",
"Nothing in here. Upload something!" => "Тука нема ништо. Снимете нешто!",
"Share" => "Сподели",
"Download" => "Преземи",
"Upload too large" => "Датотеката е премногу голема",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Датотеките кои се обидувате да ги подигнете ја надминуваат максималната големина за подигнување датотеки на овој сервер.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Tiada ralat, fail berjaya dimuat naik.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Fail yang dimuat naik melebihi penyata upload_max_filesize dalam php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Fail yang dimuat naik melebihi MAX_FILE_SIZE yang dinyatakan dalam form HTML ",
"The uploaded file was only partially uploaded" => "Sebahagian daripada fail telah dimuat naik. ",
"No file was uploaded" => "Tiada fail yang dimuat naik",
@ -33,7 +32,6 @@
"Upload" => "Muat naik",
"Cancel upload" => "Batal muat naik",
"Nothing in here. Upload something!" => "Tiada apa-apa di sini. Muat naik sesuatu!",
"Share" => "Kongsi",
"Download" => "Muat turun",
"Upload too large" => "Muat naik terlalu besar",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Fail yang cuba dimuat naik melebihi saiz maksimum fail upload server",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Det er ingen feil. Filen ble lastet opp.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Filstørrelsen overskrider maksgrensedirektivet upload_max_filesize i php.ini-konfigurasjonen.",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Filstørrelsen overskrider maksgrensen på MAX_FILE_SIZE som ble oppgitt i HTML-skjemaet",
"The uploaded file was only partially uploaded" => "Filopplastningen ble bare delvis gjennomført",
"No file was uploaded" => "Ingen fil ble lastet opp",
@ -50,7 +49,6 @@
"Upload" => "Last opp",
"Cancel upload" => "Avbryt opplasting",
"Nothing in here. Upload something!" => "Ingenting her. Last opp noe!",
"Share" => "Del",
"Download" => "Last ned",
"Upload too large" => "Opplasting for stor",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Filene du prøver å laste opp er for store for å laste opp til denne serveren.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Geen fout opgetreden, bestand successvol geupload.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Het geüploade bestand is groter dan de upload_max_filesize instelling in php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Het geüploade bestand is groter dan de MAX_FILE_SIZE richtlijn die is opgegeven in de HTML-formulier",
"The uploaded file was only partially uploaded" => "Het bestand is slechts gedeeltelijk geupload",
"No file was uploaded" => "Geen bestand geüpload",
@ -54,7 +53,6 @@
"Upload" => "Upload",
"Cancel upload" => "Upload afbreken",
"Nothing in here. Upload something!" => "Er bevindt zich hier niets. Upload een bestand!",
"Share" => "Delen",
"Download" => "Download",
"Upload too large" => "Bestanden te groot",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "De bestanden die u probeert te uploaden zijn groter dan de maximaal toegestane bestandsgrootte voor deze server.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Ingen feil, fila vart lasta opp",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Den opplasta fila er større enn variabelen upload_max_filesize i php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Den opplasta fila er større enn variabelen MAX_FILE_SIZE i HTML-skjemaet",
"The uploaded file was only partially uploaded" => "Fila vart berre delvis lasta opp",
"No file was uploaded" => "Ingen filer vart lasta opp",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Amontcargament capitat, pas d'errors",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Lo fichièr amontcargat es tròp bèl per la directiva «upload_max_filesize » del php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Lo fichièr amontcargat es mai gròs que la directiva «MAX_FILE_SIZE» especifiada dins lo formulari HTML",
"The uploaded file was only partially uploaded" => "Lo fichièr foguèt pas completament amontcargat",
"No file was uploaded" => "Cap de fichièrs son estats amontcargats",
@ -39,7 +38,6 @@
"Upload" => "Amontcarga",
"Cancel upload" => " Anulla l'amontcargar",
"Nothing in here. Upload something!" => "Pas res dedins. Amontcarga qualquaren",
"Share" => "Parteja",
"Download" => "Avalcarga",
"Upload too large" => "Amontcargament tròp gròs",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Los fichièrs que sias a amontcargar son tròp pesucs per la talha maxi pel servidor.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Przesłano plik",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Rozmiar przesłanego pliku przekracza maksymalną wartość dyrektywy upload_max_filesize, zawartą w pliku php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Rozmiar przesłanego pliku przekracza maksymalną wartość dyrektywy upload_max_filesize, zawartą formularzu HTML",
"The uploaded file was only partially uploaded" => "Plik przesłano tylko częściowo",
"No file was uploaded" => "Nie przesłano żadnego pliku",
@ -54,7 +53,6 @@
"Upload" => "Prześlij",
"Cancel upload" => "Przestań wysyłać",
"Nothing in here. Upload something!" => "Brak zawartości. Proszę wysłać pliki!",
"Share" => "Współdziel",
"Download" => "Pobiera element",
"Upload too large" => "Wysyłany plik ma za duży rozmiar",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Pliki które próbujesz przesłać, przekraczają maksymalną, dopuszczalną wielkość.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Não houve nenhum erro, o arquivo foi transferido com sucesso",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "O tamanho do arquivo excede o limed especifiicado em upload_max_filesize no php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "O arquivo carregado excede o MAX_FILE_SIZE que foi especificado no formulário HTML",
"The uploaded file was only partially uploaded" => "O arquivo foi transferido parcialmente",
"No file was uploaded" => "Nenhum arquivo foi transferido",
@ -52,7 +51,6 @@
"Upload" => "Carregar",
"Cancel upload" => "Cancelar upload",
"Nothing in here. Upload something!" => "Nada aqui.Carrege alguma coisa!",
"Share" => "Compartilhar",
"Download" => "Baixar",
"Upload too large" => "Arquivo muito grande",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Os arquivos que você está tentando carregar excedeu o tamanho máximo para arquivos no servidor.",

View File

@ -1,6 +1,6 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Sem erro, ficheiro enviado com sucesso",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "O ficheiro enviado excede a directiva upload_max_filesize no php.ini",
"The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "O ficheiro enviado excede o limite permitido na directiva do php.ini upload_max_filesize",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "O ficheiro enviado excede o diretivo MAX_FILE_SIZE especificado no formulário HTML",
"The uploaded file was only partially uploaded" => "O ficheiro enviado só foi enviado parcialmente",
"No file was uploaded" => "Não foi enviado nenhum ficheiro",
@ -54,7 +54,6 @@
"Upload" => "Enviar",
"Cancel upload" => "Cancelar envio",
"Nothing in here. Upload something!" => "Vazio. Envie alguma coisa!",
"Share" => "Partilhar",
"Download" => "Transferir",
"Upload too large" => "Envio muito grande",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Os ficheiros que está a tentar enviar excedem o tamanho máximo de envio permitido neste servidor.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Nicio eroare, fișierul a fost încărcat cu succes",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Fișierul are o dimensiune mai mare decât cea specificată în variabila upload_max_filesize din php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Fișierul are o dimensiune mai mare decât variabile MAX_FILE_SIZE specificată în formularul HTML",
"The uploaded file was only partially uploaded" => "Fișierul a fost încărcat doar parțial",
"No file was uploaded" => "Niciun fișier încărcat",
@ -40,7 +39,6 @@
"Upload" => "Încarcă",
"Cancel upload" => "Anulează încărcarea",
"Nothing in here. Upload something!" => "Nimic aici. Încarcă ceva!",
"Share" => "Partajează",
"Download" => "Descarcă",
"Upload too large" => "Fișierul încărcat este prea mare",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Fișierul care l-ai încărcat a depășită limita maximă admisă la încărcare pe acest server.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Файл успешно загружен",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Файл превышает допустимые размеры (описаны как upload_max_filesize в php.ini)",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Файл превышает размер MAX_FILE_SIZE, указаный в HTML-форме",
"The uploaded file was only partially uploaded" => "Файл был загружен не полностью",
"No file was uploaded" => "Файл не был загружен",
@ -54,7 +53,6 @@
"Upload" => "Загрузить",
"Cancel upload" => "Отмена загрузки",
"Nothing in here. Upload something!" => "Здесь ничего нет. Загрузите что-нибудь!",
"Share" => "Опубликовать",
"Download" => "Скачать",
"Upload too large" => "Файл слишком большой",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Файлы, которые Вы пытаетесь загрузить, превышают лимит для файлов на этом сервере.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Ошибка отсутствует, файл загружен успешно.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Размер загруженного файла превышает заданный в директиве upload_max_filesize в php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Размер загруженного",
"The uploaded file was only partially uploaded" => "Загружаемый файл был загружен частично",
"No file was uploaded" => "Файл не был загружен",
@ -54,7 +53,6 @@
"Upload" => "Загрузить ",
"Cancel upload" => "Отмена загрузки",
"Nothing in here. Upload something!" => "Здесь ничего нет. Загрузите что-нибудь!",
"Share" => "Сделать общим",
"Download" => "Загрузить",
"Upload too large" => "Загрузка слишком велика",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Размер файлов, которые Вы пытаетесь загрузить, превышает максимально допустимый размер для загрузки на данный сервер.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "නිවැරදි ව ගොනුව උඩුගත කෙරිනි",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "php.ini හි upload_max_filesize නියමයට වඩා උඩුගත කළ ගොනුව විශාලයි",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "උඩුගත කළ ගොනුවේ විශාලත්වය HTML පෝරමයේ නියම කළ ඇති MAX_FILE_SIZE විශාලත්වයට වඩා වැඩිය",
"The uploaded file was only partially uploaded" => "උඩුගත කළ ගොනුවේ කොටසක් පමණක් උඩුගත විය",
"No file was uploaded" => "කිසිදු ගොනවක් උඩුගත නොවිනි",
@ -41,7 +40,6 @@
"Upload" => "උඩුගත කිරීම",
"Cancel upload" => "උඩුගත කිරීම අත් හරින්න",
"Nothing in here. Upload something!" => "මෙහි කිසිවක් නොමැත. යමක් උඩුගත කරන්න",
"Share" => "බෙදාහදාගන්න",
"Download" => "බාගත කිරීම",
"Upload too large" => "උඩුගත කිරීම විශාල වැඩිය",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "ඔබ උඩුගත කිරීමට තැත් කරන ගොනු මෙම සේවාදායකයා උඩුගත කිරීමට ඉඩදී ඇති උපරිම ගොනු විශාලත්වයට වඩා වැඩිය",

View File

@ -1,6 +1,6 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Nenastala žiadna chyba, súbor bol úspešne nahraný",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Nahraný súbor presiahol direktívu upload_max_filesize v php.ini",
"The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Nahraný súbor predčil konfiguračnú direktívu upload_max_filesize v súbore php.ini:",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Nahrávaný súbor presiahol MAX_FILE_SIZE direktívu, ktorá bola špecifikovaná v HTML formulári",
"The uploaded file was only partially uploaded" => "Nahrávaný súbor bol iba čiastočne nahraný",
"No file was uploaded" => "Žiaden súbor nebol nahraný",
@ -19,6 +19,7 @@
"replaced {new_name} with {old_name}" => "prepísaný {new_name} súborom {old_name}",
"unshared {files}" => "zdieľanie zrušené pre {files}",
"deleted {files}" => "zmazané {files}",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Nesprávne meno, '\\', '/', '<', '>', ':', '\"', '|', '?' a '*' nie sú povolené hodnoty.",
"generating ZIP-file, it may take some time." => "generujem ZIP-súbor, môže to chvíľu trvať.",
"Unable to upload your file as it is a directory or has 0 bytes" => "Nemôžem nahrať súbor lebo je to priečinok alebo má 0 bajtov.",
"Upload Error" => "Chyba odosielania",
@ -28,6 +29,7 @@
"{count} files uploading" => "{count} súborov odosielaných",
"Upload cancelled." => "Odosielanie zrušené",
"File upload is in progress. Leaving the page now will cancel the upload." => "Opustenie stránky zruší práve prebiehajúce odosielanie súboru.",
"Invalid folder name. Usage of \"Shared\" is reserved by Owncloud" => "Nesprávne meno adresára. Použitie slova \"Shared\" (Zdieľané) je vyhradené službou ownCloud.",
"{count} files scanned" => "{count} súborov prehľadaných",
"error while scanning" => "chyba počas kontroly",
"Name" => "Meno",
@ -52,7 +54,6 @@
"Upload" => "Odoslať",
"Cancel upload" => "Zrušiť odosielanie",
"Nothing in here. Upload something!" => "Žiadny súbor. Nahrajte niečo!",
"Share" => "Zdielať",
"Download" => "Stiahnuť",
"Upload too large" => "Odosielaný súbor je príliš veľký",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Súbory, ktoré sa snažíte nahrať, presahujú maximálnu veľkosť pre nahratie súborov na tento server.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Datoteka je uspešno naložena brez napak.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Naložena datoteka presega velikost, ki jo določa parameter upload_max_filesize v datoteki php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Naložena datoteka presega velikost, ki jo določa parameter MAX_FILE_SIZE v HTML obrazcu",
"The uploaded file was only partially uploaded" => "Datoteka je le delno naložena",
"No file was uploaded" => "Nobena datoteka ni bila naložena",
@ -54,7 +53,6 @@
"Upload" => "Pošlji",
"Cancel upload" => "Prekliči pošiljanje",
"Nothing in here. Upload something!" => "Tukaj ni ničesar. Naložite kaj!",
"Share" => "Souporaba",
"Download" => "Prejmi",
"Upload too large" => "Nalaganje ni mogoče, ker je preveliko",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Datoteke, ki jih želite naložiti, presegajo največjo dovoljeno velikost na tem strežniku.",

View File

@ -1,61 +1,62 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Нема грешке, фајл је успешно послат",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Послати фајл превазилази директиву upload_max_filesize из ",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Послати фајл превазилази директиву MAX_FILE_SIZE која је наведена у ХТМЛ форми",
"The uploaded file was only partially uploaded" => "Послати фајл је само делимично отпремљен!",
"No file was uploaded" => "Ниједан фајл није послат",
"There is no error, the file uploaded with success" => "Није дошло до грешке. Датотека је успешно отпремљена.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini: " => "Отпремљена датотека прелази смерницу upload_max_filesize у датотеци php.ini:",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Отпремљена датотека прелази смерницу MAX_FILE_SIZE која је наведена у HTML обрасцу",
"The uploaded file was only partially uploaded" => "Датотека је делимично отпремљена",
"No file was uploaded" => "Датотека није отпремљена",
"Missing a temporary folder" => "Недостаје привремена фасцикла",
"Failed to write to disk" => "Није успело записивање на диск",
"Files" => "Фајлови",
"Failed to write to disk" => "Не могу да пишем на диск",
"Files" => "Датотеке",
"Unshare" => "Укини дељење",
"Delete" => "Обриши",
"Rename" => "Преименуј",
"{new_name} already exists" => "{new_name} већ постоји",
"replace" => "замени",
"suggest name" => "предложи назив",
"cancel" => "поништи",
"replaced {new_name}" => "замењена са {new_name}",
"undo" => "врати",
"cancel" => "откажи",
"replaced {new_name}" => "замењено {new_name}",
"undo" => "опозови",
"replaced {new_name} with {old_name}" => "замењено {new_name} са {old_name}",
"unshared {files}" => "укинуто дељење над {files}",
"deleted {files}" => "обриши {files}",
"generating ZIP-file, it may take some time." => "генерисање ЗИП датотеке, потрајаће неко време.",
"Unable to upload your file as it is a directory or has 0 bytes" => "Није могуће послати датотеку или зато што је директоријуму или јој је величина 0 бајта",
"Upload Error" => "Грешка у слању",
"unshared {files}" => "укинуто дељење {files}",
"deleted {files}" => "обрисано {files}",
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." => "Неисправан назив. Следећи знакови нису дозвољени: \\, /, <, >, :, \", |, ? и *.",
"generating ZIP-file, it may take some time." => "правим ZIP датотеку…",
"Unable to upload your file as it is a directory or has 0 bytes" => "Не могу да отпремим датотеку као фасциклу или она има 0 бајтова",
"Upload Error" => "Грешка при отпремању",
"Close" => "Затвори",
"Pending" => "На чекању",
"1 file uploading" => "1 датотека се шаље",
"{count} files uploading" => "Шаље се {count} датотека",
"Upload cancelled." => "Слање је прекинуто.",
"File upload is in progress. Leaving the page now will cancel the upload." => "Слање датотеке је у току. Ако сада напустите страну слање ће бити прекинуто.",
"{count} files scanned" => "{count} датотека се скенира",
"error while scanning" => "грешка у скенирању",
"Name" => "Име",
"1 file uploading" => "Отпремам 1 датотеку",
"{count} files uploading" => "Отпремам {count} датотеке/а",
"Upload cancelled." => "Отпремање је прекинуто.",
"File upload is in progress. Leaving the page now will cancel the upload." => "Отпремање датотеке је у току. Ако сада напустите страницу, прекинућете отпремање.",
"Invalid folder name. Usage of \"Shared\" is reserved by Owncloud" => "Неисправан назив фасцикле. „Дељено“ користи Оунклауд.",
"{count} files scanned" => "Скенирано датотека: {count}",
"error while scanning" => "грешка при скенирању",
"Name" => "Назив",
"Size" => "Величина",
"Modified" => "Задња измена",
"1 folder" => "1 директоријум",
"{count} folders" => "{count} директоријума",
"Modified" => "Измењено",
"1 folder" => "1 фасцикла",
"{count} folders" => "{count} фасцикле/и",
"1 file" => "1 датотека",
"{count} files" => "{count} датотека",
"File handling" => "Рад са датотекама",
"Maximum upload size" => "Максимална величина пошиљке",
"max. possible: " => "макс. величина:",
"Needed for multi-file and folder downloads." => "Неопходно за вишеструко преузимања датотека и директоријума.",
"Enable ZIP-download" => "Укључи преузимање у ЗИП-у",
"{count} files" => "{count} датотеке/а",
"File handling" => "Управљање датотекама",
"Maximum upload size" => "Највећа величина датотеке",
"max. possible: " => "највећа величина:",
"Needed for multi-file and folder downloads." => "Неопходно за преузимање вишеделних датотека и фасцикли.",
"Enable ZIP-download" => "Омогући преузимање у ZIP-у",
"0 is unlimited" => "0 је неограничено",
"Maximum input size for ZIP files" => "Максимална величина ЗИП датотека",
"Save" => "Сними",
"New" => "Нови",
"Text file" => "текстуални фајл",
"Maximum input size for ZIP files" => "Највећа величина ZIP датотека",
"Save" => "Сачувај",
"New" => "Нова",
"Text file" => "текстуална датотека",
"Folder" => "фасцикла",
"From link" => "Са линка",
"Upload" => "Пошаљи",
"Cancel upload" => "Прекини слање",
"Nothing in here. Upload something!" => "Овде нема ничег. Пошаљите нешто!",
"Share" => "Дељење",
"From link" => "Са везе",
"Upload" => "Отпреми",
"Cancel upload" => "Прекини отпремање",
"Nothing in here. Upload something!" => "Овде нема ничег. Отпремите нешто!",
"Download" => "Преузми",
"Upload too large" => "Пошиљка је превелика",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Фајлови које желите да пошаљете превазилазе ограничење максималне величине пошиљке на овом серверу.",
"Files are being scanned, please wait." => "Скенирање датотека у току, молим вас сачекајте.",
"Current scanning" => "Тренутно се скенира"
"Upload too large" => "Датотека је превелика",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Датотеке које желите да отпремите прелазе ограничење у величини.",
"Files are being scanned, please wait." => "Скенирам датотеке…",
"Current scanning" => "Тренутно скенирање"
);

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Nema greške, fajl je uspešno poslat",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Poslati fajl prevazilazi direktivu upload_max_filesize iz ",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Poslati fajl prevazilazi direktivu MAX_FILE_SIZE koja je navedena u HTML formi",
"The uploaded file was only partially uploaded" => "Poslati fajl je samo delimično otpremljen!",
"No file was uploaded" => "Nijedan fajl nije poslat",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Inga fel uppstod. Filen laddades upp utan problem",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Den uppladdade filen överskrider upload_max_filesize direktivet i php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Den uppladdade filen överstiger MAX_FILE_SIZE direktivet som anges i HTML-formulär",
"The uploaded file was only partially uploaded" => "Den uppladdade filen var endast delvis uppladdad",
"No file was uploaded" => "Ingen fil blev uppladdad",
@ -54,7 +53,6 @@
"Upload" => "Ladda upp",
"Cancel upload" => "Avbryt uppladdning",
"Nothing in here. Upload something!" => "Ingenting här. Ladda upp något!",
"Share" => "Dela",
"Download" => "Ladda ner",
"Upload too large" => "För stor uppladdning",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Filerna du försöker ladda upp överstiger den maximala storleken för filöverföringar på servern.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "இங்கு வழு இல்லை, கோப்பு வெற்றிகரமாக பதிவேற்றப்பட்டது",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "பதிவேற்றப்பட்ட கோப்பானது php.ini இலுள்ள upload_max_filesize directive ஐ விட கூடியது",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "பதிவேற்றப்பட்ட கோப்பானது HTML படிவத்தில் குறிப்பிடப்பட்டுள்ள MAX_FILE_SIZE directive ஐ விட கூடியது",
"The uploaded file was only partially uploaded" => "பதிவேற்றப்பட்ட கோப்பானது பகுதியாக மட்டுமே பதிவேற்றப்பட்டுள்ளது",
"No file was uploaded" => "எந்த கோப்பும் பதிவேற்றப்படவில்லை",
@ -54,7 +53,6 @@
"Upload" => "பதிவேற்றுக",
"Cancel upload" => "பதிவேற்றலை இரத்து செய்க",
"Nothing in here. Upload something!" => "இங்கு ஒன்றும் இல்லை. ஏதாவது பதிவேற்றுக!",
"Share" => "பகிர்வு",
"Download" => "பதிவிறக்குக",
"Upload too large" => "பதிவேற்றல் மிகப்பெரியது",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "நீங்கள் பதிவேற்ற முயற்சிக்கும் கோப்புகளானது இந்த சேவையகத்தில் கோப்பு பதிவேற்றக்கூடிய ஆகக்கூடிய அளவிலும் கூடியது.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "ไม่มีข้อผิดพลาดใดๆ ไฟล์ถูกอัพโหลดเรียบร้อยแล้ว",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "ไฟล์ที่อัพโหลดมีขนาดเกินคำสั่ง upload_max_filesize ที่ระบุเอาไว้ในไฟล์ php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "ไฟล์ที่อัพโหลดมีขนาดเกินคำสั่ง MAX_FILE_SIZE ที่ระบุเอาไว้ในรูปแบบคำสั่งในภาษา HTML",
"The uploaded file was only partially uploaded" => "ไฟล์ที่อัพโหลดยังไม่ได้ถูกอัพโหลดอย่างสมบูรณ์",
"No file was uploaded" => "ยังไม่มีไฟล์ที่ถูกอัพโหลด",
@ -54,7 +53,6 @@
"Upload" => "อัพโหลด",
"Cancel upload" => "ยกเลิกการอัพโหลด",
"Nothing in here. Upload something!" => "ยังไม่มีไฟล์ใดๆอยู่ที่นี่ กรุณาอัพโหลดไฟล์!",
"Share" => "แชร์",
"Download" => "ดาวน์โหลด",
"Upload too large" => "ไฟล์ที่อัพโหลดมีขนาดใหญ่เกินไป",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "ไฟล์ที่คุณพยายามที่จะอัพโหลดมีขนาดเกินกว่าขนาดสูงสุดที่กำหนดไว้ให้อัพโหลดได้สำหรับเซิร์ฟเวอร์นี้",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Bir hata yok, dosya başarıyla yüklendi",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Yüklenen dosya php.ini de belirtilen upload_max_filesize sınırınııyor",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Yüklenen dosya HTML formundaki MAX_FILE_SIZE sınırınııyor",
"The uploaded file was only partially uploaded" => "Yüklenen dosyanın sadece bir kısmı yüklendi",
"No file was uploaded" => "Hiç dosya yüklenmedi",
@ -37,7 +36,6 @@
"Upload" => "Yükle",
"Cancel upload" => "Yüklemeyi iptal et",
"Nothing in here. Upload something!" => "Burada hiçbir şey yok. Birşeyler yükleyin!",
"Share" => "Paylaş",
"Download" => "İndir",
"Upload too large" => "Yüklemeniz çok büyük",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Yüklemeye çalıştığınız dosyalar bu sunucudaki maksimum yükleme boyutunu aşıyor.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Файл успішно відвантажено без помилок.",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Розмір відвантаженого файлу перевищує директиву upload_max_filesize в php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Розмір відвантаженого файлу перевищує директиву MAX_FILE_SIZE вказану в HTML формі",
"The uploaded file was only partially uploaded" => "Файл відвантажено лише частково",
"No file was uploaded" => "Не відвантажено жодного файлу",
@ -54,7 +53,6 @@
"Upload" => "Відвантажити",
"Cancel upload" => "Перервати завантаження",
"Nothing in here. Upload something!" => "Тут нічого немає. Відвантажте що-небудь!",
"Share" => "Поділитися",
"Download" => "Завантажити",
"Upload too large" => "Файл занадто великий",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Файли,що ви намагаєтесь відвантажити перевищують максимальний дозволений розмір файлів на цьому сервері.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "Không có lỗi, các tập tin đã được tải lên thành công",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "Những tập tin được tải lên vượt quá upload_max_filesize được chỉ định trong php.ini",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "Kích thước những tập tin tải lên vượt quá MAX_FILE_SIZE đã được quy định",
"The uploaded file was only partially uploaded" => "Tập tin tải lên mới chỉ tải lên được một phần",
"No file was uploaded" => "Không có tập tin nào được tải lên",
@ -54,7 +53,6 @@
"Upload" => "Tải lên",
"Cancel upload" => "Hủy upload",
"Nothing in here. Upload something!" => "Không có gì ở đây .Hãy tải lên một cái gì đó !",
"Share" => "Chia sẻ",
"Download" => "Tải xuống",
"Upload too large" => "Tập tin tải lên quá lớn",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "Các tập tin bạn đang tải lên vượt quá kích thước tối đa cho phép trên máy chủ .",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "没有任何错误,文件上传成功了",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "上传的文件超过了php.ini指定的upload_max_filesize",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "上传的文件超过了HTML表单指定的MAX_FILE_SIZE",
"The uploaded file was only partially uploaded" => "文件只有部分被上传",
"No file was uploaded" => "没有上传完成的文件",
@ -52,7 +51,6 @@
"Upload" => "上传",
"Cancel upload" => "取消上传",
"Nothing in here. Upload something!" => "这里没有东西.上传点什么!",
"Share" => "分享",
"Download" => "下载",
"Upload too large" => "上传的文件太大了",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "你正在试图上传的文件超过了此服务器支持的最大的文件大小.",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "没有发生错误,文件上传成功。",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "上传的文件大小超过了php.ini 中指定的upload_max_filesize",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "上传的文件超过了在HTML 表单中指定的MAX_FILE_SIZE",
"The uploaded file was only partially uploaded" => "只上传了文件的一部分",
"No file was uploaded" => "文件没有上传",
@ -54,7 +53,6 @@
"Upload" => "上传",
"Cancel upload" => "取消上传",
"Nothing in here. Upload something!" => "这里还什么都没有。上传些东西吧!",
"Share" => "共享",
"Download" => "下载",
"Upload too large" => "上传文件过大",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "您正尝试上传的文件超过了此服务器可以上传的最大容量限制",

View File

@ -1,6 +1,5 @@
<?php $TRANSLATIONS = array(
"There is no error, the file uploaded with success" => "無錯誤,檔案上傳成功",
"The uploaded file exceeds the upload_max_filesize directive in php.ini" => "上傳的檔案超過了 php.ini 中的 upload_max_filesize 設定",
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" => "上傳黨案的超過 HTML 表單中指定 MAX_FILE_SIZE 限制",
"The uploaded file was only partially uploaded" => "只有部分檔案被上傳",
"No file was uploaded" => "無已上傳檔案",
@ -47,7 +46,6 @@
"Upload" => "上傳",
"Cancel upload" => "取消上傳",
"Nothing in here. Upload something!" => "沒有任何東西。請上傳內容!",
"Share" => "分享",
"Download" => "下載",
"Upload too large" => "上傳過大",
"The files you are trying to upload exceed the maximum size for file uploads on this server." => "你試圖上傳的檔案已超過伺服器的最大容量限制。 ",

View File

@ -4,14 +4,22 @@
<fieldset class="personalblock">
<legend><strong><?php echo $l->t('File handling');?></strong></legend>
<?php if($_['uploadChangable']):?>
<label for="maxUploadSize"><?php echo $l->t( 'Maximum upload size' ); ?> </label><input name='maxUploadSize' id="maxUploadSize" value='<?php echo $_['uploadMaxFilesize'] ?>'/>(<?php echo $l->t('max. possible: '); echo $_['maxPossibleUploadSize'] ?>)<br/>
<label for="maxUploadSize"><?php echo $l->t( 'Maximum upload size' ); ?> </label>
<input name='maxUploadSize' id="maxUploadSize" value='<?php echo $_['uploadMaxFilesize'] ?>'/>
(<?php echo $l->t('max. possible: '); echo $_['maxPossibleUploadSize'] ?>)<br/>
<?php endif;?>
<input type="checkbox" name="allowZipDownload" id="allowZipDownload" value="1" title="<?php echo $l->t( 'Needed for multi-file and folder downloads.' ); ?>"<?php if ($_['allowZipDownload']) echo ' checked="checked"'; ?> /> <label for="allowZipDownload"><?php echo $l->t( 'Enable ZIP-download' ); ?></label> <br/>
<input type="checkbox" name="allowZipDownload" id="allowZipDownload" value="1"
title="<?php echo $l->t( 'Needed for multi-file and folder downloads.' ); ?>"
<?php if ($_['allowZipDownload']): ?> checked="checked"<?php endif; ?> />
<label for="allowZipDownload"><?php echo $l->t( 'Enable ZIP-download' ); ?></label><br/>
<input name="maxZipInputSize" id="maxZipInputSize" style="width:180px;" value='<?php echo $_['maxZipInputSize'] ?>' title="<?php echo $l->t( '0 is unlimited' ); ?>"<?php if (!$_['allowZipDownload']) echo ' disabled="disabled"'; ?> />
<label for="maxZipInputSize"><?php echo $l->t( 'Maximum input size for ZIP files' ); ?> </label><br />
<input name="maxZipInputSize" id="maxZipInputSize" style="width:180px;" value='<?php echo $_['maxZipInputSize'] ?>'
title="<?php echo $l->t( '0 is unlimited' ); ?>"
<?php if (!$_['allowZipDownload']): ?> disabled="disabled"<?php endif; ?> />
<label for="maxZipInputSize"><?php echo $l->t( 'Maximum input size for ZIP files' ); ?> </label><br />
<input type="hidden" value="<?php echo $_['requesttoken']; ?>" name="requesttoken" />
<input type="submit" name="submitFilesAdminSettings" id="submitFilesAdminSettings" value="<?php echo $l->t( 'Save' ); ?>"/>
<input type="submit" name="submitFilesAdminSettings" id="submitFilesAdminSettings"
value="<?php echo $l->t( 'Save' ); ?>"/>
</fieldset>
</form>
</form>

View File

@ -6,27 +6,42 @@
<div id='new' class='button'>
<a><?php echo $l->t('New');?></a>
<ul class="popup popupTop">
<li style="background-image:url('<?php echo OCP\mimetype_icon('text/plain') ?>')" data-type='file'><p><?php echo $l->t('Text file');?></p></li>
<li style="background-image:url('<?php echo OCP\mimetype_icon('dir') ?>')" data-type='folder'><p><?php echo $l->t('Folder');?></p></li>
<li style="background-image:url('<?php echo OCP\image_path('core', 'actions/public.png') ?>')" data-type='web'><p><?php echo $l->t('From link');?></p></li>
<li style="background-image:url('<?php echo OCP\mimetype_icon('text/plain') ?>')"
data-type='file'><p><?php echo $l->t('Text file');?></p></li>
<li style="background-image:url('<?php echo OCP\mimetype_icon('dir') ?>')"
data-type='folder'><p><?php echo $l->t('Folder');?></p></li>
<li style="background-image:url('<?php echo OCP\image_path('core', 'actions/public.png') ?>')"
data-type='web'><p><?php echo $l->t('From link');?></p></li>
</ul>
</div>
<div class="file_upload_wrapper svg">
<form data-upload-id='1' id="data-upload-form" class="file_upload_form" action="<?php echo OCP\Util::linkTo('files', 'ajax/upload.php'); ?>" method="post" enctype="multipart/form-data" target="file_upload_target_1">
<input type="hidden" name="MAX_FILE_SIZE" value="<?php echo $_['uploadMaxFilesize'] ?>" id="max_upload">
<!-- Send the requesttoken, this is needed for older IE versions because they don't send the CSRF token via HTTP header in this case -->
<form data-upload-id='1'
id="data-upload-form"
class="file_upload_form"
action="<?php echo OCP\Util::linkTo('files', 'ajax/upload.php'); ?>"
method="post"
enctype="multipart/form-data"
target="file_upload_target_1">
<input type="hidden" name="MAX_FILE_SIZE" id="max_upload"
value="<?php echo $_['uploadMaxFilesize'] ?>">
<!-- Send the requesttoken, this is needed for older IE versions
because they don't send the CSRF token via HTTP header in this case -->
<input type="hidden" name="requesttoken" value="<?php echo $_['requesttoken'] ?>" id="requesttoken">
<input type="hidden" class="max_human_file_size" value="(max <?php echo $_['uploadMaxHumanFilesize']; ?>)">
<input type="hidden" class="max_human_file_size"
value="(max <?php echo $_['uploadMaxHumanFilesize']; ?>)">
<input type="hidden" name="dir" value="<?php echo $_['dir'] ?>" id="dir">
<input class="file_upload_start" type="file" name='files[]'/>
<a href="#" class="file_upload_button_wrapper" onclick="return false;" title="<?php echo $l->t('Upload'); echo ' max. '.$_['uploadMaxHumanFilesize'] ?>"></a>
<a href="#" class="file_upload_button_wrapper" onclick="return false;"
title="<?php echo $l->t('Upload'); echo ' max. '.$_['uploadMaxHumanFilesize'] ?>"></a>
<button class="file_upload_filename"></button>
<iframe name="file_upload_target_1" class='file_upload_target' src=""></iframe>
</form>
</div>
<div id="upload">
<div id="uploadprogressbar"></div>
<input type="button" class="stop" style="display:none" value="<?php echo $l->t('Cancel upload');?>" onclick="javascript:Files.cancelUploads();" />
<input type="button" class="stop" style="display:none"
value="<?php echo $l->t('Cancel upload');?>"
onclick="javascript:Files.cancelUploads();" />
</div>
</div>
@ -49,9 +64,12 @@
<input type="checkbox" id="select_all" />
<span class='name'><?php echo $l->t( 'Name' ); ?></span>
<span class='selectedActions'>
<!-- <a href="" class="share"><img class='svg' alt="Share" src="<?php echo OCP\image_path("core", "actions/share.svg"); ?>" /> <?php echo $l->t('Share')?></a> -->
<?php if($_['allowZipDownload']) : ?>
<a href="" class="download"><img class='svg' alt="Download" src="<?php echo OCP\image_path("core", "actions/download.svg"); ?>" /> <?php echo $l->t('Download')?></a>
<a href="" class="download">
<img class="svg" alt="Download"
src="<?php echo OCP\image_path("core", "actions/download.svg"); ?>" />
<?php echo $l->t('Download')?>
</a>
<?php endif; ?>
</span>
</th>
@ -61,9 +79,17 @@
<?php if ($_['permissions'] & OCP\PERMISSION_DELETE): ?>
<!-- NOTE: Temporary fix to allow unsharing of files in root of Shared folder -->
<?php if ($_['dir'] == '/Shared'): ?>
<span class="selectedActions"><a href="" class="delete"><?php echo $l->t('Unshare')?> <img class="svg" alt="<?php echo $l->t('Unshare')?>" src="<?php echo OCP\image_path("core", "actions/delete.svg"); ?>" /></a></span>
<span class="selectedActions"><a href="" class="delete">
<?php echo $l->t('Unshare')?>
<img class="svg" alt="<?php echo $l->t('Unshare')?>"
src="<?php echo OCP\image_path("core", "actions/delete.svg"); ?>" />
</a></span>
<?php else: ?>
<span class="selectedActions"><a href="" class="delete"><?php echo $l->t('Delete')?> <img class="svg" alt="<?php echo $l->t('Delete')?>" src="<?php echo OCP\image_path("core", "actions/delete.svg"); ?>" /></a></span>
<span class="selectedActions"><a href="" class="delete">
<?php echo $l->t('Delete')?>
<img class="svg" alt="<?php echo $l->t('Delete')?>"
src="<?php echo OCP\image_path("core", "actions/delete.svg"); ?>" />
</a></span>
<?php endif; ?>
<?php endif; ?>
</th>
@ -76,7 +102,7 @@
<div id="editor"></div>
<div id="uploadsize-message" title="<?php echo $l->t('Upload too large')?>">
<p>
<?php echo $l->t('The files you are trying to upload exceed the maximum size for file uploads on this server.');?>
<?php echo $l->t('The files you are trying to upload exceed the maximum size for file uploads on this server.');?>
</p>
</div>
<div id="scanning-message">

View File

@ -1,7 +1,9 @@
<?php for($i=0; $i<count($_["breadcrumb"]); $i++):
$crumb = $_["breadcrumb"][$i];
$dir = str_replace('+','%20', urlencode($crumb["dir"])); ?>
<div class="crumb <?php if($i == count($_["breadcrumb"])-1) echo 'last';?> svg" data-dir='<?php echo $dir;?>' style='background-image:url("<?php echo OCP\image_path('core', 'breadcrumb.png');?>")'>
$dir = str_replace('+', '%20', urlencode($crumb["dir"])); ?>
<div class="crumb <?php if($i == count($_["breadcrumb"])-1) echo 'last';?> svg"
data-dir='<?php echo $dir;?>'
style='background-image:url("<?php echo OCP\image_path('core', 'breadcrumb.png');?>")'>
<a href="<?php echo $_['baseURL'].$dir; ?>"><?php echo OCP\Util::sanitizeHTML($crumb["name"]); ?></a>
</div>
<?php endfor;?>
<?php endfor;

View File

@ -1,32 +1,49 @@
<script type="text/javascript">
<?php if ( array_key_exists('publicListView', $_) && $_['publicListView'] == true ) {
echo "var publicListView = true;";
} else {
echo "var publicListView = false;";
}
?>
<?php if ( array_key_exists('publicListView', $_) && $_['publicListView'] == true ) :?>
var publicListView = true;
<?php else: ?>
var publicListView = false;
<?php endif; ?>
</script>
<?php foreach($_['files'] as $file):
$simple_file_size = OCP\simple_file_size($file['size']);
$simple_size_color = intval(200-$file['size']/(1024*1024)*2); // the bigger the file, the darker the shade of grey; megabytes*2
// the bigger the file, the darker the shade of grey; megabytes*2
$simple_size_color = intval(200-$file['size']/(1024*1024)*2);
if($simple_size_color<0) $simple_size_color = 0;
$relative_modified_date = OCP\relative_modified_date($file['mtime']);
$relative_date_color = round((time()-$file['mtime'])/60/60/24*14); // the older the file, the brighter the shade of grey; days*14
// the older the file, the brighter the shade of grey; days*14
$relative_date_color = round((time()-$file['mtime'])/60/60/24*14);
if($relative_date_color>200) $relative_date_color = 200;
$name = str_replace('+', '%20', urlencode($file['name']));
$name = str_replace('%2F', '/', $name);
$directory = str_replace('+', '%20', urlencode($file['directory']));
$directory = str_replace('%2F', '/', $directory); ?>
<tr data-id="<?php echo $file['fileid']; ?>" data-file="<?php echo $name;?>" data-type="<?php echo ($file['type'] == 'dir')?'dir':'file'?>" data-mime="<?php echo $file['mimetype']?>" data-size='<?php echo $file['size'];?>' data-permissions='<?php echo $file['permissions']; ?>'>
<td class="filename svg" style="background-image:url(<?php if($file['type'] == 'dir') echo OCP\mimetype_icon('dir'); else echo OCP\mimetype_icon($file['mimetype']); ?>)">
<?php if(!isset($_['readonly']) || !$_['readonly']) { ?><input type="checkbox" /><?php } ?>
<a class="name" href="<?php if($file['type'] == 'dir') echo $_['baseURL'].$directory.'/'.$name; else echo $_['downloadURL'].$directory.'/'.$name; ?>" title="">
<tr data-id="<?php echo $file['fileid']; ?>"
data-file="<?php echo $name;?>"
data-type="<?php echo ($file['type'] == 'dir')?'dir':'file'?>"
data-mime="<?php echo $file['mimetype']?>"
data-size='<?php echo $file['size'];?>'
data-permissions='<?php echo $file['permissions']; ?>'>
<td class="filename svg"
<?php if($file['type'] == 'dir'): ?>
style="background-image:url(<?php echo OCP\mimetype_icon('dir'); ?>)"
<?php else: ?>
style="background-image:url(<?php echo OCP\mimetype_icon($file['mimetype']); ?>)"
<?php endif; ?>
>
<?php if(!isset($_['readonly']) || !$_['readonly']): ?><input type="checkbox" /><?php endif; ?>
<?php if($file['type'] == 'dir'): ?>
<a class="name" href="<?php $_['baseURL'].$directory.'/'.$name; ?>)" title="">
<?php else: ?>
<a class="name" href="<?php echo $_['downloadURL'].$directory.'/'.$name; ?>" title="">
<?php endif; ?>
<span class="nametext">
<?php if($file['type'] == 'dir'):?>
<?php echo htmlspecialchars($file['name']);?>
<?php else:?>
<?php echo htmlspecialchars($file['basename']);?><span class='extension'><?php echo $file['extension'];?></span>
<?php echo htmlspecialchars($file['basename']);?><span
class='extension'><?php echo $file['extension'];?></span>
<?php endif;?>
</span>
<?php if($file['type'] == 'dir'):?>
@ -35,7 +52,19 @@
<?php endif;?>
</a>
</td>
<td class="filesize" title="<?php echo OCP\human_file_size($file['size']); ?>" style="color:rgb(<?php echo $simple_size_color.','.$simple_size_color.','.$simple_size_color ?>)"><?php echo $simple_file_size; ?></td>
<td class="date"><span class="modified" title="<?php echo $file['date']; ?>" style="color:rgb(<?php echo $relative_date_color.','.$relative_date_color.','.$relative_date_color ?>)"><?php echo $relative_modified_date; ?></span></td>
<td class="filesize"
title="<?php echo OCP\human_file_size($file['size']); ?>"
style="color:rgb(<?php echo $simple_size_color.','.$simple_size_color.','.$simple_size_color ?>)">
<?php echo $simple_file_size; ?>
</td>
<td class="date">
<span class="modified"
title="<?php echo $file['date']; ?>"
style="color:rgb(<?php echo $relative_date_color.','
.$relative_date_color.','
.$relative_date_color ?>)">
<?php echo $relative_modified_date; ?>
</span>
</td>
</tr>
<?php endforeach; ?>
<?php endforeach;

View File

@ -0,0 +1,5 @@
<?php $TRANSLATIONS = array(
"Encryption" => "Шифровање",
"None" => "Ништа",
"Enable Encryption" => "Омогући шифровање"
);

View File

@ -1,19 +1,19 @@
<?php $TRANSLATIONS = array(
"Access granted" => "Concedeuse acceso",
"Error configuring Dropbox storage" => "Erro configurando o almacenamento en Dropbox",
"Error configuring Dropbox storage" => "Produciuse un erro ao configurar o almacenamento en Dropbox",
"Grant access" => "Permitir o acceso",
"Fill out all required fields" => "Cubrir todos os campos obrigatorios",
"Please provide a valid Dropbox app key and secret." => "Dá o segredo e a clave correcta do aplicativo de Dropbox.",
"Error configuring Google Drive storage" => "Erro configurando o almacenamento en Google Drive",
"Please provide a valid Dropbox app key and secret." => "Dá o segredo e a chave correcta do aplicativo de Dropbox.",
"Error configuring Google Drive storage" => "Produciuse un erro ao configurar o almacenamento en Google Drive",
"External Storage" => "Almacenamento externo",
"Mount point" => "Punto de montaxe",
"Backend" => "Infraestrutura",
"Configuration" => "Configuración",
"Options" => "Opcións",
"Applicable" => "Aplicable",
"Applicable" => "Aplicábel",
"Add mount point" => "Engadir un punto de montaxe",
"None set" => "Ningún definido",
"All Users" => "Tódolos usuarios",
"All Users" => "Todos os usuarios",
"Groups" => "Grupos",
"Users" => "Usuarios",
"Delete" => "Eliminar",

View File

@ -1,7 +1,18 @@
<?php $TRANSLATIONS = array(
"Access granted" => "הוענקה גישה",
"Error configuring Dropbox storage" => "אירעה שגיאה בעת הגדרת אחסון ב־Dropbox",
"Grant access" => "הענקת גישה",
"Fill out all required fields" => "נא למלא את כל השדות הנדרשים",
"Please provide a valid Dropbox app key and secret." => "נא לספק קוד יישום וסוד תקניים של Dropbox.",
"Error configuring Google Drive storage" => "אירעה שגיאה בעת הגדרת אחסון ב־Google Drive",
"External Storage" => "אחסון חיצוני",
"Mount point" => "נקודת עגינה",
"Backend" => "מנגנון",
"Configuration" => "הגדרות",
"Options" => "אפשרויות",
"Applicable" => "ניתן ליישום",
"Add mount point" => "הוספת נקודת עגינה",
"None set" => "לא הוגדרה",
"All Users" => "כל המשתמשים",
"Groups" => "קבוצות",
"Users" => "משתמשים",

View File

@ -1,9 +1,9 @@
<?php $TRANSLATIONS = array(
"Password" => "Contrasinal",
"Submit" => "Enviar",
"%s shared the folder %s with you" => "%s compartiu o cartafol %s contigo",
"%s shared the file %s with you" => "%s compartiu ficheiro %s contigo",
"Download" => "Baixar",
"No preview available for" => "Sen vista previa dispoñible para ",
"web services under your control" => "servizos web baixo o teu control"
"%s shared the folder %s with you" => "%s compartiu o cartafol %s con vostede",
"%s shared the file %s with you" => "%s compartiu o ficheiro %s con vostede",
"Download" => "Descargar",
"No preview available for" => "Sen vista previa dispoñíbel para",
"web services under your control" => "servizos web baixo o seu control"
);

View File

@ -1,8 +1,8 @@
<?php $TRANSLATIONS = array(
"Expire all versions" => "Caducar todas as versións",
"History" => "Historia",
"Expire all versions" => "Caducan todas as versións",
"History" => "Historial",
"Versions" => "Versións",
"This will delete all existing backup versions of your files" => "Isto eliminará todas as copias de seguranza que haxa dos teus ficheiros",
"This will delete all existing backup versions of your files" => "Isto eliminará todas as copias de seguranza que haxa dos seus ficheiros",
"Files Versioning" => "Sistema de versión de ficheiros",
"Enable" => "Activar"
);

View File

@ -1,5 +1,8 @@
<?php $TRANSLATIONS = array(
"Expire all versions" => "הפגת תוקף כל הגרסאות",
"History" => "היסטוריה",
"Versions" => "גרסאות",
"This will delete all existing backup versions of your files" => "פעולה זו תמחק את כל גיבויי הגרסאות הקיימים של הקבצים שלך"
"This will delete all existing backup versions of your files" => "פעולה זו תמחק את כל גיבויי הגרסאות הקיימים של הקבצים שלך",
"Files Versioning" => "שמירת הבדלי גרסאות של קבצים",
"Enable" => "הפעלה"
);

View File

@ -0,0 +1,3 @@
<?php $TRANSLATIONS = array(
"WebDAV URL: http://" => "WebDAV URL: http://"
);

View File

@ -0,0 +1,3 @@
<?php $TRANSLATIONS = array(
"WebDAV URL: http://" => "WebDAV URL: http://"
);

View File

@ -146,7 +146,7 @@ OC.Share={
showDropDown:function(itemType, itemSource, appendTo, link, possiblePermissions) {
var data = OC.Share.loadItem(itemType, itemSource);
var html = '<div id="dropdown" class="drop" data-item-type="'+itemType+'" data-item-source="'+itemSource+'">';
if (data.reshare) {
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>';
} else {

View File

@ -1,26 +1,65 @@
<?php $TRANSLATIONS = array(
"Category type not provided." => "סוג הקטגוריה לא סופק.",
"No category to add?" => "אין קטגוריה להוספה?",
"This category already exists: " => "קטגוריה זאת כבר קיימת: ",
"Object type not provided." => "סוג הפריט לא סופק.",
"%s ID not provided." => "מזהה %s לא סופק.",
"Error adding %s to favorites." => "אירעה שגיאה בעת הוספת %s למועדפים.",
"No categories selected for deletion." => "לא נבחרו קטגוריות למחיקה",
"Error removing %s from favorites." => "שגיאה בהסרת %s מהמועדפים.",
"Settings" => "הגדרות",
"seconds ago" => "שניות",
"1 minute ago" => "לפני דקה אחת",
"{minutes} minutes ago" => "לפני {minutes} דקות",
"1 hour ago" => "לפני שעה",
"{hours} hours ago" => "לפני {hours} שעות",
"today" => "היום",
"yesterday" => "אתמול",
"{days} days ago" => "לפני {days} ימים",
"last month" => "חודש שעבר",
"{months} months ago" => "לפני {months} חודשים",
"months ago" => "חודשים",
"last year" => "שנה שעברה",
"years ago" => "שנים",
"Choose" => "בחירה",
"Cancel" => "ביטול",
"No" => "לא",
"Yes" => "כן",
"Ok" => "בסדר",
"The object type is not specified." => "סוג הפריט לא צוין.",
"Error" => "שגיאה",
"The app name is not specified." => "שם היישום לא צוין.",
"The required file {file} is not installed!" => "הקובץ הנדרש {file} אינו מותקן!",
"Error while sharing" => "שגיאה במהלך השיתוף",
"Error while unsharing" => "שגיאה במהלך ביטול השיתוף",
"Error while changing permissions" => "שגיאה במהלך שינוי ההגדרות",
"Shared with you and the group {group} by {owner}" => "שותף אתך ועם הקבוצה {group} שבבעלות {owner}",
"Shared with you by {owner}" => "שותף אתך על ידי {owner}",
"Share with" => "שיתוף עם",
"Share with link" => "שיתוף עם קישור",
"Password protect" => "הגנה בססמה",
"Password" => "ססמה",
"Set expiration date" => "הגדרת תאריך תפוגה",
"Expiration date" => "תאריך התפוגה",
"Share via email:" => "שיתוף באמצעות דוא״ל:",
"No people found" => "לא נמצאו אנשים",
"Resharing is not allowed" => "אסור לעשות שיתוף מחדש",
"Shared in {item} with {user}" => "שותף תחת {item} עם {user}",
"Unshare" => "הסר שיתוף",
"can edit" => "ניתן לערוך",
"access control" => "בקרת גישה",
"create" => "יצירה",
"update" => "עדכון",
"delete" => "מחיקה",
"share" => "שיתוף",
"Password protected" => "מוגן בססמה",
"Error unsetting expiration date" => "אירעה שגיאה בביטול תאריך התפוגה",
"Error setting expiration date" => "אירעה שגיאה בעת הגדרת תאריך התפוגה",
"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." => "יישלח לתיבת הדוא״ל שלך קישור לאיפוס הססמה.",
"Reset email send." => "איפוס שליחת דוא״ל.",
"Request failed!" => "הבקשה נכשלה!",
"Username" => "שם משתמש",
"Request reset" => "בקשת איפוס",
"Your password was reset" => "הססמה שלך אופסה",
@ -36,6 +75,10 @@
"Cloud not found" => "ענן לא נמצא",
"Edit categories" => "עריכת הקטגוריות",
"Add" => "הוספה",
"Security Warning" => "אזהרת אבטחה",
"No secure random number generator is available, please enable the PHP OpenSSL extension." => "אין מחולל מספרים אקראיים מאובטח, נא להפעיל את ההרחבה OpenSSL ב־PHP.",
"Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "ללא מחולל מספרים אקראיים מאובטח תוקף יכול לנבא את מחרוזות איפוס הססמה ולהשתלט על החשבון שלך.",
"Your data directory and your files are probably accessible from the internet. The .htaccess file that ownCloud provides is not working. We strongly suggest that you configure your webserver in a way that the data directory is no longer accessible or you move the data directory outside the webserver document root." => "יתכן שתיקיית הנתונים והקבצים שלך נגישים דרך האינטרנט. קובץ ה־‎.htaccess שמסופק על ידי ownCloud כנראה אינו עובד. אנו ממליצים בחום להגדיר את שרת האינטרנט שלך בדרך שבה תיקיית הנתונים לא תהיה זמינה עוד או להעביר את תיקיית הנתונים מחוץ לספריית העל של שרת האינטרנט.",
"Create an <strong>admin account</strong>" => "יצירת <strong>חשבון מנהל</strong>",
"Advanced" => "מתקדם",
"Data folder" => "תיקיית נתונים",
@ -68,10 +111,16 @@
"December" => "דצמבר",
"web services under your control" => "שירותי רשת בשליטתך",
"Log out" => "התנתקות",
"Automatic logon rejected!" => "בקשת הכניסה האוטומטית נדחתה!",
"If you did not change your password recently, your account may be compromised!" => "אם לא שינית את ססמתך לאחרונה, יתכן שחשבונך נפגע!",
"Please change your password to secure your account again." => "נא לשנות את הססמה שלך כדי לאבטח את חשבונך מחדש.",
"Lost your password?" => "שכחת את ססמתך?",
"remember" => "שמירת הססמה",
"Log in" => "כניסה",
"You are logged out." => "לא התחברת.",
"prev" => "הקודם",
"next" => "הבא"
"next" => "הבא",
"Security Warning!" => "אזהרת אבטחה!",
"Please verify your password. <br/>For security reasons you may be occasionally asked to enter your password again." => "נא לאמת את הססמה שלך. <br/>מטעמי אבטחה יתכן שתופיע בקשה להזין את הססמה שוב.",
"Verify" => "אימות"
);

View File

@ -6,10 +6,13 @@
"seconds ago" => "segundos atrás",
"1 minute ago" => "1 minuto atrás",
"{minutes} minutes ago" => "{minutes} minutos atrás",
"1 hour ago" => "1 hora atrás",
"{hours} hours ago" => "{hours} horas atrás",
"today" => "hoje",
"yesterday" => "ontem",
"{days} days ago" => "{days} dias atrás",
"last month" => "último mês",
"{months} months ago" => "{months} meses atrás",
"months ago" => "meses atrás",
"last year" => "último ano",
"years ago" => "anos atrás",

View File

@ -1,15 +1,23 @@
<?php $TRANSLATIONS = array(
"Category type not provided." => "Neposkytnutý kategorický typ.",
"No category to add?" => "Žiadna kategória pre pridanie?",
"This category already exists: " => "Táto kategória už existuje:",
"Object type not provided." => "Neposkytnutý typ objektu.",
"%s ID not provided." => "%s ID neposkytnuté.",
"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.",
"Settings" => "Nastavenia",
"seconds ago" => "pred sekundami",
"1 minute ago" => "pred minútou",
"{minutes} minutes ago" => "pred {minutes} minútami",
"1 hour ago" => "Pred 1 hodinou.",
"{hours} hours ago" => "Pred {hours} hodinami.",
"today" => "dnes",
"yesterday" => "včera",
"{days} days ago" => "pred {days} dňami",
"last month" => "minulý mesiac",
"{months} months ago" => "Pred {months} mesiacmi.",
"months ago" => "pred mesiacmi",
"last year" => "minulý rok",
"years ago" => "pred rokmi",
@ -18,7 +26,10 @@
"No" => "Nie",
"Yes" => "Áno",
"Ok" => "Ok",
"The object type is not specified." => "Nešpecifikovaný typ objektu.",
"Error" => "Chyba",
"The app name is not specified." => "Nešpecifikované meno aplikácie.",
"The required file {file} is not installed!" => "Požadovaný súbor {file} nie je inštalovaný!",
"Error while sharing" => "Chyba počas zdieľania",
"Error while unsharing" => "Chyba počas ukončenia zdieľania",
"Error while changing permissions" => "Chyba počas zmeny oprávnení",

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: 2012-11-24 00:01+0100\n"
"PO-Revision-Date: 2012-11-23 23:02+0000\n"
"POT-Creation-Date: 2012-12-01 00:01+0100\n"
"PO-Revision-Date: 2012-11-30 23:02+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"
@ -23,40 +23,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "تم ترفيع الملفات بنجاح."
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgstr "حجم الملف الذي تريد ترفيعه أعلى مما upload_max_filesize يسمح به في ملف php.ini"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr ""
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "حجم الملف الذي تريد ترفيعه أعلى مما MAX_FILE_SIZE يسمح به في واجهة ال HTML."
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "تم ترفيع جزء من الملفات الذي تريد ترفيعها فقط"
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "لم يتم ترفيع أي من الملفات"
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "المجلد المؤقت غير موجود"
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr ""
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "الملفات"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr "إلغاء مشاركة"
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "محذوف"
@ -155,15 +156,15 @@ msgstr ""
msgid "error while scanning"
msgstr ""
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "الاسم"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "حجم"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "معدل"
@ -191,27 +192,27 @@ msgstr ""
msgid "Maximum upload size"
msgstr "الحد الأقصى لحجم الملفات التي يمكن رفعها"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr ""
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr ""
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr ""
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr ""
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr ""
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "حفظ"
@ -219,52 +220,48 @@ msgstr "حفظ"
msgid "New"
msgstr "جديد"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "ملف"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "مجلد"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr ""
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "إرفع"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr ""
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "لا يوجد شيء هنا. إرفع بعض الملفات!"
#: templates/index.php:52
msgid "Share"
msgstr "شارك"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "تحميل"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "حجم الترفيع أعلى من المسموح"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "حجم الملفات التي تريد ترفيعها أعلى من المسموح على الخادم."
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr ""
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
msgstr ""

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: 2012-11-10 00:01+0100\n"
"PO-Revision-Date: 2012-11-09 23:01+0000\n"
"POT-Creation-Date: 2012-11-30 00:04+0100\n"
"PO-Revision-Date: 2012-11-29 23:04+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"
@ -55,7 +55,7 @@ msgstr "طلبك غير مفهوم"
msgid "Unable to delete group"
msgstr ""
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:12
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:18
msgid "Authentication error"
msgstr "لم يتم التأكد من الشخصية بنجاح"
@ -67,12 +67,16 @@ msgstr ""
msgid "Language changed"
msgstr "تم تغيير اللغة"
#: ajax/togglegroups.php:22
#: ajax/togglegroups.php:12
msgid "Admins can't remove themself from the admin group"
msgstr ""
#: ajax/togglegroups.php:28
#, php-format
msgid "Unable to add user to group %s"
msgstr ""
#: ajax/togglegroups.php:28
#: ajax/togglegroups.php:34
#, php-format
msgid "Unable to remove user from group %s"
msgstr ""

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: 2012-11-24 00:01+0100\n"
"PO-Revision-Date: 2012-11-23 23:01+0000\n"
"POT-Creation-Date: 2012-12-01 00:01+0100\n"
"PO-Revision-Date: 2012-11-30 23:02+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"
@ -24,40 +24,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "Файлът е качен успешно"
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgstr "Файлът който се опитвате да качите, надвишава зададените стойности в upload_max_filesize в PHP.INI"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr ""
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "Файлът който се опитвате да качите надвишава стойностите в MAX_FILE_SIZE в HTML формата."
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "Файлът е качен частично"
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "Фахлът не бе качен"
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "Липсва временната папка"
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr "Грешка при запис на диска"
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "Файлове"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr ""
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "Изтриване"
@ -156,15 +157,15 @@ msgstr ""
msgid "error while scanning"
msgstr ""
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "Име"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "Размер"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "Променено"
@ -192,27 +193,27 @@ msgstr ""
msgid "Maximum upload size"
msgstr "Макс. размер за качване"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr ""
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr ""
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr ""
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr "0 означава без ограничение"
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr ""
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "Запис"
@ -220,52 +221,48 @@ msgstr "Запис"
msgid "New"
msgstr "Нов"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "Текстов файл"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "Папка"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr ""
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "Качване"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr "Отказване на качването"
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "Няма нищо, качете нещо!"
#: templates/index.php:52
msgid "Share"
msgstr "Споделяне"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "Изтегляне"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "Файлът е прекалено голям"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "Файловете които се опитвате да качите са по-големи от позволеното за сървъра."
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr "Файловете се претърсват, изчакайте."
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
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: 2012-11-10 00:01+0100\n"
"PO-Revision-Date: 2012-11-09 23:01+0000\n"
"POT-Creation-Date: 2012-11-30 00:04+0100\n"
"PO-Revision-Date: 2012-11-29 23:04+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"
@ -56,7 +56,7 @@ msgstr "Невалидна заявка"
msgid "Unable to delete group"
msgstr ""
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:12
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:18
msgid "Authentication error"
msgstr "Проблем с идентификацията"
@ -68,12 +68,16 @@ msgstr ""
msgid "Language changed"
msgstr "Езика е сменен"
#: ajax/togglegroups.php:22
#: ajax/togglegroups.php:12
msgid "Admins can't remove themself from the admin group"
msgstr ""
#: ajax/togglegroups.php:28
#, php-format
msgid "Unable to add user to group %s"
msgstr ""
#: ajax/togglegroups.php:28
#: ajax/togglegroups.php:34
#, php-format
msgid "Unable to remove user from group %s"
msgstr ""

View File

@ -6,14 +6,15 @@
# <bury1000@gmail.com>, 2012.
# <joan@montane.cat>, 2012.
# <josep_tomas@hotmail.com>, 2012.
# Josep Tomàs <jtomas.binsoft@gmail.com>, 2012.
# <rcalvoi@yahoo.com>, 2011-2012.
msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-26 00:01+0100\n"
"PO-Revision-Date: 2012-11-25 10:24+0000\n"
"Last-Translator: rogerc <rcalvoi@yahoo.com>\n"
"POT-Creation-Date: 2012-12-02 00:02+0100\n"
"PO-Revision-Date: 2012-12-01 16:57+0000\n"
"Last-Translator: Josep Tomàs <jtomas.binsoft@gmail.com>\n"
"Language-Team: Catalan (http://www.transifex.com/projects/p/owncloud/language/ca/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -26,40 +27,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "El fitxer s'ha pujat correctament"
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgstr "El fitxer de pujada excedeix la directiva upload_max_filesize establerta a php.ini"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr "Larxiu que voleu carregar supera el màxim definit en la directiva upload_max_filesize del php.ini:"
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "El fitxer de pujada excedeix la directiva MAX_FILE_SIZE especificada al formulari HTML"
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "El fitxer només s'ha pujat parcialment"
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "El fitxer no s'ha pujat"
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "S'ha perdut un fitxer temporal"
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr "Ha fallat en escriure al disc"
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "Fitxers"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr "Deixa de compartir"
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "Suprimeix"
@ -158,15 +160,15 @@ msgstr "{count} fitxers escannejats"
msgid "error while scanning"
msgstr "error durant l'escaneig"
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "Nom"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "Mida"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "Modificat"
@ -194,27 +196,27 @@ msgstr "Gestió de fitxers"
msgid "Maximum upload size"
msgstr "Mida màxima de pujada"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr "màxim possible:"
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr "Necessari per fitxers múltiples i baixada de carpetes"
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr "Activa la baixada ZIP"
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr "0 és sense límit"
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr "Mida màxima d'entrada per fitxers ZIP"
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "Desa"
@ -222,52 +224,48 @@ msgstr "Desa"
msgid "New"
msgstr "Nou"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "Fitxer de text"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "Carpeta"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr "Des d'enllaç"
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "Puja"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr "Cancel·la la pujada"
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "Res per aquí. Pugeu alguna cosa!"
#: templates/index.php:52
msgid "Share"
msgstr "Comparteix"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "Baixa"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "La pujada és massa gran"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "Els fitxers que esteu intentant pujar excedeixen la mida màxima de pujada del servidor"
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr "S'estan escanejant els fitxers, espereu"
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
msgstr "Actualment escanejant"

View File

@ -6,14 +6,15 @@
# <bury1000@gmail.com>, 2012.
# <joan@montane.cat>, 2012.
# <josep_tomas@hotmail.com>, 2012.
# Josep Tomàs <jtomas.binsoft@gmail.com>, 2012.
# <rcalvoi@yahoo.com>, 2011-2012.
msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-10 00:01+0100\n"
"PO-Revision-Date: 2012-11-09 23:01+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"POT-Creation-Date: 2012-12-02 00:02+0100\n"
"PO-Revision-Date: 2012-12-01 16:58+0000\n"
"Last-Translator: Josep Tomàs <jtomas.binsoft@gmail.com>\n"
"Language-Team: Catalan (http://www.transifex.com/projects/p/owncloud/language/ca/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -57,7 +58,7 @@ msgstr "Sol.licitud no vàlida"
msgid "Unable to delete group"
msgstr "No es pot eliminar el grup"
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:12
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:18
msgid "Authentication error"
msgstr "Error d'autenticació"
@ -69,12 +70,16 @@ msgstr "No es pot eliminar l'usuari"
msgid "Language changed"
msgstr "S'ha canviat l'idioma"
#: ajax/togglegroups.php:22
#: ajax/togglegroups.php:12
msgid "Admins can't remove themself from the admin group"
msgstr "Els administradors no es poden eliminar del grup admin"
#: ajax/togglegroups.php:28
#, php-format
msgid "Unable to add user to group %s"
msgstr "No es pot afegir l'usuari al grup %s"
#: ajax/togglegroups.php:28
#: ajax/togglegroups.php:34
#, php-format
msgid "Unable to remove user from group %s"
msgstr "No es pot eliminar l'usuari del grup %s"

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: 2012-11-25 00:02+0100\n"
"PO-Revision-Date: 2012-11-24 09:30+0000\n"
"POT-Creation-Date: 2012-12-02 00:02+0100\n"
"PO-Revision-Date: 2012-12-01 05:15+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"
@ -25,40 +25,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "Soubor byl odeslán úspěšně"
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgstr "Odeslaný soubor přesáhl svou velikostí parametr upload_max_filesize v php.ini"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr "Odesílaný soubor přesahuje velikost upload_max_filesize povolenou v php.ini:"
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "Odeslaný soubor přesáhl svou velikostí parametr MAX_FILE_SIZE specifikovaný v formuláři HTML"
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "Soubor byl odeslán pouze částečně"
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "Žádný soubor nebyl odeslán"
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "Chybí adresář pro dočasné soubory"
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr "Zápis na disk selhal"
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "Soubory"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr "Zrušit sdílení"
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "Smazat"
@ -157,15 +158,15 @@ msgstr "prozkoumáno {count} souborů"
msgid "error while scanning"
msgstr "chyba při prohledávání"
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "Název"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "Velikost"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "Změněno"
@ -193,27 +194,27 @@ msgstr "Zacházení se soubory"
msgid "Maximum upload size"
msgstr "Maximální velikost pro odesílání"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr "největší možná: "
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr "Potřebné pro více-souborové stahování a stahování složek."
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr "Povolit ZIP-stahování"
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr "0 znamená bez omezení"
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr "Maximální velikost vstupu pro ZIP soubory"
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "Uložit"
@ -221,52 +222,48 @@ msgstr "Uložit"
msgid "New"
msgstr "Nový"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "Textový soubor"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "Složka"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr "Z odkazu"
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "Odeslat"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr "Zrušit odesílání"
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "Žádný obsah. Nahrajte něco."
#: templates/index.php:52
msgid "Share"
msgstr "Sdílet"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "Stáhnout"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "Odeslaný soubor je příliš velký"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "Soubory, které se snažíte odeslat, překračují limit velikosti odesílání na tomto serveru."
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr "Soubory se prohledávají, prosím čekejte."
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
msgstr "Aktuální prohledávání"

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: 2012-11-11 00:01+0100\n"
"PO-Revision-Date: 2012-11-10 10:16+0000\n"
"POT-Creation-Date: 2012-12-01 00:01+0100\n"
"PO-Revision-Date: 2012-11-30 06:45+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"
@ -59,7 +59,7 @@ msgstr "Neplatný požadavek"
msgid "Unable to delete group"
msgstr "Nelze smazat skupinu"
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:12
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:18
msgid "Authentication error"
msgstr "Chyba ověření"
@ -71,12 +71,16 @@ msgstr "Nelze smazat uživatele"
msgid "Language changed"
msgstr "Jazyk byl změněn"
#: ajax/togglegroups.php:22
#: ajax/togglegroups.php:12
msgid "Admins can't remove themself from the admin group"
msgstr "Správci se nemohou odebrat sami ze skupiny správců"
#: ajax/togglegroups.php:28
#, php-format
msgid "Unable to add user to group %s"
msgstr "Nelze přidat uživatele do skupiny %s"
#: ajax/togglegroups.php:28
#: ajax/togglegroups.php:34
#, php-format
msgid "Unable to remove user from group %s"
msgstr "Nelze odstranit uživatele ze skupiny %s"

View File

@ -14,8 +14,8 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-24 00:01+0100\n"
"PO-Revision-Date: 2012-11-23 23:01+0000\n"
"POT-Creation-Date: 2012-12-01 00:01+0100\n"
"PO-Revision-Date: 2012-11-30 23:02+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"
@ -29,40 +29,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "Der er ingen fejl, filen blev uploadet med success"
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgstr "Den uploadede fil overskrider upload_max_filesize direktivet i php.ini"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr ""
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "Den uploadede fil overskrider MAX_FILE_SIZE -direktivet som er specificeret i HTML-formularen"
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "Den uploadede file blev kun delvist uploadet"
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "Ingen fil blev uploadet"
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "Mangler en midlertidig mappe"
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr "Fejl ved skrivning til disk."
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "Filer"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr "Fjern deling"
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "Slet"
@ -161,15 +162,15 @@ msgstr "{count} filer skannet"
msgid "error while scanning"
msgstr "fejl under scanning"
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "Navn"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "Størrelse"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "Ændret"
@ -197,27 +198,27 @@ msgstr "Filhåndtering"
msgid "Maximum upload size"
msgstr "Maksimal upload-størrelse"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr "max. mulige: "
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr "Nødvendigt for at kunne downloade mapper og flere filer ad gangen."
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr "Muliggør ZIP-download"
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr "0 er ubegrænset"
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr "Maksimal størrelse på ZIP filer"
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "Gem"
@ -225,52 +226,48 @@ msgstr "Gem"
msgid "New"
msgstr "Ny"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "Tekstfil"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "Mappe"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr ""
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "Upload"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr "Fortryd upload"
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "Her er tomt. Upload noget!"
#: templates/index.php:52
msgid "Share"
msgstr "Del"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "Download"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "Upload for stor"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "Filerne, du prøver at uploade, er større end den maksimale størrelse for fil-upload på denne server."
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr "Filerne bliver indlæst, vent venligst."
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
msgstr "Indlæser"

View File

@ -16,8 +16,8 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-10 00:01+0100\n"
"PO-Revision-Date: 2012-11-09 23:01+0000\n"
"POT-Creation-Date: 2012-11-30 00:04+0100\n"
"PO-Revision-Date: 2012-11-29 23:04+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"
@ -62,7 +62,7 @@ msgstr "Ugyldig forespørgsel"
msgid "Unable to delete group"
msgstr "Gruppen kan ikke slettes"
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:12
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:18
msgid "Authentication error"
msgstr "Adgangsfejl"
@ -74,12 +74,16 @@ msgstr "Bruger kan ikke slettes"
msgid "Language changed"
msgstr "Sprog ændret"
#: ajax/togglegroups.php:22
#: ajax/togglegroups.php:12
msgid "Admins can't remove themself from the admin group"
msgstr ""
#: ajax/togglegroups.php:28
#, php-format
msgid "Unable to add user to group %s"
msgstr "Brugeren kan ikke tilføjes til gruppen %s"
#: ajax/togglegroups.php:28
#: ajax/togglegroups.php:34
#, php-format
msgid "Unable to remove user from group %s"
msgstr "Brugeren kan ikke fjernes fra gruppen %s"

View File

@ -24,9 +24,9 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-29 00:04+0100\n"
"PO-Revision-Date: 2012-11-28 12:56+0000\n"
"Last-Translator: Mirodin <blobbyjj@ymail.com>\n"
"POT-Creation-Date: 2012-12-01 00:01+0100\n"
"PO-Revision-Date: 2012-11-30 23:02+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: German (http://www.transifex.com/projects/p/owncloud/language/de/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -39,40 +39,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "Datei fehlerfrei hochgeladen."
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgstr "Die Größe der hochzuladenden Datei überschreitet die upload_max_filesize-Richtlinie in php.ini"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr ""
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "Die Größe der hochzuladenden Datei überschreitet die MAX_FILE_SIZE-Richtlinie, die im HTML-Formular angegeben wurde"
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "Die Datei wurde nur teilweise hochgeladen."
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "Es wurde keine Datei hochgeladen."
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "Temporärer Ordner fehlt."
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr "Fehler beim Schreiben auf die Festplatte"
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "Dateien"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr "Nicht mehr freigeben"
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "Löschen"
@ -171,15 +172,15 @@ msgstr "{count} Dateien wurden gescannt"
msgid "error while scanning"
msgstr "Fehler beim Scannen"
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "Name"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "Größe"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "Bearbeitet"
@ -207,27 +208,27 @@ msgstr "Dateibehandlung"
msgid "Maximum upload size"
msgstr "Maximale Upload-Größe"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr "maximal möglich:"
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr "Für Mehrfachdatei- und Ordnerdownloads benötigt:"
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr "ZIP-Download aktivieren"
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr "0 bedeutet unbegrenzt"
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr "Maximale Größe für ZIP-Dateien"
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "Speichern"
@ -235,52 +236,48 @@ msgstr "Speichern"
msgid "New"
msgstr "Neu"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "Textdatei"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "Ordner"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr "Von einem Link"
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "Hochladen"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr "Upload abbrechen"
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "Alles leer. Lade etwas hoch!"
#: templates/index.php:52
msgid "Share"
msgstr "Freigabe"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "Herunterladen"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "Upload zu groß"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server."
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr "Dateien werden gescannt, bitte warten."
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
msgstr "Scanne"

View File

@ -23,9 +23,9 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-14 00:02+0100\n"
"PO-Revision-Date: 2012-11-13 18:14+0000\n"
"Last-Translator: Mirodin <blobbyjj@ymail.com>\n"
"POT-Creation-Date: 2012-11-30 00:04+0100\n"
"PO-Revision-Date: 2012-11-29 23:04+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: German (http://www.transifex.com/projects/p/owncloud/language/de/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -69,7 +69,7 @@ msgstr "Ungültige Anfrage"
msgid "Unable to delete group"
msgstr "Gruppe konnte nicht gelöscht werden"
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:12
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:18
msgid "Authentication error"
msgstr "Fehler bei der Anmeldung"
@ -81,12 +81,16 @@ msgstr "Benutzer konnte nicht gelöscht werden"
msgid "Language changed"
msgstr "Sprache geändert"
#: ajax/togglegroups.php:22
#: ajax/togglegroups.php:12
msgid "Admins can't remove themself from the admin group"
msgstr ""
#: ajax/togglegroups.php:28
#, php-format
msgid "Unable to add user to group %s"
msgstr "Der Benutzer konnte nicht zur Gruppe %s hinzugefügt werden"
#: ajax/togglegroups.php:28
#: ajax/togglegroups.php:34
#, php-format
msgid "Unable to remove user from group %s"
msgstr "Der Benutzer konnte nicht aus der Gruppe %s entfernt werden"

View File

@ -25,9 +25,9 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-29 00:04+0100\n"
"PO-Revision-Date: 2012-11-28 12:56+0000\n"
"Last-Translator: Mirodin <blobbyjj@ymail.com>\n"
"POT-Creation-Date: 2012-12-01 00:01+0100\n"
"PO-Revision-Date: 2012-11-30 23:02+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: German (Germany) (http://www.transifex.com/projects/p/owncloud/language/de_DE/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -40,40 +40,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "Es sind keine Fehler aufgetreten. Die Datei wurde erfolgreich hochgeladen."
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgstr "Die Größe der hochzuladenden Datei überschreitet die upload_max_filesize-Richtlinie in php.ini"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr ""
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "Die Größe der hochzuladenden Datei überschreitet die MAX_FILE_SIZE-Richtlinie, die im HTML-Formular angegeben wurde"
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "Die Datei wurde nur teilweise hochgeladen."
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "Es wurde keine Datei hochgeladen."
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "Der temporäre Ordner fehlt."
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr "Fehler beim Schreiben auf die Festplatte"
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "Dateien"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr "Nicht mehr freigeben"
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "Löschen"
@ -172,15 +173,15 @@ msgstr "{count} Dateien wurden gescannt"
msgid "error while scanning"
msgstr "Fehler beim Scannen"
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "Name"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "Größe"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "Bearbeitet"
@ -208,27 +209,27 @@ msgstr "Dateibehandlung"
msgid "Maximum upload size"
msgstr "Maximale Upload-Größe"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr "maximal möglich:"
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr "Für Mehrfachdatei- und Ordnerdownloads benötigt:"
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr "ZIP-Download aktivieren"
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr "0 bedeutet unbegrenzt"
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr "Maximale Größe für ZIP-Dateien"
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "Speichern"
@ -236,52 +237,48 @@ msgstr "Speichern"
msgid "New"
msgstr "Neu"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "Textdatei"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "Ordner"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr "Von einem Link"
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "Hochladen"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr "Upload abbrechen"
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "Alles leer. Bitte laden Sie etwas hoch!"
#: templates/index.php:52
msgid "Share"
msgstr "Teilen"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "Herunterladen"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "Der Upload ist zu groß"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server."
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr "Dateien werden gescannt, bitte warten."
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
msgstr "Scanne"

View File

@ -22,9 +22,9 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-20 00:01+0100\n"
"PO-Revision-Date: 2012-11-19 13:06+0000\n"
"Last-Translator: traductor <transifex.3.mensaje@spamgourmet.com>\n"
"POT-Creation-Date: 2012-11-30 00:04+0100\n"
"PO-Revision-Date: 2012-11-29 23:04+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: German (Germany) (http://www.transifex.com/projects/p/owncloud/language/de_DE/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -68,7 +68,7 @@ msgstr "Ungültige Anfrage"
msgid "Unable to delete group"
msgstr "Die Gruppe konnte nicht gelöscht werden"
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:12
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:18
msgid "Authentication error"
msgstr "Fehler bei der Anmeldung"
@ -80,12 +80,16 @@ msgstr "Der Benutzer konnte nicht gelöscht werden"
msgid "Language changed"
msgstr "Sprache geändert"
#: ajax/togglegroups.php:22
#: ajax/togglegroups.php:12
msgid "Admins can't remove themself from the admin group"
msgstr ""
#: ajax/togglegroups.php:28
#, php-format
msgid "Unable to add user to group %s"
msgstr "Der Benutzer konnte nicht zur Gruppe %s hinzugefügt werden"
#: ajax/togglegroups.php:28
#: ajax/togglegroups.php:34
#, php-format
msgid "Unable to remove user from group %s"
msgstr "Der Benutzer konnte nicht aus der Gruppe %s entfernt werden"

View File

@ -13,9 +13,9 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-28 00:10+0100\n"
"PO-Revision-Date: 2012-11-27 15:47+0000\n"
"Last-Translator: Dimitris M. <monopatis@gmail.com>\n"
"POT-Creation-Date: 2012-12-01 00:01+0100\n"
"PO-Revision-Date: 2012-11-30 23:02+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Greek (http://www.transifex.com/projects/p/owncloud/language/el/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -28,40 +28,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "Δεν υπάρχει σφάλμα, το αρχείο εστάλει επιτυχώς"
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgstr "Το αρχείο που εστάλει υπερβαίνει την οδηγία μέγιστου επιτρεπτού μεγέθους \"upload_max_filesize\" του php.ini"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr ""
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "Το αρχείο υπερβαίνει την οδηγία μέγιστου επιτρεπτού μεγέθους \"MAX_FILE_SIZE\" που έχει οριστεί στην HTML φόρμα"
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "Το αρχείο εστάλει μόνο εν μέρει"
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "Κανένα αρχείο δεν στάλθηκε"
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "Λείπει ο προσωρινός φάκελος"
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr "Αποτυχία εγγραφής στο δίσκο"
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "Αρχεία"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr "Διακοπή κοινής χρήσης"
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "Διαγραφή"
@ -160,15 +161,15 @@ msgstr "{count} αρχεία ανιχνεύτηκαν"
msgid "error while scanning"
msgstr "σφάλμα κατά την ανίχνευση"
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "Όνομα"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "Μέγεθος"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "Τροποποιήθηκε"
@ -196,27 +197,27 @@ msgstr "Διαχείριση αρχείων"
msgid "Maximum upload size"
msgstr "Μέγιστο μέγεθος αποστολής"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr "μέγιστο δυνατό:"
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr "Απαραίτητο για κατέβασμα πολλαπλών αρχείων και φακέλων"
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr "Ενεργοποίηση κατεβάσματος ZIP"
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr "0 για απεριόριστο"
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr "Μέγιστο μέγεθος για αρχεία ZIP"
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "Αποθήκευση"
@ -224,52 +225,48 @@ msgstr "Αποθήκευση"
msgid "New"
msgstr "Νέο"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "Αρχείο κειμένου"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "Φάκελος"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr "Από σύνδεσμο"
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "Αποστολή"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr "Ακύρωση αποστολής"
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "Δεν υπάρχει τίποτα εδώ. Ανέβασε κάτι!"
#: templates/index.php:52
msgid "Share"
msgstr "Διαμοιρασμός"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "Λήψη"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "Πολύ μεγάλο αρχείο προς αποστολή"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "Τα αρχεία που προσπαθείτε να ανεβάσετε υπερβαίνουν το μέγιστο μέγεθος αποστολής αρχείων σε αυτόν το διακομιστή."
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr "Τα αρχεία σαρώνονται, παρακαλώ περιμένετε"
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
msgstr "Τρέχουσα αναζήτηση "

View File

@ -18,9 +18,9 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-17 00:01+0100\n"
"PO-Revision-Date: 2012-11-16 17:05+0000\n"
"Last-Translator: Efstathios Iosifidis <diamond_gr@freemail.gr>\n"
"POT-Creation-Date: 2012-11-30 00:04+0100\n"
"PO-Revision-Date: 2012-11-29 23:04+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Greek (http://www.transifex.com/projects/p/owncloud/language/el/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -64,7 +64,7 @@ msgstr "Μη έγκυρο αίτημα"
msgid "Unable to delete group"
msgstr "Αδυναμία διαγραφής ομάδας"
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:12
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:18
msgid "Authentication error"
msgstr "Σφάλμα πιστοποίησης"
@ -76,12 +76,16 @@ msgstr "Αδυναμία διαγραφής χρήστη"
msgid "Language changed"
msgstr "Η γλώσσα άλλαξε"
#: ajax/togglegroups.php:22
#: ajax/togglegroups.php:12
msgid "Admins can't remove themself from the admin group"
msgstr ""
#: ajax/togglegroups.php:28
#, php-format
msgid "Unable to add user to group %s"
msgstr "Αδυναμία προσθήκη χρήστη στην ομάδα %s"
#: ajax/togglegroups.php:28
#: ajax/togglegroups.php:34
#, php-format
msgid "Unable to remove user from group %s"
msgstr "Αδυναμία αφαίρεσης χρήστη από την ομάδα %s"

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: 2012-11-24 00:01+0100\n"
"PO-Revision-Date: 2012-11-23 23:02+0000\n"
"POT-Creation-Date: 2012-12-01 00:01+0100\n"
"PO-Revision-Date: 2012-11-30 23:02+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n"
"MIME-Version: 1.0\n"
@ -24,40 +24,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "Ne estas eraro, la dosiero alŝutiĝis sukcese"
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgstr "La dosiero alŝutita superas la regulon upload_max_filesize el php.ini"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr ""
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "La dosiero alŝutita superas laregulon MAX_FILE_SIZE, kiu estas difinita en la HTML-formularo"
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "La alŝutita dosiero nur parte alŝutiĝis"
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "Neniu dosiero estas alŝutita"
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "Mankas tempa dosierujo"
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr "Malsukcesis skribo al disko"
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "Dosieroj"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr "Malkunhavigi"
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "Forigi"
@ -156,15 +157,15 @@ msgstr "{count} dosieroj skaniĝis"
msgid "error while scanning"
msgstr "eraro dum skano"
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "Nomo"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "Grando"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "Modifita"
@ -192,27 +193,27 @@ msgstr "Dosieradministro"
msgid "Maximum upload size"
msgstr "Maksimuma alŝutogrando"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr "maks. ebla: "
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr "Necesa por elŝuto de pluraj dosieroj kaj dosierujoj."
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr "Kapabligi ZIP-elŝuton"
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr "0 signifas senlime"
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr "Maksimuma enirgrando por ZIP-dosieroj"
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "Konservi"
@ -220,52 +221,48 @@ msgstr "Konservi"
msgid "New"
msgstr "Nova"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "Tekstodosiero"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "Dosierujo"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr "El ligilo"
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "Alŝuti"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr "Nuligi alŝuton"
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "Nenio estas ĉi tie. Alŝutu ion!"
#: templates/index.php:52
msgid "Share"
msgstr "Kunhavigi"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "Elŝuti"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "Elŝuto tro larĝa"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "La dosieroj, kiujn vi provas alŝuti, transpasas la maksimuman grandon por dosieralŝutoj en ĉi tiu servilo."
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr "Dosieroj estas skanataj, bonvolu atendi."
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
msgstr "Nuna skano"

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: 2012-11-10 00:01+0100\n"
"PO-Revision-Date: 2012-11-09 23:01+0000\n"
"POT-Creation-Date: 2012-11-30 00:04+0100\n"
"PO-Revision-Date: 2012-11-29 23:04+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Esperanto (http://www.transifex.com/projects/p/owncloud/language/eo/)\n"
"MIME-Version: 1.0\n"
@ -55,7 +55,7 @@ msgstr "Nevalida peto"
msgid "Unable to delete group"
msgstr "Ne eblis forigi la grupon"
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:12
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:18
msgid "Authentication error"
msgstr "Aŭtentiga eraro"
@ -67,12 +67,16 @@ msgstr "Ne eblis forigi la uzanton"
msgid "Language changed"
msgstr "La lingvo estas ŝanĝita"
#: ajax/togglegroups.php:22
#: ajax/togglegroups.php:12
msgid "Admins can't remove themself from the admin group"
msgstr ""
#: ajax/togglegroups.php:28
#, php-format
msgid "Unable to add user to group %s"
msgstr "Ne eblis aldoni la uzanton al la grupo %s"
#: ajax/togglegroups.php:28
#: ajax/togglegroups.php:34
#, php-format
msgid "Unable to remove user from group %s"
msgstr "Ne eblis forigi la uzantan el la grupo %s"

View File

@ -8,15 +8,15 @@
# Javier Llorente <javier@opensuse.org>, 2012.
# <juanma@kde.org.ar>, 2012.
# Rubén Trujillo <rubentrf@gmail.com>, 2012.
# <sergioballesterossolanas@gmail.com>, 2011, 2012.
# <sergioballesterossolanas@gmail.com>, 2011-2012.
# <sergio@entrecables.com>, 2012.
msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-25 00:02+0100\n"
"PO-Revision-Date: 2012-11-24 15:20+0000\n"
"Last-Translator: Agustin Ferrario <>\n"
"POT-Creation-Date: 2012-12-02 00:02+0100\n"
"PO-Revision-Date: 2012-12-01 20:49+0000\n"
"Last-Translator: xsergiolpx <sergioballesterossolanas@gmail.com>\n"
"Language-Team: Spanish (http://www.transifex.com/projects/p/owncloud/language/es/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -29,40 +29,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "No se ha producido ningún error, el archivo se ha subido con éxito"
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr "El archivo que intentas subir sobrepasa el tamaño definido por la variable upload_max_filesize en php.ini"
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "El archivo que intentas subir sobrepasa el tamaño definido por la variable MAX_FILE_SIZE especificada en el formulario HTML"
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "El archivo que intentas subir solo se subió parcialmente"
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "No se ha subido ningún archivo"
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "Falta un directorio temporal"
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr "La escritura en disco ha fallado"
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "Archivos"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr "Dejar de compartir"
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "Eliminar"
@ -161,15 +162,15 @@ msgstr "{count} archivos escaneados"
msgid "error while scanning"
msgstr "error escaneando"
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "Nombre"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "Tamaño"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "Modificado"
@ -197,27 +198,27 @@ msgstr "Tratamiento de archivos"
msgid "Maximum upload size"
msgstr "Tamaño máximo de subida"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr "máx. posible:"
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr "Se necesita para descargas multi-archivo y de carpetas"
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr "Habilitar descarga en ZIP"
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr "0 es ilimitado"
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr "Tamaño máximo para archivos ZIP de entrada"
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "Guardar"
@ -225,52 +226,48 @@ msgstr "Guardar"
msgid "New"
msgstr "Nuevo"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "Archivo de texto"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "Carpeta"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr "Desde el enlace"
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "Subir"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr "Cancelar subida"
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "Aquí no hay nada. ¡Sube algo!"
#: templates/index.php:52
msgid "Share"
msgstr "Compartir"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "Descargar"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "El archivo es demasiado grande"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "Los archivos que estás intentando subir sobrepasan el tamaño máximo permitido por este servidor."
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr "Se están escaneando los archivos, por favor espere."
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
msgstr "Ahora escaneando"

View File

@ -13,14 +13,14 @@
# <rodrigo.calvo@gmail.com>, 2012.
# <rom1dep@gmail.com>, 2011.
# Rubén Trujillo <rubentrf@gmail.com>, 2012.
# <sergioballesterossolanas@gmail.com>, 2011, 2012.
# <sergioballesterossolanas@gmail.com>, 2011-2012.
msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-10 00:01+0100\n"
"PO-Revision-Date: 2012-11-09 23:01+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"POT-Creation-Date: 2012-12-02 00:02+0100\n"
"PO-Revision-Date: 2012-12-01 20:49+0000\n"
"Last-Translator: xsergiolpx <sergioballesterossolanas@gmail.com>\n"
"Language-Team: Spanish (http://www.transifex.com/projects/p/owncloud/language/es/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -64,7 +64,7 @@ msgstr "Solicitud no válida"
msgid "Unable to delete group"
msgstr "No se pudo eliminar el grupo"
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:12
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:18
msgid "Authentication error"
msgstr "Error de autenticación"
@ -76,12 +76,16 @@ msgstr "No se pudo eliminar el usuario"
msgid "Language changed"
msgstr "Idioma cambiado"
#: ajax/togglegroups.php:22
#: ajax/togglegroups.php:12
msgid "Admins can't remove themself from the admin group"
msgstr "Los administradores no se pueden eliminar a ellos mismos del grupo de administrador"
#: ajax/togglegroups.php:28
#, php-format
msgid "Unable to add user to group %s"
msgstr "Imposible añadir el usuario al grupo %s"
#: ajax/togglegroups.php:28
#: ajax/togglegroups.php:34
#, php-format
msgid "Unable to remove user from group %s"
msgstr "Imposible eliminar al usuario del grupo %s"

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: 2012-11-24 00:01+0100\n"
"PO-Revision-Date: 2012-11-23 23:02+0000\n"
"POT-Creation-Date: 2012-12-01 00:01+0100\n"
"PO-Revision-Date: 2012-11-30 23:02+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Spanish (Argentina) (http://www.transifex.com/projects/p/owncloud/language/es_AR/)\n"
"MIME-Version: 1.0\n"
@ -23,40 +23,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "No se han producido errores, el archivo se ha subido con éxito"
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgstr "El archivo que intentás subir sobrepasa el tamaño definido por la variable upload_max_filesize en php.ini"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr ""
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "El archivo que intentás subir sobrepasa el tamaño definido por la variable MAX_FILE_SIZE especificada en el formulario HTML"
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "El archivo que intentás subir solo se subió parcialmente"
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "El archivo no fue subido"
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "Falta un directorio temporal"
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr "Error al escribir en el disco"
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "Archivos"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr "Dejar de compartir"
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "Borrar"
@ -155,15 +156,15 @@ msgstr "{count} archivos escaneados"
msgid "error while scanning"
msgstr "error mientras se escaneaba"
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "Nombre"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "Tamaño"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "Modificado"
@ -191,27 +192,27 @@ msgstr "Tratamiento de archivos"
msgid "Maximum upload size"
msgstr "Tamaño máximo de subida"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr "máx. posible:"
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr "Es necesario para descargas multi-archivo y de carpetas"
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr "Habilitar descarga en formato ZIP"
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr "0 significa ilimitado"
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr "Tamaño máximo para archivos ZIP de entrada"
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "Guardar"
@ -219,52 +220,48 @@ msgstr "Guardar"
msgid "New"
msgstr "Nuevo"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "Archivo de texto"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "Carpeta"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr "Desde enlace"
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "Subir"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr "Cancelar subida"
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "No hay nada. ¡Subí contenido!"
#: templates/index.php:52
msgid "Share"
msgstr "Compartir"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "Descargar"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "El archivo es demasiado grande"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "Los archivos que intentás subir sobrepasan el tamaño máximo "
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr "Se están escaneando los archivos, por favor esperá."
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
msgstr "Escaneo actual"

View File

@ -8,9 +8,9 @@ msgid ""
msgstr ""
"Project-Id-Version: ownCloud\n"
"Report-Msgid-Bugs-To: http://bugs.owncloud.org/\n"
"POT-Creation-Date: 2012-11-13 00:06+0100\n"
"PO-Revision-Date: 2012-11-12 10:40+0000\n"
"Last-Translator: cjtess <claudio.tessone@gmail.com>\n"
"POT-Creation-Date: 2012-11-30 00:04+0100\n"
"PO-Revision-Date: 2012-11-29 23:04+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Spanish (Argentina) (http://www.transifex.com/projects/p/owncloud/language/es_AR/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@ -54,7 +54,7 @@ msgstr "Solicitud no válida"
msgid "Unable to delete group"
msgstr "No fue posible eliminar el grupo"
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:12
#: ajax/removeuser.php:15 ajax/setquota.php:15 ajax/togglegroups.php:18
msgid "Authentication error"
msgstr "Error al autenticar"
@ -66,12 +66,16 @@ msgstr "No fue posible eliminar el usuario"
msgid "Language changed"
msgstr "Idioma cambiado"
#: ajax/togglegroups.php:22
#: ajax/togglegroups.php:12
msgid "Admins can't remove themself from the admin group"
msgstr ""
#: ajax/togglegroups.php:28
#, php-format
msgid "Unable to add user to group %s"
msgstr "No fue posible añadir el usuario al grupo %s"
#: ajax/togglegroups.php:28
#: ajax/togglegroups.php:34
#, php-format
msgid "Unable to remove user from group %s"
msgstr "No es posible eliminar al usuario del grupo %s"

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: 2012-11-24 00:01+0100\n"
"PO-Revision-Date: 2012-11-23 23:01+0000\n"
"POT-Creation-Date: 2012-12-01 00:01+0100\n"
"PO-Revision-Date: 2012-11-30 23:02+0000\n"
"Last-Translator: I Robot <owncloud-bot@tmit.eu>\n"
"Language-Team: Estonian (Estonia) (http://www.transifex.com/projects/p/owncloud/language/et_EE/)\n"
"MIME-Version: 1.0\n"
@ -24,40 +24,41 @@ msgid "There is no error, the file uploaded with success"
msgstr "Ühtegi viga pole, fail on üles laetud"
#: ajax/upload.php:21
msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini"
msgstr "Üles laetud faili suurus ületab php.ini määratud upload_max_filesize suuruse"
msgid ""
"The uploaded file exceeds the upload_max_filesize directive in php.ini: "
msgstr ""
#: ajax/upload.php:22
#: ajax/upload.php:23
msgid ""
"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in "
"the HTML form"
msgstr "Üles laetud faili suurus ületab HTML vormis määratud upload_max_filesize suuruse"
#: ajax/upload.php:23
#: ajax/upload.php:25
msgid "The uploaded file was only partially uploaded"
msgstr "Fail laeti üles ainult osaliselt"
#: ajax/upload.php:24
#: ajax/upload.php:26
msgid "No file was uploaded"
msgstr "Ühtegi faili ei laetud üles"
#: ajax/upload.php:25
#: ajax/upload.php:27
msgid "Missing a temporary folder"
msgstr "Ajutiste failide kaust puudub"
#: ajax/upload.php:26
#: ajax/upload.php:28
msgid "Failed to write to disk"
msgstr "Kettale kirjutamine ebaõnnestus"
#: appinfo/app.php:6
#: appinfo/app.php:10
msgid "Files"
msgstr "Failid"
#: js/fileactions.js:117 templates/index.php:64
#: js/fileactions.js:117 templates/index.php:83 templates/index.php:84
msgid "Unshare"
msgstr "Lõpeta jagamine"
#: js/fileactions.js:119 templates/index.php:66
#: js/fileactions.js:119 templates/index.php:89 templates/index.php:90
msgid "Delete"
msgstr "Kustuta"
@ -105,7 +106,7 @@ msgstr "kustutatud {files}"
msgid ""
"Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not "
"allowed."
msgstr ""
msgstr "Vigane nimi, '\\', '/', '<', '>', ':', '\"', '|', '?' ja '*' pole lubatud."
#: js/files.js:183
msgid "generating ZIP-file, it may take some time."
@ -146,7 +147,7 @@ msgstr "Faili üleslaadimine on töös. Lehelt lahkumine katkestab selle ülesl
#: js/files.js:523
msgid "Invalid folder name. Usage of \"Shared\" is reserved by Owncloud"
msgstr ""
msgstr "Vigane kausta nimi. Nime \"Jagatud\" kasutamine on Owncloudi poolt broneeritud "
#: js/files.js:704
msgid "{count} files scanned"
@ -156,15 +157,15 @@ msgstr "{count} faili skännitud"
msgid "error while scanning"
msgstr "viga skännimisel"
#: js/files.js:785 templates/index.php:50
#: js/files.js:785 templates/index.php:65
msgid "Name"
msgstr "Nimi"
#: js/files.js:786 templates/index.php:58
#: js/files.js:786 templates/index.php:76
msgid "Size"
msgstr "Suurus"
#: js/files.js:787 templates/index.php:60
#: js/files.js:787 templates/index.php:78
msgid "Modified"
msgstr "Muudetud"
@ -192,27 +193,27 @@ msgstr "Failide käsitlemine"
msgid "Maximum upload size"
msgstr "Maksimaalne üleslaadimise suurus"
#: templates/admin.php:7
#: templates/admin.php:9
msgid "max. possible: "
msgstr "maks. võimalik: "
#: templates/admin.php:9
#: templates/admin.php:12
msgid "Needed for multi-file and folder downloads."
msgstr "Vajalik mitme faili ja kausta allalaadimiste jaoks."
#: templates/admin.php:9
#: templates/admin.php:14
msgid "Enable ZIP-download"
msgstr "Luba ZIP-ina allalaadimine"
#: templates/admin.php:11
#: templates/admin.php:17
msgid "0 is unlimited"
msgstr "0 tähendab piiramatut"
#: templates/admin.php:12
#: templates/admin.php:19
msgid "Maximum input size for ZIP files"
msgstr "Maksimaalne ZIP-faili sisestatava faili suurus"
#: templates/admin.php:15
#: templates/admin.php:23
msgid "Save"
msgstr "Salvesta"
@ -220,52 +221,48 @@ msgstr "Salvesta"
msgid "New"
msgstr "Uus"
#: templates/index.php:9
#: templates/index.php:10
msgid "Text file"
msgstr "Tekstifail"
#: templates/index.php:10
#: templates/index.php:12
msgid "Folder"
msgstr "Kaust"
#: templates/index.php:11
#: templates/index.php:14
msgid "From link"
msgstr "Allikast"
#: templates/index.php:22
#: templates/index.php:35
msgid "Upload"
msgstr "Lae üles"
#: templates/index.php:29
#: templates/index.php:43
msgid "Cancel upload"
msgstr "Tühista üleslaadimine"
#: templates/index.php:42
#: templates/index.php:57
msgid "Nothing in here. Upload something!"
msgstr "Siin pole midagi. Lae midagi üles!"
#: templates/index.php:52
msgid "Share"
msgstr "Jaga"
#: templates/index.php:54
#: templates/index.php:71
msgid "Download"
msgstr "Lae alla"
#: templates/index.php:77
#: templates/index.php:103
msgid "Upload too large"
msgstr "Üleslaadimine on liiga suur"
#: templates/index.php:79
#: templates/index.php:105
msgid ""
"The files you are trying to upload exceed the maximum size for file uploads "
"on this server."
msgstr "Failid, mida sa proovid üles laadida, ületab serveri poolt üleslaetavatele failidele määratud maksimaalse suuruse."
#: templates/index.php:84
#: templates/index.php:110
msgid "Files are being scanned, please wait."
msgstr "Faile skannitakse, palun oota"
#: templates/index.php:87
#: templates/index.php:113
msgid "Current scanning"
msgstr "Praegune skannimine"

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